Spaces:
openfree
/
Running on Zero

openfree commited on
Commit
6a93034
β€’
1 Parent(s): c7d22d1

Create app-backup2.py

Browse files
Files changed (1) hide show
  1. app-backup2.py +267 -0
app-backup2.py ADDED
@@ -0,0 +1,267 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import spaces
2
+ import time
3
+ import os
4
+
5
+ import gradio as gr
6
+ import torch
7
+ from einops import rearrange
8
+ from PIL import Image
9
+
10
+ from flux.cli import SamplingOptions
11
+ from flux.sampling import denoise, get_noise, get_schedule, prepare, unpack
12
+ from flux.util import load_ae, load_clip, load_flow_model, load_t5
13
+ from pulid.pipeline_flux import PuLIDPipeline
14
+ from pulid.utils import resize_numpy_image_long
15
+
16
+
17
+ def get_models(name: str, device: torch.device, offload: bool):
18
+ t5 = load_t5(device, max_length=128)
19
+ clip = load_clip(device)
20
+ model = load_flow_model(name, device="cpu" if offload else device)
21
+ model.eval()
22
+ ae = load_ae(name, device="cpu" if offload else device)
23
+ return model, ae, t5, clip
24
+
25
+
26
+ class FluxGenerator:
27
+ def __init__(self):
28
+ self.device = torch.device('cuda')
29
+ self.offload = False
30
+ self.model_name = 'flux-dev'
31
+ self.model, self.ae, self.t5, self.clip = get_models(
32
+ self.model_name,
33
+ device=self.device,
34
+ offload=self.offload,
35
+ )
36
+ self.pulid_model = PuLIDPipeline(self.model, 'cuda', weight_dtype=torch.bfloat16)
37
+ self.pulid_model.load_pretrain()
38
+
39
+
40
+ flux_generator = FluxGenerator()
41
+
42
+
43
+ @spaces.GPU
44
+ @torch.inference_mode()
45
+ def generate_image(
46
+ width,
47
+ height,
48
+ num_steps,
49
+ start_step,
50
+ guidance,
51
+ seed,
52
+ prompt,
53
+ id_image=None,
54
+ id_weight=1.0,
55
+ neg_prompt="",
56
+ true_cfg=1.0,
57
+ timestep_to_start_cfg=1,
58
+ max_sequence_length=128,
59
+ ):
60
+ flux_generator.t5.max_length = max_sequence_length
61
+
62
+ seed = int(seed)
63
+ if seed == -1:
64
+ seed = None
65
+
66
+ opts = SamplingOptions(
67
+ prompt=prompt,
68
+ width=width,
69
+ height=height,
70
+ num_steps=num_steps,
71
+ guidance=guidance,
72
+ seed=seed,
73
+ )
74
+
75
+ if opts.seed is None:
76
+ opts.seed = torch.Generator(device="cpu").seed()
77
+ print(f"Generating '{opts.prompt}' with seed {opts.seed}")
78
+ t0 = time.perf_counter()
79
+
80
+ use_true_cfg = abs(true_cfg - 1.0) > 1e-2
81
+
82
+ if id_image is not None:
83
+ id_image = resize_numpy_image_long(id_image, 1024)
84
+ id_embeddings, uncond_id_embeddings = flux_generator.pulid_model.get_id_embedding(id_image, cal_uncond=use_true_cfg)
85
+ else:
86
+ id_embeddings = None
87
+ uncond_id_embeddings = None
88
+
89
+ print(id_embeddings)
90
+
91
+ # prepare input
92
+ x = get_noise(
93
+ 1,
94
+ opts.height,
95
+ opts.width,
96
+ device=flux_generator.device,
97
+ dtype=torch.bfloat16,
98
+ seed=opts.seed,
99
+ )
100
+ print(x)
101
+ timesteps = get_schedule(
102
+ opts.num_steps,
103
+ x.shape[-1] * x.shape[-2] // 4,
104
+ shift=True,
105
+ )
106
+
107
+ if flux_generator.offload:
108
+ flux_generator.t5, flux_generator.clip = flux_generator.t5.to(flux_generator.device), flux_generator.clip.to(flux_generator.device)
109
+ inp = prepare(t5=flux_generator.t5, clip=flux_generator.clip, img=x, prompt=opts.prompt)
110
+ inp_neg = prepare(t5=flux_generator.t5, clip=flux_generator.clip, img=x, prompt=neg_prompt) if use_true_cfg else None
111
+
112
+ # offload TEs to CPU, load model to gpu
113
+ if flux_generator.offload:
114
+ flux_generator.t5, flux_generator.clip = flux_generator.t5.cpu(), flux_generator.clip.cpu()
115
+ torch.cuda.empty_cache()
116
+ flux_generator.model = flux_generator.model.to(flux_generator.device)
117
+
118
+ # denoise initial noise
119
+ x = denoise(
120
+ flux_generator.model, **inp, timesteps=timesteps, guidance=opts.guidance, id=id_embeddings, id_weight=id_weight,
121
+ start_step=start_step, uncond_id=uncond_id_embeddings, true_cfg=true_cfg,
122
+ timestep_to_start_cfg=timestep_to_start_cfg,
123
+ neg_txt=inp_neg["txt"] if use_true_cfg else None,
124
+ neg_txt_ids=inp_neg["txt_ids"] if use_true_cfg else None,
125
+ neg_vec=inp_neg["vec"] if use_true_cfg else None,
126
+ )
127
+
128
+ # offload model, load autoencoder to gpu
129
+ if flux_generator.offload:
130
+ flux_generator.model.cpu()
131
+ torch.cuda.empty_cache()
132
+ flux_generator.ae.decoder.to(x.device)
133
+
134
+ # decode latents to pixel space
135
+ x = unpack(x.float(), opts.height, opts.width)
136
+ with torch.autocast(device_type=flux_generator.device.type, dtype=torch.bfloat16):
137
+ x = flux_generator.ae.decode(x)
138
+
139
+ if flux_generator.offload:
140
+ flux_generator.ae.decoder.cpu()
141
+ torch.cuda.empty_cache()
142
+
143
+ t1 = time.perf_counter()
144
+
145
+ print(f"Done in {t1 - t0:.1f}s.")
146
+ # bring into PIL format
147
+ x = x.clamp(-1, 1)
148
+ # x = embed_watermark(x.float())
149
+ x = rearrange(x[0], "c h w -> h w c")
150
+
151
+ img = Image.fromarray((127.5 * (x + 1.0)).cpu().byte().numpy())
152
+ return img, str(opts.seed), flux_generator.pulid_model.debug_img_list
153
+
154
+
155
+ css = """
156
+ footer {
157
+ visibility: hidden;
158
+ }
159
+ """
160
+
161
+ def create_demo(args, model_name: str, device: str = "cuda" if torch.cuda.is_available() else "cpu",
162
+ offload: bool = False):
163
+
164
+ with gr.Blocks(theme="Nymbo/Nymbo_Theme", css=css) as demo:
165
+
166
+ with gr.Row():
167
+ with gr.Column():
168
+ prompt = gr.Textbox(label="Prompt", value="portrait, color, cinematic")
169
+ id_image = gr.Image(label="ID Image")
170
+ id_weight = gr.Slider(0.0, 3.0, 1, step=0.05, label="id weight")
171
+
172
+ width = gr.Slider(256, 1536, 896, step=16, label="Width")
173
+ height = gr.Slider(256, 1536, 1152, step=16, label="Height")
174
+ num_steps = gr.Slider(1, 20, 20, step=1, label="Number of steps")
175
+ start_step = gr.Slider(0, 10, 0, step=1, label="timestep to start inserting ID")
176
+ guidance = gr.Slider(1.0, 10.0, 4, step=0.1, label="Guidance")
177
+ seed = gr.Textbox(-1, label="Seed (-1 for random)")
178
+ max_sequence_length = gr.Slider(128, 512, 128, step=128,
179
+ label="max_sequence_length for prompt (T5), small will be faster")
180
+
181
+ with gr.Accordion("Advanced Options (True CFG, true_cfg_scale=1 means use fake CFG, >1 means use true CFG, if using true CFG, we recommend set the guidance scale to 1)", open=False): # noqa E501
182
+ neg_prompt = gr.Textbox(
183
+ label="Negative Prompt",
184
+ value="bad quality, worst quality, text, signature, watermark, extra limbs")
185
+ true_cfg = gr.Slider(1.0, 10.0, 1, step=0.1, label="true CFG scale")
186
+ timestep_to_start_cfg = gr.Slider(0, 20, 1, step=1, label="timestep to start cfg", visible=args.dev)
187
+
188
+ generate_btn = gr.Button("Generate")
189
+
190
+ with gr.Column():
191
+ output_image = gr.Image(label="Generated Image")
192
+ seed_output = gr.Textbox(label="Used Seed")
193
+ intermediate_output = gr.Gallery(label='Output', elem_id="gallery", visible=args.dev)
194
+
195
+
196
+ with gr.Row():
197
+ with gr.Column():
198
+ gr.Markdown("## Examples")
199
+
200
+ # λͺ¨λ“  μ˜ˆμ‹œλ₯Ό ν•˜λ‚˜μ˜ 리슀트둜 ν•©μΉ©λ‹ˆλ‹€
201
+ all_examples = [
202
+ ['a woman holding sign with glowing green text \"PuLID for FLUX\"', 'example_inputs/liuyifei.png', 4, 4, 2680261499100305976, 1],
203
+ ['portrait, side view', 'example_inputs/liuyifei.png', 4, 4, 1205240166692517553, 1],
204
+ ['white-haired woman with vr technology atmosphere, revolutionary exceptional magnum with remarkable details', 'example_inputs/liuyifei.png', 4, 4, 6349424134217931066, 1],
205
+ ['a young child is eating Icecream', 'example_inputs/liuyifei.png', 4, 4, 10606046113565776207, 1],
206
+ ['a man is holding a sign with text \"PuLID for FLUX\", winter, snowing, top of the mountain', 'example_inputs/pengwei.jpg', 4, 4, 2410129802683836089, 1],
207
+ ['portrait, candle light', 'example_inputs/pengwei.jpg', 4, 4, 17522759474323955700, 1],
208
+ ['profile shot dark photo of a 25-year-old male with smoke escaping from his mouth, the backlit smoke gives the image an ephemeral quality, natural face, natural eyebrows, natural skin texture, award winning photo, highly detailed face, atmospheric lighting, film grain, monochrome', 'example_inputs/pengwei.jpg', 4, 4, 17733156847328193625, 1],
209
+ ['American Comics, 1boy', 'example_inputs/pengwei.jpg', 1, 4, 13223174453874179686, 1],
210
+ ['portrait, pixar', 'example_inputs/pengwei.jpg', 1, 4, 9445036702517583939, 1],
211
+ ['portrait, made of ice sculpture', 'example_inputs/lecun.jpg', 1, 1, 3811899118709451814, 5],
212
+ ]
213
+
214
+ # μ˜ˆμ‹œ 이미지와 μΊ‘μ…˜μ„ μ€€λΉ„ν•©λ‹ˆλ‹€
215
+ example_images = [example[1] for example in all_examples]
216
+ example_captions = [example[0] for example in all_examples]
217
+
218
+ # Gallery μ»΄ν¬λ„ŒνŠΈλ₯Ό μ‚¬μš©ν•˜μ—¬ κ·Έλ¦¬λ“œ ν˜•νƒœλ‘œ μ˜ˆμ‹œλ“€μ„ ν‘œμ‹œν•©λ‹ˆλ‹€
219
+ gallery = gr.Gallery(
220
+ value=list(zip(example_images, example_captions)),
221
+ label="Example Gallery",
222
+ show_label=False,
223
+ elem_id="gallery",
224
+ columns=5,
225
+ rows=2,
226
+ object_fit="contain",
227
+ height="auto"
228
+ )
229
+
230
+ # μ˜ˆμ‹œ 클릭 μ‹œ μž…λ ₯ ν•„λ“œμ— 값을 μ±„μš°λŠ” ν•¨μˆ˜
231
+ def fill_example(evt: gr.SelectData):
232
+ return [all_examples[evt.index][i] for i in [0, 1, 2, 3, 4, 5]]
233
+
234
+ gallery.select(
235
+ fill_example,
236
+ None,
237
+ [prompt, id_image, start_step, guidance, seed, true_cfg],
238
+ )
239
+
240
+ generate_btn.click(
241
+ fn=generate_image,
242
+ inputs=[width, height, num_steps, start_step, guidance, seed, prompt, id_image, id_weight, neg_prompt,
243
+ true_cfg, timestep_to_start_cfg, max_sequence_length],
244
+ outputs=[output_image, seed_output, intermediate_output],
245
+ )
246
+
247
+ return demo
248
+
249
+ if __name__ == "__main__":
250
+ import argparse
251
+
252
+ parser = argparse.ArgumentParser(description="PuLID for FLUX.1-dev")
253
+ parser.add_argument("--name", type=str, default="flux-dev", choices=list('flux-dev'),
254
+ help="currently only support flux-dev")
255
+ parser.add_argument("--device", type=str, default="cuda" if torch.cuda.is_available() else "cpu",
256
+ help="Device to use")
257
+ parser.add_argument("--offload", action="store_true", help="Offload model to CPU when not in use")
258
+ parser.add_argument("--port", type=int, default=8080, help="Port to use")
259
+ parser.add_argument("--dev", action='store_true', help="Development mode")
260
+ parser.add_argument("--pretrained_model", type=str, help='for development')
261
+ args = parser.parse_args()
262
+
263
+ import huggingface_hub
264
+ huggingface_hub.login(os.getenv('HF_TOKEN'))
265
+
266
+ demo = create_demo(args, args.name, args.device, args.offload)
267
+ demo.launch()