nakas commited on
Commit
f189ec9
·
verified ·
1 Parent(s): 07aeb52

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +99 -296
app.py CHANGED
@@ -1,316 +1,119 @@
1
  import gradio as gr
2
- import os
3
  import tempfile
4
- import requests
5
  import subprocess
6
- import re
7
  import time
8
- import sys
9
-
10
- # Global variables to track resources
11
- app_process = None
12
- temp_file_path = None
13
-
14
- def cleanup():
15
- """Clean up resources when the app exits"""
16
- global app_process, temp_file_path
17
-
18
- if app_process and app_process.poll() is None:
19
- print("Stopping running process...")
20
- app_process.terminate()
21
- time.sleep(1)
22
- if app_process.poll() is None:
23
- app_process.kill()
24
-
25
- if temp_file_path and os.path.exists(temp_file_path):
26
- print(f"Removing temp file: {temp_file_path}")
27
- try:
28
- os.unlink(temp_file_path)
29
- except Exception as e:
30
- print(f"Error removing temp file: {e}")
31
-
32
- # Register cleanup function to run at exit
33
  import atexit
34
- atexit.register(cleanup)
35
-
36
- def get_app_code(api_key, description):
37
- """Get app code from the OpenAI API"""
38
- prompt = f"""Create a simple Gradio app that {description}.
39
-
40
- VERY IMPORTANT: You MUST include this to disable flagging which creates permission errors:
41
- gr.Interface(..., flagging_callback=None)
42
-
43
- The app should:
44
- 1. Use gr.Interface with flagging_callback=None
45
- 2. Be self-contained and not use any external dependencies
46
- 3. Use only Python standard library and NumPy/Pandas if needed
47
- 4. Include demo.launch(server_name="0.0.0.0", server_port=7861) at the end
48
- 5. Do NOT create any directories or write any files
49
-
50
- Provide ONLY Python code with no explanation or markdown."""
51
-
52
- try:
53
- response = requests.post(
54
- "https://api.openai.com/v1/chat/completions",
55
- headers={
56
- "Content-Type": "application/json",
57
- "Authorization": f"Bearer {api_key}"
58
- },
59
- json={
60
- "model": "gpt-4o",
61
- "messages": [
62
- {"role": "system", "content": "You are a Gradio expert. Provide only Python code without explanations."},
63
- {"role": "user", "content": prompt}
64
- ],
65
- "temperature": 0.2
66
- }
67
- )
68
-
69
- if response.status_code != 200:
70
- return None, f"API Error: {response.status_code}"
71
-
72
- content = response.json()["choices"][0]["message"]["content"]
73
-
74
- # Extract code blocks if present
75
- code_pattern = r'```python\s*([\s\S]*?)```'
76
- code_matches = re.findall(code_pattern, content)
77
-
78
- if code_matches:
79
- return code_matches[0], None
80
-
81
- # If no code blocks found, use the whole content
82
- return content, None
83
-
84
- except Exception as e:
85
- return None, f"Error: {str(e)}"
86
-
87
- def ensure_flagging_disabled(code):
88
- """Ensure flagging is disabled in the code"""
89
- # Check if flagging_callback=None is present in Interface creation
90
- if 'Interface(' in code and 'flagging_callback=None' not in code:
91
- # Insert flagging_callback=None in the Interface parameters
92
- code = code.replace('Interface(', 'Interface(flagging_callback=None, ')
93
-
94
- return code
95
-
96
- def run_gradio_app(code):
97
- """Save the code to a temp file and run it as a subprocess"""
98
- global app_process, temp_file_path
99
-
100
- # Stop any existing process
101
- if app_process and app_process.poll() is None:
102
- app_process.terminate()
103
- time.sleep(1)
104
- if app_process.poll() is None:
105
- app_process.kill()
106
-
107
- # Remove any existing temp file
108
- if temp_file_path and os.path.exists(temp_file_path):
109
- try:
110
- os.unlink(temp_file_path)
111
- except:
112
- pass
113
-
114
- # Create a new temp file
115
- fd, temp_file_path = tempfile.mkstemp(suffix='.py')
116
- os.close(fd)
117
-
118
- # Ensure flagging is disabled
119
- modified_code = ensure_flagging_disabled(code)
120
-
121
- # Write code to file
122
- with open(temp_file_path, 'w') as f:
123
- f.write(modified_code)
124
-
125
- # Run the app as a subprocess
126
- try:
127
- app_process = subprocess.Popen(
128
- [sys.executable, temp_file_path],
129
- stdout=subprocess.PIPE,
130
- stderr=subprocess.PIPE
131
- )
132
-
133
- # Wait a moment for the app to start
134
- time.sleep(3)
135
-
136
- # Check if process is still running
137
- if app_process.poll() is not None:
138
- # Get error output
139
- _, stderr = app_process.communicate()
140
- error_msg = stderr.decode('utf-8')
141
- return False, f"App failed to start:\n{error_msg}"
142
-
143
- return True, None
144
- except Exception as e:
145
- return False, f"Error launching app: {str(e)}"
146
-
147
- # Create demo app for direct usage
148
- def make_demo_app(app_type):
149
- """Create a simple demo app based on type"""
150
- if app_type == "calculator":
151
- return """
152
- import gradio as gr
153
- import numpy as np
154
-
155
- def calculate(num1, num2, operation):
156
- if operation == "Add":
157
- return num1 + num2
158
- elif operation == "Subtract":
159
- return num1 - num2
160
- elif operation == "Multiply":
161
- return num1 * num2
162
- elif operation == "Divide":
163
- return num1 / num2 if num2 != 0 else "Error: Division by zero"
164
- else:
165
- return "Invalid operation"
166
-
167
- demo = gr.Interface(
168
- fn=calculate,
169
- inputs=[
170
- gr.Number(label="First Number"),
171
- gr.Number(label="Second Number"),
172
- gr.Radio(["Add", "Subtract", "Multiply", "Divide"], label="Operation")
173
- ],
174
- outputs=gr.Textbox(label="Result"),
175
- title="Simple Calculator",
176
- flagging_callback=None
177
- )
178
-
179
- demo.launch(server_name="0.0.0.0", server_port=7861)
180
- """
181
-
182
- elif app_type == "image":
183
- return """
184
- import gradio as gr
185
- import numpy as np
186
- from PIL import Image
187
-
188
- def grayscale(img):
189
- gray_img = np.mean(img, axis=2).astype(np.uint8)
190
- return gray_img
191
 
192
- demo = gr.Interface(
193
- fn=grayscale,
194
- inputs=gr.Image(type="numpy"),
195
- outputs=gr.Image(type="numpy"),
196
- title="Image Grayscale Converter",
197
- flagging_callback=None
198
- )
199
 
200
- demo.launch(server_name="0.0.0.0", server_port=7861)
201
- """
202
-
203
- else: # Default hello world
204
- return """
205
- import gradio as gr
206
-
207
- def greet(name):
208
- return f"Hello, {name}!"
209
-
210
- demo = gr.Interface(
211
- fn=greet,
212
- inputs=gr.Textbox(label="Your Name"),
213
- outputs=gr.Textbox(label="Greeting"),
214
- title="Hello World App",
215
- flagging_callback=None
216
- )
217
-
218
- demo.launch(server_name="0.0.0.0", server_port=7861)
219
- """
220
-
221
- # Create a very simple Gradio interface
222
  with gr.Blocks() as demo:
223
- gr.Markdown("# 🤖 Simple Gradio App Generator")
224
-
225
- with gr.Tab("Generate Custom App"):
226
- api_key = gr.Textbox(label="OpenAI API Key", placeholder="sk-...", type="password")
227
- description = gr.Textbox(label="Describe the app you want", lines=3)
228
- generate_btn = gr.Button("Generate & Run App")
229
 
230
- with gr.Tab("Quick Demo Apps"):
231
- demo_type = gr.Radio(
232
- ["hello", "calculator", "image"],
233
- label="Select Demo App",
234
- value="hello"
235
- )
236
- demo_btn = gr.Button("Run Demo App")
237
 
238
  with gr.Row():
239
- stop_btn = gr.Button("Stop Running App", visible=False)
240
-
241
- code_display = gr.Code(label="Generated Code", language="python")
242
- status = gr.Markdown("")
243
-
244
- # Frame to display the running app
245
- app_display = gr.HTML("<div style='text-align:center; margin-top:20px;'>App will appear here</div>")
246
-
247
- def generate_and_run(key, desc):
248
- if not key or len(key) < 20:
249
- return None, "Please enter a valid API key", gr.update(visible=False), gr.update(visible=False)
250
-
251
- # Get code from API
252
- code, error = get_app_code(key, desc)
253
- if error:
254
- return None, f"Error: {error}", gr.update(visible=False), gr.update(visible=False)
255
-
256
- # Run the app
257
- success, run_error = run_gradio_app(code)
258
- if not success:
259
- return code, f"Error running app: {run_error}", gr.update(visible=False), gr.update(visible=False)
260
-
261
- # Create iframe to show the app
262
- iframe = f"""
263
- <div style="border:1px solid #ddd; border-radius:5px; height:500px; margin-top:10px;">
264
- <iframe src="http://localhost:7861" width="100%" height="100%" frameborder="0"></iframe>
265
- </div>
266
- """
267
-
268
- return code, "✅ App is running! View it below:", iframe, gr.update(visible=True)
269
-
270
- def run_demo(app_type):
271
- code = make_demo_app(app_type)
272
- success, run_error = run_gradio_app(code)
273
-
274
- if not success:
275
- return code, f"Error running demo: {run_error}", gr.update(visible=False), gr.update(visible=False)
276
-
277
- # Create iframe to show the app
278
- iframe = f"""
279
- <div style="border:1px solid #ddd; border-radius:5px; height:500px; margin-top:10px;">
280
- <iframe src="http://localhost:7861" width="100%" height="100%" frameborder="0"></iframe>
281
- </div>
282
- """
283
-
284
- return code, "✅ Demo app is running! View it below:", iframe, gr.update(visible=True)
 
 
 
 
 
 
 
 
 
 
 
 
 
285
 
286
- def stop_app():
287
- global app_process
288
-
289
- if app_process and app_process.poll() is None:
290
- app_process.terminate()
291
- time.sleep(1)
292
- if app_process.poll() is None:
293
- app_process.kill()
294
-
295
- return "App stopped", "<div style='text-align:center; margin-top:20px;'>App stopped</div>", gr.update(visible=False)
296
 
297
- generate_btn.click(
298
- generate_and_run,
299
- inputs=[api_key, description],
300
- outputs=[code_display, status, app_display, stop_btn]
 
 
301
  )
302
 
303
- demo_btn.click(
304
- run_demo,
305
- inputs=[demo_type],
306
- outputs=[code_display, status, app_display, stop_btn]
 
 
307
  )
 
 
 
308
 
309
- stop_btn.click(
310
- stop_app,
311
- inputs=[],
312
- outputs=[status, app_display, stop_btn]
313
- )
 
 
 
314
 
315
  if __name__ == "__main__":
316
  demo.launch(server_name="0.0.0.0", server_port=7860)
 
1
  import gradio as gr
2
+ import sys
3
  import tempfile
 
4
  import subprocess
5
+ import requests
6
  import time
7
+ import os
8
+ import re
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9
  import atexit
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
10
 
11
+ # Print Python version and gradio version for debugging
12
+ print(f"Python version: {sys.version}")
13
+ print(f"Gradio version: {gr.__version__}")
 
 
 
 
14
 
15
+ # Create a direct interface that doesn't use any subprocess
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
16
  with gr.Blocks() as demo:
17
+ gr.Markdown("# 🤖 Simple Gradio App Demo")
18
+ gr.Markdown("Select a simple demo app to try:")
 
 
 
 
19
 
20
+ app_type = gr.Radio(
21
+ ["Hello World", "Calculator", "Text Analysis"],
22
+ label="Choose an App Type",
23
+ value="Hello World"
24
+ )
 
 
25
 
26
  with gr.Row():
27
+ name_input = gr.Textbox(label="Your Name", value="World")
28
+ greeting_output = gr.Textbox(label="Result")
29
+
30
+ with gr.Row(visible=False) as calculator_row:
31
+ num1 = gr.Number(label="First Number", value=5)
32
+ num2 = gr.Number(label="Second Number", value=3)
33
+ operation = gr.Radio(["Add", "Subtract", "Multiply", "Divide"], label="Operation", value="Add")
34
+ calc_result = gr.Textbox(label="Result")
35
+
36
+ with gr.Row(visible=False) as text_row:
37
+ text_input = gr.Textbox(label="Enter some text", lines=3)
38
+ text_result = gr.Textbox(label="Analysis")
39
+
40
+ # Hello World function
41
+ def greet(name):
42
+ return f"Hello, {name}!"
43
+
44
+ # Calculator function
45
+ def calculate(num1, num2, op):
46
+ if op == "Add":
47
+ return str(num1 + num2)
48
+ elif op == "Subtract":
49
+ return str(num1 - num2)
50
+ elif op == "Multiply":
51
+ return str(num1 * num2)
52
+ elif op == "Divide":
53
+ if num2 == 0:
54
+ return "Error: Division by zero"
55
+ return str(num1 / num2)
56
+
57
+ # Text Analysis function
58
+ def analyze_text(text):
59
+ if not text:
60
+ return "Please enter some text"
61
+
62
+ num_chars = len(text)
63
+ num_words = len(text.split())
64
+ num_lines = len(text.splitlines())
65
+
66
+ return f"Characters: {num_chars}\nWords: {num_words}\nLines: {num_lines}"
67
+
68
+ # Switch UI based on selection
69
+ def update_ui(choice):
70
+ if choice == "Hello World":
71
+ return gr.update(visible=True), gr.update(visible=False), gr.update(visible=False)
72
+ elif choice == "Calculator":
73
+ return gr.update(visible=False), gr.update(visible=True), gr.update(visible=False)
74
+ else: # Text Analysis
75
+ return gr.update(visible=False), gr.update(visible=False), gr.update(visible=True)
76
+
77
+ app_type.change(
78
+ update_ui,
79
+ inputs=[app_type],
80
+ outputs=[
81
+ gr.Row.update(visible=True),
82
+ calculator_row,
83
+ text_row
84
+ ]
85
+ )
86
 
87
+ # Connect buttons to functions
88
+ name_input.submit(greet, inputs=[name_input], outputs=[greeting_output])
 
 
 
 
 
 
 
 
89
 
90
+ # Calculator connections
91
+ calc_button = gr.Button("Calculate")
92
+ calc_button.click(
93
+ calculate,
94
+ inputs=[num1, num2, operation],
95
+ outputs=[calc_result]
96
  )
97
 
98
+ # Text analysis connection
99
+ analyze_button = gr.Button("Analyze Text")
100
+ analyze_button.click(
101
+ analyze_text,
102
+ inputs=[text_input],
103
+ outputs=[text_result]
104
  )
105
+
106
+ gr.Markdown("""
107
+ ### About This Demo
108
 
109
+ This is a simple demonstration of Gradio functionality with:
110
+
111
+ 1. A Hello World text generator
112
+ 2. A basic calculator
113
+ 3. A text analysis tool
114
+
115
+ Select different app types above to try them out.
116
+ """)
117
 
118
  if __name__ == "__main__":
119
  demo.launch(server_name="0.0.0.0", server_port=7860)