Artificial-superintelligence commited on
Commit
a794cee
·
verified ·
1 Parent(s): 40f3dcd

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +75 -25
app.py CHANGED
@@ -1,37 +1,75 @@
1
-
2
  from flask import Flask, request, jsonify, render_template, stream_with_context, Response
3
  import os
4
  import subprocess
5
  import tempfile
6
  import shutil
7
  import sys
 
8
 
9
  app = Flask(__name__)
 
10
 
11
- # Create a temporary directory for operations
12
  temp_dir = tempfile.mkdtemp()
 
13
 
14
  @app.route("/")
15
  def index():
16
  return render_template("index.html")
17
 
18
  def execute_shell_command(command):
19
- """Executes a shell command and streams output."""
20
- process = subprocess.Popen(
21
- command,
22
- shell=True,
23
- stdout=subprocess.PIPE,
24
- stderr=subprocess.PIPE,
25
- text=True,
26
- cwd=temp_dir
27
- )
28
- for line in iter(process.stdout.readline, ""):
29
- yield f"{line}<br>"
30
- for line in iter(process.stderr.readline, ""):
31
- yield f"Error: {line}<br>"
32
- process.stdout.close()
33
- process.stderr.close()
34
- process.wait()
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
35
 
36
  @app.route("/execute", methods=["POST"])
37
  def execute_code():
@@ -42,9 +80,14 @@ def execute_code():
42
  try:
43
  if command.startswith("!"):
44
  shell_command = command[1:]
45
- return Response(stream_with_context(execute_shell_command(shell_command)))
 
 
 
 
 
46
  else:
47
- # Use sys.executable to ensure we're using the correct Python interpreter
48
  process = subprocess.run(
49
  [sys.executable, "-c", command],
50
  stdout=subprocess.PIPE,
@@ -54,15 +97,22 @@ def execute_code():
54
  )
55
  return jsonify({"result": process.stdout + process.stderr})
56
  except Exception as e:
57
- return jsonify({"result": f"Error: {e}"})
 
58
 
59
  @app.route("/cleanup", methods=["POST"])
60
  def cleanup():
61
  global temp_dir
62
- if os.path.exists(temp_dir):
63
- shutil.rmtree(temp_dir)
64
- temp_dir = tempfile.mkdtemp()
65
- return jsonify({"result": "Temporary files cleaned up."})
 
 
 
 
66
 
67
  if __name__ == "__main__":
 
 
68
  app.run(host="0.0.0.0", port=7860, debug=True)
 
1
+ # app.py
2
  from flask import Flask, request, jsonify, render_template, stream_with_context, Response
3
  import os
4
  import subprocess
5
  import tempfile
6
  import shutil
7
  import sys
8
+ import logging
9
 
10
  app = Flask(__name__)
11
+ logging.basicConfig(level=logging.DEBUG)
12
 
13
+ # Create a temporary directory for operations with full permissions
14
  temp_dir = tempfile.mkdtemp()
15
+ os.chmod(temp_dir, 0o777)
16
 
17
  @app.route("/")
18
  def index():
19
  return render_template("index.html")
20
 
21
  def execute_shell_command(command):
22
+ """Executes a shell command and streams output with improved error handling."""
23
+ try:
24
+ # Split the command for better security and handling
25
+ if command.startswith('git clone'):
26
+ # Special handling for git clone
27
+ process = subprocess.Popen(
28
+ command,
29
+ shell=True,
30
+ stdout=subprocess.PIPE,
31
+ stderr=subprocess.PIPE,
32
+ text=True,
33
+ cwd=temp_dir,
34
+ env={'GIT_TERMINAL_PROMPT': '0'} # Prevent git from prompting
35
+ )
36
+ else:
37
+ process = subprocess.Popen(
38
+ command,
39
+ shell=True,
40
+ stdout=subprocess.PIPE,
41
+ stderr=subprocess.PIPE,
42
+ text=True,
43
+ cwd=temp_dir
44
+ )
45
+
46
+ # Stream output in real-time
47
+ while True:
48
+ output = process.stdout.readline()
49
+ error = process.stderr.readline()
50
+
51
+ if output:
52
+ yield f"{output}<br>"
53
+ if error:
54
+ yield f"<span style='color: red'>Error: {error}</span><br>"
55
+
56
+ # Check if process has finished
57
+ if output == '' and error == '' and process.poll() is not None:
58
+ break
59
+
60
+ # Get return code
61
+ return_code = process.poll()
62
+ if return_code != 0:
63
+ yield f"<span style='color: red'>Command failed with return code {return_code}</span><br>"
64
+ else:
65
+ yield "Command completed successfully.<br>"
66
+
67
+ except Exception as e:
68
+ yield f"<span style='color: red'>Error executing command: {str(e)}</span><br>"
69
+ finally:
70
+ if process:
71
+ process.stdout.close()
72
+ process.stderr.close()
73
 
74
  @app.route("/execute", methods=["POST"])
75
  def execute_code():
 
80
  try:
81
  if command.startswith("!"):
82
  shell_command = command[1:]
83
+ # Log the command being executed
84
+ app.logger.debug(f"Executing shell command: {shell_command}")
85
+ return Response(
86
+ stream_with_context(execute_shell_command(shell_command)),
87
+ content_type='text/html'
88
+ )
89
  else:
90
+ # Handle Python code execution
91
  process = subprocess.run(
92
  [sys.executable, "-c", command],
93
  stdout=subprocess.PIPE,
 
97
  )
98
  return jsonify({"result": process.stdout + process.stderr})
99
  except Exception as e:
100
+ app.logger.error(f"Error executing command: {str(e)}")
101
+ return jsonify({"result": f"Error: {str(e)}"})
102
 
103
  @app.route("/cleanup", methods=["POST"])
104
  def cleanup():
105
  global temp_dir
106
+ try:
107
+ if os.path.exists(temp_dir):
108
+ shutil.rmtree(temp_dir, ignore_errors=True)
109
+ temp_dir = tempfile.mkdtemp()
110
+ os.chmod(temp_dir, 0o777)
111
+ return jsonify({"result": "Temporary files cleaned up."})
112
+ except Exception as e:
113
+ return jsonify({"result": f"Error during cleanup: {str(e)}"})
114
 
115
  if __name__ == "__main__":
116
+ # Ensure the temp directory has proper permissions
117
+ os.chmod(temp_dir, 0o777)
118
  app.run(host="0.0.0.0", port=7860, debug=True)