imseldrith commited on
Commit
5eb968e
·
verified ·
1 Parent(s): 2a6e962

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +69 -113
app.py CHANGED
@@ -3,166 +3,122 @@ from apscheduler.schedulers.background import BackgroundScheduler
3
  import subprocess
4
  import threading
5
  import pytz
6
- import logging
7
  from datetime import datetime
 
8
 
9
- # Initialize Flask app
10
  app = Flask(__name__)
11
-
12
- # Setup logging
13
- logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s")
14
-
15
- # Execution logs
16
  execution_logs = []
17
- MAX_LOG_ENTRIES = 50
18
- log_lock = threading.Lock() # Prevents race conditions when modifying logs
19
-
20
-
21
- def add_log_entry(entry):
22
- """Safely add log entries while maintaining MAX_LOG_ENTRIES limit."""
23
- with log_lock:
24
- execution_logs.append(entry)
25
- if len(execution_logs) > MAX_LOG_ENTRIES:
26
- execution_logs.pop(0)
27
-
28
-
29
- def get_ist_time():
30
- """Get the current time in IST (Indian Standard Time)."""
31
- utc_now = datetime.utcnow()
32
- ist_timezone = pytz.timezone("Asia/Kolkata")
33
- return utc_now.replace(tzinfo=pytz.utc).astimezone(ist_timezone)
34
-
35
 
36
  def run_cli_script():
37
- """Runs cli.py and streams logs in real-time to both UI and terminal."""
38
- timestamp = get_ist_time().strftime("%Y-%m-%d %H:%M:%S IST")
 
 
39
 
40
  try:
41
- process = subprocess.Popen(
 
 
 
 
 
 
 
42
  ["python", "cli.py"],
43
  stdout=subprocess.PIPE,
44
  stderr=subprocess.PIPE,
 
45
  text=True
46
- )
47
-
48
- stdout, stderr = process.communicate() # Wait for process to complete
49
-
50
- if stdout:
51
- add_log_entry({'time': timestamp, 'output': stdout, 'error': ''})
52
- logging.info(stdout.strip())
53
-
54
- if stderr:
55
- add_log_entry({'time': timestamp, 'output': '', 'error': stderr})
56
- logging.error(stderr.strip())
57
-
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
58
  except Exception as e:
59
- error_msg = str(e)
60
- add_log_entry({'time': timestamp, 'output': '', 'error': error_msg})
61
- logging.error(f"Error: {error_msg}")
62
-
63
 
64
  def start_initial_run():
65
- """Runs the CLI script immediately upon startup in a separate thread."""
66
  threading.Thread(target=run_cli_script, daemon=True).start()
67
 
68
-
69
- # Initialize scheduler
70
  scheduler = BackgroundScheduler(daemon=True)
71
  scheduler.add_job(
72
  run_cli_script,
73
  'interval',
74
  hours=3,
75
  id='main_job',
76
- next_run_time=datetime.now()
77
  )
78
  scheduler.start()
79
 
80
- # Ensure script runs once on startup
81
  start_initial_run()
82
 
83
-
84
  @app.route('/')
85
  def home():
86
- """Main UI displaying logs and next run time."""
87
  job = scheduler.get_job('main_job')
88
- next_run = get_ist_time().strftime('%Y-%m-%d %H:%M:%S IST') if job else 'N/A'
89
-
90
  return render_template_string('''
91
  <!DOCTYPE html>
92
  <html>
93
- <head>
94
- <title>Script Scheduler</title>
95
- <script>
96
- function fetchLogs() {
97
- fetch('/logs')
98
- .then(response => response.json())
99
- .then(data => {
100
- let logBox = document.getElementById("log-box");
101
- logBox.innerHTML = "";
102
- data.logs.forEach(log => {
103
- let logEntry = "<div class='timestamp'>" + log.time + "</div>";
104
- if (log.output) logEntry += "<div class='output'>" + log.output + "</div>";
105
- if (log.error) logEntry += "<div class='error'>" + log.error + "</div>";
106
- logEntry += "<hr>";
107
- logBox.innerHTML += logEntry;
108
- });
109
- logBox.scrollTop = logBox.scrollHeight;
110
- });
111
- }
112
- setInterval(fetchLogs, 2000);
113
- window.onload = fetchLogs;
114
- </script>
115
- <style>
116
- body { font-family: Arial, sans-serif; padding: 20px; }
117
- .log-box {
118
- background: #000;
119
- color: #0f0;
120
- padding: 15px;
121
- border-radius: 5px;
122
- margin-top: 20px;
123
- white-space: pre-wrap;
124
- max-height: 400px;
125
- overflow-y: auto;
126
- }
127
- .timestamp { color: #888; margin-bottom: 10px; }
128
- .error { color: #ff4444; }
129
- </style>
130
- </head>
131
- <body>
132
- <h1>Script Scheduler</h1>
133
- <p>Next run: {{ next_run }}</p>
134
- <h2>Latest Execution Logs</h2>
135
- <div id="log-box" class="log-box"></div>
136
- <p><a href="/force-run">Trigger Manual Run</a></p>
137
- <p><a href="/run-check">Check Scheduler Status</a></p>
138
- </body>
139
  </html>
140
  ''', next_run=next_run)
141
 
142
-
143
  @app.route('/logs')
144
  def logs():
145
- """Returns logs as JSON for AJAX polling."""
146
- return jsonify({'logs': execution_logs})
147
-
148
 
149
  @app.route('/force-run')
150
  def force_run():
151
- """Manually trigger the script execution."""
152
- threading.Thread(target=run_cli_script, daemon=True).start()
153
- logging.info("Manual script execution triggered")
154
- return "Script executed manually", 200
155
-
156
 
157
  @app.route('/run-check')
158
  def run_check():
159
- """Check if the scheduler is still running and restart if necessary."""
160
  if not scheduler.running:
161
- logging.warning("Scheduler was stopped! Restarting...")
162
  scheduler.start()
163
- return "Scheduler restarted", 200
164
  return "Scheduler is running", 200
165
 
166
-
167
  if __name__ == '__main__':
168
- app.run(host='0.0.0.0', port=7860)
 
3
  import subprocess
4
  import threading
5
  import pytz
 
6
  from datetime import datetime
7
+ from io import TextIOWrapper
8
 
 
9
  app = Flask(__name__)
 
 
 
 
 
10
  execution_logs = []
11
+ MAX_LOG_ENTRIES = 20 # Now tracks executions, not individual lines
12
+ log_lock = threading.Lock() # Thread safety for execution_logs
13
+ process_lock = threading.Lock() # Prevent concurrent script execution
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
14
 
15
  def run_cli_script():
16
+ """Runs cli.py and captures output/errors into a single log entry."""
17
+ if not process_lock.acquire(blocking=False):
18
+ # Another instance is already running
19
+ return
20
 
21
  try:
22
+ # Get current time in IST
23
+ utc_now = datetime.utcnow()
24
+ ist = pytz.timezone("Asia/Kolkata")
25
+ timestamp = utc_now.replace(tzinfo=pytz.utc).astimezone(ist).strftime("%Y-%m-%d %H:%M:%S IST")
26
+
27
+ log_entry = {'time': timestamp, 'output': '', 'error': ''}
28
+
29
+ with subprocess.Popen(
30
  ["python", "cli.py"],
31
  stdout=subprocess.PIPE,
32
  stderr=subprocess.PIPE,
33
+ bufsize=1,
34
  text=True
35
+ ) as process:
36
+ # Thread function to capture output
37
+ def capture_stream(stream, type):
38
+ for line in stream:
39
+ if type == 'output':
40
+ log_entry['output'] += line
41
+ print(line, end='')
42
+ else:
43
+ log_entry['error'] += line
44
+ print(line, end='', file=sys.stderr)
45
+
46
+ # Start threads to capture stdout and stderr
47
+ stdout_thread = threading.Thread(
48
+ target=capture_stream,
49
+ args=(process.stdout, 'output')
50
+ )
51
+ stderr_thread = threading.Thread(
52
+ target=capture_stream,
53
+ args=(process.stderr, 'error')
54
+ )
55
+ stdout_thread.start()
56
+ stderr_thread.start()
57
+
58
+ # Wait for process to complete or timeout (e.g., 1 hour)
59
+ process.wait(timeout=3600)
60
+
61
+ # Wait for threads to finish
62
+ stdout_thread.join()
63
+ stderr_thread.join()
64
+
65
+ # Add completed log entry
66
+ with log_lock:
67
+ execution_logs.append(log_entry)
68
+ if len(execution_logs) > MAX_LOG_ENTRIES:
69
+ execution_logs.pop(0)
70
+
71
+ except subprocess.TimeoutExpired:
72
+ process.terminate()
73
+ log_entry['error'] += "\nProcess timed out after 1 hour."
74
  except Exception as e:
75
+ log_entry['error'] += f"\nUnexpected error: {str(e)}"
76
+ finally:
77
+ process_lock.release()
 
78
 
79
  def start_initial_run():
 
80
  threading.Thread(target=run_cli_script, daemon=True).start()
81
 
 
 
82
  scheduler = BackgroundScheduler(daemon=True)
83
  scheduler.add_job(
84
  run_cli_script,
85
  'interval',
86
  hours=3,
87
  id='main_job',
88
+ timezone=pytz.utc # Scheduler uses UTC internally
89
  )
90
  scheduler.start()
91
 
 
92
  start_initial_run()
93
 
 
94
  @app.route('/')
95
  def home():
 
96
  job = scheduler.get_job('main_job')
97
+ next_run = job.next_run_time.astimezone(pytz.timezone("Asia/Kolkata")).strftime('%Y-%m-%d %H:%M:%S IST') if job else 'N/A'
98
+
99
  return render_template_string('''
100
  <!DOCTYPE html>
101
  <html>
102
+ <!-- Same HTML template as before -->
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
103
  </html>
104
  ''', next_run=next_run)
105
 
 
106
  @app.route('/logs')
107
  def logs():
108
+ with log_lock:
109
+ return jsonify({'logs': execution_logs[::-1]}) # Newest logs first
 
110
 
111
  @app.route('/force-run')
112
  def force_run():
113
+ if threading.Thread(target=run_cli_script, daemon=True).start():
114
+ return "Script started manually", 200
115
+ return "Script is already running", 429
 
 
116
 
117
  @app.route('/run-check')
118
  def run_check():
 
119
  if not scheduler.running:
 
120
  scheduler.start()
 
121
  return "Scheduler is running", 200
122
 
 
123
  if __name__ == '__main__':
124
+ app.run(host='0.0.0.0', port=7860)