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
use analysis::{reaching_definitions, def_use};
use error::*;
use il;
use std::collections::HashSet;
#[allow(dead_code)]
pub fn dead_code_elimination(function: &il::Function)
-> Result<il::Function> {
let rd = reaching_definitions::reaching_definitions(function)?;
let mut live: HashSet<il::RefFunctionLocation> = HashSet::new();
function.blocks()
.into_iter()
.filter(|block|
function.control_flow_graph()
.edges_out(block.index())
.unwrap()
.is_empty())
.for_each(|block| {
let rfl =
if let Some(instruction) = block.instructions().last() {
il::RefFunctionLocation::Instruction(block, instruction)
}
else {
il::RefFunctionLocation::EmptyBlock(block)
};
let rpl = il::RefProgramLocation::new(function, rfl);
rd.get(&rpl).unwrap().locations()
.iter()
.for_each(|location| {
live.insert(location.function_location().clone().into());
});
});
for block in function.blocks() {
for instruction in block.instructions() {
match *instruction.operation() {
il::Operation::Branch { .. } |
il::Operation::Intrinsic { .. } => {
let rpl = il::RefProgramLocation::new(function,
il::RefFunctionLocation::Instruction(block, instruction));
rd[&rpl].locations()
.into_iter()
.for_each(|location| {
live.insert(location.function_location().clone());
});
}
_ => {}
}
}
}
let du = def_use(function)?;
let kill =
function.locations()
.into_iter()
.filter(|location|
location.instruction().map(|instruction|
!instruction.scalars_written()
.map(|scalars_written| scalars_written.is_empty())
.unwrap_or(false))
.unwrap_or(false))
.filter(|location| !live.contains(location))
.filter(|location|
du[&location.clone().program_location(function)].is_empty())
.collect::<Vec<il::RefFunctionLocation>>();
let kill: Vec<il::FunctionLocation> =
kill.into_iter()
.map(|location| location.into())
.collect();
let mut dce_function = function.clone();
for k in kill {
let instruction_index = k.instruction_index().unwrap();
let block_index = k.block_index().unwrap();
let mut block = dce_function.block_mut(block_index).unwrap();
*block.instruction_mut(instruction_index)
.ok_or("Failed to find instruction")?
.operation_mut() = il::Operation::Nop;
}
Ok(dce_function)
}