-
Notifications
You must be signed in to change notification settings - Fork 0
/
test_segmentation.py
208 lines (157 loc) · 6.7 KB
/
test_segmentation.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
import pickle
import random
import time
import os
import json
import traceback
import statistics
import datetime
from collections import defaultdict
import torch
import torch.nn as nn
import torch.optim as optim
from torch.utils.data import DataLoader
import numpy as np
import MinkowskiEngine as ME
import open3d as o3d
from utils import config, logger, utils, metrics
# from train_segmentation import compute_accuracies
from utils.output import ClusterUtil
import ipdb
_config = config.Config()
_logger = logger.Logger().get()
_use_cuda = torch.cuda.is_available()
_device = torch.device("cuda" if _use_cuda else "cpu")
_ee_cluster = ClusterUtil()
torch.set_printoptions(precision=_config.TEST.print_precision, sci_mode=False)
def test(model, criterion, data_loader, output_filename="results.txt"):
data_iter = iter(data_loader)
model = model.eval()
with torch.no_grad():
start = time.time()
overall_results = defaultdict(list)
individual_results = defaultdict(lambda: defaultdict(list))
results_json = {}
for i, batch in enumerate(data_iter):
try:
coords, feats, labels, _, others = batch
labels = labels.to(device=_device)
# model_input = ME.SparseTensor(feats, coordinates=coords, device=_device)
# out = model(model_input)
# loss = criterion(out.features, labels)
# accuracies = compute_accuracies(out, labels, others)
for fi, other_info in enumerate(others):
start = other_info["offset"][0]
end = other_info["offset"][1]
in_field = ME.TensorField(
features=feats[start:end],
coordinates=ME.utils.batched_coordinates([coords[start:end]], dtype=torch.float32),
quantization_mode=ME.SparseTensorQuantizationMode.UNWEIGHTED_AVERAGE,
minkowski_algorithm=ME.MinkowskiAlgorithm.SPEED_OPTIMIZED,
device=_device,
)
sinput = in_field.sparse()
soutput = model(sinput)
out_field = soutput.slice(in_field)
logits = out_field.F
_, preds = logits.max(1)
preds = preds.cpu().numpy()
labels_cpu = labels[start:end].cpu().numpy().reshape((-1))
# if you need to cluster/filter ee output use following line
# biggest_ee_idx = _ee_cluster.get_largest_cluster(coords[start:end][labels_cpu == 2])
accuracy = (preds == labels_cpu).sum() / len(labels_cpu)
fname = other_info["filename"]
position = other_info["position"]
print(f"{position}/{fname}")
# preds_fi = [round(p, 4) for p in out[fi].tolist()]
result = {
"accuracy": round(float(accuracy), 4),
"labels": labels_cpu.tolist(),
"preds": preds.tolist()
}
individual_results[position]["accuracy"].append(
result["accuracy"]
)
results_json[f"{position}/{fname}"] = result
with open(output_filename, "a") as fp:
fp.write(
f"{position}/{fname}: {result['accuracy']}\n"
)
# ipdb.set_trace()
except Exception as e:
print(e)
_logger.exception(f"Filenames: {json.dumps(others)}")
with open(output_filename.replace('.txt', '.pickle'), "wb") as fp:
pickle.dump(results_json, fp)
for pos in individual_results:
for k in individual_results[pos]:
individual_results[pos][k] = round(
statistics.mean(individual_results[pos][k]), 4
)
overall_results[k].append(individual_results[pos][k])
for k in overall_results:
overall_results[k] = round(statistics.mean(overall_results[k]), 4)
with open(output_filename, "a") as fp:
fp.write("\n---------- SUMMARY ----------\n")
for pos in individual_results:
fp.write(f"{pos}: {json.dumps(individual_results[pos], indent=4)}\n")
fp.write(f"Overall: {json.dumps(overall_results, indent=4)}\n")
if __name__ == "__main__":
print(f"CONFIG: {_config()}")
if _use_cuda:
torch.cuda.empty_cache()
from model.robotnet_segmentation import RobotNetSegmentation
from data.alivev2 import AliveV2Dataset, collate_non_batched
criterion = nn.CrossEntropyLoss(
ignore_index=_config.DATA.ignore_label,
reduction=_config()["TRAIN"].get("loss_reduction", "mean"),
).to(_device)
model = RobotNetSegmentation(
in_channels=_config.DATA.input_channel, num_classes=_config.DATA.classes
)
start_epoch = utils.checkpoint_restore(
model,
f=os.path.join(_config.exp_path, _config.TEST.checkpoint),
use_cuda=_use_cuda,
)
print("Loaded model.")
dataset_name = ""
file_names = defaultdict(list)
file_names_path = _config()['DATA'].get('file_names')
if file_names_path:
file_names_path = file_names_path.split(',')
dataset_name = utils.remove_suffix(file_names_path[0].split('/')[-1], '.json')
with open(file_names_path[0], 'r') as fp:
file_names = json.load(fp)
for fnp in file_names_path[1:]:
with open(fnp, 'r') as fp:
new_file_names = json.load(fp)
for k in new_file_names:
if k in file_names:
file_names[k].extend(new_file_names[k])
for dt in ("val", "test", "train"):
print("Dataset:", dt)
if not file_names[dt]:
print(f"Dataset {dt} split is empty.")
continue
dataset = AliveV2Dataset(set_name=dt, file_names=file_names[dt], quantization_enabled=False)
data_loader = DataLoader(
dataset,
batch_size=_config.TEST.batch_size,
collate_fn=collate_non_batched,
num_workers=_config.TEST.workers,
shuffle=False,
drop_last=False,
pin_memory=True,
)
test(
model,
criterion,
data_loader,
output_filename=os.path.join(
_config.exp_path,
f"{utils.remove_suffix(_config.TEST.checkpoint, '.pth')}_results_{dataset_name}_{dt}.txt",
),
)
# ipdb.set_trace()
print("DONE!")