nakas commited on
Commit
f9b48f4
·
verified ·
1 Parent(s): b867a1d

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +262 -222
app.py CHANGED
@@ -1,163 +1,43 @@
1
  import streamlit as st
2
  import gradio as gr
3
- import subprocess
 
4
  import tempfile
5
  import os
6
- import time
7
- import signal
8
- import requests
9
- import re
10
- import json
11
- import sys
12
  from pathlib import Path
13
- import atexit
 
 
 
14
 
15
- # Print version info
16
  st.set_page_config(
17
- page_title="Gradio App Generator",
18
- page_icon="🤖",
19
  layout="wide"
20
  )
21
 
22
- # Directory to store temporary apps
23
- TEMP_DIR = Path(tempfile.gettempdir()) / "gradio_apps"
24
- os.makedirs(TEMP_DIR, exist_ok=True)
25
-
26
- # Track running processes
27
- if 'process' not in st.session_state:
28
- st.session_state.process = None
29
- st.session_state.app_port = None
30
- st.session_state.app_path = None
31
-
32
- # Clean up on exit
33
- def cleanup():
34
- if st.session_state.process and st.session_state.process.poll() is None:
35
- st.session_state.process.terminate()
36
- try:
37
- st.session_state.process.wait(timeout=5)
38
- except subprocess.TimeoutExpired:
39
- st.session_state.process.kill()
40
-
41
- # Clean up temp files
42
- if st.session_state.app_path and os.path.exists(st.session_state.app_path):
43
- try:
44
- os.unlink(st.session_state.app_path)
45
- except:
46
- pass
47
 
48
- atexit.register(cleanup)
 
 
 
49
 
50
- def stop_running_app():
51
- """Stop the currently running Gradio app"""
52
- if st.session_state.process and st.session_state.process.poll() is None:
53
- st.session_state.process.terminate()
54
- try:
55
- st.session_state.process.wait(timeout=5)
56
- except subprocess.TimeoutExpired:
57
- st.session_state.process.kill()
58
-
59
- st.session_state.process = None
60
- st.session_state.app_port = None
61
-
62
- if st.session_state.app_path and os.path.exists(st.session_state.app_path):
63
- try:
64
- os.unlink(st.session_state.app_path)
65
- except:
66
- pass
67
- st.session_state.app_path = None
68
-
69
- return True
70
-
71
- return False
72
-
73
- def get_openai_code(api_key, description):
74
- """Get code from OpenAI API"""
75
- prompt = f"""Create a simple Gradio app that {description}.
76
-
77
- IMPORTANT: The app should:
78
- 1. Use gr.Interface (not Blocks)
79
- 2. Have flagging_callback=None to avoid permission issues
80
- 3. Include demo.launch(server_name="0.0.0.0", server_port=PORT) at the end
81
- 4. Be self-contained with only standard libraries
82
-
83
- Provide ONLY Python code with no explanation."""
84
-
85
- try:
86
- response = requests.post(
87
- "https://api.openai.com/v1/chat/completions",
88
- headers={
89
- "Content-Type": "application/json",
90
- "Authorization": f"Bearer {api_key}"
91
- },
92
- json={
93
- "model": "gpt-4o",
94
- "messages": [
95
- {"role": "system", "content": "You are a Gradio expert. Provide only Python code without explanations."},
96
- {"role": "user", "content": prompt}
97
- ],
98
- "temperature": 0.2
99
- },
100
- timeout=30
101
- )
102
-
103
- if response.status_code != 200:
104
- return None, f"API Error: {response.status_code}"
105
-
106
- content = response.json()["choices"][0]["message"]["content"]
107
-
108
- # Extract code blocks if present
109
- code_pattern = r'```python\s*([\s\S]*?)```'
110
- code_matches = re.findall(code_pattern, content)
111
-
112
- if code_matches:
113
- return code_matches[0], None
114
-
115
- # If no code blocks found, use the whole content
116
- return content, None
117
-
118
- except Exception as e:
119
- return None, f"Error: {str(e)}"
120
 
121
- def run_gradio_app(code, port=8050):
122
- """Run a Gradio app with the given code"""
123
- # Stop any existing app
124
- stop_running_app()
125
-
126
- # Replace PORT in the code with the actual port
127
- code = code.replace("PORT", str(port))
128
-
129
- # Make sure flagging is disabled
130
- if "gr.Interface" in code and "flagging_callback=None" not in code:
131
- code = code.replace("gr.Interface(", "gr.Interface(flagging_callback=None, ")
132
-
133
- # Create a temporary file
134
- fd, path = tempfile.mkstemp(suffix='.py', dir=TEMP_DIR)
135
- with os.fdopen(fd, 'w') as f:
136
- f.write(code)
137
-
138
- st.session_state.app_path = path
139
-
140
- # Run the app as a subprocess
141
- try:
142
- process = subprocess.Popen([sys.executable, path], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
143
- st.session_state.process = process
144
- st.session_state.app_port = port
145
-
146
- # Wait a bit for the app to start
147
- time.sleep(3)
148
-
149
- # Check if process is still running
150
- if process.poll() is not None:
151
- stdout, stderr = process.communicate()
152
- return False, f"Failed to start app: {stderr.decode('utf-8')}"
153
-
154
- return True, None
155
-
156
- except Exception as e:
157
- return False, f"Error starting app: {str(e)}"
158
 
159
- # Predefined Gradio app templates
160
- TEMPLATES = {
161
  "hello_world": """
162
  import gradio as gr
163
 
@@ -166,17 +46,17 @@ def greet(name):
166
 
167
  demo = gr.Interface(
168
  fn=greet,
169
- inputs=gr.Textbox(label="Name"),
170
  outputs=gr.Textbox(label="Greeting"),
171
  title="Hello World App",
172
- flagging_callback=None
 
173
  )
174
-
175
- demo.launch(server_name="0.0.0.0", server_port=PORT)
176
  """,
177
 
178
  "calculator": """
179
  import gradio as gr
 
180
 
181
  def calculate(num1, num2, operation):
182
  if operation == "Add":
@@ -199,45 +79,52 @@ demo = gr.Interface(
199
  ],
200
  outputs=gr.Textbox(label="Result"),
201
  title="Simple Calculator",
202
- flagging_callback=None
 
 
 
 
 
 
203
  )
204
-
205
- demo.launch(server_name="0.0.0.0", server_port=PORT)
206
  """,
207
 
208
  "image_filter": """
209
  import gradio as gr
210
  import numpy as np
 
211
 
212
  def apply_filter(image, filter_type):
213
  if image is None:
214
  return None
215
 
 
 
216
  if filter_type == "Grayscale":
217
- return np.mean(image, axis=2).astype(np.uint8)
 
218
  elif filter_type == "Invert":
219
- return 255 - image
 
220
  elif filter_type == "Sepia":
221
  sepia = np.array([[0.393, 0.769, 0.189],
222
  [0.349, 0.686, 0.168],
223
  [0.272, 0.534, 0.131]])
224
- sepia_img = image.dot(sepia.T)
225
  sepia_img[sepia_img > 255] = 255
226
- return sepia_img.astype(np.uint8)
227
  return image
228
 
229
  demo = gr.Interface(
230
  fn=apply_filter,
231
  inputs=[
232
- gr.Image(type="numpy"),
233
  gr.Radio(["Grayscale", "Invert", "Sepia"], label="Filter")
234
  ],
235
- outputs=gr.Image(type="numpy"),
236
  title="Image Filter App",
237
- flagging_callback=None
238
  )
239
-
240
- demo.launch(server_name="0.0.0.0", server_port=PORT)
241
  """,
242
 
243
  "text_analysis": """
@@ -258,86 +145,239 @@ demo = gr.Interface(
258
  inputs=gr.Textbox(label="Enter Text", lines=5),
259
  outputs=gr.Textbox(label="Analysis"),
260
  title="Text Analysis Tool",
261
- flagging_callback=None
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
262
  )
 
 
 
 
 
 
 
 
 
 
 
263
 
264
- demo.launch(server_name="0.0.0.0", server_port=PORT)
 
 
 
 
 
 
 
 
 
265
  """
266
  }
267
 
268
- # Streamlit UI
269
- st.title("🤖 Gradio App Generator")
270
-
271
- tab1, tab2 = st.tabs(["Built-in Templates", "Custom Generator"])
 
 
 
 
 
 
 
 
 
 
 
 
 
 
272
 
273
- # Built-in templates tab
274
- with tab1:
275
- st.header("Generate from Templates")
 
 
276
 
277
- template_choice = st.selectbox(
278
- "Select a template",
279
- ["hello_world", "calculator", "image_filter", "text_analysis"],
280
- format_func=lambda x: {
281
- "hello_world": "Hello World",
282
- "calculator": "Simple Calculator",
283
- "image_filter": "Image Filter",
284
- "text_analysis": "Text Analysis"
285
- }[x]
286
- )
287
 
288
- if st.button("Generate from Template"):
289
- code = TEMPLATES[template_choice]
290
- success, error = run_gradio_app(code)
 
 
 
291
 
292
- if success:
293
- st.success("App started successfully!")
 
294
  else:
295
- st.error(f"Failed to start app: {error}")
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
296
 
297
- st.code(code, language="python")
 
 
 
 
 
 
 
 
 
 
298
 
299
- # Custom generator tab
300
- with tab2:
301
- st.header("Generate Custom App")
 
302
 
303
- api_key = st.text_input("OpenAI API Key", type="password", help="Your OpenAI API key")
304
- app_description = st.text_area("Describe the app you want", height=100)
 
 
 
 
305
 
306
- if st.button("Generate Custom App"):
307
- if not api_key or len(api_key) < 20:
308
- st.error("Please enter a valid OpenAI API key")
309
- elif not app_description:
310
- st.error("Please enter a description for your app")
311
  else:
312
- with st.spinner("Generating app..."):
313
- code, error = get_openai_code(api_key, app_description)
 
 
 
314
 
315
  if error:
316
- st.error(f"Error generating code: {error}")
317
  else:
318
- success, run_error = run_gradio_app(code)
319
-
320
- if success:
321
- st.success("App started successfully!")
322
- else:
323
- st.error(f"Failed to start app: {run_error}")
324
 
325
- st.code(code, language="python")
 
326
 
327
- # Display the currently running app
328
- st.header("Running App")
329
 
330
- if st.session_state.app_port:
331
- # Create an iframe to display the app
332
- st.components.v1.iframe(
333
- src=f"http://localhost:{st.session_state.app_port}",
334
- height=600,
335
- scrolling=True
336
- )
337
 
338
- if st.button("Stop App"):
339
- if stop_running_app():
340
- st.success("App stopped successfully")
341
- st.experimental_rerun()
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
342
  else:
343
- st.info("No app is currently running. Generate an app first.")
 
 
 
 
 
 
 
 
 
 
1
  import streamlit as st
2
  import gradio as gr
3
+ import importlib.util
4
+ import sys
5
  import tempfile
6
  import os
 
 
 
 
 
 
7
  from pathlib import Path
8
+ import inspect
9
+ import types
10
+ import shutil
11
+ import uuid
12
 
13
+ # Configure the Streamlit page
14
  st.set_page_config(
15
+ page_title="Gradio Examples Hub",
16
+ page_icon="🧩",
17
  layout="wide"
18
  )
19
 
20
+ # Directory structure
21
+ EXAMPLES_DIR = Path("gradio_examples")
22
+ EXAMPLES_DIR.mkdir(exist_ok=True)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
23
 
24
+ # Make sure we have a __init__.py file in the examples directory
25
+ init_file = EXAMPLES_DIR / "__init__.py"
26
+ if not init_file.exists():
27
+ init_file.touch()
28
 
29
+ # Ensure the examples directory is in the Python path
30
+ if str(EXAMPLES_DIR.absolute()) not in sys.path:
31
+ sys.path.insert(0, str(EXAMPLES_DIR.absolute()))
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
32
 
33
+ # Create session state for tracking the current app
34
+ if 'current_app' not in st.session_state:
35
+ st.session_state.current_app = None
36
+ st.session_state.current_app_module = None
37
+ st.session_state.app_interface = None
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
38
 
39
+ # Example Gradio apps as Python code
40
+ EXAMPLES = {
41
  "hello_world": """
42
  import gradio as gr
43
 
 
46
 
47
  demo = gr.Interface(
48
  fn=greet,
49
+ inputs=gr.Textbox(label="Your Name", placeholder="Enter your name"),
50
  outputs=gr.Textbox(label="Greeting"),
51
  title="Hello World App",
52
+ description="A simple app that greets you by name",
53
+ examples=[["World"], ["Gradio"], ["Streamlit"]]
54
  )
 
 
55
  """,
56
 
57
  "calculator": """
58
  import gradio as gr
59
+ import numpy as np
60
 
61
  def calculate(num1, num2, operation):
62
  if operation == "Add":
 
79
  ],
80
  outputs=gr.Textbox(label="Result"),
81
  title="Simple Calculator",
82
+ description="Perform basic arithmetic operations",
83
+ examples=[
84
+ [5, 3, "Add"],
85
+ [10, 4, "Subtract"],
86
+ [6, 7, "Multiply"],
87
+ [20, 4, "Divide"]
88
+ ]
89
  )
 
 
90
  """,
91
 
92
  "image_filter": """
93
  import gradio as gr
94
  import numpy as np
95
+ from PIL import Image
96
 
97
  def apply_filter(image, filter_type):
98
  if image is None:
99
  return None
100
 
101
+ img_array = np.array(image)
102
+
103
  if filter_type == "Grayscale":
104
+ result = np.mean(img_array, axis=2).astype(np.uint8)
105
+ return Image.fromarray(result)
106
  elif filter_type == "Invert":
107
+ result = 255 - img_array
108
+ return Image.fromarray(result)
109
  elif filter_type == "Sepia":
110
  sepia = np.array([[0.393, 0.769, 0.189],
111
  [0.349, 0.686, 0.168],
112
  [0.272, 0.534, 0.131]])
113
+ sepia_img = img_array.dot(sepia.T)
114
  sepia_img[sepia_img > 255] = 255
115
+ return Image.fromarray(sepia_img.astype(np.uint8))
116
  return image
117
 
118
  demo = gr.Interface(
119
  fn=apply_filter,
120
  inputs=[
121
+ gr.Image(type="pil"),
122
  gr.Radio(["Grayscale", "Invert", "Sepia"], label="Filter")
123
  ],
124
+ outputs=gr.Image(type="pil"),
125
  title="Image Filter App",
126
+ description="Apply various filters to your images"
127
  )
 
 
128
  """,
129
 
130
  "text_analysis": """
 
145
  inputs=gr.Textbox(label="Enter Text", lines=5),
146
  outputs=gr.Textbox(label="Analysis"),
147
  title="Text Analysis Tool",
148
+ description="Count characters, words, and lines in text",
149
+ examples=[
150
+ ["Hello, world!"],
151
+ ["This is an example.\\nIt has multiple lines.\\nThree lines in total."],
152
+ ["The quick brown fox jumps over the lazy dog."]
153
+ ]
154
+ )
155
+ """,
156
+
157
+ "chatbot": """
158
+ import gradio as gr
159
+
160
+ def respond(message, history):
161
+ # Simple echo bot for demonstration
162
+ return f"You said: {message}"
163
+
164
+ demo = gr.ChatInterface(
165
+ fn=respond,
166
+ title="Echo Bot",
167
+ description="A simple chatbot that echoes your messages",
168
+ examples=["Hello", "What's your name?", "Tell me a joke"]
169
  )
170
+ """,
171
+
172
+ "audio_player": """
173
+ import gradio as gr
174
+ import numpy as np
175
+
176
+ def generate_tone(frequency, duration):
177
+ sr = 44100 # Sample rate
178
+ t = np.linspace(0, duration, int(sr * duration), False)
179
+ tone = 0.5 * np.sin(2 * np.pi * frequency * t)
180
+ return sr, tone
181
 
182
+ demo = gr.Interface(
183
+ fn=generate_tone,
184
+ inputs=[
185
+ gr.Slider(110, 880, 440, label="Frequency (Hz)"),
186
+ gr.Slider(0.1, 5, 1, label="Duration (seconds)")
187
+ ],
188
+ outputs=gr.Audio(type="numpy"),
189
+ title="Tone Generator",
190
+ description="Generate a sine wave tone with the specified frequency and duration"
191
+ )
192
  """
193
  }
194
 
195
+ def load_example(example_name):
196
+ """Load a Gradio example from the examples directory or create it if it doesn't exist"""
197
+ # Generate a unique module name to avoid caching issues
198
+ module_name = f"gradio_examples.{example_name}_{uuid.uuid4().hex[:8]}"
199
+ file_path = EXAMPLES_DIR / f"{module_name.split('.')[-1]}.py"
200
+
201
+ # Write the example code to a file
202
+ with open(file_path, "w") as f:
203
+ f.write(EXAMPLES[example_name])
204
+
205
+ # Import the module
206
+ spec = importlib.util.spec_from_file_location(module_name, file_path)
207
+ module = importlib.util.module_from_spec(spec)
208
+ sys.modules[module_name] = module
209
+ spec.loader.exec_module(module)
210
+
211
+ # Return the module and Gradio demo
212
+ return module, module.demo
213
 
214
+ def create_custom_example(code):
215
+ """Create a custom Gradio example from code"""
216
+ # Generate a unique module name
217
+ module_name = f"gradio_examples.custom_{uuid.uuid4().hex[:8]}"
218
+ file_path = EXAMPLES_DIR / f"{module_name.split('.')[-1]}.py"
219
 
220
+ # Write the code to a file
221
+ with open(file_path, "w") as f:
222
+ f.write(code)
 
 
 
 
 
 
 
223
 
224
+ # Import the module
225
+ try:
226
+ spec = importlib.util.spec_from_file_location(module_name, file_path)
227
+ module = importlib.util.module_from_spec(spec)
228
+ sys.modules[module_name] = module
229
+ spec.loader.exec_module(module)
230
 
231
+ # Check if the module has a demo attribute
232
+ if hasattr(module, 'demo'):
233
+ return module, module.demo, None
234
  else:
235
+ return None, None, "No 'demo' variable found in the code"
236
+ except Exception as e:
237
+ return None, None, f"Error loading code: {str(e)}"
238
+
239
+ def stop_current_app():
240
+ """Stop the currently running Gradio app"""
241
+ if st.session_state.app_interface:
242
+ # Close the Gradio interface
243
+ try:
244
+ st.session_state.app_interface.close()
245
+ except:
246
+ pass
247
+
248
+ # Clear the current app from session state
249
+ st.session_state.current_app = None
250
+ st.session_state.current_app_module = None
251
+ st.session_state.app_interface = None
252
+
253
+ # Create the Streamlit UI
254
+ st.title("🧩 Gradio Examples Hub")
255
+ st.write("Discover and run various Gradio examples directly in this app.")
256
+
257
+ # Create tabs for different sections
258
+ tab_examples, tab_custom = st.tabs(["Built-in Examples", "Custom Code"])
259
+
260
+ # Built-in Examples tab
261
+ with tab_examples:
262
+ st.header("Built-in Examples")
263
+
264
+ # Example selection
265
+ example_options = list(EXAMPLES.keys())
266
+ example_names = {
267
+ "hello_world": "Hello World",
268
+ "calculator": "Simple Calculator",
269
+ "image_filter": "Image Filter",
270
+ "text_analysis": "Text Analysis",
271
+ "chatbot": "Simple Chatbot",
272
+ "audio_player": "Audio Tone Generator"
273
+ }
274
+
275
+ selected_example = st.selectbox(
276
+ "Select an example",
277
+ example_options,
278
+ format_func=lambda x: example_names.get(x, x)
279
+ )
280
+
281
+ # Show description
282
+ example_descriptions = {
283
+ "hello_world": "A simple app that greets you by name.",
284
+ "calculator": "Perform basic arithmetic operations between two numbers.",
285
+ "image_filter": "Apply various filters to images (grayscale, invert, sepia).",
286
+ "text_analysis": "Count characters, words, and lines in text.",
287
+ "chatbot": "A simple echo chatbot example.",
288
+ "audio_player": "Generate audio tones with adjustable frequency and duration."
289
+ }
290
+
291
+ st.write(example_descriptions.get(selected_example, ""))
292
+
293
+ # Show code
294
+ with st.expander("View Code"):
295
+ st.code(EXAMPLES[selected_example], language="python")
296
+
297
+ # Run example button
298
+ if st.button("Run Example", key="run_example"):
299
+ stop_current_app() # Stop any running app
300
 
301
+ with st.spinner("Loading example..."):
302
+ # Load the example
303
+ module, demo = load_example(selected_example)
304
+
305
+ # Update session state
306
+ st.session_state.current_app = selected_example
307
+ st.session_state.current_app_module = module
308
+ st.session_state.app_interface = demo
309
+
310
+ # Rerun the app to refresh the UI
311
+ st.experimental_rerun()
312
 
313
+ # Custom Code tab
314
+ with tab_custom:
315
+ st.header("Custom Gradio Code")
316
+ st.write("Write or paste your own Gradio code here.")
317
 
318
+ # Code editor
319
+ custom_code = st.text_area(
320
+ "Gradio Code",
321
+ height=300,
322
+ placeholder="# Paste your Gradio code here\nimport gradio as gr\n\n# Define your functions\ndef my_function(input):\n return input\n\n# Create the interface\ndemo = gr.Interface(...)"
323
+ )
324
 
325
+ # Run custom code button
326
+ if st.button("Run Custom Code", key="run_custom"):
327
+ if not custom_code.strip():
328
+ st.error("Please enter some code")
 
329
  else:
330
+ stop_current_app() # Stop any running app
331
+
332
+ with st.spinner("Loading custom code..."):
333
+ # Create the custom example
334
+ module, demo, error = create_custom_example(custom_code)
335
 
336
  if error:
337
+ st.error(error)
338
  else:
339
+ # Update session state
340
+ st.session_state.current_app = "custom"
341
+ st.session_state.current_app_module = module
342
+ st.session_state.app_interface = demo
 
 
343
 
344
+ # Rerun the app to refresh the UI
345
+ st.experimental_rerun()
346
 
347
+ # Display the current app if there is one
348
+ st.header("Current App")
349
 
350
+ if st.session_state.current_app:
351
+ app_name = st.session_state.current_app
352
+ demo = st.session_state.app_interface
 
 
 
 
353
 
354
+ # Create a container for the app
355
+ app_container = st.container()
356
+ app_container.write(f"Running: {example_names.get(app_name, 'Custom App')}")
357
+
358
+ # Create a unique key for the app
359
+ app_key = f"app_{app_name}_{uuid.uuid4().hex[:8]}"
360
+
361
+ # Render the Gradio interface directly in Streamlit
362
+ with app_container:
363
+ gr.Interface.load(
364
+ fn=demo,
365
+ title=demo._title,
366
+ description=getattr(demo, "_description", ""),
367
+ ).render()
368
+
369
+ # Stop button
370
+ if st.button("Stop App", key="stop_app"):
371
+ stop_current_app()
372
+ st.experimental_rerun()
373
  else:
374
+ st.info("No app is currently running. Select an example or create a custom app to get started.")
375
+
376
+ # Footer
377
+ st.markdown("---")
378
+ st.markdown("### About this App")
379
+ st.write(
380
+ "This Streamlit app demonstrates how to dynamically load and run Gradio interfaces. "
381
+ "It showcases integration between Streamlit for the main application UI and Gradio for "
382
+ "interactive demos."
383
+ )