forked from kiri-art/docker-diffusers-api
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.py
349 lines (297 loc) · 11.9 KB
/
app.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
349
from sched import scheduler
import torch
from torch import autocast
from diffusers import __version__
import base64
from io import BytesIO
import PIL
import json
from loadModel import loadModel
from send import send, getTimings, clearSession
import os
import numpy as np
import skimage
import skimage.measure
from PyPatchMatch import patch_match
from getScheduler import getScheduler, SCHEDULERS
from getPipeline import getPipelineForModel, listAvailablePipelines, clearPipelines
import re
import requests
from download import download_model
import traceback
RUNTIME_DOWNLOADS = os.getenv("RUNTIME_DOWNLOADS") == "1"
USE_DREAMBOOTH = os.getenv("USE_DREAMBOOTH") == "1"
if USE_DREAMBOOTH:
from train_dreambooth import TrainDreamBooth
MODEL_ID = os.environ.get("MODEL_ID")
PIPELINE = os.environ.get("PIPELINE")
HF_AUTH_TOKEN = os.getenv("HF_AUTH_TOKEN")
torch.set_grad_enabled(False)
class DummySafetyChecker:
@staticmethod
def __call__(images, clip_input):
return images, False
# Init is ran on server startup
# Load your model to GPU as a global variable here using the variable name "model"
def init():
global model # needed for bananna optimizations
global dummy_safety_checker
send(
"init",
"start",
{
"device": torch.cuda.get_device_name(),
"hostname": os.getenv("HOSTNAME"),
"model_id": MODEL_ID,
"diffusers": __version__,
},
)
dummy_safety_checker = DummySafetyChecker()
if MODEL_ID == "ALL" or RUNTIME_DOWNLOADS:
global last_model_id
last_model_id = None
if not RUNTIME_DOWNLOADS:
model = loadModel(MODEL_ID)
send("init", "done")
def decodeBase64Image(imageStr: str, name: str) -> PIL.Image:
image = PIL.Image.open(BytesIO(base64.decodebytes(bytes(imageStr, "utf-8"))))
print(f'Decoded image "{name}": {image.format} {image.width}x{image.height}')
return image
def getFromUrl(url: str, name: str) -> PIL.Image:
response = requests.get(url)
image = PIL.Image.open(BytesIO(response.content))
print(f'Decoded image "{name}": {image.format} {image.width}x{image.height}')
return image
def truncateInputs(inputs: dict):
clone = inputs.copy()
if "modelInputs" in clone:
modelInputs = clone["modelInputs"] = clone["modelInputs"].copy()
for item in ["init_image", "mask_image", "image"]:
if item in modelInputs:
modelInputs[item] = modelInputs[item][0:6] + "..."
if "instance_images" in modelInputs:
modelInputs["instance_images"] = list(
map(lambda str: str[0:6] + "...", modelInputs["instance_images"])
)
return clone
last_xformers_memory_efficient_attention = {}
downloaded_models = {}
# Inference is ran for every server call
# Reference your preloaded global model variable here.
def inference(all_inputs: dict) -> dict:
global model
global pipelines
global last_model_id
global schedulers
global dummy_safety_checker
global last_xformers_memory_efficient_attention
clearSession()
print(json.dumps(truncateInputs(all_inputs), indent=2))
model_inputs = all_inputs.get("modelInputs", None)
call_inputs = all_inputs.get("callInputs", None)
result = {"$meta": {}}
if model_inputs == None or call_inputs == None:
return {
"$error": {
"code": "INVALID_INPUTS",
"message": "Expecting on object like { modelInputs: {}, callInputs: {} } but got "
+ json.dumps(all_inputs),
}
}
startRequestId = call_inputs.get("startRequestId", None)
model_id = call_inputs.get("MODEL_ID", None)
if not model_id:
model_id = MODEL_ID
result["$meta"].update({"MODEL_ID": MODEL_ID})
if RUNTIME_DOWNLOADS:
global downloaded_models
if last_model_id != model_id:
if not downloaded_models.get(model_id, None):
model_url = call_inputs.get("MODEL_URL", None)
if not model_url:
return {
"$error": {
"code": "NO_MODEL_URL",
"message": "Currently RUNTIME_DOWNOADS requires a MODEL_URL callInput",
}
}
download_model(model_id=model_id, model_url=model_url)
downloaded_models.update({model_id: True})
model = loadModel(model_id)
if PIPELINE == "ALL":
clearPipelines()
last_model_id = model_id
if MODEL_ID == "ALL":
if last_model_id != model_id:
model = loadModel(model_id)
clearPipelines()
last_model_id = model_id
else:
if model_id != MODEL_ID and not RUNTIME_DOWNLOADS:
return {
"$error": {
"code": "MODEL_MISMATCH",
"message": f'Model "{model_id}" not available on this container which hosts "{MODEL_ID}"',
"requested": model_id,
"available": MODEL_ID,
}
}
if PIPELINE == "ALL":
pipeline_name = call_inputs.get("PIPELINE", None)
if not pipeline_name:
pipeline_name = "StableDiffusionPipeline"
result["$meta"].update({"PIPELINE": pipeline_name})
pipeline = getPipelineForModel(pipeline_name, model, model_id)
if not pipeline:
return {
"$error": {
"code": "NO_SUCH_PIPELINE",
"message": f'"{pipeline_name}" is not an official nor community Diffusers pipelines',
"requested": pipeline_name,
"available": listAvailablePipelines(),
}
}
else:
pipeline = model
scheduler_name = call_inputs.get("SCHEDULER", None)
if not scheduler_name:
scheduler_name = "DPMSolverMultistepScheduler"
result["$meta"].update({"SCHEDULER": scheduler_name})
pipeline.scheduler = getScheduler(model_id, scheduler_name)
if pipeline.scheduler == None:
return {
"$error": {
"code": "INVALID_SCHEDULER",
"message": "",
"requeted": call_inputs.get("SCHEDULER", None),
"available": ", ".join(SCHEDULERS),
}
}
safety_checker = call_inputs.get("safety_checker", True)
pipeline.safety_checker = (
model.safety_checker if safety_checker else dummy_safety_checker
)
is_url = call_inputs.get("is_url", False)
image_decoder = getFromUrl if is_url else decodeBase64Image
# Parse out your arguments
# prompt = model_inputs.get("prompt", None)
# if prompt == None:
# return {"message": "No prompt provided"}
#
# height = model_inputs.get("height", 512)
# width = model_inputs.get("width", 512)
# num_inference_steps = model_inputs.get("num_inference_steps", 50)
# guidance_scale = model_inputs.get("guidance_scale", 7.5)
# seed = model_inputs.get("seed", None)
# strength = model_inputs.get("strength", 0.75)
if "init_image" in model_inputs:
model_inputs["init_image"] = image_decoder(
model_inputs.get("init_image"), "init_image"
)
if "image" in model_inputs:
model_inputs["image"] = image_decoder(model_inputs.get("image"), "image")
if "mask_image" in model_inputs:
model_inputs["mask_image"] = image_decoder(
model_inputs.get("mask_image"), "mask_image"
)
if "instance_images" in model_inputs:
model_inputs["instance_images"] = list(
map(
lambda str: image_decoder(str, "instance_image"),
model_inputs["instance_images"],
)
)
send("inference", "start", {"startRequestId": startRequestId})
# Run patchmatch for inpainting
if call_inputs.get("FILL_MODE", None) == "patchmatch":
sel_buffer = np.array(model_inputs.get("init_image"))
img = sel_buffer[:, :, 0:3]
mask = sel_buffer[:, :, -1]
img = patch_match.inpaint(img, mask=255 - mask, patch_size=3)
model_inputs["init_image"] = PIL.Image.fromarray(img)
mask = 255 - mask
mask = skimage.measure.block_reduce(mask, (8, 8), np.max)
mask = mask.repeat(8, axis=0).repeat(8, axis=1)
model_inputs["mask_image"] = PIL.Image.fromarray(mask)
# Turning on takes 3ms and turning off 1ms... don't worry, I've got your back :)
x_m_e_a = call_inputs.get("xformers_memory_efficient_attention", True)
last_x_m_e_a = last_xformers_memory_efficient_attention.get(pipeline, None)
if x_m_e_a != last_x_m_e_a:
if x_m_e_a == True:
print("pipeline.enable_xformers_memory_efficient_attention()")
pipeline.enable_xformers_memory_efficient_attention() # default on
elif x_m_e_a == False:
print("pipeline.disable_xformers_memory_efficient_attention()")
pipeline.disable_xformers_memory_efficient_attention()
else:
return {
"$error": {
"code": "INVALID_XFORMERS_MEMORY_EFFICIENT_ATTENTION_VALUE",
"message": f"x_m_e_a expects True or False, not: {x_m_e_a}",
"requested": x_m_e_a,
"available": [True, False],
}
}
last_xformers_memory_efficient_attention.update({pipeline: x_m_e_a})
# Run the model
# with autocast("cuda"):
# image = pipeline(**model_inputs).images[0]
if call_inputs.get("train", None) == "dreambooth":
if not USE_DREAMBOOTH:
return {
"$error": {
"code": "TRAIN_DREAMBOOTH_NOT_AVAILABLE",
"message": 'Called with callInput { train: "dreambooth" } but built with USE_DREAMBOOTH=0',
}
}
torch.set_grad_enabled(True)
result = result | TrainDreamBooth(model_id, pipeline, model_inputs, call_inputs)
torch.set_grad_enabled(False)
send("inference", "done", {"startRequestId": startRequestId})
result.update({"$timings": getTimings()})
return result
# Do this after dreambooth as dreambooth accepts a seed int directly.
seed = model_inputs.get("seed", None)
if seed == None:
generator = torch.Generator(device="cuda")
generator.seed()
else:
generator = torch.Generator(device="cuda").manual_seed(seed)
del model_inputs["seed"]
model_inputs.update({"generator": generator})
with torch.inference_mode():
try:
custom_pipeline_method = call_inputs.get("custom_pipeline_method", None)
if custom_pipeline_method:
images = getattr(pipeline, custom_pipeline_method)(
**model_inputs
).images
# autocast im2img and inpaint which are broken in 0.4.0, 0.4.1
# still broken in 0.5.1
elif call_inputs.get("PIPELINE") != "StableDiffusionPipeline":
with autocast("cuda"):
images = pipeline(**model_inputs).images
else:
images = pipeline(**model_inputs).images
except Exception as err:
return {
"$error": {
"code": "PIPELINE_ERROR",
"name": type(err).__name__,
"message": str(err),
"stack": traceback.format_exc(),
}
}
images_base64 = []
for image in images:
buffered = BytesIO()
image.save(buffered, format="PNG")
images_base64.append(base64.b64encode(buffered.getvalue()).decode("utf-8"))
send("inference", "done", {"startRequestId": startRequestId})
# Return the results as a dictionary
if len(images_base64) > 1:
result = result | {"images_base64": images_base64}
else:
result = result | {"image_base64": images_base64[0]}
result = result | {"$timings": getTimings()}
return result