forked from JCBrouwer/maua-stylegan2
-
Notifications
You must be signed in to change notification settings - Fork 0
/
render.py
212 lines (183 loc) · 7.36 KB
/
render.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
import queue
from threading import Thread
import ffmpeg
import numpy as np
import PIL.Image
import torch as th
from tqdm import tqdm
th.set_grad_enabled(False)
th.backends.cudnn.benchmark = True
def render(
generator,
latents,
noise,
offset,
duration,
batch_size,
out_size,
output_file,
audio_file=None,
truncation=1.0,
bends=[],
rewrites={},
randomize_noise=False,
ffmpeg_preset="slow",
):
split_queue = queue.Queue()
render_queue = queue.Queue()
# postprocesses batched torch tensors to individual RGB numpy arrays
def split_batches(jobs_in, jobs_out):
while True:
try:
imgs = jobs_in.get(timeout=5)
except queue.Empty:
return
imgs = (imgs.clamp_(-1, 1) + 1) * 127.5
imgs = imgs.permute(0, 2, 3, 1)
for img in imgs:
jobs_out.put(img.cpu().numpy().astype(np.uint8))
jobs_in.task_done()
# start background ffmpeg process that listens on stdin for frame data
if out_size == 512:
output_size = "512x512"
elif out_size == 1024:
output_size = "1024x1024"
elif out_size == 1920:
output_size = "1920x1080"
elif out_size == 1080:
output_size = "1080x1920"
else:
raise Exception("The only output sizes currently supported are: 512, 1024, 1080, or 1920")
if audio_file is not None:
audio = ffmpeg.input(audio_file, ss=offset, t=duration, guess_layout_max=0)
video = (
ffmpeg.input("pipe:", format="rawvideo", pix_fmt="rgb24", framerate=len(latents) / duration, s=output_size)
.output(
audio,
output_file,
framerate=len(latents) / duration,
vcodec="libx264",
pix_fmt="yuv420p",
preset=ffmpeg_preset,
audio_bitrate="320K",
ac=2,
v="warning",
)
.global_args("-hide_banner")
.overwrite_output()
.run_async(pipe_stdin=True)
)
else:
video = (
ffmpeg.input("pipe:", format="rawvideo", pix_fmt="rgb24", framerate=len(latents) / duration, s=output_size)
.output(
output_file,
framerate=len(latents) / duration,
vcodec="libx264",
pix_fmt="yuv420p",
preset=ffmpeg_preset,
v="warning",
)
.global_args("-hide_banner")
.overwrite_output()
.run_async(pipe_stdin=True)
)
# writes numpy frames to ffmpeg stdin as raw rgb24 bytes
def make_video(jobs_in):
w, h = [int(dim) for dim in output_size.split("x")]
for _ in tqdm(range(len(latents)), position=0, leave=True, ncols=80):
img = jobs_in.get(timeout=5)
if img.shape[1] == 2048:
img = img[:, 112:-112, :]
im = PIL.Image.fromarray(img)
img = np.array(im.resize((1920, 1080), PIL.Image.BILINEAR))
elif img.shape[0] == 2048:
img = img[112:-112, :, :]
im = PIL.Image.fromarray(img)
img = np.array(im.resize((1080, 1920), PIL.Image.BILINEAR))
assert (
img.shape[1] == w and img.shape[0] == h
), f"""generator's output image size does not match specified output size: \n
got: {img.shape[1]}x{img.shape[0]}\t\tshould be {output_size}"""
video.stdin.write(img.tobytes())
jobs_in.task_done()
video.stdin.close()
video.wait()
splitter = Thread(target=split_batches, args=(split_queue, render_queue))
splitter.daemon = True
renderer = Thread(target=make_video, args=(render_queue,))
renderer.daemon = True
# make all data that needs to be loaded to the GPU float, contiguous, and pinned
# the entire process is severly memory-transfer bound, but at least this might help a little
latents = latents.float().contiguous().pin_memory()
for ni, noise_scale in enumerate(noise):
noise[ni] = noise_scale.float().contiguous().pin_memory() if noise_scale is not None else None
param_dict = dict(generator.named_parameters())
original_weights = {}
for param, (rewrite, modulation) in rewrites.items():
rewrites[param] = [rewrite, modulation.float().contiguous().pin_memory()]
original_weights[param] = param_dict[param].copy().cpu().float().contiguous().pin_memory()
for bend in bends:
if "modulation" in bend:
bend["modulation"] = bend["modulation"].float().contiguous().pin_memory()
if not isinstance(truncation, float):
truncation = truncation.float().contiguous().pin_memory()
for n in range(0, len(latents), batch_size):
# load batches of data onto the GPU
latent_batch = latents[n : n + batch_size].cuda(non_blocking=True)
noise_batch = []
for noise_scale in noise:
if noise_scale is not None:
noise_batch.append(noise_scale[n : n + batch_size].cuda(non_blocking=True))
else:
noise_batch.append(None)
bend_batch = []
if bends is not None:
for bend in bends:
if "modulation" in bend:
transform = bend["transform"](bend["modulation"][n : n + batch_size].cuda(non_blocking=True))
bend_batch.append({"layer": bend["layer"], "transform": transform})
else:
bend_batch.append({"layer": bend["layer"], "transform": bend["transform"]})
for param, (rewrite, modulation) in rewrites.items():
transform = rewrite(modulation[n : n + batch_size])
rewritten_weight = transform(original_weights[param]).cuda(non_blocking=True)
param_attrs = param.split(".")
mod = generator
for attr in param_attrs[:-1]:
mod = getattr(mod, attr)
setattr(mod, param_attrs[-1], th.nn.Parameter(rewritten_weight))
if not isinstance(truncation, float):
truncation_batch = truncation[n : n + batch_size].cuda(non_blocking=True)
else:
truncation_batch = truncation
# forward through the generator
outputs, _ = generator(
styles=latent_batch,
noise=noise_batch,
truncation=truncation_batch,
transform_dict_list=bend_batch,
randomize_noise=randomize_noise,
input_is_latent=True,
)
# send output to be split into frames and rendered one by one
split_queue.put(outputs)
if n == 0:
splitter.start()
renderer.start()
splitter.join()
renderer.join()
def write_video(arr, output_file, fps):
print(f"writing {arr.shape[0]} frames...")
output_size = "x".join(reversed([str(s) for s in arr.shape[1:-1]]))
ffmpeg_proc = (
ffmpeg.input("pipe:", format="rawvideo", pix_fmt="rgb24", framerate=fps, s=output_size)
.output(output_file, framerate=fps, vcodec="libx264", preset="slow", v="warning")
.global_args("-benchmark", "-stats", "-hide_banner")
.overwrite_output()
.run_async(pipe_stdin=True)
)
for frame in arr:
ffmpeg_proc.stdin.write(frame.astype(np.uint8).tobytes())
ffmpeg_proc.stdin.close()
ffmpeg_proc.wait()