-
Notifications
You must be signed in to change notification settings - Fork 59
/
Copy pathConstantFolding.cpp
81 lines (77 loc) · 2.77 KB
/
ConstantFolding.cpp
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
#include "ConstantFolding.hpp"
using namespace llvm;
PreservedAnalyses
ConstantFolding::run(Module& mod, ModuleAnalysisManager& mam)
{
int constFoldTimes = 0;
// 遍历所有函数
for (auto& func : mod) {
// 遍历每个函数的基本块
for (auto& bb : func) {
std::vector<Instruction*> instToErase;
// 遍历每个基本块的指令
for (auto& inst : bb) {
// 判断当前指令是否是二元运算指令
if (auto binOp = dyn_cast<BinaryOperator>(&inst)) {
// 获取二元运算指令的左右操作数,并尝试转换为常整数
Value* lhs = binOp->getOperand(0);
Value* rhs = binOp->getOperand(1);
auto constLhs = dyn_cast<ConstantInt>(lhs);
auto constRhs = dyn_cast<ConstantInt>(rhs);
switch (binOp->getOpcode()) {
case Instruction::Add: {
// 若左右操作数均为整数常量,则进行常量折叠与use替换
if (constLhs && constRhs) {
binOp->replaceAllUsesWith(ConstantInt::getSigned(
binOp->getType(),
constLhs->getSExtValue() + constRhs->getSExtValue()));
instToErase.push_back(binOp);
++constFoldTimes;
}
break;
}
case Instruction::Sub: {
if (constLhs && constRhs) {
binOp->replaceAllUsesWith(ConstantInt::getSigned(
binOp->getType(),
constLhs->getSExtValue() - constRhs->getSExtValue()));
instToErase.push_back(binOp);
++constFoldTimes;
}
break;
}
case Instruction::Mul: {
if (constLhs && constRhs) {
binOp->replaceAllUsesWith(ConstantInt::getSigned(
binOp->getType(),
constLhs->getSExtValue() * constRhs->getSExtValue()));
instToErase.push_back(binOp);
++constFoldTimes;
}
break;
}
case Instruction::UDiv:
case Instruction::SDiv: {
if (constLhs && constRhs) {
binOp->replaceAllUsesWith(ConstantInt::getSigned(
binOp->getType(),
constLhs->getSExtValue() / constRhs->getSExtValue()));
instToErase.push_back(binOp);
++constFoldTimes;
}
break;
}
default:
break;
}
}
}
// 统一删除被折叠为常量的指令
for (auto& i : instToErase)
i->eraseFromParent();
}
}
mOut << "ConstantFolding running...\nTo eliminate " << constFoldTimes
<< " instructions\n";
return PreservedAnalyses::all();
}