-
Notifications
You must be signed in to change notification settings - Fork 15
/
demo_gradio.py
348 lines (281 loc) · 12.6 KB
/
demo_gradio.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
import argparse
import torch
import einops
import random
import numpy as np
import gradio as gr
import open_clip
from omegaconf import OmegaConf
from transformers import AutoTokenizer, AutoModelForCausalLM
from peft import get_peft_model, LoraConfig, TaskType
from ranni.llama_modeling import LlamaForCausalLM
from ranni.ddim_hacked import DDIMSampler
from ldm.util import instantiate_from_config
from utils import build_llama_prompt, chat, element_template, box_template, seq_to_element, seq_to_element_v2, seq_to_box, box_to_seq, draw_box
parser = argparse.ArgumentParser()
parser.add_argument("--config-path", type=str, default='config/ranni_sdv21_v1.yaml')
args = parser.parse_args()
# global values
global layouts, edit_mask, intermediates
edit_mask = None
intermediates = None
H, W = 768, 768
### txt2panel
# - base llama model
# llama = LlamaForCausalLM.from_pretrained('models/llama2_7b_chat').cuda() # load locally
# llama_tokenizer = AutoTokenizer.from_pretrained('models/llama2_7b_chat') # load locally
llama = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-7b-chat-hf").cuda()
llama_tokenizer = AutoTokenizer.from_pretrained("meta-llama/Llama-2-7b-chat-hf")
llama_tokenizer.pad_token_id = (0)
# - lora
peft_config = LoraConfig(
task_type=TaskType.CAUSAL_LM,
inference_mode=False,
r=64,
target_modules=["q_proj", "v_proj"],
lora_alpha=16,
lora_dropout=0.05,
bias="none",
)
llama = get_peft_model(llama, peft_config)
llama = llama.eval().requires_grad_(False).cuda()
lora_weight_ele = torch.load('models/llama2_7b_lora_element.pth', map_location='cpu') # load an empty lora here
lora_weight_box = torch.load('models/llama2_7b_lora_bbox.pth', map_location='cpu')
### panel2img
config = OmegaConf.load(args.config_path)
model = instantiate_from_config(config.model).cuda()
model.load_state_dict(torch.load('models/ranni_sdv21_v1.pth', map_location='cpu'), strict=False)
ddim_sampler = DDIMSampler(model)
def seed_everything(seed=0):
seed = seed if seed >= 0 else random.randint(0, 2 ** 32 - 1)
np.random.seed(seed)
random.seed(seed)
torch.manual_seed(seed)
torch.cuda.manual_seed(seed)
torch.cuda.manual_seed_all(seed)
def pack_control(model, ins_masks, ins_texts, control_hint_dim=3):
ins_texts = torch.cat([model.cond_stage_model(texts, return_global=True).unsqueeze(0) for texts in ins_texts], dim=0)
ins_masks = ins_masks.unsqueeze(2).repeat(1, 1, control_hint_dim, 1, 1) # B, N, C, H, W
return (ins_masks, ins_texts)
def stage1_process(prompt, seed=-1):
seed_everything(seed)
device = 'cuda:0'
# ------ element ----------
llama.load_state_dict(lora_weight_ele, strict=False)
ele_prompt = build_llama_prompt(
message=element_template['prompt_template'].format(prompt),
system_prompt=element_template['system_prompt_template']
)
ele_answer = chat(llama, llama_tokenizer, ele_prompt, device)
# llama varies 2 different output formats without tuning here
pred_elements = []
try:
pred_elements = seq_to_element(ele_answer)
except:
pred_elements = seq_to_element_v2(ele_answer)
# ------- boxes ----------------
llama.load_state_dict(lora_weight_box, strict=False)
# prompt
elements_str = ','.join(pred_elements)
box_prompt = build_llama_prompt(
message=box_template['prompt_template'].format(prompt, elements_str),
system_prompt=box_template['system_prompt_template'],
)
# answer
box_answer = chat(llama, llama_tokenizer, box_prompt, device)
for line in box_answer.split('\n'):
if '(' in line and ')' in line:
box_answer = line
break
pred_boxes = seq_to_box(box_answer)
# mapping to current resolution
pred_boxes = [
(box[0], [int(box[1][0] / 768 * W), int(box[1][1] / 768 * H), int(box[1][2] / 768 * W), int(box[1][3] / 768 * H)])
for box in pred_boxes
]
box_answer = box_to_seq(pred_boxes)
vis_layout = draw_box(pred_boxes, H=H, W=W)
global layouts
layouts = []
for box in pred_boxes:
layouts.append({
'label': box[0].lower(),
'box': box[1],
})
layouts.append({
'label': postfix,
'box': [W // 2, H // 2, W, H]
})
vis_layout = (vis_layout.permute(0, 2, 3, 1) * 127.5 + 127.5).cpu().numpy().clip(0, 255).astype(np.uint8)
return box_answer, vis_layout
def stage2_process(box_answer, prompt, postfix, seed, n_prompt, guide_scale, steps, control_max_t, control_min_t, panel_control_scale, with_memory, num_samples=1):
global layouts, edit_mask, intermediates
seed_everything(seed)
# conditions
prompt = prompt + ', ' + postfix
shape = (4, H // 8, W // 8)
# panel
pred_boxes = seq_to_box(box_answer)
layouts = []
for box in pred_boxes:
layouts.append({
'label': box[0].lower(),
'box': box[1],
})
layouts.append({
'label': postfix,
'box': [W // 2, H // 2, W, H]
})
# pack control
ins_masks, ins_texts = [], []
for layout in layouts:
# label
ins_texts.append(layout['label'])
# box
mask = torch.zeros((H, W))
x, y, w, h = layout['box']
x1, y1 = x - w // 2, y - h // 2
x2, y2 = x1 + w, y1 + h
mask[y1: y2, x1: x2] = 1
ins_masks.append(mask.unsqueeze(0))
ins_masks = torch.cat(ins_masks, dim=0).unsqueeze(0).repeat(num_samples, 1, 1, 1).cuda()
ins_texts = [ins_texts] * num_samples
# cross-attention mask
B = num_samples
cross_attn_mask = torch.zeros((B, H, W, model.text_len)).cuda()
batch_all_tokens = open_clip.tokenize(prompt)
for b_idx in range(B):
# remove eos token
all_tokens = batch_all_tokens[b_idx]
eos = all_tokens.argmax(dim=-1)
all_tokens = torch.cat([all_tokens[:eos], all_tokens[eos + 1:]])
matched_tokens = set()
for obj_idx in range(ins_masks.size(1)):
# get phrase token without special tokens
phrase = ins_texts[b_idx][obj_idx]
phrase_tokens = open_clip.tokenize(phrase)[0]
phrase_tokens = phrase_tokens[1: phrase_tokens.argmax(dim=-1)]
phrase_len = phrase_tokens.size(0)
# find matching position in global text
for i in range(len(all_tokens) - phrase_len):
if (all_tokens[i: i + phrase_len] == phrase_tokens).all():
# set attn_mask
cross_attn_mask[b_idx, :, :, i: i + phrase_len] += ins_masks[b_idx, obj_idx].view(H, W, 1)
# remember matched tokens
for t in range(i, i + phrase_len):
matched_tokens.add(t)
break
# set attn of unmatched tokens to all the image
for t in range(len(all_tokens)):
if t not in matched_tokens:
cross_attn_mask[b_idx, :, :, t] = 1
cond = {
"context": model.get_learned_conditioning([prompt] * num_samples),
"panel_control": model.panel_conditioner(pack_control(model, ins_masks, ins_texts)),
"panel_control_scale": panel_control_scale,
"control_max_t": control_max_t,
"control_min_t": control_min_t,
"cross_attn_mask": cross_attn_mask,
}
un_cond = {"context": model.get_learned_conditioning([n_prompt] * num_samples)}
if edit_mask is not None:
resized_edit_mask = torch.nn.functional.interpolate(edit_mask.view(1, 1, H, W), (H // 8, W // 8), mode='bilinear').cuda()
samples, intermediates = ddim_sampler.sample(
steps, num_samples, shape, cond,
verbose=False, eta=0.0,
unconditional_guidance_scale=guide_scale,
unconditional_conditioning=un_cond,
log_every_t=1,
edit_mask=resized_edit_mask if with_memory else None, edit_intermediates=intermediates)
x_samples = model.decode_first_stage(samples)
imgs = (x_samples.permute(0, 2, 3, 1) * 127.5 + 127.5).cpu().numpy().clip(0, 255).astype(np.uint8)
vis_layout = (draw_box(pred_boxes, H=H, W=W, background=imgs[0]).permute(0, 2, 3, 1) * 127.5 + 127.5).cpu().numpy().clip(0, 255).astype(np.uint8)
imgs = np.concatenate((imgs, vis_layout), axis=0)
return imgs
def refresh_condition(box_answer, postfix):
global layouts, edit_mask
prev_layouts = layouts
# get current layouts
pred_boxes = seq_to_box(box_answer)
layouts = []
for box in pred_boxes:
layouts.append({
'label': box[0].lower(),
'box': box[1],
})
layouts.append({
'label': postfix,
'box': [W // 2, H // 2, W, H]
})
# layout diff
edit_mask = torch.zeros(1, H, W)
margin = 10
print(prev_layouts)
print(layouts)
# - new position
for layout in layouts:
if layout not in prev_layouts:
x, y, w, h = layout['box']
edit_mask[:, y - h // 2 - margin: y + h // 2 + margin, x - w // 2 - margin: x + w // 2 + margin] = 1
# - old position
for playout in prev_layouts:
if playout not in layouts:
x, y, w, h = playout['box']
edit_mask[:, y - h // 2 - margin: y + h // 2 + margin, x - w // 2 - margin: x + w // 2 + margin] = 1
# vis
vis_layout = draw_box(pred_boxes, H=H, W=W)
vis_edit_mask = edit_mask.unsqueeze(1).repeat(1, 3, 1, 1)
vis_imgs = torch.cat([vis_layout, vis_edit_mask], dim=0)
return (vis_imgs.permute(0, 2, 3, 1) * 127.5 + 127.5).cpu().numpy().clip(0, 255).astype(np.uint8)
block = gr.Blocks().queue()
with block:
with gr.Row():
gr.Markdown("## Demo of Ranni")
with gr.Row():
with gr.Column():
prompt = gr.Textbox(label="Prompt")
postfix = gr.Textbox(label="Postfix (put style-related prompt here)", value='4k image, best quality, extremely detailed')
seed = gr.Slider(label="Seed", minimum=-1, maximum=2147483647, step=1, value=-1)
run_button = gr.Button(label="Text-to-Panel", value="Text-to-Panel")
with gr.Row():
run_button2 = gr.Button(label="Panel-to-Image", value="Panel-to-Image")
with_memory = gr.Checkbox(label="with memory", value=False)
with gr.Accordion("Diffusion Adavanced Options", open=False):
n_prompt = gr.Textbox(label="Negative Prompt", value='out of frame, lowres, text, error, cropped, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, out of frame, 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, username, watermark, signature')
guide_scale = gr.Slider(label="Guide Scale", minimum=0, maximum=20.0, value=7.5, step=0.1)
steps = gr.Slider(label="Diffusion Steps", minimum=0, maximum=100, value=50, step=1)
with gr.Accordion("Ranni Adavanced Options", open=False):
with gr.Row():
control_max_t = gr.Slider(label="Control start", minimum=0, maximum=1000, value=1000, step=0)
control_min_t = gr.Slider(label="Control stop", minimum=0, maximum=1000, value=600, step=0)
panel_control_scale = gr.Slider(label="Control scale", minimum=0, maximum=5.0, value=0.6, step=0.1)
with gr.Column():
mid_result_gallery = gr.Gallery(label='Output', show_label=True, elem_id="gallery").style(grid=1, height='auto')
box_answer = gr.Textbox(label="Box Answer")
refresh_button = gr.Button(label="refresh", value="refresh")
with gr.Column():
result_gallery = gr.Gallery(label='Output', show_label=True, elem_id="gallery").style(grid=1, height='auto')
examples = [
['a black dog and a white cat', 15],
['a corgi on top of a chair', 95],
['5 red apple on the grass', 555],
['a man with red hat and green jacket', 78]
]
gr.Examples(
examples=examples,
inputs=[prompt, seed],
)
run_button.click(
fn=stage1_process,
inputs=[prompt, seed],
outputs=[box_answer, mid_result_gallery])
run_button2.click(
fn=stage2_process,
inputs=[box_answer, prompt, postfix, seed, n_prompt, guide_scale, steps, control_max_t, control_min_t, panel_control_scale, with_memory],
outputs=[result_gallery])
refresh_button.click(
fn=refresh_condition,
inputs=[box_answer, postfix],
outputs=[mid_result_gallery]
)
block.launch(server_name='0.0.0.0')