From 887b46ab46f72961341641bbe4c764c4ff91ca90 Mon Sep 17 00:00:00 2001 From: Hyowon Yang Date: Fri, 24 Oct 2025 10:04:28 +0900 Subject: [PATCH] =?UTF-8?q?=EC=8B=A4=ED=96=89=ED=94=84=EB=A1=9C=ED=8C=8C?= =?UTF-8?q?=EC=9D=BC,=20=EB=A1=9C=EA=B7=B8=EC=84=A4=EC=A0=95?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../.run/analytics-service.run.xml | 78 +++++ .../src/main/resources/application.yml | 7 +- tools/run-intellij-service-profile.py | 303 ++++++++++++++++++ 3 files changed, 387 insertions(+), 1 deletion(-) create mode 100644 analytics-service/.run/analytics-service.run.xml create mode 100644 tools/run-intellij-service-profile.py diff --git a/analytics-service/.run/analytics-service.run.xml b/analytics-service/.run/analytics-service.run.xml new file mode 100644 index 0000000..3fff6bb --- /dev/null +++ b/analytics-service/.run/analytics-service.run.xml @@ -0,0 +1,78 @@ + + + + + + + + true + true + + + + + false + false + + + diff --git a/analytics-service/src/main/resources/application.yml b/analytics-service/src/main/resources/application.yml index 6410487..59f4dff 100644 --- a/analytics-service/src/main/resources/application.yml +++ b/analytics-service/src/main/resources/application.yml @@ -103,7 +103,12 @@ logging: console: "%d{yyyy-MM-dd HH:mm:ss} - %msg%n" file: "%d{yyyy-MM-dd HH:mm:ss} [%thread] %-5level %logger{36} - %msg%n" file: - name: ${LOG_FILE_PATH:logs/analytics-service.log} + name: ${LOG_FILE:logs/analytics-service.log} + logback: + rollingpolicy: + max-file-size: 10MB + max-history: 7 + total-size-cap: 100MB # Resilience4j Circuit Breaker resilience4j: diff --git a/tools/run-intellij-service-profile.py b/tools/run-intellij-service-profile.py new file mode 100644 index 0000000..2278686 --- /dev/null +++ b/tools/run-intellij-service-profile.py @@ -0,0 +1,303 @@ +#!/usr/bin/env python3 +# -*- coding: utf-8 -*- +""" +Tripgen Service Runner Script +Reads execution profiles from {service-name}/.run/{service-name}.run.xml and runs services accordingly. + +Usage: + python run-config.py + +Examples: + python run-config.py user-service + python run-config.py location-service + python run-config.py trip-service + python run-config.py ai-service +""" + +import os +import sys +import subprocess +import xml.etree.ElementTree as ET +from pathlib import Path +import argparse + + +def get_project_root(): + """Find project root directory""" + current_dir = Path(__file__).parent.absolute() + while current_dir.parent != current_dir: + if (current_dir / 'gradlew').exists() or (current_dir / 'gradlew.bat').exists(): + return current_dir + current_dir = current_dir.parent + + # If gradlew not found, assume parent directory of develop as project root + return Path(__file__).parent.parent.absolute() + + +def parse_run_configurations(project_root, service_name=None): + """Parse run configuration files from .run directories""" + configurations = {} + + if service_name: + # Parse specific service configuration + run_config_path = project_root / service_name / '.run' / f'{service_name}.run.xml' + if run_config_path.exists(): + config = parse_single_run_config(run_config_path, service_name) + if config: + configurations[service_name] = config + else: + print(f"[ERROR] Cannot find run configuration: {run_config_path}") + else: + # Find all service directories + service_dirs = ['user-service', 'location-service', 'trip-service', 'ai-service'] + for service in service_dirs: + run_config_path = project_root / service / '.run' / f'{service}.run.xml' + if run_config_path.exists(): + config = parse_single_run_config(run_config_path, service) + if config: + configurations[service] = config + + return configurations + + +def parse_single_run_config(config_path, service_name): + """Parse a single run configuration file""" + try: + tree = ET.parse(config_path) + root = tree.getroot() + + # Find configuration element + config = root.find('.//configuration[@type="GradleRunConfiguration"]') + if config is None: + print(f"[WARNING] No Gradle configuration found in {config_path}") + return None + + # Extract environment variables + env_vars = {} + env_option = config.find('.//option[@name="env"]') + if env_option is not None: + env_map = env_option.find('map') + if env_map is not None: + for entry in env_map.findall('entry'): + key = entry.get('key') + value = entry.get('value') + if key and value: + env_vars[key] = value + + # Extract task names + task_names = [] + task_names_option = config.find('.//option[@name="taskNames"]') + if task_names_option is not None: + task_list = task_names_option.find('list') + if task_list is not None: + for option in task_list.findall('option'): + value = option.get('value') + if value: + task_names.append(value) + + if env_vars or task_names: + return { + 'env_vars': env_vars, + 'task_names': task_names, + 'config_path': str(config_path) + } + + return None + + except ET.ParseError as e: + print(f"[ERROR] XML parsing error in {config_path}: {e}") + return None + except Exception as e: + print(f"[ERROR] Error reading {config_path}: {e}") + return None + + +def get_gradle_command(project_root): + """Return appropriate Gradle command for OS""" + if os.name == 'nt': # Windows + gradle_bat = project_root / 'gradlew.bat' + if gradle_bat.exists(): + return str(gradle_bat) + return 'gradle.bat' + else: # Unix-like (Linux, macOS) + gradle_sh = project_root / 'gradlew' + if gradle_sh.exists(): + return str(gradle_sh) + return 'gradle' + + +def run_service(service_name, config, project_root): + """Run service""" + print(f"[START] Starting {service_name} service...") + + # Set environment variables + env = os.environ.copy() + for key, value in config['env_vars'].items(): + env[key] = value + print(f" [ENV] {key}={value}") + + # Prepare Gradle command + gradle_cmd = get_gradle_command(project_root) + + # Execute tasks + for task_name in config['task_names']: + print(f"\n[RUN] Executing: {task_name}") + + cmd = [gradle_cmd, task_name] + + try: + # Execute from project root directory + process = subprocess.Popen( + cmd, + cwd=project_root, + env=env, + stdout=subprocess.PIPE, + stderr=subprocess.STDOUT, + universal_newlines=True, + bufsize=1, + encoding='utf-8', + errors='replace' + ) + + print(f"[CMD] Command: {' '.join(cmd)}") + print(f"[DIR] Working directory: {project_root}") + print("=" * 50) + + # Real-time output + for line in process.stdout: + print(line.rstrip()) + + # Wait for process completion + process.wait() + + if process.returncode == 0: + print(f"\n[SUCCESS] {task_name} execution completed") + else: + print(f"\n[FAILED] {task_name} execution failed (exit code: {process.returncode})") + return False + + except KeyboardInterrupt: + print(f"\n[STOP] Interrupted by user") + process.terminate() + return False + except Exception as e: + print(f"\n[ERROR] Execution error: {e}") + return False + + return True + + +def list_available_services(configurations): + """List available services""" + print("[LIST] Available services:") + print("=" * 40) + + for service_name, config in configurations.items(): + if config['task_names']: + print(f" [SERVICE] {service_name}") + if 'config_path' in config: + print(f" +-- Config: {config['config_path']}") + for task in config['task_names']: + print(f" +-- Task: {task}") + print(f" +-- {len(config['env_vars'])} environment variables") + print() + + +def main(): + """Main function""" + parser = argparse.ArgumentParser( + description='Tripgen Service Runner Script', + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=""" +Examples: + python run-config.py user-service + python run-config.py location-service + python run-config.py trip-service + python run-config.py ai-service + python run-config.py --list + """ + ) + + parser.add_argument( + 'service_name', + nargs='?', + help='Service name to run' + ) + + parser.add_argument( + '--list', '-l', + action='store_true', + help='List available services' + ) + + args = parser.parse_args() + + # Find project root + project_root = get_project_root() + print(f"[INFO] Project root: {project_root}") + + # Parse run configurations + print("[INFO] Reading run configuration files...") + configurations = parse_run_configurations(project_root) + + if not configurations: + print("[ERROR] No execution configurations found") + return 1 + + print(f"[INFO] Found {len(configurations)} execution configurations") + + # List services request + if args.list: + list_available_services(configurations) + return 0 + + # If service name not provided + if not args.service_name: + print("\n[ERROR] Please provide service name") + list_available_services(configurations) + print("Usage: python run-config.py ") + return 1 + + # Find service + service_name = args.service_name + + # Try to parse specific service configuration if not found + if service_name not in configurations: + print(f"[INFO] Trying to find configuration for '{service_name}'...") + configurations = parse_run_configurations(project_root, service_name) + + if service_name not in configurations: + print(f"[ERROR] Cannot find '{service_name}' service") + list_available_services(configurations) + return 1 + + config = configurations[service_name] + + if not config['task_names']: + print(f"[ERROR] No executable tasks found for '{service_name}' service") + return 1 + + # Execute service + print(f"\n[TARGET] Starting '{service_name}' service execution") + print("=" * 50) + + success = run_service(service_name, config, project_root) + + if success: + print(f"\n[COMPLETE] '{service_name}' service started successfully!") + return 0 + else: + print(f"\n[FAILED] Failed to start '{service_name}' service") + return 1 + + +if __name__ == '__main__': + try: + exit_code = main() + sys.exit(exit_code) + except KeyboardInterrupt: + print("\n[STOP] Interrupted by user") + sys.exit(1) + except Exception as e: + print(f"\n[ERROR] Unexpected error occurred: {e}") + sys.exit(1) \ No newline at end of file