blob: ded66afaa1b9cc30b2e59689f25f1f7282962e00 [file] [log] [blame]
Chris Lattner1c08c712005-01-07 07:47:53 +00001//===-- SelectionDAGISel.cpp - Implement the SelectionDAGISel class -------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file was developed by the LLVM research group and is distributed under
6// the University of Illinois Open Source License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This implements the SelectionDAGISel class.
11//
12//===----------------------------------------------------------------------===//
13
14#define DEBUG_TYPE "isel"
15#include "llvm/CodeGen/SelectionDAGISel.h"
16#include "llvm/Constants.h"
17#include "llvm/DerivedTypes.h"
18#include "llvm/Function.h"
19#include "llvm/Instructions.h"
20#include "llvm/Intrinsics.h"
21#include "llvm/CodeGen/MachineFunction.h"
22#include "llvm/CodeGen/MachineFrameInfo.h"
23#include "llvm/CodeGen/MachineInstrBuilder.h"
24#include "llvm/CodeGen/SelectionDAG.h"
25#include "llvm/CodeGen/SSARegMap.h"
26#include "llvm/Target/TargetData.h"
27#include "llvm/Target/TargetFrameInfo.h"
28#include "llvm/Target/TargetInstrInfo.h"
29#include "llvm/Target/TargetLowering.h"
30#include "llvm/Target/TargetMachine.h"
Chris Lattner7944d9d2005-01-12 03:41:21 +000031#include "llvm/Support/CommandLine.h"
Chris Lattner1c08c712005-01-07 07:47:53 +000032#include "llvm/Support/Debug.h"
33#include <map>
34#include <iostream>
35using namespace llvm;
36
Chris Lattner7944d9d2005-01-12 03:41:21 +000037#ifndef _NDEBUG
38static cl::opt<bool>
39ViewDAGs("view-isel-dags", cl::Hidden,
40 cl::desc("Pop up a window to show isel dags as they are selected"));
41#else
42static const bool ViewDAGS = 0;
43#endif
44
Chris Lattner1c08c712005-01-07 07:47:53 +000045namespace llvm {
46 //===--------------------------------------------------------------------===//
47 /// FunctionLoweringInfo - This contains information that is global to a
48 /// function that is used when lowering a region of the function.
Chris Lattnerf26bc8e2005-01-08 19:52:31 +000049 class FunctionLoweringInfo {
50 public:
Chris Lattner1c08c712005-01-07 07:47:53 +000051 TargetLowering &TLI;
52 Function &Fn;
53 MachineFunction &MF;
54 SSARegMap *RegMap;
55
56 FunctionLoweringInfo(TargetLowering &TLI, Function &Fn,MachineFunction &MF);
57
58 /// MBBMap - A mapping from LLVM basic blocks to their machine code entry.
59 std::map<const BasicBlock*, MachineBasicBlock *> MBBMap;
60
61 /// ValueMap - Since we emit code for the function a basic block at a time,
62 /// we must remember which virtual registers hold the values for
63 /// cross-basic-block values.
64 std::map<const Value*, unsigned> ValueMap;
65
66 /// StaticAllocaMap - Keep track of frame indices for fixed sized allocas in
67 /// the entry block. This allows the allocas to be efficiently referenced
68 /// anywhere in the function.
69 std::map<const AllocaInst*, int> StaticAllocaMap;
70
Chris Lattner0afa8e32005-01-17 17:55:19 +000071 /// BlockLocalArguments - If any arguments are only used in a single basic
72 /// block, and if the target can access the arguments without side-effects,
73 /// avoid emitting CopyToReg nodes for those arguments. This map keeps
74 /// track of which arguments are local to each BB.
75 std::multimap<BasicBlock*, std::pair<Argument*,
76 unsigned> > BlockLocalArguments;
77
78
Chris Lattner1c08c712005-01-07 07:47:53 +000079 unsigned MakeReg(MVT::ValueType VT) {
80 return RegMap->createVirtualRegister(TLI.getRegClassFor(VT));
81 }
82
83 unsigned CreateRegForValue(const Value *V) {
84 MVT::ValueType VT = TLI.getValueType(V->getType());
85 // The common case is that we will only create one register for this
86 // value. If we have that case, create and return the virtual register.
87 unsigned NV = TLI.getNumElements(VT);
Chris Lattnerfb849802005-01-16 00:37:38 +000088 if (NV == 1) {
89 // If we are promoting this value, pick the next largest supported type.
Chris Lattner98e5c0e2005-01-16 01:11:19 +000090 return MakeReg(TLI.getTypeToTransformTo(VT));
Chris Lattnerfb849802005-01-16 00:37:38 +000091 }
Chris Lattner1c08c712005-01-07 07:47:53 +000092
93 // If this value is represented with multiple target registers, make sure
94 // to create enough consequtive registers of the right (smaller) type.
95 unsigned NT = VT-1; // Find the type to use.
96 while (TLI.getNumElements((MVT::ValueType)NT) != 1)
97 --NT;
98
99 unsigned R = MakeReg((MVT::ValueType)NT);
100 for (unsigned i = 1; i != NV; ++i)
101 MakeReg((MVT::ValueType)NT);
102 return R;
103 }
104
105 unsigned InitializeRegForValue(const Value *V) {
106 unsigned &R = ValueMap[V];
107 assert(R == 0 && "Already initialized this value register!");
108 return R = CreateRegForValue(V);
109 }
110 };
111}
112
113/// isUsedOutsideOfDefiningBlock - Return true if this instruction is used by
114/// PHI nodes or outside of the basic block that defines it.
115static bool isUsedOutsideOfDefiningBlock(Instruction *I) {
116 if (isa<PHINode>(I)) return true;
117 BasicBlock *BB = I->getParent();
118 for (Value::use_iterator UI = I->use_begin(), E = I->use_end(); UI != E; ++UI)
119 if (cast<Instruction>(*UI)->getParent() != BB || isa<PHINode>(*UI))
120 return true;
121 return false;
122}
123
124FunctionLoweringInfo::FunctionLoweringInfo(TargetLowering &tli,
125 Function &fn, MachineFunction &mf)
126 : TLI(tli), Fn(fn), MF(mf), RegMap(MF.getSSARegMap()) {
127
128 // Initialize the mapping of values to registers. This is only set up for
129 // instruction values that are used outside of the block that defines
130 // them.
Chris Lattnere4d5c442005-03-15 04:54:21 +0000131 for (Function::arg_iterator AI = Fn.arg_begin(), E = Fn.arg_end(); AI != E; ++AI)
Chris Lattner1c08c712005-01-07 07:47:53 +0000132 InitializeRegForValue(AI);
133
134 Function::iterator BB = Fn.begin(), E = Fn.end();
135 for (BasicBlock::iterator I = BB->begin(), E = BB->end(); I != E; ++I)
136 if (AllocaInst *AI = dyn_cast<AllocaInst>(I))
137 if (ConstantUInt *CUI = dyn_cast<ConstantUInt>(AI->getArraySize())) {
138 const Type *Ty = AI->getAllocatedType();
139 uint64_t TySize = TLI.getTargetData().getTypeSize(Ty);
140 unsigned Align = TLI.getTargetData().getTypeAlignment(Ty);
141 TySize *= CUI->getValue(); // Get total allocated size.
142 StaticAllocaMap[AI] =
Chris Lattnerf26bc8e2005-01-08 19:52:31 +0000143 MF.getFrameInfo()->CreateStackObject((unsigned)TySize, Align);
Chris Lattner1c08c712005-01-07 07:47:53 +0000144 }
145
146 for (; BB != E; ++BB)
Chris Lattnerf26bc8e2005-01-08 19:52:31 +0000147 for (BasicBlock::iterator I = BB->begin(), e = BB->end(); I != e; ++I)
Chris Lattner1c08c712005-01-07 07:47:53 +0000148 if (!I->use_empty() && isUsedOutsideOfDefiningBlock(I))
149 if (!isa<AllocaInst>(I) ||
150 !StaticAllocaMap.count(cast<AllocaInst>(I)))
151 InitializeRegForValue(I);
152
153 // Create an initial MachineBasicBlock for each LLVM BasicBlock in F. This
154 // also creates the initial PHI MachineInstrs, though none of the input
155 // operands are populated.
156 for (Function::iterator BB = Fn.begin(), E = Fn.end(); BB != E; ++BB) {
157 MachineBasicBlock *MBB = new MachineBasicBlock(BB);
158 MBBMap[BB] = MBB;
159 MF.getBasicBlockList().push_back(MBB);
160
161 // Create Machine PHI nodes for LLVM PHI nodes, lowering them as
162 // appropriate.
163 PHINode *PN;
164 for (BasicBlock::iterator I = BB->begin();
Chris Lattnerf44fd882005-01-07 21:34:19 +0000165 (PN = dyn_cast<PHINode>(I)); ++I)
166 if (!PN->use_empty()) {
167 unsigned NumElements =
168 TLI.getNumElements(TLI.getValueType(PN->getType()));
169 unsigned PHIReg = ValueMap[PN];
170 assert(PHIReg &&"PHI node does not have an assigned virtual register!");
171 for (unsigned i = 0; i != NumElements; ++i)
172 BuildMI(MBB, TargetInstrInfo::PHI, PN->getNumOperands(), PHIReg+i);
173 }
Chris Lattner1c08c712005-01-07 07:47:53 +0000174 }
175}
176
177
178
179//===----------------------------------------------------------------------===//
180/// SelectionDAGLowering - This is the common target-independent lowering
181/// implementation that is parameterized by a TargetLowering object.
182/// Also, targets can overload any lowering method.
183///
184namespace llvm {
185class SelectionDAGLowering {
186 MachineBasicBlock *CurMBB;
187
188 std::map<const Value*, SDOperand> NodeMap;
189
Chris Lattnerd3948112005-01-17 22:19:26 +0000190 /// PendingLoads - Loads are not emitted to the program immediately. We bunch
191 /// them up and then emit token factor nodes when possible. This allows us to
192 /// get simple disambiguation between loads without worrying about alias
193 /// analysis.
194 std::vector<SDOperand> PendingLoads;
195
Chris Lattner1c08c712005-01-07 07:47:53 +0000196public:
197 // TLI - This is information that describes the available target features we
198 // need for lowering. This indicates when operations are unavailable,
199 // implemented with a libcall, etc.
200 TargetLowering &TLI;
201 SelectionDAG &DAG;
202 const TargetData &TD;
203
204 /// FuncInfo - Information about the function as a whole.
205 ///
206 FunctionLoweringInfo &FuncInfo;
207
208 SelectionDAGLowering(SelectionDAG &dag, TargetLowering &tli,
209 FunctionLoweringInfo &funcinfo)
210 : TLI(tli), DAG(dag), TD(DAG.getTarget().getTargetData()),
211 FuncInfo(funcinfo) {
212 }
213
Chris Lattnera651cf62005-01-17 19:43:36 +0000214 /// getRoot - Return the current virtual root of the Selection DAG.
215 ///
216 SDOperand getRoot() {
Chris Lattnerd3948112005-01-17 22:19:26 +0000217 if (PendingLoads.empty())
218 return DAG.getRoot();
219
220 if (PendingLoads.size() == 1) {
221 SDOperand Root = PendingLoads[0];
222 DAG.setRoot(Root);
223 PendingLoads.clear();
224 return Root;
225 }
226
227 // Otherwise, we have to make a token factor node.
228 SDOperand Root = DAG.getNode(ISD::TokenFactor, MVT::Other, PendingLoads);
229 PendingLoads.clear();
230 DAG.setRoot(Root);
231 return Root;
Chris Lattnera651cf62005-01-17 19:43:36 +0000232 }
233
Chris Lattner1c08c712005-01-07 07:47:53 +0000234 void visit(Instruction &I) { visit(I.getOpcode(), I); }
235
236 void visit(unsigned Opcode, User &I) {
237 switch (Opcode) {
238 default: assert(0 && "Unknown instruction type encountered!");
239 abort();
240 // Build the switch statement using the Instruction.def file.
241#define HANDLE_INST(NUM, OPCODE, CLASS) \
242 case Instruction::OPCODE:return visit##OPCODE((CLASS&)I);
243#include "llvm/Instruction.def"
244 }
245 }
246
247 void setCurrentBasicBlock(MachineBasicBlock *MBB) { CurMBB = MBB; }
248
249
250 SDOperand getIntPtrConstant(uint64_t Val) {
251 return DAG.getConstant(Val, TLI.getPointerTy());
252 }
253
254 SDOperand getValue(const Value *V) {
255 SDOperand &N = NodeMap[V];
256 if (N.Val) return N;
257
258 MVT::ValueType VT = TLI.getValueType(V->getType());
259 if (Constant *C = const_cast<Constant*>(dyn_cast<Constant>(V)))
260 if (ConstantExpr *CE = dyn_cast<ConstantExpr>(C)) {
261 visit(CE->getOpcode(), *CE);
262 assert(N.Val && "visit didn't populate the ValueMap!");
263 return N;
264 } else if (GlobalValue *GV = dyn_cast<GlobalValue>(C)) {
265 return N = DAG.getGlobalAddress(GV, VT);
266 } else if (isa<ConstantPointerNull>(C)) {
267 return N = DAG.getConstant(0, TLI.getPointerTy());
268 } else if (isa<UndefValue>(C)) {
269 /// FIXME: Implement UNDEFVALUE better.
270 if (MVT::isInteger(VT))
271 return N = DAG.getConstant(0, VT);
272 else if (MVT::isFloatingPoint(VT))
273 return N = DAG.getConstantFP(0, VT);
274 else
275 assert(0 && "Unknown value type!");
276
277 } else if (ConstantFP *CFP = dyn_cast<ConstantFP>(C)) {
278 return N = DAG.getConstantFP(CFP->getValue(), VT);
279 } else {
280 // Canonicalize all constant ints to be unsigned.
281 return N = DAG.getConstant(cast<ConstantIntegral>(C)->getRawValue(),VT);
282 }
283
284 if (const AllocaInst *AI = dyn_cast<AllocaInst>(V)) {
285 std::map<const AllocaInst*, int>::iterator SI =
286 FuncInfo.StaticAllocaMap.find(AI);
287 if (SI != FuncInfo.StaticAllocaMap.end())
288 return DAG.getFrameIndex(SI->second, TLI.getPointerTy());
289 }
290
291 std::map<const Value*, unsigned>::const_iterator VMI =
292 FuncInfo.ValueMap.find(V);
293 assert(VMI != FuncInfo.ValueMap.end() && "Value not in map!");
Chris Lattnerc8ea3c42005-01-16 02:23:07 +0000294
Chris Lattneref5cd1d2005-01-18 17:54:55 +0000295 return N = DAG.getCopyFromReg(VMI->second, VT, DAG.getEntryNode());
Chris Lattner1c08c712005-01-07 07:47:53 +0000296 }
297
298 const SDOperand &setValue(const Value *V, SDOperand NewN) {
299 SDOperand &N = NodeMap[V];
300 assert(N.Val == 0 && "Already set a value for this node!");
301 return N = NewN;
302 }
303
304 // Terminator instructions.
305 void visitRet(ReturnInst &I);
306 void visitBr(BranchInst &I);
307 void visitUnreachable(UnreachableInst &I) { /* noop */ }
308
309 // These all get lowered before this pass.
310 void visitSwitch(SwitchInst &I) { assert(0 && "TODO"); }
311 void visitInvoke(InvokeInst &I) { assert(0 && "TODO"); }
312 void visitUnwind(UnwindInst &I) { assert(0 && "TODO"); }
313
314 //
315 void visitBinary(User &I, unsigned Opcode);
316 void visitAdd(User &I) { visitBinary(I, ISD::ADD); }
317 void visitSub(User &I) { visitBinary(I, ISD::SUB); }
318 void visitMul(User &I) { visitBinary(I, ISD::MUL); }
319 void visitDiv(User &I) {
320 visitBinary(I, I.getType()->isUnsigned() ? ISD::UDIV : ISD::SDIV);
321 }
322 void visitRem(User &I) {
323 visitBinary(I, I.getType()->isUnsigned() ? ISD::UREM : ISD::SREM);
324 }
325 void visitAnd(User &I) { visitBinary(I, ISD::AND); }
326 void visitOr (User &I) { visitBinary(I, ISD::OR); }
327 void visitXor(User &I) { visitBinary(I, ISD::XOR); }
328 void visitShl(User &I) { visitBinary(I, ISD::SHL); }
329 void visitShr(User &I) {
330 visitBinary(I, I.getType()->isUnsigned() ? ISD::SRL : ISD::SRA);
331 }
332
333 void visitSetCC(User &I, ISD::CondCode SignedOpc, ISD::CondCode UnsignedOpc);
334 void visitSetEQ(User &I) { visitSetCC(I, ISD::SETEQ, ISD::SETEQ); }
335 void visitSetNE(User &I) { visitSetCC(I, ISD::SETNE, ISD::SETNE); }
336 void visitSetLE(User &I) { visitSetCC(I, ISD::SETLE, ISD::SETULE); }
337 void visitSetGE(User &I) { visitSetCC(I, ISD::SETGE, ISD::SETUGE); }
338 void visitSetLT(User &I) { visitSetCC(I, ISD::SETLT, ISD::SETULT); }
339 void visitSetGT(User &I) { visitSetCC(I, ISD::SETGT, ISD::SETUGT); }
340
341 void visitGetElementPtr(User &I);
342 void visitCast(User &I);
343 void visitSelect(User &I);
344 //
345
346 void visitMalloc(MallocInst &I);
347 void visitFree(FreeInst &I);
348 void visitAlloca(AllocaInst &I);
349 void visitLoad(LoadInst &I);
350 void visitStore(StoreInst &I);
351 void visitPHI(PHINode &I) { } // PHI nodes are handled specially.
352 void visitCall(CallInst &I);
353
Chris Lattner1c08c712005-01-07 07:47:53 +0000354 void visitVAStart(CallInst &I);
355 void visitVANext(VANextInst &I);
356 void visitVAArg(VAArgInst &I);
357 void visitVAEnd(CallInst &I);
358 void visitVACopy(CallInst &I);
Chris Lattner39ae3622005-01-09 00:00:49 +0000359 void visitFrameReturnAddress(CallInst &I, bool isFrameAddress);
Chris Lattner1c08c712005-01-07 07:47:53 +0000360
Chris Lattner7041ee32005-01-11 05:56:49 +0000361 void visitMemIntrinsic(CallInst &I, unsigned Op);
Chris Lattner1c08c712005-01-07 07:47:53 +0000362
363 void visitUserOp1(Instruction &I) {
364 assert(0 && "UserOp1 should not exist at instruction selection time!");
365 abort();
366 }
367 void visitUserOp2(Instruction &I) {
368 assert(0 && "UserOp2 should not exist at instruction selection time!");
369 abort();
370 }
371};
372} // end namespace llvm
373
374void SelectionDAGLowering::visitRet(ReturnInst &I) {
375 if (I.getNumOperands() == 0) {
Chris Lattnera651cf62005-01-17 19:43:36 +0000376 DAG.setRoot(DAG.getNode(ISD::RET, MVT::Other, getRoot()));
Chris Lattner1c08c712005-01-07 07:47:53 +0000377 return;
378 }
379
380 SDOperand Op1 = getValue(I.getOperand(0));
Chris Lattnerf51d3bd2005-03-29 19:09:56 +0000381 MVT::ValueType TmpVT;
382
Chris Lattner1c08c712005-01-07 07:47:53 +0000383 switch (Op1.getValueType()) {
384 default: assert(0 && "Unknown value type!");
385 case MVT::i1:
386 case MVT::i8:
387 case MVT::i16:
Chris Lattnerf51d3bd2005-03-29 19:09:56 +0000388 case MVT::i32:
389 // If this is a machine where 32-bits is legal or expanded, promote to
390 // 32-bits, otherwise, promote to 64-bits.
391 if (TLI.getTypeAction(MVT::i32) == TargetLowering::Promote)
392 TmpVT = TLI.getTypeToTransformTo(MVT::i32);
Chris Lattner1c08c712005-01-07 07:47:53 +0000393 else
Chris Lattnerf51d3bd2005-03-29 19:09:56 +0000394 TmpVT = MVT::i32;
395
396 // Extend integer types to result type.
397 if (I.getOperand(0)->getType()->isSigned())
398 Op1 = DAG.getNode(ISD::SIGN_EXTEND, TmpVT, Op1);
399 else
400 Op1 = DAG.getNode(ISD::ZERO_EXTEND, TmpVT, Op1);
Chris Lattner1c08c712005-01-07 07:47:53 +0000401 break;
402 case MVT::f32:
403 // Extend float to double.
404 Op1 = DAG.getNode(ISD::FP_EXTEND, MVT::f64, Op1);
405 break;
Chris Lattner1c08c712005-01-07 07:47:53 +0000406 case MVT::i64:
407 case MVT::f64:
408 break; // No extension needed!
409 }
410
Chris Lattnera651cf62005-01-17 19:43:36 +0000411 DAG.setRoot(DAG.getNode(ISD::RET, MVT::Other, getRoot(), Op1));
Chris Lattner1c08c712005-01-07 07:47:53 +0000412}
413
414void SelectionDAGLowering::visitBr(BranchInst &I) {
415 // Update machine-CFG edges.
416 MachineBasicBlock *Succ0MBB = FuncInfo.MBBMap[I.getSuccessor(0)];
417 CurMBB->addSuccessor(Succ0MBB);
418
419 // Figure out which block is immediately after the current one.
420 MachineBasicBlock *NextBlock = 0;
421 MachineFunction::iterator BBI = CurMBB;
422 if (++BBI != CurMBB->getParent()->end())
423 NextBlock = BBI;
424
425 if (I.isUnconditional()) {
426 // If this is not a fall-through branch, emit the branch.
427 if (Succ0MBB != NextBlock)
Chris Lattnera651cf62005-01-17 19:43:36 +0000428 DAG.setRoot(DAG.getNode(ISD::BR, MVT::Other, getRoot(),
Chris Lattner1c08c712005-01-07 07:47:53 +0000429 DAG.getBasicBlock(Succ0MBB)));
430 } else {
431 MachineBasicBlock *Succ1MBB = FuncInfo.MBBMap[I.getSuccessor(1)];
432 CurMBB->addSuccessor(Succ1MBB);
433
434 SDOperand Cond = getValue(I.getCondition());
435
436 if (Succ1MBB == NextBlock) {
437 // If the condition is false, fall through. This means we should branch
438 // if the condition is true to Succ #0.
Chris Lattnera651cf62005-01-17 19:43:36 +0000439 DAG.setRoot(DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(),
Chris Lattner1c08c712005-01-07 07:47:53 +0000440 Cond, DAG.getBasicBlock(Succ0MBB)));
441 } else if (Succ0MBB == NextBlock) {
442 // If the condition is true, fall through. This means we should branch if
443 // the condition is false to Succ #1. Invert the condition first.
444 SDOperand True = DAG.getConstant(1, Cond.getValueType());
445 Cond = DAG.getNode(ISD::XOR, Cond.getValueType(), Cond, True);
Chris Lattnera651cf62005-01-17 19:43:36 +0000446 DAG.setRoot(DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(),
Chris Lattner1c08c712005-01-07 07:47:53 +0000447 Cond, DAG.getBasicBlock(Succ1MBB)));
448 } else {
449 // Neither edge is a fall through. If the comparison is true, jump to
450 // Succ#0, otherwise branch unconditionally to succ #1.
Chris Lattnera651cf62005-01-17 19:43:36 +0000451 DAG.setRoot(DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(),
Chris Lattner1c08c712005-01-07 07:47:53 +0000452 Cond, DAG.getBasicBlock(Succ0MBB)));
Chris Lattnera651cf62005-01-17 19:43:36 +0000453 DAG.setRoot(DAG.getNode(ISD::BR, MVT::Other, getRoot(),
Chris Lattner1c08c712005-01-07 07:47:53 +0000454 DAG.getBasicBlock(Succ1MBB)));
455 }
456 }
457}
458
459void SelectionDAGLowering::visitBinary(User &I, unsigned Opcode) {
460 SDOperand Op1 = getValue(I.getOperand(0));
461 SDOperand Op2 = getValue(I.getOperand(1));
Chris Lattner2c49f272005-01-19 22:31:21 +0000462
463 if (isa<ShiftInst>(I))
464 Op2 = DAG.getNode(ISD::ZERO_EXTEND, TLI.getShiftAmountTy(), Op2);
465
Chris Lattner1c08c712005-01-07 07:47:53 +0000466 setValue(&I, DAG.getNode(Opcode, Op1.getValueType(), Op1, Op2));
467}
468
469void SelectionDAGLowering::visitSetCC(User &I,ISD::CondCode SignedOpcode,
470 ISD::CondCode UnsignedOpcode) {
471 SDOperand Op1 = getValue(I.getOperand(0));
472 SDOperand Op2 = getValue(I.getOperand(1));
473 ISD::CondCode Opcode = SignedOpcode;
474 if (I.getOperand(0)->getType()->isUnsigned())
475 Opcode = UnsignedOpcode;
Chris Lattnerf30b73b2005-01-18 02:52:03 +0000476 setValue(&I, DAG.getSetCC(Opcode, MVT::i1, Op1, Op2));
Chris Lattner1c08c712005-01-07 07:47:53 +0000477}
478
479void SelectionDAGLowering::visitSelect(User &I) {
480 SDOperand Cond = getValue(I.getOperand(0));
481 SDOperand TrueVal = getValue(I.getOperand(1));
482 SDOperand FalseVal = getValue(I.getOperand(2));
483 setValue(&I, DAG.getNode(ISD::SELECT, TrueVal.getValueType(), Cond,
484 TrueVal, FalseVal));
485}
486
487void SelectionDAGLowering::visitCast(User &I) {
488 SDOperand N = getValue(I.getOperand(0));
489 MVT::ValueType SrcTy = TLI.getValueType(I.getOperand(0)->getType());
490 MVT::ValueType DestTy = TLI.getValueType(I.getType());
491
492 if (N.getValueType() == DestTy) {
493 setValue(&I, N); // noop cast.
Chris Lattnerae0aacb2005-01-08 08:08:56 +0000494 } else if (isInteger(SrcTy)) {
495 if (isInteger(DestTy)) { // Int -> Int cast
496 if (DestTy < SrcTy) // Truncating cast?
497 setValue(&I, DAG.getNode(ISD::TRUNCATE, DestTy, N));
498 else if (I.getOperand(0)->getType()->isSigned())
499 setValue(&I, DAG.getNode(ISD::SIGN_EXTEND, DestTy, N));
500 else
501 setValue(&I, DAG.getNode(ISD::ZERO_EXTEND, DestTy, N));
502 } else { // Int -> FP cast
503 if (I.getOperand(0)->getType()->isSigned())
504 setValue(&I, DAG.getNode(ISD::SINT_TO_FP, DestTy, N));
505 else
506 setValue(&I, DAG.getNode(ISD::UINT_TO_FP, DestTy, N));
507 }
Chris Lattner1c08c712005-01-07 07:47:53 +0000508 } else {
Chris Lattnerae0aacb2005-01-08 08:08:56 +0000509 assert(isFloatingPoint(SrcTy) && "Unknown value type!");
510 if (isFloatingPoint(DestTy)) { // FP -> FP cast
511 if (DestTy < SrcTy) // Rounding cast?
512 setValue(&I, DAG.getNode(ISD::FP_ROUND, DestTy, N));
513 else
514 setValue(&I, DAG.getNode(ISD::FP_EXTEND, DestTy, N));
515 } else { // FP -> Int cast.
516 if (I.getType()->isSigned())
517 setValue(&I, DAG.getNode(ISD::FP_TO_SINT, DestTy, N));
518 else
519 setValue(&I, DAG.getNode(ISD::FP_TO_UINT, DestTy, N));
520 }
Chris Lattner1c08c712005-01-07 07:47:53 +0000521 }
522}
523
524void SelectionDAGLowering::visitGetElementPtr(User &I) {
525 SDOperand N = getValue(I.getOperand(0));
526 const Type *Ty = I.getOperand(0)->getType();
527 const Type *UIntPtrTy = TD.getIntPtrType();
528
529 for (GetElementPtrInst::op_iterator OI = I.op_begin()+1, E = I.op_end();
530 OI != E; ++OI) {
531 Value *Idx = *OI;
532 if (const StructType *StTy = dyn_cast<StructType> (Ty)) {
533 unsigned Field = cast<ConstantUInt>(Idx)->getValue();
534 if (Field) {
535 // N = N + Offset
536 uint64_t Offset = TD.getStructLayout(StTy)->MemberOffsets[Field];
537 N = DAG.getNode(ISD::ADD, N.getValueType(), N,
538 getIntPtrConstant(Offset));
539 }
540 Ty = StTy->getElementType(Field);
541 } else {
542 Ty = cast<SequentialType>(Ty)->getElementType();
543 if (!isa<Constant>(Idx) || !cast<Constant>(Idx)->isNullValue()) {
544 // N = N + Idx * ElementSize;
545 uint64_t ElementSize = TD.getTypeSize(Ty);
Chris Lattner7cc47772005-01-07 21:56:57 +0000546 SDOperand IdxN = getValue(Idx), Scale = getIntPtrConstant(ElementSize);
547
548 // If the index is smaller or larger than intptr_t, truncate or extend
549 // it.
550 if (IdxN.getValueType() < Scale.getValueType()) {
551 if (Idx->getType()->isSigned())
552 IdxN = DAG.getNode(ISD::SIGN_EXTEND, Scale.getValueType(), IdxN);
553 else
554 IdxN = DAG.getNode(ISD::ZERO_EXTEND, Scale.getValueType(), IdxN);
555 } else if (IdxN.getValueType() > Scale.getValueType())
556 IdxN = DAG.getNode(ISD::TRUNCATE, Scale.getValueType(), IdxN);
557
558 IdxN = DAG.getNode(ISD::MUL, N.getValueType(), IdxN, Scale);
559
Chris Lattner1c08c712005-01-07 07:47:53 +0000560 N = DAG.getNode(ISD::ADD, N.getValueType(), N, IdxN);
561 }
562 }
563 }
564 setValue(&I, N);
565}
566
567void SelectionDAGLowering::visitAlloca(AllocaInst &I) {
568 // If this is a fixed sized alloca in the entry block of the function,
569 // allocate it statically on the stack.
570 if (FuncInfo.StaticAllocaMap.count(&I))
571 return; // getValue will auto-populate this.
572
573 const Type *Ty = I.getAllocatedType();
574 uint64_t TySize = TLI.getTargetData().getTypeSize(Ty);
575 unsigned Align = TLI.getTargetData().getTypeAlignment(Ty);
576
577 SDOperand AllocSize = getValue(I.getArraySize());
Chris Lattner68cd65e2005-01-22 23:04:37 +0000578 MVT::ValueType IntPtr = TLI.getPointerTy();
579 if (IntPtr < AllocSize.getValueType())
580 AllocSize = DAG.getNode(ISD::TRUNCATE, IntPtr, AllocSize);
581 else if (IntPtr > AllocSize.getValueType())
582 AllocSize = DAG.getNode(ISD::ZERO_EXTEND, IntPtr, AllocSize);
Chris Lattner1c08c712005-01-07 07:47:53 +0000583
Chris Lattner68cd65e2005-01-22 23:04:37 +0000584 AllocSize = DAG.getNode(ISD::MUL, IntPtr, AllocSize,
Chris Lattner1c08c712005-01-07 07:47:53 +0000585 getIntPtrConstant(TySize));
586
587 // Handle alignment. If the requested alignment is less than or equal to the
588 // stack alignment, ignore it and round the size of the allocation up to the
589 // stack alignment size. If the size is greater than the stack alignment, we
590 // note this in the DYNAMIC_STACKALLOC node.
591 unsigned StackAlign =
592 TLI.getTargetMachine().getFrameInfo()->getStackAlignment();
593 if (Align <= StackAlign) {
594 Align = 0;
595 // Add SA-1 to the size.
596 AllocSize = DAG.getNode(ISD::ADD, AllocSize.getValueType(), AllocSize,
597 getIntPtrConstant(StackAlign-1));
598 // Mask out the low bits for alignment purposes.
599 AllocSize = DAG.getNode(ISD::AND, AllocSize.getValueType(), AllocSize,
600 getIntPtrConstant(~(uint64_t)(StackAlign-1)));
601 }
602
603 SDOperand DSA = DAG.getNode(ISD::DYNAMIC_STACKALLOC, AllocSize.getValueType(),
Chris Lattnera651cf62005-01-17 19:43:36 +0000604 getRoot(), AllocSize,
Chris Lattner1c08c712005-01-07 07:47:53 +0000605 getIntPtrConstant(Align));
606 DAG.setRoot(setValue(&I, DSA).getValue(1));
607
608 // Inform the Frame Information that we have just allocated a variable-sized
609 // object.
610 CurMBB->getParent()->getFrameInfo()->CreateVariableSizedObject();
611}
612
613
614void SelectionDAGLowering::visitLoad(LoadInst &I) {
615 SDOperand Ptr = getValue(I.getOperand(0));
Chris Lattnerd3948112005-01-17 22:19:26 +0000616
617 SDOperand Root;
618 if (I.isVolatile())
619 Root = getRoot();
620 else {
621 // Do not serialize non-volatile loads against each other.
622 Root = DAG.getRoot();
623 }
624
625 SDOperand L = DAG.getLoad(TLI.getValueType(I.getType()), Root, Ptr);
626 setValue(&I, L);
627
628 if (I.isVolatile())
629 DAG.setRoot(L.getValue(1));
630 else
631 PendingLoads.push_back(L.getValue(1));
Chris Lattner1c08c712005-01-07 07:47:53 +0000632}
633
634
635void SelectionDAGLowering::visitStore(StoreInst &I) {
636 Value *SrcV = I.getOperand(0);
637 SDOperand Src = getValue(SrcV);
638 SDOperand Ptr = getValue(I.getOperand(1));
Chris Lattnera651cf62005-01-17 19:43:36 +0000639 DAG.setRoot(DAG.getNode(ISD::STORE, MVT::Other, getRoot(), Src, Ptr));
Chris Lattner1c08c712005-01-07 07:47:53 +0000640}
641
642void SelectionDAGLowering::visitCall(CallInst &I) {
Chris Lattner64e14b12005-01-08 22:48:57 +0000643 const char *RenameFn = 0;
Chris Lattner1c08c712005-01-07 07:47:53 +0000644 if (Function *F = I.getCalledFunction())
645 switch (F->getIntrinsicID()) {
646 case 0: break; // Not an intrinsic.
647 case Intrinsic::vastart: visitVAStart(I); return;
648 case Intrinsic::vaend: visitVAEnd(I); return;
649 case Intrinsic::vacopy: visitVACopy(I); return;
Chris Lattner39ae3622005-01-09 00:00:49 +0000650 case Intrinsic::returnaddress: visitFrameReturnAddress(I, false); return;
651 case Intrinsic::frameaddress: visitFrameReturnAddress(I, true); return;
Chris Lattner1c08c712005-01-07 07:47:53 +0000652 default:
653 // FIXME: IMPLEMENT THESE.
654 // readport, writeport, readio, writeio
655 assert(0 && "This intrinsic is not implemented yet!");
656 return;
Chris Lattner64e14b12005-01-08 22:48:57 +0000657 case Intrinsic::setjmp: RenameFn = "setjmp"; break;
658 case Intrinsic::longjmp: RenameFn = "longjmp"; break;
Chris Lattner7041ee32005-01-11 05:56:49 +0000659 case Intrinsic::memcpy: visitMemIntrinsic(I, ISD::MEMCPY); return;
660 case Intrinsic::memset: visitMemIntrinsic(I, ISD::MEMSET); return;
661 case Intrinsic::memmove: visitMemIntrinsic(I, ISD::MEMMOVE); return;
Chris Lattner1c08c712005-01-07 07:47:53 +0000662
663 case Intrinsic::isunordered:
Chris Lattnerf30b73b2005-01-18 02:52:03 +0000664 setValue(&I, DAG.getSetCC(ISD::SETUO, MVT::i1, getValue(I.getOperand(1)),
Chris Lattner1c08c712005-01-07 07:47:53 +0000665 getValue(I.getOperand(2))));
666 return;
667 }
668
Chris Lattner64e14b12005-01-08 22:48:57 +0000669 SDOperand Callee;
670 if (!RenameFn)
671 Callee = getValue(I.getOperand(0));
672 else
673 Callee = DAG.getExternalSymbol(RenameFn, TLI.getPointerTy());
Chris Lattner1c08c712005-01-07 07:47:53 +0000674 std::vector<std::pair<SDOperand, const Type*> > Args;
675
676 for (unsigned i = 1, e = I.getNumOperands(); i != e; ++i) {
677 Value *Arg = I.getOperand(i);
678 SDOperand ArgNode = getValue(Arg);
679 Args.push_back(std::make_pair(ArgNode, Arg->getType()));
680 }
681
Nate Begeman8e21e712005-03-26 01:29:23 +0000682 const PointerType *PT = cast<PointerType>(I.getCalledValue()->getType());
683 const FunctionType *FTy = cast<FunctionType>(PT->getElementType());
684
Chris Lattnercf5734d2005-01-08 19:26:18 +0000685 std::pair<SDOperand,SDOperand> Result =
Nate Begeman8e21e712005-03-26 01:29:23 +0000686 TLI.LowerCallTo(getRoot(), I.getType(), FTy->isVarArg(), Callee, Args, DAG);
Chris Lattner1c08c712005-01-07 07:47:53 +0000687 if (I.getType() != Type::VoidTy)
Chris Lattnercf5734d2005-01-08 19:26:18 +0000688 setValue(&I, Result.first);
689 DAG.setRoot(Result.second);
Chris Lattner1c08c712005-01-07 07:47:53 +0000690}
691
692void SelectionDAGLowering::visitMalloc(MallocInst &I) {
693 SDOperand Src = getValue(I.getOperand(0));
694
695 MVT::ValueType IntPtr = TLI.getPointerTy();
Chris Lattner68cd65e2005-01-22 23:04:37 +0000696
697 if (IntPtr < Src.getValueType())
698 Src = DAG.getNode(ISD::TRUNCATE, IntPtr, Src);
699 else if (IntPtr > Src.getValueType())
700 Src = DAG.getNode(ISD::ZERO_EXTEND, IntPtr, Src);
Chris Lattner1c08c712005-01-07 07:47:53 +0000701
702 // Scale the source by the type size.
703 uint64_t ElementSize = TD.getTypeSize(I.getType()->getElementType());
704 Src = DAG.getNode(ISD::MUL, Src.getValueType(),
705 Src, getIntPtrConstant(ElementSize));
706
707 std::vector<std::pair<SDOperand, const Type*> > Args;
708 Args.push_back(std::make_pair(Src, TLI.getTargetData().getIntPtrType()));
Chris Lattnercf5734d2005-01-08 19:26:18 +0000709
710 std::pair<SDOperand,SDOperand> Result =
Nate Begeman8e21e712005-03-26 01:29:23 +0000711 TLI.LowerCallTo(getRoot(), I.getType(), false,
Chris Lattnercf5734d2005-01-08 19:26:18 +0000712 DAG.getExternalSymbol("malloc", IntPtr),
713 Args, DAG);
714 setValue(&I, Result.first); // Pointers always fit in registers
715 DAG.setRoot(Result.second);
Chris Lattner1c08c712005-01-07 07:47:53 +0000716}
717
718void SelectionDAGLowering::visitFree(FreeInst &I) {
719 std::vector<std::pair<SDOperand, const Type*> > Args;
720 Args.push_back(std::make_pair(getValue(I.getOperand(0)),
721 TLI.getTargetData().getIntPtrType()));
722 MVT::ValueType IntPtr = TLI.getPointerTy();
Chris Lattnercf5734d2005-01-08 19:26:18 +0000723 std::pair<SDOperand,SDOperand> Result =
Nate Begeman8e21e712005-03-26 01:29:23 +0000724 TLI.LowerCallTo(getRoot(), Type::VoidTy, false,
Chris Lattnercf5734d2005-01-08 19:26:18 +0000725 DAG.getExternalSymbol("free", IntPtr), Args, DAG);
726 DAG.setRoot(Result.second);
Chris Lattner1c08c712005-01-07 07:47:53 +0000727}
728
Chris Lattner39ae3622005-01-09 00:00:49 +0000729std::pair<SDOperand, SDOperand>
730TargetLowering::LowerVAStart(SDOperand Chain, SelectionDAG &DAG) {
Chris Lattner1c08c712005-01-07 07:47:53 +0000731 // We have no sane default behavior, just emit a useful error message and bail
732 // out.
Chris Lattner39ae3622005-01-09 00:00:49 +0000733 std::cerr << "Variable arguments handling not implemented on this target!\n";
Chris Lattner1c08c712005-01-07 07:47:53 +0000734 abort();
Misha Brukmand3f03e42005-02-17 21:39:27 +0000735 return std::make_pair(SDOperand(), SDOperand());
Chris Lattner1c08c712005-01-07 07:47:53 +0000736}
737
Chris Lattner39ae3622005-01-09 00:00:49 +0000738SDOperand TargetLowering::LowerVAEnd(SDOperand Chain, SDOperand L,
739 SelectionDAG &DAG) {
740 // Default to a noop.
741 return Chain;
742}
743
744std::pair<SDOperand,SDOperand>
745TargetLowering::LowerVACopy(SDOperand Chain, SDOperand L, SelectionDAG &DAG) {
746 // Default to returning the input list.
747 return std::make_pair(L, Chain);
748}
749
750std::pair<SDOperand,SDOperand>
751TargetLowering::LowerVAArgNext(bool isVANext, SDOperand Chain, SDOperand VAList,
752 const Type *ArgTy, SelectionDAG &DAG) {
753 // We have no sane default behavior, just emit a useful error message and bail
754 // out.
755 std::cerr << "Variable arguments handling not implemented on this target!\n";
756 abort();
Misha Brukmand3f03e42005-02-17 21:39:27 +0000757 return std::make_pair(SDOperand(), SDOperand());
Chris Lattner39ae3622005-01-09 00:00:49 +0000758}
759
760
761void SelectionDAGLowering::visitVAStart(CallInst &I) {
Chris Lattnera651cf62005-01-17 19:43:36 +0000762 std::pair<SDOperand,SDOperand> Result = TLI.LowerVAStart(getRoot(), DAG);
Chris Lattner39ae3622005-01-09 00:00:49 +0000763 setValue(&I, Result.first);
764 DAG.setRoot(Result.second);
765}
766
767void SelectionDAGLowering::visitVAArg(VAArgInst &I) {
768 std::pair<SDOperand,SDOperand> Result =
Chris Lattnera651cf62005-01-17 19:43:36 +0000769 TLI.LowerVAArgNext(false, getRoot(), getValue(I.getOperand(0)),
Chris Lattner39ae3622005-01-09 00:00:49 +0000770 I.getType(), DAG);
771 setValue(&I, Result.first);
772 DAG.setRoot(Result.second);
773}
774
Chris Lattner1c08c712005-01-07 07:47:53 +0000775void SelectionDAGLowering::visitVANext(VANextInst &I) {
Chris Lattner39ae3622005-01-09 00:00:49 +0000776 std::pair<SDOperand,SDOperand> Result =
Chris Lattnera651cf62005-01-17 19:43:36 +0000777 TLI.LowerVAArgNext(true, getRoot(), getValue(I.getOperand(0)),
Chris Lattner39ae3622005-01-09 00:00:49 +0000778 I.getArgType(), DAG);
779 setValue(&I, Result.first);
780 DAG.setRoot(Result.second);
Chris Lattner1c08c712005-01-07 07:47:53 +0000781}
782
783void SelectionDAGLowering::visitVAEnd(CallInst &I) {
Chris Lattnera651cf62005-01-17 19:43:36 +0000784 DAG.setRoot(TLI.LowerVAEnd(getRoot(), getValue(I.getOperand(1)), DAG));
Chris Lattner1c08c712005-01-07 07:47:53 +0000785}
786
787void SelectionDAGLowering::visitVACopy(CallInst &I) {
Chris Lattner39ae3622005-01-09 00:00:49 +0000788 std::pair<SDOperand,SDOperand> Result =
Chris Lattnera651cf62005-01-17 19:43:36 +0000789 TLI.LowerVACopy(getRoot(), getValue(I.getOperand(1)), DAG);
Chris Lattner39ae3622005-01-09 00:00:49 +0000790 setValue(&I, Result.first);
791 DAG.setRoot(Result.second);
Chris Lattner1c08c712005-01-07 07:47:53 +0000792}
793
Chris Lattner39ae3622005-01-09 00:00:49 +0000794
795// It is always conservatively correct for llvm.returnaddress and
796// llvm.frameaddress to return 0.
797std::pair<SDOperand, SDOperand>
798TargetLowering::LowerFrameReturnAddress(bool isFrameAddr, SDOperand Chain,
799 unsigned Depth, SelectionDAG &DAG) {
800 return std::make_pair(DAG.getConstant(0, getPointerTy()), Chain);
Chris Lattner1c08c712005-01-07 07:47:53 +0000801}
802
Chris Lattner171453a2005-01-16 07:28:41 +0000803SDOperand TargetLowering::LowerOperation(SDOperand Op) {
804 assert(0 && "LowerOperation not implemented for this target!");
805 abort();
Misha Brukmand3f03e42005-02-17 21:39:27 +0000806 return SDOperand();
Chris Lattner171453a2005-01-16 07:28:41 +0000807}
808
Chris Lattner39ae3622005-01-09 00:00:49 +0000809void SelectionDAGLowering::visitFrameReturnAddress(CallInst &I, bool isFrame) {
810 unsigned Depth = (unsigned)cast<ConstantUInt>(I.getOperand(1))->getValue();
811 std::pair<SDOperand,SDOperand> Result =
Chris Lattnera651cf62005-01-17 19:43:36 +0000812 TLI.LowerFrameReturnAddress(isFrame, getRoot(), Depth, DAG);
Chris Lattner39ae3622005-01-09 00:00:49 +0000813 setValue(&I, Result.first);
814 DAG.setRoot(Result.second);
Chris Lattner1c08c712005-01-07 07:47:53 +0000815}
816
Chris Lattner7041ee32005-01-11 05:56:49 +0000817void SelectionDAGLowering::visitMemIntrinsic(CallInst &I, unsigned Op) {
818 std::vector<SDOperand> Ops;
Chris Lattnera651cf62005-01-17 19:43:36 +0000819 Ops.push_back(getRoot());
Chris Lattner7041ee32005-01-11 05:56:49 +0000820 Ops.push_back(getValue(I.getOperand(1)));
821 Ops.push_back(getValue(I.getOperand(2)));
822 Ops.push_back(getValue(I.getOperand(3)));
823 Ops.push_back(getValue(I.getOperand(4)));
824 DAG.setRoot(DAG.getNode(Op, MVT::Other, Ops));
Chris Lattner1c08c712005-01-07 07:47:53 +0000825}
826
Chris Lattner7041ee32005-01-11 05:56:49 +0000827//===----------------------------------------------------------------------===//
828// SelectionDAGISel code
829//===----------------------------------------------------------------------===//
Chris Lattner1c08c712005-01-07 07:47:53 +0000830
831unsigned SelectionDAGISel::MakeReg(MVT::ValueType VT) {
832 return RegMap->createVirtualRegister(TLI.getRegClassFor(VT));
833}
834
835
836
837bool SelectionDAGISel::runOnFunction(Function &Fn) {
838 MachineFunction &MF = MachineFunction::construct(&Fn, TLI.getTargetMachine());
839 RegMap = MF.getSSARegMap();
840 DEBUG(std::cerr << "\n\n\n=== " << Fn.getName() << "\n");
841
842 FunctionLoweringInfo FuncInfo(TLI, Fn, MF);
843
844 for (Function::iterator I = Fn.begin(), E = Fn.end(); I != E; ++I)
845 SelectBasicBlock(I, MF, FuncInfo);
846
847 return true;
848}
849
850
Chris Lattnerddb870b2005-01-13 17:59:43 +0000851SDOperand SelectionDAGISel::
852CopyValueToVirtualRegister(SelectionDAGLowering &SDL, Value *V, unsigned Reg) {
Chris Lattner1c08c712005-01-07 07:47:53 +0000853 SelectionDAG &DAG = SDL.DAG;
Chris Lattnerf1fdaca2005-01-11 22:03:46 +0000854 SDOperand Op = SDL.getValue(V);
Chris Lattner18c2f132005-01-13 20:50:02 +0000855 assert((Op.getOpcode() != ISD::CopyFromReg ||
856 cast<RegSDNode>(Op)->getReg() != Reg) &&
857 "Copy from a reg to the same reg!");
Chris Lattnera651cf62005-01-17 19:43:36 +0000858 return DAG.getCopyToReg(SDL.getRoot(), Op, Reg);
Chris Lattner1c08c712005-01-07 07:47:53 +0000859}
860
Chris Lattner0afa8e32005-01-17 17:55:19 +0000861/// IsOnlyUsedInOneBasicBlock - If the specified argument is only used in a
862/// single basic block, return that block. Otherwise, return a null pointer.
863static BasicBlock *IsOnlyUsedInOneBasicBlock(Argument *A) {
864 if (A->use_empty()) return 0;
865 BasicBlock *BB = cast<Instruction>(A->use_back())->getParent();
866 for (Argument::use_iterator UI = A->use_begin(), E = A->use_end(); UI != E;
867 ++UI)
868 if (isa<PHINode>(*UI) || cast<Instruction>(*UI)->getParent() != BB)
869 return 0; // Disagreement among the users?
Chris Lattneraa781b32005-02-17 19:40:32 +0000870
871 // Okay, there is a single BB user. Only permit this optimization if this is
872 // the entry block, otherwise, we might sink argument loads into loops and
873 // stuff. Later, when we have global instruction selection, this won't be an
874 // issue clearly.
875 if (BB == BB->getParent()->begin())
876 return BB;
877 return 0;
Chris Lattner0afa8e32005-01-17 17:55:19 +0000878}
879
Chris Lattner068a81e2005-01-17 17:15:02 +0000880void SelectionDAGISel::
881LowerArguments(BasicBlock *BB, SelectionDAGLowering &SDL,
882 std::vector<SDOperand> &UnorderedChains) {
883 // If this is the entry block, emit arguments.
884 Function &F = *BB->getParent();
Chris Lattner0afa8e32005-01-17 17:55:19 +0000885 FunctionLoweringInfo &FuncInfo = SDL.FuncInfo;
Chris Lattner068a81e2005-01-17 17:15:02 +0000886
887 if (BB == &F.front()) {
Chris Lattner0afa8e32005-01-17 17:55:19 +0000888 SDOperand OldRoot = SDL.DAG.getRoot();
889
Chris Lattner068a81e2005-01-17 17:15:02 +0000890 std::vector<SDOperand> Args = TLI.LowerArguments(F, SDL.DAG);
891
Chris Lattner0afa8e32005-01-17 17:55:19 +0000892 // If there were side effects accessing the argument list, do not do
893 // anything special.
894 if (OldRoot != SDL.DAG.getRoot()) {
895 unsigned a = 0;
Chris Lattnere4d5c442005-03-15 04:54:21 +0000896 for (Function::arg_iterator AI = F.arg_begin(), E = F.arg_end(); AI != E; ++AI,++a)
Chris Lattner0afa8e32005-01-17 17:55:19 +0000897 if (!AI->use_empty()) {
898 SDL.setValue(AI, Args[a]);
899 SDOperand Copy =
900 CopyValueToVirtualRegister(SDL, AI, FuncInfo.ValueMap[AI]);
901 UnorderedChains.push_back(Copy);
902 }
903 } else {
904 // Otherwise, if any argument is only accessed in a single basic block,
905 // emit that argument only to that basic block.
906 unsigned a = 0;
Chris Lattnere4d5c442005-03-15 04:54:21 +0000907 for (Function::arg_iterator AI = F.arg_begin(), E = F.arg_end(); AI != E; ++AI,++a)
Chris Lattner0afa8e32005-01-17 17:55:19 +0000908 if (!AI->use_empty()) {
909 if (BasicBlock *BBU = IsOnlyUsedInOneBasicBlock(AI)) {
910 FuncInfo.BlockLocalArguments.insert(std::make_pair(BBU,
911 std::make_pair(AI, a)));
912 } else {
913 SDL.setValue(AI, Args[a]);
914 SDOperand Copy =
915 CopyValueToVirtualRegister(SDL, AI, FuncInfo.ValueMap[AI]);
916 UnorderedChains.push_back(Copy);
917 }
918 }
919 }
920 }
Chris Lattner068a81e2005-01-17 17:15:02 +0000921
Chris Lattner0afa8e32005-01-17 17:55:19 +0000922 // See if there are any block-local arguments that need to be emitted in this
923 // block.
924
925 if (!FuncInfo.BlockLocalArguments.empty()) {
926 std::multimap<BasicBlock*, std::pair<Argument*, unsigned> >::iterator BLAI =
927 FuncInfo.BlockLocalArguments.lower_bound(BB);
928 if (BLAI != FuncInfo.BlockLocalArguments.end() && BLAI->first == BB) {
929 // Lower the arguments into this block.
930 std::vector<SDOperand> Args = TLI.LowerArguments(F, SDL.DAG);
931
932 // Set up the value mapping for the local arguments.
933 for (; BLAI != FuncInfo.BlockLocalArguments.end() && BLAI->first == BB;
934 ++BLAI)
935 SDL.setValue(BLAI->second.first, Args[BLAI->second.second]);
936
937 // Any dead arguments will just be ignored here.
938 }
Chris Lattner068a81e2005-01-17 17:15:02 +0000939 }
940}
941
942
Chris Lattner1c08c712005-01-07 07:47:53 +0000943void SelectionDAGISel::BuildSelectionDAG(SelectionDAG &DAG, BasicBlock *LLVMBB,
944 std::vector<std::pair<MachineInstr*, unsigned> > &PHINodesToUpdate,
945 FunctionLoweringInfo &FuncInfo) {
946 SelectionDAGLowering SDL(DAG, TLI, FuncInfo);
Chris Lattnerddb870b2005-01-13 17:59:43 +0000947
948 std::vector<SDOperand> UnorderedChains;
Chris Lattner1c08c712005-01-07 07:47:53 +0000949
Chris Lattner068a81e2005-01-17 17:15:02 +0000950 // Lower any arguments needed in this block.
951 LowerArguments(LLVMBB, SDL, UnorderedChains);
Chris Lattner1c08c712005-01-07 07:47:53 +0000952
953 BB = FuncInfo.MBBMap[LLVMBB];
954 SDL.setCurrentBasicBlock(BB);
955
956 // Lower all of the non-terminator instructions.
957 for (BasicBlock::iterator I = LLVMBB->begin(), E = --LLVMBB->end();
958 I != E; ++I)
959 SDL.visit(*I);
960
961 // Ensure that all instructions which are used outside of their defining
962 // blocks are available as virtual registers.
963 for (BasicBlock::iterator I = LLVMBB->begin(), E = LLVMBB->end(); I != E;++I)
Chris Lattnerf1fdaca2005-01-11 22:03:46 +0000964 if (!I->use_empty() && !isa<PHINode>(I)) {
Chris Lattneree749d72005-01-09 01:16:24 +0000965 std::map<const Value*, unsigned>::iterator VMI =FuncInfo.ValueMap.find(I);
Chris Lattner1c08c712005-01-07 07:47:53 +0000966 if (VMI != FuncInfo.ValueMap.end())
Chris Lattnerddb870b2005-01-13 17:59:43 +0000967 UnorderedChains.push_back(
968 CopyValueToVirtualRegister(SDL, I, VMI->second));
Chris Lattner1c08c712005-01-07 07:47:53 +0000969 }
970
971 // Handle PHI nodes in successor blocks. Emit code into the SelectionDAG to
972 // ensure constants are generated when needed. Remember the virtual registers
973 // that need to be added to the Machine PHI nodes as input. We cannot just
974 // directly add them, because expansion might result in multiple MBB's for one
975 // BB. As such, the start of the BB might correspond to a different MBB than
976 // the end.
977 //
978
979 // Emit constants only once even if used by multiple PHI nodes.
980 std::map<Constant*, unsigned> ConstantsOut;
981
982 // Check successor nodes PHI nodes that expect a constant to be available from
983 // this block.
984 TerminatorInst *TI = LLVMBB->getTerminator();
985 for (unsigned succ = 0, e = TI->getNumSuccessors(); succ != e; ++succ) {
986 BasicBlock *SuccBB = TI->getSuccessor(succ);
987 MachineBasicBlock::iterator MBBI = FuncInfo.MBBMap[SuccBB]->begin();
988 PHINode *PN;
989
990 // At this point we know that there is a 1-1 correspondence between LLVM PHI
991 // nodes and Machine PHI nodes, but the incoming operands have not been
992 // emitted yet.
993 for (BasicBlock::iterator I = SuccBB->begin();
Chris Lattnerf44fd882005-01-07 21:34:19 +0000994 (PN = dyn_cast<PHINode>(I)); ++I)
995 if (!PN->use_empty()) {
996 unsigned Reg;
997 Value *PHIOp = PN->getIncomingValueForBlock(LLVMBB);
998 if (Constant *C = dyn_cast<Constant>(PHIOp)) {
999 unsigned &RegOut = ConstantsOut[C];
1000 if (RegOut == 0) {
1001 RegOut = FuncInfo.CreateRegForValue(C);
Chris Lattnerddb870b2005-01-13 17:59:43 +00001002 UnorderedChains.push_back(
1003 CopyValueToVirtualRegister(SDL, C, RegOut));
Chris Lattnerf44fd882005-01-07 21:34:19 +00001004 }
1005 Reg = RegOut;
1006 } else {
1007 Reg = FuncInfo.ValueMap[PHIOp];
Chris Lattneree749d72005-01-09 01:16:24 +00001008 if (Reg == 0) {
1009 assert(isa<AllocaInst>(PHIOp) &&
1010 FuncInfo.StaticAllocaMap.count(cast<AllocaInst>(PHIOp)) &&
1011 "Didn't codegen value into a register!??");
1012 Reg = FuncInfo.CreateRegForValue(PHIOp);
Chris Lattnerddb870b2005-01-13 17:59:43 +00001013 UnorderedChains.push_back(
1014 CopyValueToVirtualRegister(SDL, PHIOp, Reg));
Chris Lattneree749d72005-01-09 01:16:24 +00001015 }
Chris Lattner1c08c712005-01-07 07:47:53 +00001016 }
Chris Lattnerf44fd882005-01-07 21:34:19 +00001017
1018 // Remember that this register needs to added to the machine PHI node as
1019 // the input for this MBB.
1020 unsigned NumElements =
1021 TLI.getNumElements(TLI.getValueType(PN->getType()));
1022 for (unsigned i = 0, e = NumElements; i != e; ++i)
1023 PHINodesToUpdate.push_back(std::make_pair(MBBI++, Reg+i));
Chris Lattner1c08c712005-01-07 07:47:53 +00001024 }
Chris Lattner1c08c712005-01-07 07:47:53 +00001025 }
1026 ConstantsOut.clear();
1027
Chris Lattnerddb870b2005-01-13 17:59:43 +00001028 // Turn all of the unordered chains into one factored node.
Chris Lattner5a6c6d92005-01-13 19:53:14 +00001029 if (!UnorderedChains.empty()) {
Chris Lattnerd3948112005-01-17 22:19:26 +00001030 UnorderedChains.push_back(SDL.getRoot());
Chris Lattnerddb870b2005-01-13 17:59:43 +00001031 DAG.setRoot(DAG.getNode(ISD::TokenFactor, MVT::Other, UnorderedChains));
1032 }
1033
Chris Lattner1c08c712005-01-07 07:47:53 +00001034 // Lower the terminator after the copies are emitted.
1035 SDL.visit(*LLVMBB->getTerminator());
Chris Lattnera651cf62005-01-17 19:43:36 +00001036
1037 // Make sure the root of the DAG is up-to-date.
1038 DAG.setRoot(SDL.getRoot());
Chris Lattner1c08c712005-01-07 07:47:53 +00001039}
1040
1041void SelectionDAGISel::SelectBasicBlock(BasicBlock *LLVMBB, MachineFunction &MF,
1042 FunctionLoweringInfo &FuncInfo) {
Chris Lattnerac9dc082005-01-23 04:36:26 +00001043 SelectionDAG DAG(TLI, MF);
Chris Lattner1c08c712005-01-07 07:47:53 +00001044 CurDAG = &DAG;
1045 std::vector<std::pair<MachineInstr*, unsigned> > PHINodesToUpdate;
1046
1047 // First step, lower LLVM code to some DAG. This DAG may use operations and
1048 // types that are not supported by the target.
1049 BuildSelectionDAG(DAG, LLVMBB, PHINodesToUpdate, FuncInfo);
1050
1051 DEBUG(std::cerr << "Lowered selection DAG:\n");
1052 DEBUG(DAG.dump());
1053
1054 // Second step, hack on the DAG until it only uses operations and types that
1055 // the target supports.
Chris Lattnerac9dc082005-01-23 04:36:26 +00001056 DAG.Legalize();
Chris Lattner1c08c712005-01-07 07:47:53 +00001057
1058 DEBUG(std::cerr << "Legalized selection DAG:\n");
1059 DEBUG(DAG.dump());
1060
1061 // Finally, instruction select all of the operations to machine code, adding
1062 // the code to the MachineBasicBlock.
1063 InstructionSelectBasicBlock(DAG);
1064
Chris Lattner7944d9d2005-01-12 03:41:21 +00001065 if (ViewDAGs) DAG.viewGraph();
1066
Chris Lattner1c08c712005-01-07 07:47:53 +00001067 DEBUG(std::cerr << "Selected machine code:\n");
1068 DEBUG(BB->dump());
1069
1070 // Finally, now that we know what the last MBB the LLVM BB expanded is, update
1071 // PHI nodes in successors.
1072 for (unsigned i = 0, e = PHINodesToUpdate.size(); i != e; ++i) {
1073 MachineInstr *PHI = PHINodesToUpdate[i].first;
1074 assert(PHI->getOpcode() == TargetInstrInfo::PHI &&
1075 "This is not a machine PHI node that we are updating!");
1076 PHI->addRegOperand(PHINodesToUpdate[i].second);
1077 PHI->addMachineBasicBlockOperand(BB);
1078 }
1079}