forked from sjtuytc/UnboundedNeRFPytorch
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy patheval_block_nerf.py
233 lines (197 loc) · 10.3 KB
/
eval_block_nerf.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
import os
import cv2
import pdb
import json
import torch
import numpy as np
from tqdm import tqdm
from collections import defaultdict
from argparse import ArgumentParser
from block_nerf.rendering import *
from block_nerf.block_nerf_model import *
from block_nerf.block_nerf_lightning import *
from block_nerf.waymo_dataset import *
import imageio
def get_hparams():
parser = ArgumentParser()
parser.add_argument('--save_path', type=str,
default='data/result_pytorch_waymo',
help='result directory of dataset')
parser.add_argument('--root_dir', type=str,
default='data/pytorch_waymo_dataset',
help='root directory of dataset')
parser.add_argument('--ckpt_dir', type=str,
default='data/ckpts',
help='path to load the trianed block checkpoints (e.g., block_1.ckpt).')
parser.add_argument('--IDW_Power', type=int, default=1,
help='the value of the IDW power')
parser.add_argument('--chunk', type=int, default=1024 * 2,
help='number of chunks')
parser.add_argument('--cam_idx', type=list, default=[0],
help='the index of the camera you want to inference,0~11, total 12 cameras')
return vars(parser.parse_args())
@torch.no_grad()
def batched_inference(model, embeddings,
rays, ts,
N_samples=128,
N_importance=128,
chunk=1024,
use_disp=False):
B = rays.shape[0]
results = defaultdict(list)
for i in range(0, B, chunk):
result_chunk = render_rays(model, embeddings,
rays[i:i + chunk], ts[i:i + chunk],
N_samples=N_samples,
N_importance=N_importance,
chunk=chunk,
type="test",
use_disp=use_disp)
for k, v in result_chunk.items():
results[k] += [v.cpu()]
for k, v in results.items():
results[k] = torch.cat(v, 0)
return results
def filter_cam_info_by_index(index, cam_infos):
for i, cam_info in enumerate(cam_infos):
if i == index:
print(f"Now is inferencing the {cam_info} camera..")
return cam_infos[cam_info]
return None
def filter_Block(begin, blocks):
block_filter = []
for block in blocks:
for element in blocks[block]['elements']:
if element[0] == begin:
block_filter.append(block)
return block_filter
def DistanceWeight(point, centroid, p=4):
point = point.numpy()
centroid = np.array(centroid)
return (np.linalg.norm(point - centroid)) ** (-p)
def Inverse_Interpolation(model_result, W_H):
weights = []
img_RGB = {}
img_DEPTH = {}
# 首先提取每一个模型的推理结果
for block in model_result:
block_RGB = np.clip(model_result[block]['rgb_fine'].view(H, W, 3).detach().numpy(), 0, 1)
block_RGB = (block_RGB * 255).astype(np.uint8)
img_RGB[block] = block_RGB
block_depth = model_result[block]['depth_fine'].view(H, W).numpy()
block_depth = np.nan_to_num(block_depth) # change nan to 0
mi = np.min(block_depth) # get minimum depth
ma = np.max(block_depth)
block_depth = (block_depth - mi) / max(ma - mi, 1e-8) # normalize to 0~1
block_depth = (255 * block_depth).astype(np.uint8)
img_DEPTH[block] = block_depth
weights.append(model_result[block]['distance_weight'])
weights = [weight / sum(weights) for weight in weights]
print("The weight of each block is:", weights)
img_pred = sum(weight * rgb for weight, rgb in zip(weights, img_RGB.values())).astype(np.uint8)
img_depth = sum(weight * depth for weight, depth in zip(weights, img_DEPTH.values())).astype(np.uint8)
img_RGB['compose'] = img_pred
img_DEPTH['compose'] = img_depth
return img_RGB, img_DEPTH
if __name__ == "__main__":
torch.cuda.empty_cache()
hparams = get_hparams()
os.makedirs(hparams['save_path'], exist_ok=True)
block_split_info = None
with open(os.path.join(hparams['root_dir'], "train", f'split_block_train.json'), 'r') as fp:
block_split_info = json.load(fp)
centroids = []
for block in block_split_info:
centroids.append(block_split_info[block]['centroid'])
block_model = ["block_1", "block_2"] # only render these models
# block_model = ["block_6", "block_7"]
with open(os.path.join(hparams['root_dir'], f'cam_info.json'), 'r') as fp:
cam_infos = json.load(fp)
rgb_video_writer, depth_video_writer = None, None
for cam_idx in hparams['cam_idx']:
print(f"Now is inferencing the {cam_idx} camera!")
cam_infos = filter_cam_info_by_index(cam_idx, cam_infos)
cam_info_begin = cam_infos[:-1]
cam_info_end = cam_infos[1:]
os.makedirs(os.path.join(hparams['save_path'], str(cam_idx)), exist_ok=True)
rgb_save_p = os.path.join(hparams['save_path'], str(cam_idx), 'rgb_images')
depth_save_p = os.path.join(hparams['save_path'], str(cam_idx), 'depth_images')
os.makedirs(rgb_save_p, exist_ok=True)
os.makedirs(depth_save_p, exist_ok=True)
# imgs = []
# imgs_depth = []
for i in tqdm(range(len(cam_info_begin))):
begin, end = cam_info_begin[i], cam_info_end[i]
dataset = WaymoDataset(root_dir=hparams['root_dir'],
split='compose',
cam_begin=begin,
cam_end=end)
# 每两个镜头每隔0.01有一个渲染
for j in tqdm(range(len(dataset))):
# 每一帧的结果由blocks共同决定
batch = dataset[j]
rays, ts = batch['rays'], batch['ts']
W, H = batch['w_h']
origin = rays[0, 0:3]
# 1. 筛除不在覆盖范围内的block
blocks = filter_Block(begin, block_split_info)
print(f"The current view belongs to the block of {blocks}.")
# blocks为当前视野所位于的block区间
model_result = {}
# 判断每一个block的visibility
for block in blocks:
if block in block_model:
ts[:] = find_idx_name(block_split_info[block]['elements'], begin) # 令ts为当前block对应的ts
print("Loading model ...")
model = Block_NeRF_System.load_from_checkpoint(os.path.join(hparams['ckpt_dir'], f"{block}.ckpt")).cuda().eval()
models = {
"block_model": model.Block_NeRF,
"visibility_model": model.Visibility
}
print("Model loaded. Now is inferring the {0}'s model.".format(block))
results = batched_inference(models, model.Embedding,
rays.cuda(), ts.cuda(),
use_disp=model.hparams['use_disp'],
N_samples=model.hparams['N_samples'] * 2,
N_importance=model.hparams['N_importance'] * 2,
chunk=hparams['chunk'])
print("Finished inferring the {0}'s model.".format(block))
if results['transmittance_fine_vis'].mean() > 0.05: # 当前block可见,visibility的阈值仍需测试
# 计算权重 wi=(c,xi)^(-p)
results['distance_weight'] = DistanceWeight(point=origin,
centroid=block_split_info[block]["centroid"][1],
p=hparams['IDW_Power'])
model_result[block] = results
else:
print(
f"As the {begin} can't be seen in the {block}, the mean of visibility is {results['transmittance_fine_vis'].mean()}")
# 进行插值
if not len(model_result):
continue
RGB_compose, Depth_compose = Inverse_Interpolation(model_result, [W, H])
if rgb_video_writer is None:
rgb_video_path = os.path.join(hparams['save_path'], str(cam_idx), 'rgb_video.mp4')
depth_video_path = os.path.join(hparams['save_path'], str(cam_idx), 'depth_video.mp4')
height, width = RGB_compose['compose'].shape[:2]
rgb_video_writer = cv2.VideoWriter(rgb_video_path, cv2.VideoWriter_fourcc(*'mp4v'), 15, (width, height))
depth_video_writer = cv2.VideoWriter(depth_video_path, cv2.VideoWriter_fourcc(*'mp4v'), 15, (width, height))
# imgs.append(RGB_compose['compose'])
# imgs_depth.append(Depth_compose['compose'])
rgb_video_writer.write(RGB_compose['compose'])
depth_video_writer.write(Depth_compose['compose'])
# imageio.mimsave(os.path.join(hparams['save_path'], str(cam_idx), 'test.gif'),
# imgs, fps=30)
# imageio.mimsave(os.path.join(hparams['save_path'], str(cam_idx), 'test_depth.gif'),
# imgs_depth, fps=30)
# save each rendered image
for RGB, Depth in zip(RGB_compose, Depth_compose):
imageio.imwrite(os.path.join(rgb_save_p,
'{0}_{1}_{2}_{3}.png'.format(i, begin, end, RGB)),
RGB_compose[RGB])
imageio.imwrite(os.path.join(depth_save_p,
'{0}_{1}_{2}_{3}_depth.png'.format(i, begin, end, Depth)),
Depth_compose[Depth])
if rgb_video_writer is not None:
rgb_video_writer.release()
depth_video_writer.release()
print("All done.")