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
|
from future.utils import viewitems, viewvalues
from miasm.expression.expression import ExprId
from miasm.ir.ir import IRBlock, AssignBlock
from miasm.analysis.ssa import get_phi_sources_parent_block, \
irblock_has_phi
class Varinfo(object):
"""Store liveness information for a variable"""
__slots__ = ["live_index", "loc_key", "index"]
def __init__(self, live_index, loc_key, index):
self.live_index = live_index
self.loc_key = loc_key
self.index = index
class UnSSADiGraph(object):
"""
Implements unssa algorithm
Revisiting Out-of-SSA Translation for Correctness, Code Quality, and
Efficiency
"""
def __init__(self, ssa, head, cfg_liveness):
self.cfg_liveness = cfg_liveness
self.ssa = ssa
self.head = head
# Set of created variables
self.copy_vars = set()
# Virtual parallel copies
# On loc_key's Phi node dst -> set((parent, src))
self.phi_parent_sources = {}
# On loc_key's Phi node, loc_key -> set(Phi dsts)
self.phi_destinations = {}
# Phi's dst -> new var
self.phi_new_var = {}
# For a new_var representing dst:
# new_var -> set(parents of Phi's src in dst = Phi(src,...))
self.new_var_to_srcs_parents = {}
# new_var -> set(variables to be coalesced with, named "merge_set")
self.merge_state = {}
# Launch the algorithm in several steps
self.isolate_phi_nodes_block()
self.init_phis_merge_state()
self.order_ssa_var_dom()
self.aggressive_coalesce_block()
self.insert_parallel_copy()
self.replace_merge_sets()
self.remove_assign_eq()
def insert_parallel_copy(self):
"""
Naive Out-of-SSA from CSSA (without coalescing for now)
- Replace Phi
- Create room for parallel copies in Phi's parents
"""
ircfg = self.ssa.graph
for irblock in list(viewvalues(ircfg.blocks)):
if not irblock_has_phi(irblock):
continue
# Replace Phi with Phi's dst = new_var
parallel_copies = {}
for dst in self.phi_destinations[irblock.loc_key]:
new_var = self.phi_new_var[dst]
parallel_copies[dst] = new_var
assignblks = list(irblock)
assignblks[0] = AssignBlock(parallel_copies, irblock[0].instr)
new_irblock = IRBlock(irblock.loc_db, irblock.loc_key, assignblks)
ircfg.blocks[irblock.loc_key] = new_irblock
# Insert new_var = src in each Phi's parent, at the end of the block
parent_to_parallel_copies = {}
parallel_copies = {}
for dst in irblock[0]:
new_var = self.phi_new_var[dst]
for parent, src in self.phi_parent_sources[dst]:
parent_to_parallel_copies.setdefault(parent, {})[new_var] = src
for parent, parallel_copies in viewitems(parent_to_parallel_copies):
parent = ircfg.blocks[parent]
assignblks = list(parent)
assignblks.append(AssignBlock(parallel_copies, parent[-1].instr))
new_irblock = IRBlock(parent.loc_db, parent.loc_key, assignblks)
ircfg.blocks[parent.loc_key] = new_irblock
def create_copy_var(self, var):
"""
Generate a new var standing for @var
@var: variable to replace
"""
new_var = ExprId('var%d' % len(self.copy_vars), var.size)
self.copy_vars.add(new_var)
return new_var
def isolate_phi_nodes_block(self):
"""
Init structures and virtually insert parallel copy before/after each phi
node
"""
ircfg = self.ssa.graph
for irblock in viewvalues(ircfg.blocks):
if not irblock_has_phi(irblock):
continue
for dst, sources in viewitems(irblock[0]):
assert sources.is_op('Phi')
new_var = self.create_copy_var(dst)
self.phi_new_var[dst] = new_var
var_to_parents = get_phi_sources_parent_block(
self.ssa.graph,
irblock.loc_key,
sources.args
)
for src in sources.args:
parents = var_to_parents[src]
self.new_var_to_srcs_parents.setdefault(new_var, set()).update(parents)
for parent in parents:
self.phi_parent_sources.setdefault(dst, set()).add((parent, src))
self.phi_destinations[irblock.loc_key] = set(irblock[0])
def init_phis_merge_state(self):
"""
Generate trivial coalescing of phi variable and itself
"""
for phi_new_var in viewvalues(self.phi_new_var):
self.merge_state.setdefault(phi_new_var, set([phi_new_var]))
def order_ssa_var_dom(self):
"""Compute dominance order of each ssa variable"""
ircfg = self.ssa.graph
# compute dominator tree
dominator_tree = ircfg.compute_dominator_tree(self.head)
# variable -> Varinfo
self.var_to_varinfo = {}
# live_index can later be used to compare dominance of AssignBlocks
live_index = 0
# walk in DFS over the dominator tree
for loc_key in dominator_tree.walk_depth_first_forward(self.head):
irblock = ircfg.blocks.get(loc_key, None)
if irblock is None:
continue
# Create live index for phi new vars
# They do not exist in the graph yet, so index is set to None
if irblock_has_phi(irblock):
for dst in irblock[0]:
if not dst.is_id():
continue
new_var = self.phi_new_var[dst]
self.var_to_varinfo[new_var] = Varinfo(live_index, loc_key, None)
live_index += 1
# Create live index for remaining assignments
for index, assignblk in enumerate(irblock):
used = False
for dst in assignblk:
if not dst.is_id():
continue
if dst in self.ssa.immutable_ids:
# Will not be considered by the current algo, ignore it
# (for instance, IRDst)
continue
assert dst not in self.var_to_varinfo
self.var_to_varinfo[dst] = Varinfo(live_index, loc_key, index)
used = True
if used:
live_index += 1
def ssa_def_dominates(self, node_a, node_b):
"""
Return living index order of @node_a and @node_b
@node_a: Varinfo instance
@node_b: Varinfo instance
"""
ret = self.var_to_varinfo[node_a].live_index <= self.var_to_varinfo[node_b].live_index
return ret
def merge_set_sort(self, merge_set):
"""
Return a sorted list of (live_index, var) from @merge_set in dominance
order
@merge_set: set of coalescing variables
"""
return sorted(
(self.var_to_varinfo[var].live_index, var)
for var in merge_set
)
def ssa_def_is_live_at(self, node_a, node_b, parent):
"""
Return True if @node_a is live during @node_b definition
If @parent is None, this is a liveness test for a post phi variable;
Else, it is a liveness test for a variable source of the phi node
@node_a: Varinfo instance
@node_b: Varinfo instance
@parent: Optional parent location of the phi source
"""
loc_key_b, index_b = self.var_to_varinfo[node_b].loc_key, self.var_to_varinfo[node_b].index
if parent and index_b is None:
index_b = 0
if node_a not in self.new_var_to_srcs_parents:
# node_a is not a new var (it is a "classic" var)
# -> use a basic liveness test
liveness_b = self.cfg_liveness.blocks[loc_key_b].infos[index_b]
return node_a in liveness_b.var_out
for def_loc_key in self.new_var_to_srcs_parents[node_a]:
# Consider node_a as defined at the end of its parents blocks
# and compute liveness check accordingly
if def_loc_key == parent:
# Same path as node_a definition, so SSA ensure b cannot be live
# on this path (otherwise, a Phi would already happen earlier)
continue
liveness_end_block = self.cfg_liveness.blocks[def_loc_key].infos[-1]
if node_b in liveness_end_block.var_out:
return True
return False
def merge_nodes_interfere(self, node_a, node_b, parent):
"""
Return True if @node_a and @node_b interfere
@node_a: variable
@node_b: variable
@parent: Optional parent location of the phi source for liveness tests
Interference check is: is x live at y definition (or reverse)
TODO: add Value-based interference improvement
"""
if self.var_to_varinfo[node_a].live_index == self.var_to_varinfo[node_b].live_index:
# Defined in the same AssignBlock -> interfere
return True
if self.var_to_varinfo[node_a].live_index < self.var_to_varinfo[node_b].live_index:
return self.ssa_def_is_live_at(node_a, node_b, parent)
return self.ssa_def_is_live_at(node_b, node_a, parent)
def merge_sets_interfere(self, merge_a, merge_b, parent):
"""
Return True if no variable in @merge_a and @merge_b interferes.
Implementation of "Algorithm 2: Check intersection in a set of variables"
@merge_a: a dom ordered list of equivalent variables
@merge_b: a dom ordered list of equivalent variables
@parent: Optional parent location of the phi source for liveness tests
"""
if merge_a == merge_b:
# No need to consider interference if equal
return False
merge_a_list = self.merge_set_sort(merge_a)
merge_b_list = self.merge_set_sort(merge_b)
dom = []
while merge_a_list or merge_b_list:
if not merge_a_list:
_, current = merge_b_list.pop(0)
elif not merge_b_list:
_, current = merge_a_list.pop(0)
else:
# compare live_indexes (standing for dominance)
if merge_a_list[-1] < merge_b_list[-1]:
_, current = merge_a_list.pop(0)
else:
_, current = merge_b_list.pop(0)
while dom and not self.ssa_def_dominates(dom[-1], current):
dom.pop()
# Don't test node in same merge_set
if (
# Is stack not empty?
dom and
# Trivial non-interference if dom.top() and current come
# from the same merge set
not (dom[-1] in merge_a and current in merge_a) and
not (dom[-1] in merge_b and current in merge_b) and
# Actually test for interference
self.merge_nodes_interfere(current, dom[-1], parent)
):
return True
dom.append(current)
return False
def aggressive_coalesce_parallel_copy(self, parallel_copies, parent):
"""
Try to coalesce variables each dst/src couple together from
@parallel_copies
@parallel_copies: a dictionary representing dst/src parallel
assignments.
@parent: Optional parent location of the phi source for liveness tests
"""
for dst, src in viewitems(parallel_copies):
dst_merge = self.merge_state.setdefault(dst, set([dst]))
src_merge = self.merge_state.setdefault(src, set([src]))
if not self.merge_sets_interfere(dst_merge, src_merge, parent):
dst_merge.update(src_merge)
for node in dst_merge:
self.merge_state[node] = dst_merge
def aggressive_coalesce_block(self):
"""Try to coalesce phi var with their pre/post variables"""
ircfg = self.ssa.graph
# Run coalesce on the post phi parallel copy
for irblock in viewvalues(ircfg.blocks):
if not irblock_has_phi(irblock):
continue
parallel_copies = {}
for dst in self.phi_destinations[irblock.loc_key]:
parallel_copies[dst] = self.phi_new_var[dst]
self.aggressive_coalesce_parallel_copy(parallel_copies, None)
# Run coalesce on the pre phi parallel copy
# Stand for the virtual parallel copies at the end of Phi's block
# parents
parent_to_parallel_copies = {}
for dst in irblock[0]:
new_var = self.phi_new_var[dst]
for parent, src in self.phi_parent_sources[dst]:
parent_to_parallel_copies.setdefault(parent, {})[new_var] = src
for parent, parallel_copies in viewitems(parent_to_parallel_copies):
self.aggressive_coalesce_parallel_copy(parallel_copies, parent)
def get_best_merge_set_name(self, merge_set):
"""
For a given @merge_set, prefer an original SSA variable instead of a
created copy. In other case, take a random name.
@merge_set: set of equivalent expressions
"""
if not merge_set:
raise RuntimeError("Merge set should not be empty")
for var in merge_set:
if var not in self.copy_vars:
return var
# Get random name
return var
def replace_merge_sets(self):
"""
In the graph, replace all variables from merge state by their
representative variable
"""
replace = {}
merge_sets = set()
# Elect representative for merge sets
merge_set_to_name = {}
for merge_set in viewvalues(self.merge_state):
frozen_merge_set = frozenset(merge_set)
merge_sets.add(frozen_merge_set)
var_name = self.get_best_merge_set_name(merge_set)
merge_set_to_name[frozen_merge_set] = var_name
# Generate replacement of variable by their representative
for merge_set in merge_sets:
var_name = merge_set_to_name[merge_set]
merge_set = list(merge_set)
for var in merge_set:
replace[var] = var_name
self.ssa.graph.simplify(lambda x: x.replace_expr(replace))
def remove_phi(self):
"""
Remove phi operators in @ifcfg
@ircfg: IRDiGraph instance
"""
for irblock in list(viewvalues(self.ssa.graph.blocks)):
assignblks = list(irblock)
out = {}
for dst, src in viewitems(assignblks[0]):
if src.is_op('Phi'):
assert set([dst]) == set(src.args)
continue
out[dst] = src
assignblks[0] = AssignBlock(out, assignblks[0].instr)
self.ssa.graph.blocks[irblock.loc_key] = IRBlock(irblock.loc_db, irblock.loc_key, assignblks)
def remove_assign_eq(self):
"""
Remove trivial expressions (a=a) in the current graph
"""
for irblock in list(viewvalues(self.ssa.graph.blocks)):
assignblks = list(irblock)
for i, assignblk in enumerate(assignblks):
out = {}
for dst, src in viewitems(assignblk):
if dst == src:
continue
out[dst] = src
assignblks[i] = AssignBlock(out, assignblk.instr)
self.ssa.graph.blocks[irblock.loc_key] = IRBlock(irblock.loc_db, irblock.loc_key, assignblks)
|