-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathplotter.py
675 lines (582 loc) · 27.3 KB
/
plotter.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
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
from enum import Enum
import logging
import math
from tqdm import tqdm
from copy import deepcopy
import matplotlib as mpl
import matplotlib.pyplot as plt
import numpy as np
import matplotlib.patches as patches
import matplotlib.animation
import matplotlib.image
from matplotlib.offsetbox import TextArea, DrawingArea, OffsetImage, AnnotationBbox
logger = logging.getLogger(__name__)
colors = mpl.colors.ListedColormap(['#FFFFFF', 'crimson', 'lightskyblue', 'gold', 'violet', 'lightskyblue', 'orange', 'greenyellow', '#A6A6A6'])
data_colors = {
"TRAP" : 8,
"GOAL" : 2,
"LANDMARK" : 3,
"ADVBELIEF" : 4,
"EGOBELIEF" : 5,
"ADVGOAL" : 5,
"GOALAREA" : 2,
}
Actions = ['U','D','R','L']
class InteractiveLandmarkStatus(Enum):
CLEARED = 1,
POSITIVE = 2,
NEGATIVE = 3
def __int__(self):
return self.value
class InteractiveLandmarkBelief(Enum):
CLEARED = 1,
KNOWN = 2,
QUESTIONMARK = 3
class Plotter:
def __init__(self, annotation, model, vals=None, shaping=True):
self._model = model
self._state_vals = vals
self._tmp_objects = []
self._annotation = annotation
self._clear()
self._fig = None
self._ax = None
self._ax_res = None
self._ax_info = None
self._init_fig()
self._ego_image = True
self._adv_image = True
self._title = None
self.landmark_status = [InteractiveLandmarkStatus.NEGATIVE] * annotation.nr_interactive_landmarks
self.has_shaping = shaping
self._ego_scanned_last_round = False
def set_title(self, title):
self._title = title
self._fig.suptitle(self._title, fontsize=16)
def _reset(self):
self._clear()
self._fig = None
self._ax = None
plt.clf()
self._init_fig()
self._fig.suptitle(self._title, fontsize=16)
self.landmark_status = [InteractiveLandmarkStatus.NEGATIVE] * self._annotation.nr_interactive_landmarks
@property
def _maxX(self):
return self._annotation.xmax_constant
@property
def _minX(self):
# TODO allow to change this value (Currently this breaks in various lcoations if this is not 0).
return 0
@property
def _maxY(self):
return self._annotation.ymax_constant
@property
def _minY(self):
# TODO allow to change this value (Currently this breaks in various locations if this is not 0)
return 0
@property
def _targets(self):
result = []
if self._annotation.has_static_targets:
for i in range(self._model.shape[0]):
for j in range(self._model.shape[1]):
if self._annotation.target_label[0] in self._model.label[i][j]:
result.append([i,j])
return result
@property
def _landmarks(self):
lab = self._model.label
result = []
if self._annotation.has_landmarks:
for i in range(self._model.shape[0]):
for j in range(self._model.shape[1]):
if self._annotation.landmark_label in self._model.label[i][j] :
result.append([i,j])
return result
@property
def _traps(self):
result = []
if self._annotation.trap_label:
for i in range(self._model.shape[0]):
for j in range(self._model.shape[1]):
if self._annotation.trap_label in self._model.structure[i][j]:
result.append([i,j])
return result
@property
def _adv_goals(self):
result = []
if self._annotation.target_label[1:]:
for i in range(self._model.shape[0]):
for j in range(self._model.shape[1]):
for k in range(self._annotation.n_agents-1):
if self._annotation.target_label[k+1] in self._model.label[i][j]:
result.append([i,j])
return result
def load_ego_image(self, path='graph_data/icon_1.png', zoom=0.4):
img = mpl.image.imread(path)
self._ego_image = OffsetImage(img, zoom=zoom)
def load_adv_image(self, path='graph_data/icon_2.png', zoom= 0.4):
img = mpl.image.imread(path)
self._adv_image = OffsetImage(img, zoom=zoom)
def _clear(self):
self._data = np.zeros((self._maxX - self._minX + 1, self._maxY - self._minY + 1))
for ob in self._traps:
self._set_bad(ob[1], ob[0])
for t in self._targets:
self._set_goal(t[1], t[0])
for l in self._landmarks:
self._set_landmark(l[1], l[0])
for g in self._adv_goals:
self._set_adv_goal(g[1], g[0])
for o in self._tmp_objects:
o.remove()
self._tmp_objects = []
def wipe(self):
self._init_fig()
self._clear()
def _init_fig(self):
w, h = plt.figaspect(.75)
self._fig = plt.Figure(figsize=(w, h))
#self._fig = plt.figure(constrained_layout=True)
if self._annotation.has_resources:
reswidth = 2
widths = [30, reswidth, 4]
height_ratios = [1]
spec = self._fig.add_gridspec(ncols=3, nrows=1, width_ratios=widths, height_ratios=height_ratios)
self._ax = self._fig.add_subplot(spec[0, 0])
self._ax_res = self._fig.add_subplot(spec[0, 1])
self._ax_info = self._fig.add_subplot(spec[0, 2])
else:
widths = [30, 6]
height_ratios = [1]
spec = self._fig.add_gridspec(ncols=2, nrows=1, width_ratios=widths, height_ratios=height_ratios)
self._ax = self._fig.add_subplot(spec[0, 0])
self._ax_info = self._fig.add_subplot(spec[0, 1])
ax = self._ax
column_labels = list(range(0, self._maxY + 1))
row_labels = list(range(0, self._maxX + 1))
# put the major ticks at the middle of each cell
ax.set_xticks(np.arange(self._data.shape[0]) + 0.5, minor=False)
ax.set_yticks(np.arange(self._data.shape[1]) + 0.5, minor=False)
# want a more natural, table-like display
ax.invert_yaxis()
ax.xaxis.tick_top()
ax.set_xticklabels(row_labels, minor=False)
ax.set_yticklabels(column_labels, minor=False)
ax.set_xlabel("x")
ax.set_ylabel("y")
ax.set_aspect(1)
if self._annotation.has_resources:
ax = self._ax_res
ax.set_xticklabels(self._annotation.resource_names, minor=False)
ax = self._ax_info
ax.set_axis_off()
self._tmp_objects = []
def _set_bad(self, xloc, yloc):
self._data[yloc,xloc] = data_colors["TRAP"]
def _set_goal(self, xloc, yloc):
if self._annotation.has_goal_action:
self._data[yloc, xloc] = data_colors["GOALAREA"]
else:
self._data[yloc,xloc] = data_colors["GOAL"]
def _set_landmark(self, xloc, yloc):
self._data[yloc,xloc] = data_colors["LANDMARK"]
def _set_adv_goal(self, xloc, yloc):
self._data[yloc,xloc] = data_colors["ADVGOAL"]
def _set_interactive_landmarks(self, xloc, yloc, status, belief, index):
if status != InteractiveLandmarkStatus.CLEARED:
# if status == InteractiveLandmarkStatus.POSITIVE:
# color = 'green'
# if status == InteractiveLandmarkStatus.NEGATIVE:
# color = '#B13030'
if index == 0:
color = '#99CCFF'
edgecolor='b'
elif index ==1:
color='#FFCE9F'
edgecolor='orange'
else:
color = '#B13030'
edgecolor= color
# print(f' landmark status: {status}')
adv = patches.Circle((xloc + 0.5, yloc + 0.5), 0.35, linewidth=1, edgecolor=edgecolor, facecolor=color)
props = dict(boxstyle='round', facecolor='yellow', alpha=1)
propsid = dict(boxstyle='round', facecolor='white', alpha=0.7)
text = self._annotation.landmark_label[index]
self._ax.add_patch(adv)
txt = self._ax.text(xloc + 0.6, yloc + 0.6, text, fontsize=10,
verticalalignment='top', bbox=props)
self._tmp_objects.append(txt)
txt = self._ax.text(xloc + 0.3, yloc + 0.3, str(index+1), fontsize=10,
verticalalignment='top', bbox=propsid)
self._tmp_objects.append(txt)
self._tmp_objects.append(adv)
def _set_adversary(self, ax, xloc, yloc, adv_direction, radius, q, i=0, load_img=True):
if load_img:
self.load_adv_image()
adv = AnnotationBbox(self._adv_image, (xloc+0.5, yloc+0.5), pad=0.0, frameon=False)
ax.add_artist(adv)
elif adv_direction is None:
adv = patches.Rectangle((xloc + 0.25, yloc + 0.25), 0.5, 0.5, linewidth=1, edgecolor='#E43F3F', facecolor='#FFCE9F')
self._ax.add_patch(adv)
self._tmp_objects.append(adv)
else:
adv = patches.RegularPolygon((xloc+0.5, yloc+0.5), 3, 0.35, linewidth=1, edgecolor='saddlebrown', facecolor='#FFCE9F')
t2 = mpl.transforms.Affine2D().rotate_around(xloc+0.5, yloc+0.5, np.deg2rad(adv_direction.rotation)) + self._ax.transData
adv.set_transform(t2)
self._ax.add_patch(adv)
self._tmp_objects.append(adv)
if radius:
viewarea_xlb = max(0, xloc - radius)
viewarea_ylb = max(0, yloc - radius)
viewarea_xub = min(self._maxX, xloc + radius)
viewarea_yub = min(self._maxY, yloc + radius)
viewarea = patches.Rectangle((viewarea_xlb, viewarea_ylb), viewarea_xub-viewarea_xlb+1, viewarea_yub-viewarea_ylb+1, linewidth=0.4, edgecolor='r', facecolor='r', alpha=0.1, hatch='x' )
self._ax.add_patch(viewarea)
self._tmp_objects.append(viewarea)
self._tmp_objects.append(adv)
props = dict(boxstyle='round', facecolor='lavender', alpha=0.5)
if adv_direction is None:
text = f"x={xloc},y={yloc}, q={q}"
else:
text = f"x={xloc},y={yloc},d={adv_direction}"
txt = self._ax_info.text(0.05, 0.88-i*0.07, text, transform=self._ax_info.transAxes, fontsize=10,
verticalalignment='top', bbox=props)
self._tmp_objects.append(txt)
def _set_ego(self, ax, xloc, yloc, q, radius):
# Create a Rectangle patch
if self._ego_image:
self.load_ego_image()
ego = AnnotationBbox(self._ego_image, (xloc+0.5, yloc+0.5), pad=0.0, frameon=False)
ax.add_artist(ego)
else:
ego = patches.Rectangle((xloc+0.25, yloc+0.25), 0.5, 0.5, linewidth=1, edgecolor='b', facecolor='#99CCFF')
ax.add_patch(ego)
if radius:
viewarea_xlb = max(0, xloc - radius)
viewarea_ylb = max(0, yloc - radius)
viewarea_xub = min(self._maxX, xloc + radius)
viewarea_yub = min(self._maxY, yloc + radius)
viewarea = patches.Rectangle((viewarea_xlb, viewarea_ylb), viewarea_xub-viewarea_xlb+1, viewarea_yub-viewarea_ylb+1, linewidth=7, edgecolor='b', facecolor='b', alpha=0.05, hatch='o' )
self._ax.add_patch(viewarea)
self._tmp_objects.append(viewarea)
self._tmp_objects.append(ego)
props = dict(boxstyle='round', facecolor='wheat', alpha=0.5)
text = f"x={xloc},y={yloc}, q={q}"
txt = self._ax_info.text(0.05, 0.95, text, transform=self._ax_info.transAxes, fontsize=10,
verticalalignment='top', bbox=props)
self._tmp_objects.append(txt)
# Add the patch to the Axes
def _set_resources(self, relative_height):
bar = self._ax_res.bar(0, relative_height * 1, width=1, color='black', bottom=0, align='center', data=None)
self._tmp_objects.append(bar)
def _set_ego_alternatives(self, ax, xloc, yloc):
self._data[yloc,xloc] = data_colors["EGOBELIEF"]
def _set_adv_alternatives(self, xloc, yloc):
self._data[yloc,xloc] = data_colors["ADVBELIEF"]
def _get_int_value(self, state, var):
return self._state_vals.get_integer_value(state,var)
def _get_bool_value(self, state, var):
return self._state_vals.get_boolean_value(state,var)
def _get_action_string(self, state, action):
acts = deepcopy(self._model.A)
for i in range(self._annotation.epsilon_actions):
acts.append(f'epsilon_{i+1}')
if action is None:
return None
return acts[self._annotation.act_index[action]]
def _set_adv_actions(self, state, xloc, yloc, available, selected, debug=False):
acts = deepcopy(self._model.A)
# print(acts)
for i in range(self._annotation.epsilon_actions):
acts.append(f'$\epsilon_{i+1}$')
# print(self._annotation.epsilon_actions)
if debug:
print(acts)
maxlen = 0
for act in acts:
maxlen = max(maxlen, len(act))
available_strings = [acts[self._annotation.act_index[a]] for a in available]
# available_strings = [ l[0] if len(l)>0 else None for l in available]
# allowed_strings = [list(self._model.choice_labeling.get_labels_of_choice(self._model.get_choice_index(state, act))) for act in
# allowed]
allowed_strings = Actions
# allowed_strings = [l[0] if len(l) > 0 else None for l in allowed_strings]
if selected is not None:
selected_string =acts[self._annotation.act_index[selected]]
else:
selected_string = "--end--"
logger.debug(available_strings)
logger.debug(allowed_strings)
logger.debug(selected_string)
props_unavailable = dict(boxstyle='round', facecolor='gray', alpha=0.5)
props_notallowed = dict(boxstyle='round', facecolor='red', alpha=0.5)
props_notselected = dict(boxstyle='round', facecolor='wheat', alpha=0.5)
props_selected = dict(boxstyle='round', facecolor='green', alpha=0.5)
for i,act in enumerate(acts):
# print(act)
text = act.ljust(maxlen)
if act not in available_strings:
props = props_unavailable
# elif act not in allowed_strings:
# props = props_notallowed
elif act == selected_string:
props = props_selected
else:
props = props_notselected
txt = self._ax_info.text(0.5, 0.70-0.07*i, text, fontdict={'family': 'monospace'}, transform=self._ax_info.transAxes, fontsize=10,
verticalalignment='top', bbox=props)
self._tmp_objects.append(txt)
if act not in Actions:
continue
if act not in available_strings:
continue
if act == selected_string:
fcol = 'green'
ecol = 'green'
elif act not in allowed_strings:
fcol = 'red'
ecol = 'red'
else:
fcol = 'black'
ecol = 'black'
if act == "U":
dx = 0
dy = -0.6
if act == "D":
dx = 0
dy = 0.6
if act == "L":
dx = -0.6
dy = 0
if act == "R":
dx = 0.6
dy = 0
arr = self._ax.arrow(xloc+0.5, yloc+0.5, dx, dy, head_width=0.12, ec=ecol, fc=fcol, lw=0.04)
self._tmp_objects.append(arr)
def _set_actions(self, state, xloc, yloc, available, selected, debug=False):
acts = deepcopy(self._model.A)
# print(acts)
for i in range(self._annotation.epsilon_actions):
acts.append(f'$\epsilon_{i+1}$')
# print(self._annotation.epsilon_actions)
if debug:
print(acts)
maxlen = 0
for act in acts:
maxlen = max(maxlen, len(act))
available_strings = [acts[self._annotation.act_index[a]] for a in available]
# available_strings = [ l[0] if len(l)>0 else None for l in available]
# allowed_strings = [list(self._model.choice_labeling.get_labels_of_choice(self._model.get_choice_index(state, act))) for act in
# allowed]
allowed_strings = Actions
# allowed_strings = [l[0] if len(l) > 0 else None for l in allowed_strings]
if selected is not None:
selected_string =acts[self._annotation.act_index[selected]]
else:
selected_string = "--end--"
logger.debug(available_strings)
logger.debug(allowed_strings)
logger.debug(selected_string)
props_unavailable = dict(boxstyle='round', facecolor='gray', alpha=0.5)
props_notallowed = dict(boxstyle='round', facecolor='red', alpha=0.5)
props_notselected = dict(boxstyle='round', facecolor='wheat', alpha=0.5)
props_selected = dict(boxstyle='round', facecolor='green', alpha=0.5)
for i,act in enumerate(acts):
# print(act)
text = act.ljust(maxlen)
if act not in available_strings:
props = props_unavailable
# elif act not in allowed_strings:
# props = props_notallowed
elif act == selected_string:
props = props_selected
else:
props = props_notselected
txt = self._ax_info.text(0.05, 0.70-0.07*i, text, fontdict={'family': 'monospace'}, transform=self._ax_info.transAxes, fontsize=10,
verticalalignment='top', bbox=props)
self._tmp_objects.append(txt)
if act not in Actions:
continue
if act not in available_strings:
continue
if act == selected_string:
fcol = 'green'
ecol = 'green'
elif act not in allowed_strings:
fcol = 'red'
ecol = 'red'
else:
fcol = 'black'
ecol = 'black'
if act == "U":
dx = 0
dy = -0.6
if act == "D":
dx = 0
dy = 0.6
if act == "L":
dx = -0.6
dy = 0
if act == "R":
dx = 0.6
dy = 0
arr = self._ax.arrow(xloc+0.5, yloc+0.5, dx, dy, head_width=0.12, ec=ecol, fc=fcol, lw=0.04)
self._tmp_objects.append(arr)
def _get_ego_loc(self, state):
if self.has_shaping:
ego_xloc = state[3]
ego_yloc = state[2]
else:
ego_xloc = state[1]
ego_yloc= state[0]
return ego_xloc, ego_yloc
def _get_adv_loc(self, state, index=0):
if self.has_shaping:
adv_xloc = state[3]
adv_yloc = state[2]
else:
adv_xloc = state[1]
adv_yloc = state[0]
assert adv_xloc <= self._maxX
assert adv_yloc <= self._maxY, f"Yloc {adv_yloc} should be on the grid with dimension {self._maxY}"
return adv_xloc, adv_yloc
def _get_interactive_landmark_loc(self, index):
y, x = self._annotation.interactive_landmark_constants[index]
return x,y
def _get_interactive_landmark_status(self, state, index, labels, debug=False):
if self._annotation.landmark_label[index] in labels and not (self.landmark_status[index]==InteractiveLandmarkStatus.CLEARED):
status = InteractiveLandmarkStatus.CLEARED if (self.landmark_status[index]==InteractiveLandmarkStatus.POSITIVE) else InteractiveLandmarkStatus.POSITIVE
else:
status =InteractiveLandmarkStatus.CLEARED if (self.landmark_status[index]==InteractiveLandmarkStatus.POSITIVE) else self.landmark_status[index]
if debug:
print(status)
self.landmark_status[index] = status
return status
def _get_adv_direction(self, state, index=0):
if self._annotation.adv_has_direction:
module, var = self._annotation.adv_dir_identifier(index)
dirvar = self._program.get_module(module).get_integer_variable(var).expression_variable
return self._annotation.adversary_direction_value_to_direction(self._get_int_value(state, dirvar))
else:
return None
def _get_adv_radius(self):
radconstant = self._annotation.adv_radius_constant
return None
def _get_ego_radius(self):
if self._ego_scanned_last_round:
return math.inf
radconstant = self._annotation.ego_radius_constant
return radconstant
def _set_camera(self, camera_index):
camera_constant_names = self._annotation.camera_constants(camera_index)
viewarea_xlb = self._program.get_constant(camera_constant_names[0]).definition.evaluate_as_int()
viewarea_ylb = self._program.get_constant(camera_constant_names[1]).definition.evaluate_as_int()
viewarea_xub = self._program.get_constant(camera_constant_names[2]).definition.evaluate_as_int()
viewarea_yub = self._program.get_constant(camera_constant_names[3]).definition.evaluate_as_int()
viewarea = patches.Rectangle((viewarea_xlb, viewarea_ylb), viewarea_xub - viewarea_xlb + 1,
viewarea_yub - viewarea_ylb + 1, linewidth=7, edgecolor='b', facecolor='b',
alpha=0.05, hatch='o')
self._ax.add_patch(viewarea)
self._tmp_objects.append(viewarea)
def _set_adv_area(self, adv_index):
if self._annotation.adv_draw_area_boundaries:
corner_constant_names = self._annotation.adv_area(adv_index)
viewarea_xlb = self._program.get_constant(corner_constant_names[0]).definition.evaluate_as_int()
viewarea_ylb = self._program.get_constant(corner_constant_names[1]).definition.evaluate_as_int()
viewarea_xub = self._program.get_constant(corner_constant_names[2]).definition.evaluate_as_int()
viewarea_yub = self._program.get_constant(corner_constant_names[3]).definition.evaluate_as_int()
viewarea = patches.Rectangle((viewarea_xlb, viewarea_ylb), viewarea_xub - viewarea_xlb + 1,
viewarea_yub - viewarea_ylb + 1, linewidth=2.3, edgecolor='r', fill=False, linestyle="dashed",
alpha=1)
self._ax.add_patch(viewarea)
self._tmp_objects.append(viewarea)
def render(self, snapshot, show_frame_count=None, show=False, debug=False):
logger.debug("start rendering")
self._clear()
ax = self._ax
if debug:
print(snapshot)
ego_xloc, ego_yloc = self._get_ego_loc(snapshot['state_0'])
ego_radius = self._get_ego_radius()
# print(snapshot['state_0'],snapshot['action_0'],snapshot['action_0'][0])
if self._get_action_string(snapshot['state_0'], snapshot['action_0'][0]) is not None and self._get_action_string(snapshot['state_0'], snapshot['action_0'][0]) == self._annotation.scan_action:
self._ego_scanned_last_round = True
else:
self._ego_scanned_last_round = False
if self.has_shaping:
self._set_ego(ax, ego_xloc, ego_yloc, snapshot['state_0'][1], ego_radius)
else:
self._set_ego(ax, ego_xloc, ego_yloc, 'n/a', ego_radius)
# only for belief support traces
if hasattr(snapshot, 'potential_states'):
for bstate in snapshot.potential_states:
ego_xloc_alt, ego_yloc_alt = self._get_ego_loc(bstate)
self._set_ego_alternatives(ax, ego_xloc_alt, ego_yloc_alt)
# allow to always see an area
for cameraindex in range(self._annotation.nr_cameras):
self._set_camera(cameraindex)
# For rendering stuff like energy bars
if self._annotation.has_resources:
var = self._annotation.resource_identifiers[0]
resource_level = self._get_int_value(snapshot[var])
max_resource_level =self._annotation.max_resource_level_constants[0]
self._set_resources(float(resource_level)/float(max_resource_level))
# For rendering all other moving obstacles
for i in range(self._annotation.nr_adversaries):
self._set_adv_area(i)
adv_xloc, adv_yloc = self._get_adv_loc(snapshot[f'state_{i+1}'])
adv_direction = self._get_adv_direction(snapshot[f'state_{i+1}'])
adv_radius = self._get_adv_radius()
if self.has_shaping:
self._set_adversary(ax, adv_xloc, adv_yloc, adv_direction, adv_radius, snapshot[f'state_{i+1}'][1], i)
else:
self._set_adversary(ax, adv_xloc, adv_yloc, adv_direction, adv_radius, 'n/a', i)
self._set_adv_actions(snapshot[f'state_{i+1}'],adv_xloc, adv_yloc, snapshot[f'available_actions_{i+1}'], snapshot[f'action_{i+1}'][0], debug=debug)
if hasattr(snapshot, 'potential_states'):
for bstate in snapshot['potential_states']:
adv_xloc_alt, adv_yloc_alt = self._get_adv_loc(bstate,i)
self._set_adv_alternatives(adv_xloc_alt, adv_yloc_alt)
# Determine which actions we take
self._set_actions(snapshot['state_0'], ego_xloc, ego_yloc, snapshot['available_actions_0'], snapshot['action_0'][0], debug=debug)
# For rendering obstacles that have a state (but that do not move)
for i in range(self._annotation.nr_interactive_landmarks):
x, y = self._get_interactive_landmark_loc(i)
status = self._get_interactive_landmark_status(snapshot['state_0'], i, snapshot['labels'])
belief = InteractiveLandmarkBelief.KNOWN
# for st in snapshot.potential_states:
# if status != self._get_interactive_landmark_status(st, i):
# belief = InteractiveLandmarkBelief.QUESTIONMARK
# break
self._set_interactive_landmarks(x, y, status, belief, i)
# Right bottom (number of steps so far)
if show_frame_count:
props = dict(boxstyle='round', facecolor='white', alpha=0.5)
txt = self._ax_info.text(1.0, -0.01, str(show_frame_count), fontdict={'family': 'monospace'},
transform=self._ax_info.transAxes, fontsize=14,
verticalalignment='top', bbox=props)
self._tmp_objects.append(txt)
ax.pcolor(self._data, cmap=colors, edgecolors='k', linestyle= 'dashed', linewidths=0.2, vmin=0, vmax=7)
logger.debug("done rendering")
if show:
plt.show()
def record(self, file, trace, debug=False):
if file.endswith(".gif"):
gif = True
else:
gif = False
if gif:
moviewriter = mpl.animation.ImageMagickWriter(fps=1)
else:
moviewriter = mpl.animation.FFMpegWriter(fps=1)
if trace.shape[0] == 0:
print('Error: empty trace!', trace.shape)
else:
i = 1
with moviewriter.saving(self._fig, file, dpi=150):
for idx, snapshot in tqdm(trace.iterrows(), total=trace.shape[0]):
self.render(snapshot, show_frame_count=i, debug=debug)
moviewriter.grab_frame()
i += 1
self._reset()