awacke1 commited on
Commit
a898b57
ยท
verified ยท
1 Parent(s): ef1a324

Create backup3-untested-app.py

Browse files
Files changed (1) hide show
  1. backup3-untested-app.py +355 -0
backup3-untested-app.py ADDED
@@ -0,0 +1,355 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import streamlit as st
2
+ from gradio_client import Client
3
+ import time
4
+ import concurrent.futures
5
+ import os
6
+ from PIL import Image
7
+ import io
8
+ import requests
9
+ from huggingface_hub import HfApi, login
10
+
11
+ # Initialize session state - must be first
12
+ if 'hf_token' not in st.session_state:
13
+ st.session_state['hf_token'] = None
14
+ if 'is_authenticated' not in st.session_state:
15
+ st.session_state['is_authenticated'] = False
16
+
17
+ class ModelGenerator:
18
+ @staticmethod
19
+ def generate_midjourney(prompt, token):
20
+ try:
21
+ client = Client("mukaist/Midjourney", hf_token=token)
22
+ result = client.predict(
23
+ prompt=prompt,
24
+ negative_prompt="(deformed iris, deformed pupils, semi-realistic, cgi, 3d, render, sketch, cartoon, drawing, anime:1.4), text, close up, cropped, out of frame, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, dehydrated, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck",
25
+ use_negative_prompt=True,
26
+ style="2560 x 1440",
27
+ seed=0,
28
+ width=1024,
29
+ height=1024,
30
+ guidance_scale=6,
31
+ randomize_seed=True,
32
+ api_name="/run"
33
+ )
34
+
35
+ if isinstance(result, tuple):
36
+ image_data = result[0] if len(result) > 0 else None
37
+ elif isinstance(result, list):
38
+ image_data = result[0] if len(result) > 0 else None
39
+ else:
40
+ image_data = result
41
+
42
+ if image_data:
43
+ if isinstance(image_data, str):
44
+ if image_data.startswith('http'):
45
+ response = requests.get(image_data)
46
+ return ("Midjourney", Image.open(io.BytesIO(response.content)))
47
+ return ("Midjourney", Image.open(image_data))
48
+ elif isinstance(image_data, bytes):
49
+ return ("Midjourney", Image.open(io.BytesIO(image_data)))
50
+ elif hasattr(image_data, 'read'): # File-like object
51
+ return ("Midjourney", Image.open(image_data))
52
+ return ("Midjourney", "Error: No valid image data found")
53
+ except Exception as e:
54
+ return ("Midjourney", f"Error: {str(e)}")
55
+
56
+ @staticmethod
57
+ def generate_stable_cascade(prompt, token):
58
+ try:
59
+ client = Client("multimodalart/stable-cascade", hf_token=token)
60
+ result = client.predict(
61
+ prompt=prompt,
62
+ negative_prompt=prompt,
63
+ seed=0,
64
+ width=1024,
65
+ height=1024,
66
+ prior_num_inference_steps=20,
67
+ prior_guidance_scale=4,
68
+ decoder_num_inference_steps=10,
69
+ decoder_guidance_scale=0,
70
+ num_images_per_prompt=1,
71
+ api_name="/run"
72
+ )
73
+ if isinstance(result, (str, bytes)):
74
+ return ("Stable Cascade", Image.open(io.BytesIO(result) if isinstance(result, bytes) else result))
75
+ elif isinstance(result, list) and len(result) > 0:
76
+ return ("Stable Cascade", Image.open(io.BytesIO(result[0]) if isinstance(result[0], bytes) else result[0]))
77
+ return ("Stable Cascade", "Error: No valid image data found")
78
+ except Exception as e:
79
+ return ("Stable Cascade", f"Error: {str(e)}")
80
+
81
+ @staticmethod
82
+ def generate_stable_diffusion_3(prompt, token):
83
+ try:
84
+ client = Client("stabilityai/stable-diffusion-3-medium", hf_token=token)
85
+ result = client.predict(
86
+ prompt=prompt,
87
+ negative_prompt=prompt,
88
+ seed=0,
89
+ randomize_seed=True,
90
+ width=1024,
91
+ height=1024,
92
+ guidance_scale=5,
93
+ num_inference_steps=28,
94
+ api_name="/infer"
95
+ )
96
+ if isinstance(result, bytes):
97
+ return ("SD 3 Medium", Image.open(io.BytesIO(result)))
98
+ elif isinstance(result, str):
99
+ if result.startswith('http'):
100
+ response = requests.get(result)
101
+ return ("SD 3 Medium", Image.open(io.BytesIO(response.content)))
102
+ return ("SD 3 Medium", Image.open(result))
103
+ elif isinstance(result, list) and len(result) > 0:
104
+ image_data = result[0]
105
+ if isinstance(image_data, bytes):
106
+ return ("SD 3 Medium", Image.open(io.BytesIO(image_data)))
107
+ elif isinstance(image_data, str):
108
+ if image_data.startswith('http'):
109
+ response = requests.get(image_data)
110
+ return ("SD 3 Medium", Image.open(io.BytesIO(response.content)))
111
+ return ("SD 3 Medium", Image.open(image_data))
112
+ return ("SD 3 Medium", "Error: No valid image data found")
113
+ except Exception as e:
114
+ return ("SD 3 Medium", f"Error: {str(e)}")
115
+
116
+ @staticmethod
117
+ def generate_stable_diffusion_35(prompt, token):
118
+ try:
119
+ client = Client("stabilityai/stable-diffusion-3.5-large", hf_token=token)
120
+ result = client.predict(
121
+ prompt=prompt,
122
+ negative_prompt=prompt,
123
+ seed=0,
124
+ randomize_seed=True,
125
+ width=1024,
126
+ height=1024,
127
+ guidance_scale=4.5,
128
+ num_inference_steps=40,
129
+ api_name="/infer"
130
+ )
131
+ if isinstance(result, bytes):
132
+ return ("SD 3.5 Large", Image.open(io.BytesIO(result)))
133
+ elif isinstance(result, str):
134
+ if result.startswith('http'):
135
+ response = requests.get(result)
136
+ return ("SD 3.5 Large", Image.open(io.BytesIO(response.content)))
137
+ return ("SD 3.5 Large", Image.open(result))
138
+ elif isinstance(result, list) and len(result) > 0:
139
+ image_data = result[0]
140
+ if isinstance(image_data, bytes):
141
+ return ("SD 3.5 Large", Image.open(io.BytesIO(image_data)))
142
+ elif isinstance(image_data, str):
143
+ if image_data.startswith('http'):
144
+ response = requests.get(image_data)
145
+ return ("SD 3.5 Large", Image.open(io.BytesIO(response.content)))
146
+ return ("SD 3.5 Large", Image.open(image_data))
147
+ return ("SD 3.5 Large", "Error: No valid image data found")
148
+ except Exception as e:
149
+ return ("SD 3.5 Large", f"Error: {str(e)}")
150
+
151
+ @staticmethod
152
+ def generate_playground_v2_5(prompt, token):
153
+ try:
154
+ client = Client("https://playgroundai-playground-v2-5.hf.space/--replicas/ji5gy/",
155
+ hf_token=token)
156
+ result = client.predict(
157
+ prompt,
158
+ prompt, # negative prompt
159
+ True, # use negative prompt
160
+ 0, # seed
161
+ 1024, # width
162
+ 1024, # height
163
+ 7.5, # guidance scale
164
+ True, # randomize seed
165
+ api_name="/run"
166
+ )
167
+ if isinstance(result, tuple) and result[0] and len(result[0]) > 0:
168
+ image_data = result[0][0].get('image')
169
+ if image_data:
170
+ if isinstance(image_data, str):
171
+ if image_data.startswith('http'):
172
+ response = requests.get(image_data)
173
+ return ("Playground v2.5", Image.open(io.BytesIO(response.content)))
174
+ return ("Playground v2.5", Image.open(image_data))
175
+ return ("Playground v2.5", Image.open(io.BytesIO(image_data)))
176
+ return ("Playground v2.5", "Error: No image generated")
177
+ except Exception as e:
178
+ return ("Playground v2.5", f"Error: {str(e)}")
179
+
180
+ def generate_images(prompt, selected_models):
181
+ token = st.session_state.get('hf_token')
182
+ if not token:
183
+ return [("Error", "No authentication token found")]
184
+
185
+ results = []
186
+ with concurrent.futures.ThreadPoolExecutor() as executor:
187
+ futures = []
188
+ model_map = {
189
+ "Midjourney": lambda p: ModelGenerator.generate_midjourney(p, token),
190
+ "Stable Cascade": lambda p: ModelGenerator.generate_stable_cascade(p, token),
191
+ "SD 3 Medium": lambda p: ModelGenerator.generate_stable_diffusion_3(p, token),
192
+ "SD 3.5 Large": lambda p: ModelGenerator.generate_stable_diffusion_35(p, token),
193
+ "Playground v2.5": lambda p: ModelGenerator.generate_playground_v2_5(p, token)
194
+ }
195
+
196
+ for model in selected_models:
197
+ if model in model_map:
198
+ futures.append(executor.submit(model_map[model], prompt))
199
+
200
+ for future in concurrent.futures.as_completed(futures):
201
+ try:
202
+ result = future.result()
203
+ if result:
204
+ results.append(result)
205
+ except Exception as e:
206
+ st.error(f"Error during image generation: {str(e)}")
207
+
208
+ return results
209
+
210
+ def handle_prompt_click(prompt_text, key):
211
+ if not st.session_state.get('is_authenticated') or not st.session_state.get('hf_token'):
212
+ st.error("Please login with your HuggingFace account first!")
213
+ return
214
+
215
+ st.session_state[f'selected_prompt_{key}'] = prompt_text
216
+
217
+ selected_models = st.session_state.get('selected_models', [])
218
+
219
+ if not selected_models:
220
+ st.warning("Please select at least one model from the sidebar!")
221
+ return
222
+
223
+ with st.spinner('Generating artwork...'):
224
+ results = generate_images(prompt_text, selected_models)
225
+ st.session_state[f'generated_images_{key}'] = results
226
+ st.success("Artwork generated successfully!")
227
+
228
+ def main():
229
+ st.title("๐ŸŽจ Multi-Model Art Generator")
230
+
231
+ # Handle authentication in sidebar
232
+ with st.sidebar:
233
+ st.header("๐Ÿ” Authentication")
234
+ if st.session_state.get('is_authenticated') and st.session_state.get('hf_token'):
235
+ st.success("โœ“ Logged in to HuggingFace")
236
+ if st.button("Logout"):
237
+ st.session_state['hf_token'] = None
238
+ st.session_state['is_authenticated'] = False
239
+ st.rerun()
240
+ else:
241
+ token = st.text_input("Enter HuggingFace Token", type="password",
242
+ help="Get your token from https://huggingface.co/settings/tokens")
243
+ if st.button("Login"):
244
+ if token:
245
+ try:
246
+ # Verify token is valid
247
+ api = HfApi(token=token)
248
+ api.whoami()
249
+ st.session_state['hf_token'] = token
250
+ st.session_state['is_authenticated'] = True
251
+ st.success("Successfully logged in!")
252
+ st.rerun()
253
+ except Exception as e:
254
+ st.error(f"Authentication failed: {str(e)}")
255
+ else:
256
+ st.error("Please enter your HuggingFace token")
257
+
258
+ if st.session_state.get('is_authenticated') and st.session_state.get('hf_token'):
259
+ st.markdown("---")
260
+ st.header("Model Selection")
261
+ st.session_state['selected_models'] = st.multiselect(
262
+ "Choose AI Models",
263
+ ["Midjourney", "Stable Cascade", "SD 3 Medium", "SD 3.5 Large", "Playground v2.5"],
264
+ default=["Midjourney"]
265
+ )
266
+
267
+ st.markdown("---")
268
+ st.markdown("### Selected Models:")
269
+ for model in st.session_state['selected_models']:
270
+ st.write(f"โœ“ {model}")
271
+
272
+ st.markdown("---")
273
+ st.markdown("### Model Information:")
274
+ st.markdown("""
275
+ - **Midjourney**: Best for artistic and creative imagery
276
+ - **Stable Cascade**: New architecture with high detail
277
+ - **SD 3 Medium**: Fast and efficient generation
278
+ - **SD 3.5 Large**: Highest quality, slower generation
279
+ - **Playground v2.5**: Advanced model with high customization
280
+ """)
281
+
282
+ # Only show the main interface if authenticated
283
+ if st.session_state.get('is_authenticated') and st.session_state.get('hf_token'):
284
+ st.markdown("### Select a prompt style to generate artwork:")
285
+
286
+ prompt_emojis = {
287
+ "AIart/AIArtistCommunity": "๐Ÿค–",
288
+ "Black & White": "โšซโšช",
289
+ "Black & Yellow": "โšซ๐Ÿ’›",
290
+ "Blindfold": "๐Ÿ™ˆ",
291
+ "Break": "๐Ÿ’”",
292
+ "Broken": "๐Ÿ”จ",
293
+ "Christmas Celebrations art": "๐ŸŽ„",
294
+ "Colorful Art": "๐ŸŽจ",
295
+ "Crimson art": "๐Ÿ”ด",
296
+ "Eyes Art": "๐Ÿ‘๏ธ",
297
+ "Going out with Style": "๐Ÿ’ƒ",
298
+ "Hooded Girl": "๐Ÿงฅ",
299
+ "Lips": "๐Ÿ‘„",
300
+ "MAEKHLONG": "๐Ÿฎ",
301
+ "Mermaid": "๐Ÿงœโ€โ™€๏ธ",
302
+ "Morning Sunshine": "๐ŸŒ…",
303
+ "Music Art": "๐ŸŽต",
304
+ "Owl": "๐Ÿฆ‰",
305
+ "Pink": "๐Ÿ’—",
306
+ "Purple": "๐Ÿ’œ",
307
+ "Rain": "๐ŸŒง๏ธ",
308
+ "Red Moon": "๐ŸŒ‘",
309
+ "Rose": "๐ŸŒน",
310
+ "Snow": "โ„๏ธ",
311
+ "Spacesuit Girl": "๐Ÿ‘ฉโ€๐Ÿš€",
312
+ "Steampunk": "โš™๏ธ",
313
+ "Succubus": "๐Ÿ˜ˆ",
314
+ "Sunlight": "โ˜€๏ธ",
315
+ "Weird art": "๐ŸŽญ",
316
+ "White Hair": "๐Ÿ‘ฑโ€โ™€๏ธ",
317
+ "Wings art": "๐Ÿ‘ผ",
318
+ "Woman with Sword": "โš”๏ธ"
319
+ }
320
+
321
+ col1, col2, col3 = st.columns(3)
322
+
323
+ for idx, (prompt, emoji) in enumerate(prompt_emojis.items()):
324
+ full_prompt = f"QT {prompt}"
325
+ col = [col1, col2, col3][idx % 3]
326
+
327
+ with col:
328
+ if st.button(f"{emoji} {prompt}", key=f"btn_{idx}"):
329
+ handle_prompt_click(full_prompt, idx)
330
+
331
+ st.markdown("---")
332
+ st.markdown("### Generated Artwork:")
333
+
334
+ for key in st.session_state:
335
+ if key.startswith('selected_prompt_'):
336
+ idx = key.split('_')[-1]
337
+ images_key = f'generated_images_{idx}'
338
+
339
+ if images_key in st.session_state:
340
+ st.write("Prompt:", st.session_state[key])
341
+
342
+ cols = st.columns(len(st.session_state[images_key]))
343
+
344
+ for col, (model_name, result) in zip(cols, st.session_state[images_key]):
345
+ with col:
346
+ st.markdown(f"**{model_name}**")
347
+ if isinstance(result, str) and result.startswith("Error"):
348
+ st.error(result)
349
+ else:
350
+ st.image(result, use_container_width=True)
351
+ else:
352
+ st.info("Please login with your HuggingFace account to use the app")
353
+
354
+ if __name__ == "__main__":
355
+ main()