Add code generator support for VSELECT
[oota-llvm.git] / lib / CodeGen / SelectionDAG / SelectionDAGISel.cpp
1 //===-- 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/CodeGen/ScheduleDAG.h"
17 #include "llvm/CallingConv.h"
18 #include "llvm/Constants.h"
19 #include "llvm/DerivedTypes.h"
20 #include "llvm/Function.h"
21 #include "llvm/GlobalVariable.h"
22 #include "llvm/InlineAsm.h"
23 #include "llvm/Instructions.h"
24 #include "llvm/Intrinsics.h"
25 #include "llvm/IntrinsicInst.h"
26 #include "llvm/CodeGen/IntrinsicLowering.h"
27 #include "llvm/CodeGen/MachineDebugInfo.h"
28 #include "llvm/CodeGen/MachineFunction.h"
29 #include "llvm/CodeGen/MachineFrameInfo.h"
30 #include "llvm/CodeGen/MachineInstrBuilder.h"
31 #include "llvm/CodeGen/SelectionDAG.h"
32 #include "llvm/CodeGen/SSARegMap.h"
33 #include "llvm/Target/MRegisterInfo.h"
34 #include "llvm/Target/TargetData.h"
35 #include "llvm/Target/TargetFrameInfo.h"
36 #include "llvm/Target/TargetInstrInfo.h"
37 #include "llvm/Target/TargetLowering.h"
38 #include "llvm/Target/TargetMachine.h"
39 #include "llvm/Transforms/Utils/BasicBlockUtils.h"
40 #include "llvm/Support/CommandLine.h"
41 #include "llvm/Support/MathExtras.h"
42 #include "llvm/Support/Debug.h"
43 #include <map>
44 #include <set>
45 #include <iostream>
46 #include <algorithm>
47 using namespace llvm;
48
49 #ifndef NDEBUG
50 static cl::opt<bool>
51 ViewISelDAGs("view-isel-dags", cl::Hidden,
52           cl::desc("Pop up a window to show isel dags as they are selected"));
53 static cl::opt<bool>
54 ViewSchedDAGs("view-sched-dags", cl::Hidden,
55           cl::desc("Pop up a window to show sched dags as they are processed"));
56 #else
57 static const bool ViewISelDAGs = 0, ViewSchedDAGs = 0;
58 #endif
59
60 // Scheduling heuristics
61 enum SchedHeuristics {
62   defaultScheduling,      // Let the target specify its preference.
63   noScheduling,           // No scheduling, emit breadth first sequence.
64   simpleScheduling,       // Two pass, min. critical path, max. utilization.
65   simpleNoItinScheduling, // Same as above exact using generic latency.
66   listSchedulingBURR,     // Bottom up reg reduction list scheduling.
67   listSchedulingTD        // Top-down list scheduler.
68 };
69
70 namespace {
71   cl::opt<SchedHeuristics>
72   ISHeuristic(
73     "sched",
74     cl::desc("Choose scheduling style"),
75     cl::init(defaultScheduling),
76     cl::values(
77       clEnumValN(defaultScheduling, "default",
78                  "Target preferred scheduling style"),
79       clEnumValN(noScheduling, "none",
80                  "No scheduling: breadth first sequencing"),
81       clEnumValN(simpleScheduling, "simple",
82                  "Simple two pass scheduling: minimize critical path "
83                  "and maximize processor utilization"),
84       clEnumValN(simpleNoItinScheduling, "simple-noitin",
85                  "Simple two pass scheduling: Same as simple "
86                  "except using generic latency"),
87       clEnumValN(listSchedulingBURR, "list-burr",
88                  "Bottom up register reduction list scheduling"),
89       clEnumValN(listSchedulingTD, "list-td",
90                  "Top-down list scheduler"),
91       clEnumValEnd));
92 } // namespace
93
94 namespace {
95   /// RegsForValue - This struct represents the physical registers that a
96   /// particular value is assigned and the type information about the value.
97   /// This is needed because values can be promoted into larger registers and
98   /// expanded into multiple smaller registers than the value.
99   struct RegsForValue {
100     /// Regs - This list hold the register (for legal and promoted values)
101     /// or register set (for expanded values) that the value should be assigned
102     /// to.
103     std::vector<unsigned> Regs;
104     
105     /// RegVT - The value type of each register.
106     ///
107     MVT::ValueType RegVT;
108     
109     /// ValueVT - The value type of the LLVM value, which may be promoted from
110     /// RegVT or made from merging the two expanded parts.
111     MVT::ValueType ValueVT;
112     
113     RegsForValue() : RegVT(MVT::Other), ValueVT(MVT::Other) {}
114     
115     RegsForValue(unsigned Reg, MVT::ValueType regvt, MVT::ValueType valuevt)
116       : RegVT(regvt), ValueVT(valuevt) {
117         Regs.push_back(Reg);
118     }
119     RegsForValue(const std::vector<unsigned> &regs, 
120                  MVT::ValueType regvt, MVT::ValueType valuevt)
121       : Regs(regs), RegVT(regvt), ValueVT(valuevt) {
122     }
123     
124     /// getCopyFromRegs - Emit a series of CopyFromReg nodes that copies from
125     /// this value and returns the result as a ValueVT value.  This uses 
126     /// Chain/Flag as the input and updates them for the output Chain/Flag.
127     SDOperand getCopyFromRegs(SelectionDAG &DAG,
128                               SDOperand &Chain, SDOperand &Flag) const;
129
130     /// getCopyToRegs - Emit a series of CopyToReg nodes that copies the
131     /// specified value into the registers specified by this object.  This uses 
132     /// Chain/Flag as the input and updates them for the output Chain/Flag.
133     void getCopyToRegs(SDOperand Val, SelectionDAG &DAG,
134                        SDOperand &Chain, SDOperand &Flag) const;
135     
136     /// AddInlineAsmOperands - Add this value to the specified inlineasm node
137     /// operand list.  This adds the code marker and includes the number of 
138     /// values added into it.
139     void AddInlineAsmOperands(unsigned Code, SelectionDAG &DAG,
140                               std::vector<SDOperand> &Ops) const;
141   };
142 }
143
144 namespace llvm {
145   //===--------------------------------------------------------------------===//
146   /// FunctionLoweringInfo - This contains information that is global to a
147   /// function that is used when lowering a region of the function.
148   class FunctionLoweringInfo {
149   public:
150     TargetLowering &TLI;
151     Function &Fn;
152     MachineFunction &MF;
153     SSARegMap *RegMap;
154
155     FunctionLoweringInfo(TargetLowering &TLI, Function &Fn,MachineFunction &MF);
156
157     /// MBBMap - A mapping from LLVM basic blocks to their machine code entry.
158     std::map<const BasicBlock*, MachineBasicBlock *> MBBMap;
159
160     /// ValueMap - Since we emit code for the function a basic block at a time,
161     /// we must remember which virtual registers hold the values for
162     /// cross-basic-block values.
163     std::map<const Value*, unsigned> ValueMap;
164
165     /// StaticAllocaMap - Keep track of frame indices for fixed sized allocas in
166     /// the entry block.  This allows the allocas to be efficiently referenced
167     /// anywhere in the function.
168     std::map<const AllocaInst*, int> StaticAllocaMap;
169
170     unsigned MakeReg(MVT::ValueType VT) {
171       return RegMap->createVirtualRegister(TLI.getRegClassFor(VT));
172     }
173
174     unsigned CreateRegForValue(const Value *V);
175     
176     unsigned InitializeRegForValue(const Value *V) {
177       unsigned &R = ValueMap[V];
178       assert(R == 0 && "Already initialized this value register!");
179       return R = CreateRegForValue(V);
180     }
181   };
182 }
183
184 /// isUsedOutsideOfDefiningBlock - Return true if this instruction is used by
185 /// PHI nodes or outside of the basic block that defines it, or used by a 
186 /// switch instruction, which may expand to multiple basic blocks.
187 static bool isUsedOutsideOfDefiningBlock(Instruction *I) {
188   if (isa<PHINode>(I)) return true;
189   BasicBlock *BB = I->getParent();
190   for (Value::use_iterator UI = I->use_begin(), E = I->use_end(); UI != E; ++UI)
191     if (cast<Instruction>(*UI)->getParent() != BB || isa<PHINode>(*UI) ||
192         isa<SwitchInst>(*UI))
193       return true;
194   return false;
195 }
196
197 /// isOnlyUsedInEntryBlock - If the specified argument is only used in the
198 /// entry block, return true.  This includes arguments used by switches, since
199 /// the switch may expand into multiple basic blocks.
200 static bool isOnlyUsedInEntryBlock(Argument *A) {
201   BasicBlock *Entry = A->getParent()->begin();
202   for (Value::use_iterator UI = A->use_begin(), E = A->use_end(); UI != E; ++UI)
203     if (cast<Instruction>(*UI)->getParent() != Entry || isa<SwitchInst>(*UI))
204       return false;  // Use not in entry block.
205   return true;
206 }
207
208 FunctionLoweringInfo::FunctionLoweringInfo(TargetLowering &tli,
209                                            Function &fn, MachineFunction &mf)
210     : TLI(tli), Fn(fn), MF(mf), RegMap(MF.getSSARegMap()) {
211
212   // Create a vreg for each argument register that is not dead and is used
213   // outside of the entry block for the function.
214   for (Function::arg_iterator AI = Fn.arg_begin(), E = Fn.arg_end();
215        AI != E; ++AI)
216     if (!isOnlyUsedInEntryBlock(AI))
217       InitializeRegForValue(AI);
218
219   // Initialize the mapping of values to registers.  This is only set up for
220   // instruction values that are used outside of the block that defines
221   // them.
222   Function::iterator BB = Fn.begin(), EB = Fn.end();
223   for (BasicBlock::iterator I = BB->begin(), E = BB->end(); I != E; ++I)
224     if (AllocaInst *AI = dyn_cast<AllocaInst>(I))
225       if (ConstantUInt *CUI = dyn_cast<ConstantUInt>(AI->getArraySize())) {
226         const Type *Ty = AI->getAllocatedType();
227         uint64_t TySize = TLI.getTargetData().getTypeSize(Ty);
228         unsigned Align = 
229           std::max((unsigned)TLI.getTargetData().getTypeAlignment(Ty),
230                    AI->getAlignment());
231
232         // If the alignment of the value is smaller than the size of the value,
233         // and if the size of the value is particularly small (<= 8 bytes),
234         // round up to the size of the value for potentially better performance.
235         //
236         // FIXME: This could be made better with a preferred alignment hook in
237         // TargetData.  It serves primarily to 8-byte align doubles for X86.
238         if (Align < TySize && TySize <= 8) Align = TySize;
239         TySize *= CUI->getValue();   // Get total allocated size.
240         if (TySize == 0) TySize = 1; // Don't create zero-sized stack objects.
241         StaticAllocaMap[AI] =
242           MF.getFrameInfo()->CreateStackObject((unsigned)TySize, Align);
243       }
244
245   for (; BB != EB; ++BB)
246     for (BasicBlock::iterator I = BB->begin(), E = BB->end(); I != E; ++I)
247       if (!I->use_empty() && isUsedOutsideOfDefiningBlock(I))
248         if (!isa<AllocaInst>(I) ||
249             !StaticAllocaMap.count(cast<AllocaInst>(I)))
250           InitializeRegForValue(I);
251
252   // Create an initial MachineBasicBlock for each LLVM BasicBlock in F.  This
253   // also creates the initial PHI MachineInstrs, though none of the input
254   // operands are populated.
255   for (BB = Fn.begin(), EB = Fn.end(); BB != EB; ++BB) {
256     MachineBasicBlock *MBB = new MachineBasicBlock(BB);
257     MBBMap[BB] = MBB;
258     MF.getBasicBlockList().push_back(MBB);
259
260     // Create Machine PHI nodes for LLVM PHI nodes, lowering them as
261     // appropriate.
262     PHINode *PN;
263     for (BasicBlock::iterator I = BB->begin();
264          (PN = dyn_cast<PHINode>(I)); ++I)
265       if (!PN->use_empty()) {
266         MVT::ValueType VT = TLI.getValueType(PN->getType());
267         unsigned NumElements;
268         if (VT != MVT::Vector)
269           NumElements = TLI.getNumElements(VT);
270         else {
271           MVT::ValueType VT1,VT2;
272           NumElements = 
273             TLI.getPackedTypeBreakdown(cast<PackedType>(PN->getType()),
274                                        VT1, VT2);
275         }
276         unsigned PHIReg = ValueMap[PN];
277         assert(PHIReg &&"PHI node does not have an assigned virtual register!");
278         for (unsigned i = 0; i != NumElements; ++i)
279           BuildMI(MBB, TargetInstrInfo::PHI, PN->getNumOperands(), PHIReg+i);
280       }
281   }
282 }
283
284 /// CreateRegForValue - Allocate the appropriate number of virtual registers of
285 /// the correctly promoted or expanded types.  Assign these registers
286 /// consecutive vreg numbers and return the first assigned number.
287 unsigned FunctionLoweringInfo::CreateRegForValue(const Value *V) {
288   MVT::ValueType VT = TLI.getValueType(V->getType());
289   
290   // The number of multiples of registers that we need, to, e.g., split up
291   // a <2 x int64> -> 4 x i32 registers.
292   unsigned NumVectorRegs = 1;
293   
294   // If this is a packed type, figure out what type it will decompose into
295   // and how many of the elements it will use.
296   if (VT == MVT::Vector) {
297     const PackedType *PTy = cast<PackedType>(V->getType());
298     unsigned NumElts = PTy->getNumElements();
299     MVT::ValueType EltTy = TLI.getValueType(PTy->getElementType());
300     
301     // Divide the input until we get to a supported size.  This will always
302     // end with a scalar if the target doesn't support vectors.
303     while (NumElts > 1 && !TLI.isTypeLegal(getVectorType(EltTy, NumElts))) {
304       NumElts >>= 1;
305       NumVectorRegs <<= 1;
306     }
307     if (NumElts == 1)
308       VT = EltTy;
309     else
310       VT = getVectorType(EltTy, NumElts);
311   }
312   
313   // The common case is that we will only create one register for this
314   // value.  If we have that case, create and return the virtual register.
315   unsigned NV = TLI.getNumElements(VT);
316   if (NV == 1) {
317     // If we are promoting this value, pick the next largest supported type.
318     MVT::ValueType PromotedType = TLI.getTypeToTransformTo(VT);
319     unsigned Reg = MakeReg(PromotedType);
320     // If this is a vector of supported or promoted types (e.g. 4 x i16),
321     // create all of the registers.
322     for (unsigned i = 1; i != NumVectorRegs; ++i)
323       MakeReg(PromotedType);
324     return Reg;
325   }
326   
327   // If this value is represented with multiple target registers, make sure
328   // to create enough consecutive registers of the right (smaller) type.
329   unsigned NT = VT-1;  // Find the type to use.
330   while (TLI.getNumElements((MVT::ValueType)NT) != 1)
331     --NT;
332   
333   unsigned R = MakeReg((MVT::ValueType)NT);
334   for (unsigned i = 1; i != NV*NumVectorRegs; ++i)
335     MakeReg((MVT::ValueType)NT);
336   return R;
337 }
338
339 //===----------------------------------------------------------------------===//
340 /// SelectionDAGLowering - This is the common target-independent lowering
341 /// implementation that is parameterized by a TargetLowering object.
342 /// Also, targets can overload any lowering method.
343 ///
344 namespace llvm {
345 class SelectionDAGLowering {
346   MachineBasicBlock *CurMBB;
347
348   std::map<const Value*, SDOperand> NodeMap;
349
350   /// PendingLoads - Loads are not emitted to the program immediately.  We bunch
351   /// them up and then emit token factor nodes when possible.  This allows us to
352   /// get simple disambiguation between loads without worrying about alias
353   /// analysis.
354   std::vector<SDOperand> PendingLoads;
355
356   /// Case - A pair of values to record the Value for a switch case, and the
357   /// case's target basic block.  
358   typedef std::pair<Constant*, MachineBasicBlock*> Case;
359   typedef std::vector<Case>::iterator              CaseItr;
360   typedef std::pair<CaseItr, CaseItr>              CaseRange;
361
362   /// CaseRec - A struct with ctor used in lowering switches to a binary tree
363   /// of conditional branches.
364   struct CaseRec {
365     CaseRec(MachineBasicBlock *bb, Constant *lt, Constant *ge, CaseRange r) :
366     CaseBB(bb), LT(lt), GE(ge), Range(r) {}
367
368     /// CaseBB - The MBB in which to emit the compare and branch
369     MachineBasicBlock *CaseBB;
370     /// LT, GE - If nonzero, we know the current case value must be less-than or
371     /// greater-than-or-equal-to these Constants.
372     Constant *LT;
373     Constant *GE;
374     /// Range - A pair of iterators representing the range of case values to be
375     /// processed at this point in the binary search tree.
376     CaseRange Range;
377   };
378   
379   /// The comparison function for sorting Case values.
380   struct CaseCmp {
381     bool operator () (const Case& C1, const Case& C2) {
382       if (const ConstantUInt* U1 = dyn_cast<const ConstantUInt>(C1.first))
383         return U1->getValue() < cast<const ConstantUInt>(C2.first)->getValue();
384       
385       const ConstantSInt* S1 = dyn_cast<const ConstantSInt>(C1.first);
386       return S1->getValue() < cast<const ConstantSInt>(C2.first)->getValue();
387     }
388   };
389   
390 public:
391   // TLI - This is information that describes the available target features we
392   // need for lowering.  This indicates when operations are unavailable,
393   // implemented with a libcall, etc.
394   TargetLowering &TLI;
395   SelectionDAG &DAG;
396   const TargetData &TD;
397
398   /// SwitchCases - Vector of CaseBlock structures used to communicate
399   /// SwitchInst code generation information.
400   std::vector<SelectionDAGISel::CaseBlock> SwitchCases;
401   
402   /// FuncInfo - Information about the function as a whole.
403   ///
404   FunctionLoweringInfo &FuncInfo;
405
406   SelectionDAGLowering(SelectionDAG &dag, TargetLowering &tli,
407                        FunctionLoweringInfo &funcinfo)
408     : TLI(tli), DAG(dag), TD(DAG.getTarget().getTargetData()),
409       FuncInfo(funcinfo) {
410   }
411
412   /// getRoot - Return the current virtual root of the Selection DAG.
413   ///
414   SDOperand getRoot() {
415     if (PendingLoads.empty())
416       return DAG.getRoot();
417
418     if (PendingLoads.size() == 1) {
419       SDOperand Root = PendingLoads[0];
420       DAG.setRoot(Root);
421       PendingLoads.clear();
422       return Root;
423     }
424
425     // Otherwise, we have to make a token factor node.
426     SDOperand Root = DAG.getNode(ISD::TokenFactor, MVT::Other, PendingLoads);
427     PendingLoads.clear();
428     DAG.setRoot(Root);
429     return Root;
430   }
431
432   void visit(Instruction &I) { visit(I.getOpcode(), I); }
433
434   void visit(unsigned Opcode, User &I) {
435     switch (Opcode) {
436     default: assert(0 && "Unknown instruction type encountered!");
437              abort();
438       // Build the switch statement using the Instruction.def file.
439 #define HANDLE_INST(NUM, OPCODE, CLASS) \
440     case Instruction::OPCODE:return visit##OPCODE((CLASS&)I);
441 #include "llvm/Instruction.def"
442     }
443   }
444
445   void setCurrentBasicBlock(MachineBasicBlock *MBB) { CurMBB = MBB; }
446
447   SDOperand getLoadFrom(const Type *Ty, SDOperand Ptr,
448                         SDOperand SrcValue, SDOperand Root,
449                         bool isVolatile);
450
451   SDOperand getIntPtrConstant(uint64_t Val) {
452     return DAG.getConstant(Val, TLI.getPointerTy());
453   }
454
455   SDOperand getValue(const Value *V);
456
457   const SDOperand &setValue(const Value *V, SDOperand NewN) {
458     SDOperand &N = NodeMap[V];
459     assert(N.Val == 0 && "Already set a value for this node!");
460     return N = NewN;
461   }
462   
463   RegsForValue GetRegistersForValue(const std::string &ConstrCode,
464                                     MVT::ValueType VT,
465                                     bool OutReg, bool InReg,
466                                     std::set<unsigned> &OutputRegs, 
467                                     std::set<unsigned> &InputRegs);
468
469   // Terminator instructions.
470   void visitRet(ReturnInst &I);
471   void visitBr(BranchInst &I);
472   void visitSwitch(SwitchInst &I);
473   void visitUnreachable(UnreachableInst &I) { /* noop */ }
474
475   // Helper for visitSwitch
476   void visitSwitchCase(SelectionDAGISel::CaseBlock &CB);
477   
478   // These all get lowered before this pass.
479   void visitInvoke(InvokeInst &I) { assert(0 && "TODO"); }
480   void visitUnwind(UnwindInst &I) { assert(0 && "TODO"); }
481
482   void visitBinary(User &I, unsigned IntOp, unsigned FPOp, unsigned VecOp);
483   void visitShift(User &I, unsigned Opcode);
484   void visitAdd(User &I) { 
485     visitBinary(I, ISD::ADD, ISD::FADD, ISD::VADD); 
486   }
487   void visitSub(User &I);
488   void visitMul(User &I) { 
489     visitBinary(I, ISD::MUL, ISD::FMUL, ISD::VMUL); 
490   }
491   void visitDiv(User &I) {
492     const Type *Ty = I.getType();
493     visitBinary(I,
494                 Ty->isSigned() ? ISD::SDIV : ISD::UDIV, ISD::FDIV,
495                 Ty->isSigned() ? ISD::VSDIV : ISD::VUDIV);
496   }
497   void visitRem(User &I) {
498     const Type *Ty = I.getType();
499     visitBinary(I, Ty->isSigned() ? ISD::SREM : ISD::UREM, ISD::FREM, 0);
500   }
501   void visitAnd(User &I) { visitBinary(I, ISD::AND, 0, ISD::VAND); }
502   void visitOr (User &I) { visitBinary(I, ISD::OR,  0, ISD::VOR); }
503   void visitXor(User &I) { visitBinary(I, ISD::XOR, 0, ISD::VXOR); }
504   void visitShl(User &I) { visitShift(I, ISD::SHL); }
505   void visitShr(User &I) { 
506     visitShift(I, I.getType()->isUnsigned() ? ISD::SRL : ISD::SRA);
507   }
508
509   void visitSetCC(User &I, ISD::CondCode SignedOpc, ISD::CondCode UnsignedOpc);
510   void visitSetEQ(User &I) { visitSetCC(I, ISD::SETEQ, ISD::SETEQ); }
511   void visitSetNE(User &I) { visitSetCC(I, ISD::SETNE, ISD::SETNE); }
512   void visitSetLE(User &I) { visitSetCC(I, ISD::SETLE, ISD::SETULE); }
513   void visitSetGE(User &I) { visitSetCC(I, ISD::SETGE, ISD::SETUGE); }
514   void visitSetLT(User &I) { visitSetCC(I, ISD::SETLT, ISD::SETULT); }
515   void visitSetGT(User &I) { visitSetCC(I, ISD::SETGT, ISD::SETUGT); }
516
517   void visitExtractElement(User &I);
518   void visitInsertElement(User &I);
519   void visitShuffleVector(User &I);
520
521   void visitGetElementPtr(User &I);
522   void visitCast(User &I);
523   void visitSelect(User &I);
524
525   void visitMalloc(MallocInst &I);
526   void visitFree(FreeInst &I);
527   void visitAlloca(AllocaInst &I);
528   void visitLoad(LoadInst &I);
529   void visitStore(StoreInst &I);
530   void visitPHI(PHINode &I) { } // PHI nodes are handled specially.
531   void visitCall(CallInst &I);
532   void visitInlineAsm(CallInst &I);
533   const char *visitIntrinsicCall(CallInst &I, unsigned Intrinsic);
534   void visitTargetIntrinsic(CallInst &I, unsigned Intrinsic);
535
536   void visitVAStart(CallInst &I);
537   void visitVAArg(VAArgInst &I);
538   void visitVAEnd(CallInst &I);
539   void visitVACopy(CallInst &I);
540   void visitFrameReturnAddress(CallInst &I, bool isFrameAddress);
541
542   void visitMemIntrinsic(CallInst &I, unsigned Op);
543
544   void visitUserOp1(Instruction &I) {
545     assert(0 && "UserOp1 should not exist at instruction selection time!");
546     abort();
547   }
548   void visitUserOp2(Instruction &I) {
549     assert(0 && "UserOp2 should not exist at instruction selection time!");
550     abort();
551   }
552 };
553 } // end namespace llvm
554
555 SDOperand SelectionDAGLowering::getValue(const Value *V) {
556   SDOperand &N = NodeMap[V];
557   if (N.Val) return N;
558   
559   const Type *VTy = V->getType();
560   MVT::ValueType VT = TLI.getValueType(VTy);
561   if (Constant *C = const_cast<Constant*>(dyn_cast<Constant>(V))) {
562     if (ConstantExpr *CE = dyn_cast<ConstantExpr>(C)) {
563       visit(CE->getOpcode(), *CE);
564       assert(N.Val && "visit didn't populate the ValueMap!");
565       return N;
566     } else if (GlobalValue *GV = dyn_cast<GlobalValue>(C)) {
567       return N = DAG.getGlobalAddress(GV, VT);
568     } else if (isa<ConstantPointerNull>(C)) {
569       return N = DAG.getConstant(0, TLI.getPointerTy());
570     } else if (isa<UndefValue>(C)) {
571       if (!isa<PackedType>(VTy))
572         return N = DAG.getNode(ISD::UNDEF, VT);
573
574       // Create a VBUILD_VECTOR of undef nodes.
575       const PackedType *PTy = cast<PackedType>(VTy);
576       unsigned NumElements = PTy->getNumElements();
577       MVT::ValueType PVT = TLI.getValueType(PTy->getElementType());
578
579       std::vector<SDOperand> Ops;
580       Ops.assign(NumElements, DAG.getNode(ISD::UNDEF, PVT));
581       
582       // Create a VConstant node with generic Vector type.
583       Ops.push_back(DAG.getConstant(NumElements, MVT::i32));
584       Ops.push_back(DAG.getValueType(PVT));
585       return N = DAG.getNode(ISD::VBUILD_VECTOR, MVT::Vector, Ops);
586     } else if (ConstantFP *CFP = dyn_cast<ConstantFP>(C)) {
587       return N = DAG.getConstantFP(CFP->getValue(), VT);
588     } else if (const PackedType *PTy = dyn_cast<PackedType>(VTy)) {
589       unsigned NumElements = PTy->getNumElements();
590       MVT::ValueType PVT = TLI.getValueType(PTy->getElementType());
591       
592       // Now that we know the number and type of the elements, push a
593       // Constant or ConstantFP node onto the ops list for each element of
594       // the packed constant.
595       std::vector<SDOperand> Ops;
596       if (ConstantPacked *CP = dyn_cast<ConstantPacked>(C)) {
597         for (unsigned i = 0; i != NumElements; ++i)
598           Ops.push_back(getValue(CP->getOperand(i)));
599       } else {
600         assert(isa<ConstantAggregateZero>(C) && "Unknown packed constant!");
601         SDOperand Op;
602         if (MVT::isFloatingPoint(PVT))
603           Op = DAG.getConstantFP(0, PVT);
604         else
605           Op = DAG.getConstant(0, PVT);
606         Ops.assign(NumElements, Op);
607       }
608       
609       // Create a VBUILD_VECTOR node with generic Vector type.
610       Ops.push_back(DAG.getConstant(NumElements, MVT::i32));
611       Ops.push_back(DAG.getValueType(PVT));
612       return N = DAG.getNode(ISD::VBUILD_VECTOR, MVT::Vector, Ops);
613     } else {
614       // Canonicalize all constant ints to be unsigned.
615       return N = DAG.getConstant(cast<ConstantIntegral>(C)->getRawValue(),VT);
616     }
617   }
618       
619   if (const AllocaInst *AI = dyn_cast<AllocaInst>(V)) {
620     std::map<const AllocaInst*, int>::iterator SI =
621     FuncInfo.StaticAllocaMap.find(AI);
622     if (SI != FuncInfo.StaticAllocaMap.end())
623       return DAG.getFrameIndex(SI->second, TLI.getPointerTy());
624   }
625       
626   std::map<const Value*, unsigned>::const_iterator VMI =
627       FuncInfo.ValueMap.find(V);
628   assert(VMI != FuncInfo.ValueMap.end() && "Value not in map!");
629   
630   unsigned InReg = VMI->second;
631   
632   // If this type is not legal, make it so now.
633   if (VT != MVT::Vector) {
634     MVT::ValueType DestVT = TLI.getTypeToTransformTo(VT);
635   
636     N = DAG.getCopyFromReg(DAG.getEntryNode(), InReg, DestVT);
637     if (DestVT < VT) {
638       // Source must be expanded.  This input value is actually coming from the
639       // register pair VMI->second and VMI->second+1.
640       N = DAG.getNode(ISD::BUILD_PAIR, VT, N,
641                       DAG.getCopyFromReg(DAG.getEntryNode(), InReg+1, DestVT));
642     } else if (DestVT > VT) { // Promotion case
643       if (MVT::isFloatingPoint(VT))
644         N = DAG.getNode(ISD::FP_ROUND, VT, N);
645       else
646         N = DAG.getNode(ISD::TRUNCATE, VT, N);
647     }
648   } else {
649     // Otherwise, if this is a vector, make it available as a generic vector
650     // here.
651     MVT::ValueType PTyElementVT, PTyLegalElementVT;
652     const PackedType *PTy = cast<PackedType>(VTy);
653     unsigned NE = TLI.getPackedTypeBreakdown(PTy, PTyElementVT,
654                                              PTyLegalElementVT);
655
656     // Build a VBUILD_VECTOR with the input registers.
657     std::vector<SDOperand> Ops;
658     if (PTyElementVT == PTyLegalElementVT) {
659       // If the value types are legal, just VBUILD the CopyFromReg nodes.
660       for (unsigned i = 0; i != NE; ++i)
661         Ops.push_back(DAG.getCopyFromReg(DAG.getEntryNode(), InReg++, 
662                                          PTyElementVT));
663     } else if (PTyElementVT < PTyLegalElementVT) {
664       // If the register was promoted, use TRUNCATE of FP_ROUND as appropriate.
665       for (unsigned i = 0; i != NE; ++i) {
666         SDOperand Op = DAG.getCopyFromReg(DAG.getEntryNode(), InReg++, 
667                                           PTyElementVT);
668         if (MVT::isFloatingPoint(PTyElementVT))
669           Op = DAG.getNode(ISD::FP_ROUND, PTyElementVT, Op);
670         else
671           Op = DAG.getNode(ISD::TRUNCATE, PTyElementVT, Op);
672         Ops.push_back(Op);
673       }
674     } else {
675       // If the register was expanded, use BUILD_PAIR.
676       assert((NE & 1) == 0 && "Must expand into a multiple of 2 elements!");
677       for (unsigned i = 0; i != NE/2; ++i) {
678         SDOperand Op0 = DAG.getCopyFromReg(DAG.getEntryNode(), InReg++, 
679                                            PTyElementVT);
680         SDOperand Op1 = DAG.getCopyFromReg(DAG.getEntryNode(), InReg++, 
681                                            PTyElementVT);
682         Ops.push_back(DAG.getNode(ISD::BUILD_PAIR, VT, Op0, Op1));
683       }
684     }
685     
686     Ops.push_back(DAG.getConstant(NE, MVT::i32));
687     Ops.push_back(DAG.getValueType(PTyLegalElementVT));
688     N = DAG.getNode(ISD::VBUILD_VECTOR, MVT::Vector, Ops);
689     
690     // Finally, use a VBIT_CONVERT to make this available as the appropriate
691     // vector type.
692     N = DAG.getNode(ISD::VBIT_CONVERT, MVT::Vector, N, 
693                     DAG.getConstant(PTy->getNumElements(),
694                                     MVT::i32),
695                     DAG.getValueType(TLI.getValueType(PTy->getElementType())));
696   }
697   
698   return N;
699 }
700
701
702 void SelectionDAGLowering::visitRet(ReturnInst &I) {
703   if (I.getNumOperands() == 0) {
704     DAG.setRoot(DAG.getNode(ISD::RET, MVT::Other, getRoot()));
705     return;
706   }
707   std::vector<SDOperand> NewValues;
708   NewValues.push_back(getRoot());
709   for (unsigned i = 0, e = I.getNumOperands(); i != e; ++i) {
710     SDOperand RetOp = getValue(I.getOperand(i));
711     
712     // If this is an integer return value, we need to promote it ourselves to
713     // the full width of a register, since LegalizeOp will use ANY_EXTEND rather
714     // than sign/zero.
715     if (MVT::isInteger(RetOp.getValueType()) && 
716         RetOp.getValueType() < MVT::i64) {
717       MVT::ValueType TmpVT;
718       if (TLI.getTypeAction(MVT::i32) == TargetLowering::Promote)
719         TmpVT = TLI.getTypeToTransformTo(MVT::i32);
720       else
721         TmpVT = MVT::i32;
722
723       if (I.getOperand(i)->getType()->isSigned())
724         RetOp = DAG.getNode(ISD::SIGN_EXTEND, TmpVT, RetOp);
725       else
726         RetOp = DAG.getNode(ISD::ZERO_EXTEND, TmpVT, RetOp);
727     }
728     NewValues.push_back(RetOp);
729   }
730   DAG.setRoot(DAG.getNode(ISD::RET, MVT::Other, NewValues));
731 }
732
733 void SelectionDAGLowering::visitBr(BranchInst &I) {
734   // Update machine-CFG edges.
735   MachineBasicBlock *Succ0MBB = FuncInfo.MBBMap[I.getSuccessor(0)];
736   CurMBB->addSuccessor(Succ0MBB);
737
738   // Figure out which block is immediately after the current one.
739   MachineBasicBlock *NextBlock = 0;
740   MachineFunction::iterator BBI = CurMBB;
741   if (++BBI != CurMBB->getParent()->end())
742     NextBlock = BBI;
743
744   if (I.isUnconditional()) {
745     // If this is not a fall-through branch, emit the branch.
746     if (Succ0MBB != NextBlock)
747       DAG.setRoot(DAG.getNode(ISD::BR, MVT::Other, getRoot(),
748                               DAG.getBasicBlock(Succ0MBB)));
749   } else {
750     MachineBasicBlock *Succ1MBB = FuncInfo.MBBMap[I.getSuccessor(1)];
751     CurMBB->addSuccessor(Succ1MBB);
752
753     SDOperand Cond = getValue(I.getCondition());
754     if (Succ1MBB == NextBlock) {
755       // If the condition is false, fall through.  This means we should branch
756       // if the condition is true to Succ #0.
757       DAG.setRoot(DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(),
758                               Cond, DAG.getBasicBlock(Succ0MBB)));
759     } else if (Succ0MBB == NextBlock) {
760       // If the condition is true, fall through.  This means we should branch if
761       // the condition is false to Succ #1.  Invert the condition first.
762       SDOperand True = DAG.getConstant(1, Cond.getValueType());
763       Cond = DAG.getNode(ISD::XOR, Cond.getValueType(), Cond, True);
764       DAG.setRoot(DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(),
765                               Cond, DAG.getBasicBlock(Succ1MBB)));
766     } else {
767       std::vector<SDOperand> Ops;
768       Ops.push_back(getRoot());
769       // If the false case is the current basic block, then this is a self
770       // loop. We do not want to emit "Loop: ... brcond Out; br Loop", as it
771       // adds an extra instruction in the loop.  Instead, invert the
772       // condition and emit "Loop: ... br!cond Loop; br Out. 
773       if (CurMBB == Succ1MBB) {
774         std::swap(Succ0MBB, Succ1MBB);
775         SDOperand True = DAG.getConstant(1, Cond.getValueType());
776         Cond = DAG.getNode(ISD::XOR, Cond.getValueType(), Cond, True);
777       }
778       SDOperand True = DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(), Cond,
779                                    DAG.getBasicBlock(Succ0MBB));
780       DAG.setRoot(DAG.getNode(ISD::BR, MVT::Other, True, 
781                               DAG.getBasicBlock(Succ1MBB)));
782     }
783   }
784 }
785
786 /// visitSwitchCase - Emits the necessary code to represent a single node in
787 /// the binary search tree resulting from lowering a switch instruction.
788 void SelectionDAGLowering::visitSwitchCase(SelectionDAGISel::CaseBlock &CB) {
789   SDOperand SwitchOp = getValue(CB.SwitchV);
790   SDOperand CaseOp = getValue(CB.CaseC);
791   SDOperand Cond = DAG.getSetCC(MVT::i1, SwitchOp, CaseOp, CB.CC);
792   
793   // Set NextBlock to be the MBB immediately after the current one, if any.
794   // This is used to avoid emitting unnecessary branches to the next block.
795   MachineBasicBlock *NextBlock = 0;
796   MachineFunction::iterator BBI = CurMBB;
797   if (++BBI != CurMBB->getParent()->end())
798     NextBlock = BBI;
799   
800   // If the lhs block is the next block, invert the condition so that we can
801   // fall through to the lhs instead of the rhs block.
802   if (CB.LHSBB == NextBlock) {
803     std::swap(CB.LHSBB, CB.RHSBB);
804     SDOperand True = DAG.getConstant(1, Cond.getValueType());
805     Cond = DAG.getNode(ISD::XOR, Cond.getValueType(), Cond, True);
806   }
807   SDOperand BrCond = DAG.getNode(ISD::BRCOND, MVT::Other, getRoot(), Cond,
808                                  DAG.getBasicBlock(CB.LHSBB));
809   if (CB.RHSBB == NextBlock)
810     DAG.setRoot(BrCond);
811   else
812     DAG.setRoot(DAG.getNode(ISD::BR, MVT::Other, BrCond, 
813                             DAG.getBasicBlock(CB.RHSBB)));
814   // Update successor info
815   CurMBB->addSuccessor(CB.LHSBB);
816   CurMBB->addSuccessor(CB.RHSBB);
817 }
818
819 void SelectionDAGLowering::visitSwitch(SwitchInst &I) {
820   // Figure out which block is immediately after the current one.
821   MachineBasicBlock *NextBlock = 0;
822   MachineFunction::iterator BBI = CurMBB;
823   if (++BBI != CurMBB->getParent()->end())
824     NextBlock = BBI;
825   
826   // If there is only the default destination, branch to it if it is not the
827   // next basic block.  Otherwise, just fall through.
828   if (I.getNumOperands() == 2) {
829     // Update machine-CFG edges.
830     MachineBasicBlock *DefaultMBB = FuncInfo.MBBMap[I.getDefaultDest()];
831     // If this is not a fall-through branch, emit the branch.
832     if (DefaultMBB != NextBlock)
833       DAG.setRoot(DAG.getNode(ISD::BR, MVT::Other, getRoot(),
834                               DAG.getBasicBlock(DefaultMBB)));
835     return;
836   }
837   
838   // If there are any non-default case statements, create a vector of Cases
839   // representing each one, and sort the vector so that we can efficiently
840   // create a binary search tree from them.
841   std::vector<Case> Cases;
842   for (unsigned i = 1; i < I.getNumSuccessors(); ++i) {
843     MachineBasicBlock *SMBB = FuncInfo.MBBMap[I.getSuccessor(i)];
844     Cases.push_back(Case(I.getSuccessorValue(i), SMBB));
845   }
846   std::sort(Cases.begin(), Cases.end(), CaseCmp());
847   
848   // Get the Value to be switched on and default basic blocks, which will be
849   // inserted into CaseBlock records, representing basic blocks in the binary
850   // search tree.
851   Value *SV = I.getOperand(0);
852   MachineBasicBlock *Default = FuncInfo.MBBMap[I.getDefaultDest()];
853   
854   // Get the current MachineFunction and LLVM basic block, for use in creating
855   // and inserting new MBBs during the creation of the binary search tree.
856   MachineFunction *CurMF = CurMBB->getParent();
857   const BasicBlock *LLVMBB = CurMBB->getBasicBlock();
858   
859   // Push the initial CaseRec onto the worklist
860   std::vector<CaseRec> CaseVec;
861   CaseVec.push_back(CaseRec(CurMBB,0,0,CaseRange(Cases.begin(),Cases.end())));
862   
863   while (!CaseVec.empty()) {
864     // Grab a record representing a case range to process off the worklist
865     CaseRec CR = CaseVec.back();
866     CaseVec.pop_back();
867     
868     // Size is the number of Cases represented by this range.  If Size is 1,
869     // then we are processing a leaf of the binary search tree.  Otherwise,
870     // we need to pick a pivot, and push left and right ranges onto the 
871     // worklist.
872     unsigned Size = CR.Range.second - CR.Range.first;
873     
874     if (Size == 1) {
875       // Create a CaseBlock record representing a conditional branch to
876       // the Case's target mbb if the value being switched on SV is equal
877       // to C.  Otherwise, branch to default.
878       Constant *C = CR.Range.first->first;
879       MachineBasicBlock *Target = CR.Range.first->second;
880       SelectionDAGISel::CaseBlock CB(ISD::SETEQ, SV, C, Target, Default, 
881                                      CR.CaseBB);
882       // If the MBB representing the leaf node is the current MBB, then just
883       // call visitSwitchCase to emit the code into the current block.
884       // Otherwise, push the CaseBlock onto the vector to be later processed
885       // by SDISel, and insert the node's MBB before the next MBB.
886       if (CR.CaseBB == CurMBB)
887         visitSwitchCase(CB);
888       else {
889         SwitchCases.push_back(CB);
890         CurMF->getBasicBlockList().insert(BBI, CR.CaseBB);
891       }
892     } else {
893       // split case range at pivot
894       CaseItr Pivot = CR.Range.first + (Size / 2);
895       CaseRange LHSR(CR.Range.first, Pivot);
896       CaseRange RHSR(Pivot, CR.Range.second);
897       Constant *C = Pivot->first;
898       MachineBasicBlock *RHSBB = 0, *LHSBB = 0;
899       // We know that we branch to the LHS if the Value being switched on is
900       // less than the Pivot value, C.  We use this to optimize our binary 
901       // tree a bit, by recognizing that if SV is greater than or equal to the
902       // LHS's Case Value, and that Case Value is exactly one less than the 
903       // Pivot's Value, then we can branch directly to the LHS's Target,
904       // rather than creating a leaf node for it.
905       if ((LHSR.second - LHSR.first) == 1 &&
906           LHSR.first->first == CR.GE &&
907           cast<ConstantIntegral>(C)->getRawValue() ==
908           (cast<ConstantIntegral>(CR.GE)->getRawValue() + 1ULL)) {
909         LHSBB = LHSR.first->second;
910       } else {
911         LHSBB = new MachineBasicBlock(LLVMBB);
912         CaseVec.push_back(CaseRec(LHSBB,C,CR.GE,LHSR));
913       }
914       // Similar to the optimization above, if the Value being switched on is
915       // known to be less than the Constant CR.LT, and the current Case Value
916       // is CR.LT - 1, then we can branch directly to the target block for
917       // the current Case Value, rather than emitting a RHS leaf node for it.
918       if ((RHSR.second - RHSR.first) == 1 && CR.LT &&
919           cast<ConstantIntegral>(RHSR.first->first)->getRawValue() ==
920           (cast<ConstantIntegral>(CR.LT)->getRawValue() - 1ULL)) {
921         RHSBB = RHSR.first->second;
922       } else {
923         RHSBB = new MachineBasicBlock(LLVMBB);
924         CaseVec.push_back(CaseRec(RHSBB,CR.LT,C,RHSR));
925       }
926       // Create a CaseBlock record representing a conditional branch to
927       // the LHS node if the value being switched on SV is less than C. 
928       // Otherwise, branch to LHS.
929       ISD::CondCode CC = C->getType()->isSigned() ? ISD::SETLT : ISD::SETULT;
930       SelectionDAGISel::CaseBlock CB(CC, SV, C, LHSBB, RHSBB, CR.CaseBB);
931       if (CR.CaseBB == CurMBB)
932         visitSwitchCase(CB);
933       else {
934         SwitchCases.push_back(CB);
935         CurMF->getBasicBlockList().insert(BBI, CR.CaseBB);
936       }
937     }
938   }
939 }
940
941 void SelectionDAGLowering::visitSub(User &I) {
942   // -0.0 - X --> fneg
943   if (I.getType()->isFloatingPoint()) {
944     if (ConstantFP *CFP = dyn_cast<ConstantFP>(I.getOperand(0)))
945       if (CFP->isExactlyValue(-0.0)) {
946         SDOperand Op2 = getValue(I.getOperand(1));
947         setValue(&I, DAG.getNode(ISD::FNEG, Op2.getValueType(), Op2));
948         return;
949       }
950   }
951   visitBinary(I, ISD::SUB, ISD::FSUB, ISD::VSUB);
952 }
953
954 void SelectionDAGLowering::visitBinary(User &I, unsigned IntOp, unsigned FPOp, 
955                                        unsigned VecOp) {
956   const Type *Ty = I.getType();
957   SDOperand Op1 = getValue(I.getOperand(0));
958   SDOperand Op2 = getValue(I.getOperand(1));
959
960   if (Ty->isIntegral()) {
961     setValue(&I, DAG.getNode(IntOp, Op1.getValueType(), Op1, Op2));
962   } else if (Ty->isFloatingPoint()) {
963     setValue(&I, DAG.getNode(FPOp, Op1.getValueType(), Op1, Op2));
964   } else {
965     const PackedType *PTy = cast<PackedType>(Ty);
966     SDOperand Num = DAG.getConstant(PTy->getNumElements(), MVT::i32);
967     SDOperand Typ = DAG.getValueType(TLI.getValueType(PTy->getElementType()));
968     setValue(&I, DAG.getNode(VecOp, MVT::Vector, Op1, Op2, Num, Typ));
969   }
970 }
971
972 void SelectionDAGLowering::visitShift(User &I, unsigned Opcode) {
973   SDOperand Op1 = getValue(I.getOperand(0));
974   SDOperand Op2 = getValue(I.getOperand(1));
975   
976   Op2 = DAG.getNode(ISD::ANY_EXTEND, TLI.getShiftAmountTy(), Op2);
977   
978   setValue(&I, DAG.getNode(Opcode, Op1.getValueType(), Op1, Op2));
979 }
980
981 void SelectionDAGLowering::visitSetCC(User &I,ISD::CondCode SignedOpcode,
982                                       ISD::CondCode UnsignedOpcode) {
983   SDOperand Op1 = getValue(I.getOperand(0));
984   SDOperand Op2 = getValue(I.getOperand(1));
985   ISD::CondCode Opcode = SignedOpcode;
986   if (I.getOperand(0)->getType()->isUnsigned())
987     Opcode = UnsignedOpcode;
988   setValue(&I, DAG.getSetCC(MVT::i1, Op1, Op2, Opcode));
989 }
990
991 void SelectionDAGLowering::visitSelect(User &I) {
992   SDOperand Cond     = getValue(I.getOperand(0));
993   SDOperand TrueVal  = getValue(I.getOperand(1));
994   SDOperand FalseVal = getValue(I.getOperand(2));
995   if (!isa<PackedType>(I.getType())) {
996     setValue(&I, DAG.getNode(ISD::SELECT, TrueVal.getValueType(), Cond,
997                              TrueVal, FalseVal));
998   } else {
999     setValue(&I, DAG.getNode(ISD::VSELECT, MVT::Vector, Cond, TrueVal, FalseVal,
1000                              *(TrueVal.Val->op_end()-2),
1001                              *(TrueVal.Val->op_end()-1)));
1002   }
1003 }
1004
1005 void SelectionDAGLowering::visitCast(User &I) {
1006   SDOperand N = getValue(I.getOperand(0));
1007   MVT::ValueType SrcVT = N.getValueType();
1008   MVT::ValueType DestVT = TLI.getValueType(I.getType());
1009
1010   if (DestVT == MVT::Vector) {
1011     // This is a cast to a vector from something else.  This is always a bit
1012     // convert.  Get information about the input vector.
1013     const PackedType *DestTy = cast<PackedType>(I.getType());
1014     MVT::ValueType EltVT = TLI.getValueType(DestTy->getElementType());
1015     setValue(&I, DAG.getNode(ISD::VBIT_CONVERT, DestVT, N, 
1016                              DAG.getConstant(DestTy->getNumElements(),MVT::i32),
1017                              DAG.getValueType(EltVT)));
1018   } else if (SrcVT == DestVT) {
1019     setValue(&I, N);  // noop cast.
1020   } else if (DestVT == MVT::i1) {
1021     // Cast to bool is a comparison against zero, not truncation to zero.
1022     SDOperand Zero = isInteger(SrcVT) ? DAG.getConstant(0, N.getValueType()) :
1023                                        DAG.getConstantFP(0.0, N.getValueType());
1024     setValue(&I, DAG.getSetCC(MVT::i1, N, Zero, ISD::SETNE));
1025   } else if (isInteger(SrcVT)) {
1026     if (isInteger(DestVT)) {        // Int -> Int cast
1027       if (DestVT < SrcVT)   // Truncating cast?
1028         setValue(&I, DAG.getNode(ISD::TRUNCATE, DestVT, N));
1029       else if (I.getOperand(0)->getType()->isSigned())
1030         setValue(&I, DAG.getNode(ISD::SIGN_EXTEND, DestVT, N));
1031       else
1032         setValue(&I, DAG.getNode(ISD::ZERO_EXTEND, DestVT, N));
1033     } else if (isFloatingPoint(DestVT)) {           // Int -> FP cast
1034       if (I.getOperand(0)->getType()->isSigned())
1035         setValue(&I, DAG.getNode(ISD::SINT_TO_FP, DestVT, N));
1036       else
1037         setValue(&I, DAG.getNode(ISD::UINT_TO_FP, DestVT, N));
1038     } else {
1039       assert(0 && "Unknown cast!");
1040     }
1041   } else if (isFloatingPoint(SrcVT)) {
1042     if (isFloatingPoint(DestVT)) {  // FP -> FP cast
1043       if (DestVT < SrcVT)   // Rounding cast?
1044         setValue(&I, DAG.getNode(ISD::FP_ROUND, DestVT, N));
1045       else
1046         setValue(&I, DAG.getNode(ISD::FP_EXTEND, DestVT, N));
1047     } else if (isInteger(DestVT)) {        // FP -> Int cast.
1048       if (I.getType()->isSigned())
1049         setValue(&I, DAG.getNode(ISD::FP_TO_SINT, DestVT, N));
1050       else
1051         setValue(&I, DAG.getNode(ISD::FP_TO_UINT, DestVT, N));
1052     } else {
1053       assert(0 && "Unknown cast!");
1054     }
1055   } else {
1056     assert(SrcVT == MVT::Vector && "Unknown cast!");
1057     assert(DestVT != MVT::Vector && "Casts to vector already handled!");
1058     // This is a cast from a vector to something else.  This is always a bit
1059     // convert.  Get information about the input vector.
1060     setValue(&I, DAG.getNode(ISD::VBIT_CONVERT, DestVT, N));
1061   }
1062 }
1063
1064 void SelectionDAGLowering::visitInsertElement(User &I) {
1065   SDOperand InVec = getValue(I.getOperand(0));
1066   SDOperand InVal = getValue(I.getOperand(1));
1067   SDOperand InIdx = DAG.getNode(ISD::ZERO_EXTEND, TLI.getPointerTy(),
1068                                 getValue(I.getOperand(2)));
1069
1070   SDOperand Num = *(InVec.Val->op_end()-2);
1071   SDOperand Typ = *(InVec.Val->op_end()-1);
1072   setValue(&I, DAG.getNode(ISD::VINSERT_VECTOR_ELT, MVT::Vector,
1073                            InVec, InVal, InIdx, Num, Typ));
1074 }
1075
1076 void SelectionDAGLowering::visitExtractElement(User &I) {
1077   SDOperand InVec = getValue(I.getOperand(0));
1078   SDOperand InIdx = DAG.getNode(ISD::ZERO_EXTEND, TLI.getPointerTy(),
1079                                 getValue(I.getOperand(1)));
1080   SDOperand Typ = *(InVec.Val->op_end()-1);
1081   setValue(&I, DAG.getNode(ISD::VEXTRACT_VECTOR_ELT,
1082                            TLI.getValueType(I.getType()), InVec, InIdx));
1083 }
1084
1085 void SelectionDAGLowering::visitShuffleVector(User &I) {
1086   SDOperand V1   = getValue(I.getOperand(0));
1087   SDOperand V2   = getValue(I.getOperand(1));
1088   SDOperand Mask = getValue(I.getOperand(2));
1089
1090   SDOperand Num = *(V1.Val->op_end()-2);
1091   SDOperand Typ = *(V2.Val->op_end()-1);
1092   setValue(&I, DAG.getNode(ISD::VVECTOR_SHUFFLE, MVT::Vector,
1093                            V1, V2, Mask, Num, Typ));
1094 }
1095
1096
1097 void SelectionDAGLowering::visitGetElementPtr(User &I) {
1098   SDOperand N = getValue(I.getOperand(0));
1099   const Type *Ty = I.getOperand(0)->getType();
1100   const Type *UIntPtrTy = TD.getIntPtrType();
1101
1102   for (GetElementPtrInst::op_iterator OI = I.op_begin()+1, E = I.op_end();
1103        OI != E; ++OI) {
1104     Value *Idx = *OI;
1105     if (const StructType *StTy = dyn_cast<StructType>(Ty)) {
1106       unsigned Field = cast<ConstantUInt>(Idx)->getValue();
1107       if (Field) {
1108         // N = N + Offset
1109         uint64_t Offset = TD.getStructLayout(StTy)->MemberOffsets[Field];
1110         N = DAG.getNode(ISD::ADD, N.getValueType(), N,
1111                         getIntPtrConstant(Offset));
1112       }
1113       Ty = StTy->getElementType(Field);
1114     } else {
1115       Ty = cast<SequentialType>(Ty)->getElementType();
1116
1117       // If this is a constant subscript, handle it quickly.
1118       if (ConstantInt *CI = dyn_cast<ConstantInt>(Idx)) {
1119         if (CI->getRawValue() == 0) continue;
1120
1121         uint64_t Offs;
1122         if (ConstantSInt *CSI = dyn_cast<ConstantSInt>(CI))
1123           Offs = (int64_t)TD.getTypeSize(Ty)*CSI->getValue();
1124         else
1125           Offs = TD.getTypeSize(Ty)*cast<ConstantUInt>(CI)->getValue();
1126         N = DAG.getNode(ISD::ADD, N.getValueType(), N, getIntPtrConstant(Offs));
1127         continue;
1128       }
1129       
1130       // N = N + Idx * ElementSize;
1131       uint64_t ElementSize = TD.getTypeSize(Ty);
1132       SDOperand IdxN = getValue(Idx);
1133
1134       // If the index is smaller or larger than intptr_t, truncate or extend
1135       // it.
1136       if (IdxN.getValueType() < N.getValueType()) {
1137         if (Idx->getType()->isSigned())
1138           IdxN = DAG.getNode(ISD::SIGN_EXTEND, N.getValueType(), IdxN);
1139         else
1140           IdxN = DAG.getNode(ISD::ZERO_EXTEND, N.getValueType(), IdxN);
1141       } else if (IdxN.getValueType() > N.getValueType())
1142         IdxN = DAG.getNode(ISD::TRUNCATE, N.getValueType(), IdxN);
1143
1144       // If this is a multiply by a power of two, turn it into a shl
1145       // immediately.  This is a very common case.
1146       if (isPowerOf2_64(ElementSize)) {
1147         unsigned Amt = Log2_64(ElementSize);
1148         IdxN = DAG.getNode(ISD::SHL, N.getValueType(), IdxN,
1149                            DAG.getConstant(Amt, TLI.getShiftAmountTy()));
1150         N = DAG.getNode(ISD::ADD, N.getValueType(), N, IdxN);
1151         continue;
1152       }
1153       
1154       SDOperand Scale = getIntPtrConstant(ElementSize);
1155       IdxN = DAG.getNode(ISD::MUL, N.getValueType(), IdxN, Scale);
1156       N = DAG.getNode(ISD::ADD, N.getValueType(), N, IdxN);
1157     }
1158   }
1159   setValue(&I, N);
1160 }
1161
1162 void SelectionDAGLowering::visitAlloca(AllocaInst &I) {
1163   // If this is a fixed sized alloca in the entry block of the function,
1164   // allocate it statically on the stack.
1165   if (FuncInfo.StaticAllocaMap.count(&I))
1166     return;   // getValue will auto-populate this.
1167
1168   const Type *Ty = I.getAllocatedType();
1169   uint64_t TySize = TLI.getTargetData().getTypeSize(Ty);
1170   unsigned Align = std::max((unsigned)TLI.getTargetData().getTypeAlignment(Ty),
1171                             I.getAlignment());
1172
1173   SDOperand AllocSize = getValue(I.getArraySize());
1174   MVT::ValueType IntPtr = TLI.getPointerTy();
1175   if (IntPtr < AllocSize.getValueType())
1176     AllocSize = DAG.getNode(ISD::TRUNCATE, IntPtr, AllocSize);
1177   else if (IntPtr > AllocSize.getValueType())
1178     AllocSize = DAG.getNode(ISD::ZERO_EXTEND, IntPtr, AllocSize);
1179
1180   AllocSize = DAG.getNode(ISD::MUL, IntPtr, AllocSize,
1181                           getIntPtrConstant(TySize));
1182
1183   // Handle alignment.  If the requested alignment is less than or equal to the
1184   // stack alignment, ignore it and round the size of the allocation up to the
1185   // stack alignment size.  If the size is greater than the stack alignment, we
1186   // note this in the DYNAMIC_STACKALLOC node.
1187   unsigned StackAlign =
1188     TLI.getTargetMachine().getFrameInfo()->getStackAlignment();
1189   if (Align <= StackAlign) {
1190     Align = 0;
1191     // Add SA-1 to the size.
1192     AllocSize = DAG.getNode(ISD::ADD, AllocSize.getValueType(), AllocSize,
1193                             getIntPtrConstant(StackAlign-1));
1194     // Mask out the low bits for alignment purposes.
1195     AllocSize = DAG.getNode(ISD::AND, AllocSize.getValueType(), AllocSize,
1196                             getIntPtrConstant(~(uint64_t)(StackAlign-1)));
1197   }
1198
1199   std::vector<MVT::ValueType> VTs;
1200   VTs.push_back(AllocSize.getValueType());
1201   VTs.push_back(MVT::Other);
1202   std::vector<SDOperand> Ops;
1203   Ops.push_back(getRoot());
1204   Ops.push_back(AllocSize);
1205   Ops.push_back(getIntPtrConstant(Align));
1206   SDOperand DSA = DAG.getNode(ISD::DYNAMIC_STACKALLOC, VTs, Ops);
1207   DAG.setRoot(setValue(&I, DSA).getValue(1));
1208
1209   // Inform the Frame Information that we have just allocated a variable-sized
1210   // object.
1211   CurMBB->getParent()->getFrameInfo()->CreateVariableSizedObject();
1212 }
1213
1214 void SelectionDAGLowering::visitLoad(LoadInst &I) {
1215   SDOperand Ptr = getValue(I.getOperand(0));
1216
1217   SDOperand Root;
1218   if (I.isVolatile())
1219     Root = getRoot();
1220   else {
1221     // Do not serialize non-volatile loads against each other.
1222     Root = DAG.getRoot();
1223   }
1224
1225   setValue(&I, getLoadFrom(I.getType(), Ptr, DAG.getSrcValue(I.getOperand(0)),
1226                            Root, I.isVolatile()));
1227 }
1228
1229 SDOperand SelectionDAGLowering::getLoadFrom(const Type *Ty, SDOperand Ptr,
1230                                             SDOperand SrcValue, SDOperand Root,
1231                                             bool isVolatile) {
1232   SDOperand L;
1233   if (const PackedType *PTy = dyn_cast<PackedType>(Ty)) {
1234     MVT::ValueType PVT = TLI.getValueType(PTy->getElementType());
1235     L = DAG.getVecLoad(PTy->getNumElements(), PVT, Root, Ptr, SrcValue);
1236   } else {
1237     L = DAG.getLoad(TLI.getValueType(Ty), Root, Ptr, SrcValue);
1238   }
1239
1240   if (isVolatile)
1241     DAG.setRoot(L.getValue(1));
1242   else
1243     PendingLoads.push_back(L.getValue(1));
1244   
1245   return L;
1246 }
1247
1248
1249 void SelectionDAGLowering::visitStore(StoreInst &I) {
1250   Value *SrcV = I.getOperand(0);
1251   SDOperand Src = getValue(SrcV);
1252   SDOperand Ptr = getValue(I.getOperand(1));
1253   DAG.setRoot(DAG.getNode(ISD::STORE, MVT::Other, getRoot(), Src, Ptr,
1254                           DAG.getSrcValue(I.getOperand(1))));
1255 }
1256
1257 /// IntrinsicCannotAccessMemory - Return true if the specified intrinsic cannot
1258 /// access memory and has no other side effects at all.
1259 static bool IntrinsicCannotAccessMemory(unsigned IntrinsicID) {
1260 #define GET_NO_MEMORY_INTRINSICS
1261 #include "llvm/Intrinsics.gen"
1262 #undef GET_NO_MEMORY_INTRINSICS
1263   return false;
1264 }
1265
1266 // IntrinsicOnlyReadsMemory - Return true if the specified intrinsic doesn't
1267 // have any side-effects or if it only reads memory.
1268 static bool IntrinsicOnlyReadsMemory(unsigned IntrinsicID) {
1269 #define GET_SIDE_EFFECT_INFO
1270 #include "llvm/Intrinsics.gen"
1271 #undef GET_SIDE_EFFECT_INFO
1272   return false;
1273 }
1274
1275 /// visitTargetIntrinsic - Lower a call of a target intrinsic to an INTRINSIC
1276 /// node.
1277 void SelectionDAGLowering::visitTargetIntrinsic(CallInst &I, 
1278                                                 unsigned Intrinsic) {
1279   bool HasChain = !IntrinsicCannotAccessMemory(Intrinsic);
1280   bool OnlyLoad = HasChain && IntrinsicOnlyReadsMemory(Intrinsic);
1281   
1282   // Build the operand list.
1283   std::vector<SDOperand> Ops;
1284   if (HasChain) {  // If this intrinsic has side-effects, chainify it.
1285     if (OnlyLoad) {
1286       // We don't need to serialize loads against other loads.
1287       Ops.push_back(DAG.getRoot());
1288     } else { 
1289       Ops.push_back(getRoot());
1290     }
1291   }
1292   
1293   // Add the intrinsic ID as an integer operand.
1294   Ops.push_back(DAG.getConstant(Intrinsic, TLI.getPointerTy()));
1295
1296   // Add all operands of the call to the operand list.
1297   for (unsigned i = 1, e = I.getNumOperands(); i != e; ++i) {
1298     SDOperand Op = getValue(I.getOperand(i));
1299     
1300     // If this is a vector type, force it to the right packed type.
1301     if (Op.getValueType() == MVT::Vector) {
1302       const PackedType *OpTy = cast<PackedType>(I.getOperand(i)->getType());
1303       MVT::ValueType EltVT = TLI.getValueType(OpTy->getElementType());
1304       
1305       MVT::ValueType VVT = MVT::getVectorType(EltVT, OpTy->getNumElements());
1306       assert(VVT != MVT::Other && "Intrinsic uses a non-legal type?");
1307       Op = DAG.getNode(ISD::VBIT_CONVERT, VVT, Op);
1308     }
1309     
1310     assert(TLI.isTypeLegal(Op.getValueType()) &&
1311            "Intrinsic uses a non-legal type?");
1312     Ops.push_back(Op);
1313   }
1314
1315   std::vector<MVT::ValueType> VTs;
1316   if (I.getType() != Type::VoidTy) {
1317     MVT::ValueType VT = TLI.getValueType(I.getType());
1318     if (VT == MVT::Vector) {
1319       const PackedType *DestTy = cast<PackedType>(I.getType());
1320       MVT::ValueType EltVT = TLI.getValueType(DestTy->getElementType());
1321       
1322       VT = MVT::getVectorType(EltVT, DestTy->getNumElements());
1323       assert(VT != MVT::Other && "Intrinsic uses a non-legal type?");
1324     }
1325     
1326     assert(TLI.isTypeLegal(VT) && "Intrinsic uses a non-legal type?");
1327     VTs.push_back(VT);
1328   }
1329   if (HasChain)
1330     VTs.push_back(MVT::Other);
1331
1332   // Create the node.
1333   SDOperand Result;
1334   if (!HasChain)
1335     Result = DAG.getNode(ISD::INTRINSIC_WO_CHAIN, VTs, Ops);
1336   else if (I.getType() != Type::VoidTy)
1337     Result = DAG.getNode(ISD::INTRINSIC_W_CHAIN, VTs, Ops);
1338   else
1339     Result = DAG.getNode(ISD::INTRINSIC_VOID, VTs, Ops);
1340
1341   if (HasChain) {
1342     SDOperand Chain = Result.getValue(Result.Val->getNumValues()-1);
1343     if (OnlyLoad)
1344       PendingLoads.push_back(Chain);
1345     else
1346       DAG.setRoot(Chain);
1347   }
1348   if (I.getType() != Type::VoidTy) {
1349     if (const PackedType *PTy = dyn_cast<PackedType>(I.getType())) {
1350       MVT::ValueType EVT = TLI.getValueType(PTy->getElementType());
1351       Result = DAG.getNode(ISD::VBIT_CONVERT, MVT::Vector, Result,
1352                            DAG.getConstant(PTy->getNumElements(), MVT::i32),
1353                            DAG.getValueType(EVT));
1354     } 
1355     setValue(&I, Result);
1356   }
1357 }
1358
1359 /// visitIntrinsicCall - Lower the call to the specified intrinsic function.  If
1360 /// we want to emit this as a call to a named external function, return the name
1361 /// otherwise lower it and return null.
1362 const char *
1363 SelectionDAGLowering::visitIntrinsicCall(CallInst &I, unsigned Intrinsic) {
1364   switch (Intrinsic) {
1365   default:
1366     // By default, turn this into a target intrinsic node.
1367     visitTargetIntrinsic(I, Intrinsic);
1368     return 0;
1369   case Intrinsic::vastart:  visitVAStart(I); return 0;
1370   case Intrinsic::vaend:    visitVAEnd(I); return 0;
1371   case Intrinsic::vacopy:   visitVACopy(I); return 0;
1372   case Intrinsic::returnaddress: visitFrameReturnAddress(I, false); return 0;
1373   case Intrinsic::frameaddress:  visitFrameReturnAddress(I, true); return 0;
1374   case Intrinsic::setjmp:
1375     return "_setjmp"+!TLI.usesUnderscoreSetJmpLongJmp();
1376     break;
1377   case Intrinsic::longjmp:
1378     return "_longjmp"+!TLI.usesUnderscoreSetJmpLongJmp();
1379     break;
1380   case Intrinsic::memcpy_i32:
1381   case Intrinsic::memcpy_i64:
1382     visitMemIntrinsic(I, ISD::MEMCPY);
1383     return 0;
1384   case Intrinsic::memset_i32:
1385   case Intrinsic::memset_i64:
1386     visitMemIntrinsic(I, ISD::MEMSET);
1387     return 0;
1388   case Intrinsic::memmove_i32:
1389   case Intrinsic::memmove_i64:
1390     visitMemIntrinsic(I, ISD::MEMMOVE);
1391     return 0;
1392     
1393   case Intrinsic::dbg_stoppoint: {
1394     MachineDebugInfo *DebugInfo = DAG.getMachineDebugInfo();
1395     DbgStopPointInst &SPI = cast<DbgStopPointInst>(I);
1396     if (DebugInfo && SPI.getContext() && DebugInfo->Verify(SPI.getContext())) {
1397       std::vector<SDOperand> Ops;
1398
1399       Ops.push_back(getRoot());
1400       Ops.push_back(getValue(SPI.getLineValue()));
1401       Ops.push_back(getValue(SPI.getColumnValue()));
1402
1403       DebugInfoDesc *DD = DebugInfo->getDescFor(SPI.getContext());
1404       assert(DD && "Not a debug information descriptor");
1405       CompileUnitDesc *CompileUnit = cast<CompileUnitDesc>(DD);
1406       
1407       Ops.push_back(DAG.getString(CompileUnit->getFileName()));
1408       Ops.push_back(DAG.getString(CompileUnit->getDirectory()));
1409       
1410       DAG.setRoot(DAG.getNode(ISD::LOCATION, MVT::Other, Ops));
1411     }
1412
1413     return 0;
1414   }
1415   case Intrinsic::dbg_region_start: {
1416     MachineDebugInfo *DebugInfo = DAG.getMachineDebugInfo();
1417     DbgRegionStartInst &RSI = cast<DbgRegionStartInst>(I);
1418     if (DebugInfo && RSI.getContext() && DebugInfo->Verify(RSI.getContext())) {
1419       std::vector<SDOperand> Ops;
1420
1421       unsigned LabelID = DebugInfo->RecordRegionStart(RSI.getContext());
1422       
1423       Ops.push_back(getRoot());
1424       Ops.push_back(DAG.getConstant(LabelID, MVT::i32));
1425
1426       DAG.setRoot(DAG.getNode(ISD::DEBUG_LABEL, MVT::Other, Ops));
1427     }
1428
1429     return 0;
1430   }
1431   case Intrinsic::dbg_region_end: {
1432     MachineDebugInfo *DebugInfo = DAG.getMachineDebugInfo();
1433     DbgRegionEndInst &REI = cast<DbgRegionEndInst>(I);
1434     if (DebugInfo && REI.getContext() && DebugInfo->Verify(REI.getContext())) {
1435       std::vector<SDOperand> Ops;
1436
1437       unsigned LabelID = DebugInfo->RecordRegionEnd(REI.getContext());
1438       
1439       Ops.push_back(getRoot());
1440       Ops.push_back(DAG.getConstant(LabelID, MVT::i32));
1441
1442       DAG.setRoot(DAG.getNode(ISD::DEBUG_LABEL, MVT::Other, Ops));
1443     }
1444
1445     return 0;
1446   }
1447   case Intrinsic::dbg_func_start: {
1448     MachineDebugInfo *DebugInfo = DAG.getMachineDebugInfo();
1449     DbgFuncStartInst &FSI = cast<DbgFuncStartInst>(I);
1450     if (DebugInfo && FSI.getSubprogram() &&
1451         DebugInfo->Verify(FSI.getSubprogram())) {
1452       std::vector<SDOperand> Ops;
1453
1454       unsigned LabelID = DebugInfo->RecordRegionStart(FSI.getSubprogram());
1455       
1456       Ops.push_back(getRoot());
1457       Ops.push_back(DAG.getConstant(LabelID, MVT::i32));
1458
1459       DAG.setRoot(DAG.getNode(ISD::DEBUG_LABEL, MVT::Other, Ops));
1460     }
1461
1462     return 0;
1463   }
1464   case Intrinsic::dbg_declare: {
1465     MachineDebugInfo *DebugInfo = DAG.getMachineDebugInfo();
1466     DbgDeclareInst &DI = cast<DbgDeclareInst>(I);
1467     if (DebugInfo && DI.getVariable() && DebugInfo->Verify(DI.getVariable())) {
1468       std::vector<SDOperand> Ops;
1469
1470       SDOperand AddressOp  = getValue(DI.getAddress());
1471       if (FrameIndexSDNode *FI = dyn_cast<FrameIndexSDNode>(AddressOp)) {
1472         DebugInfo->RecordVariable(DI.getVariable(), FI->getIndex());
1473       }
1474     }
1475
1476     return 0;
1477   }
1478     
1479   case Intrinsic::isunordered_f32:
1480   case Intrinsic::isunordered_f64:
1481     setValue(&I, DAG.getSetCC(MVT::i1,getValue(I.getOperand(1)),
1482                               getValue(I.getOperand(2)), ISD::SETUO));
1483     return 0;
1484     
1485   case Intrinsic::sqrt_f32:
1486   case Intrinsic::sqrt_f64:
1487     setValue(&I, DAG.getNode(ISD::FSQRT,
1488                              getValue(I.getOperand(1)).getValueType(),
1489                              getValue(I.getOperand(1))));
1490     return 0;
1491   case Intrinsic::pcmarker: {
1492     SDOperand Tmp = getValue(I.getOperand(1));
1493     DAG.setRoot(DAG.getNode(ISD::PCMARKER, MVT::Other, getRoot(), Tmp));
1494     return 0;
1495   }
1496   case Intrinsic::readcyclecounter: {
1497     std::vector<MVT::ValueType> VTs;
1498     VTs.push_back(MVT::i64);
1499     VTs.push_back(MVT::Other);
1500     std::vector<SDOperand> Ops;
1501     Ops.push_back(getRoot());
1502     SDOperand Tmp = DAG.getNode(ISD::READCYCLECOUNTER, VTs, Ops);
1503     setValue(&I, Tmp);
1504     DAG.setRoot(Tmp.getValue(1));
1505     return 0;
1506   }
1507   case Intrinsic::bswap_i16:
1508   case Intrinsic::bswap_i32:
1509   case Intrinsic::bswap_i64:
1510     setValue(&I, DAG.getNode(ISD::BSWAP,
1511                              getValue(I.getOperand(1)).getValueType(),
1512                              getValue(I.getOperand(1))));
1513     return 0;
1514   case Intrinsic::cttz_i8:
1515   case Intrinsic::cttz_i16:
1516   case Intrinsic::cttz_i32:
1517   case Intrinsic::cttz_i64:
1518     setValue(&I, DAG.getNode(ISD::CTTZ,
1519                              getValue(I.getOperand(1)).getValueType(),
1520                              getValue(I.getOperand(1))));
1521     return 0;
1522   case Intrinsic::ctlz_i8:
1523   case Intrinsic::ctlz_i16:
1524   case Intrinsic::ctlz_i32:
1525   case Intrinsic::ctlz_i64:
1526     setValue(&I, DAG.getNode(ISD::CTLZ,
1527                              getValue(I.getOperand(1)).getValueType(),
1528                              getValue(I.getOperand(1))));
1529     return 0;
1530   case Intrinsic::ctpop_i8:
1531   case Intrinsic::ctpop_i16:
1532   case Intrinsic::ctpop_i32:
1533   case Intrinsic::ctpop_i64:
1534     setValue(&I, DAG.getNode(ISD::CTPOP,
1535                              getValue(I.getOperand(1)).getValueType(),
1536                              getValue(I.getOperand(1))));
1537     return 0;
1538   case Intrinsic::stacksave: {
1539     std::vector<MVT::ValueType> VTs;
1540     VTs.push_back(TLI.getPointerTy());
1541     VTs.push_back(MVT::Other);
1542     std::vector<SDOperand> Ops;
1543     Ops.push_back(getRoot());
1544     SDOperand Tmp = DAG.getNode(ISD::STACKSAVE, VTs, Ops);
1545     setValue(&I, Tmp);
1546     DAG.setRoot(Tmp.getValue(1));
1547     return 0;
1548   }
1549   case Intrinsic::stackrestore: {
1550     SDOperand Tmp = getValue(I.getOperand(1));
1551     DAG.setRoot(DAG.getNode(ISD::STACKRESTORE, MVT::Other, getRoot(), Tmp));
1552     return 0;
1553   }
1554   case Intrinsic::prefetch:
1555     // FIXME: Currently discarding prefetches.
1556     return 0;
1557   }
1558 }
1559
1560
1561 void SelectionDAGLowering::visitCall(CallInst &I) {
1562   const char *RenameFn = 0;
1563   if (Function *F = I.getCalledFunction()) {
1564     if (F->isExternal())
1565       if (unsigned IID = F->getIntrinsicID()) {
1566         RenameFn = visitIntrinsicCall(I, IID);
1567         if (!RenameFn)
1568           return;
1569       } else {    // Not an LLVM intrinsic.
1570         const std::string &Name = F->getName();
1571         if (Name[0] == 'c' && (Name == "copysign" || Name == "copysignf")) {
1572           if (I.getNumOperands() == 3 &&   // Basic sanity checks.
1573               I.getOperand(1)->getType()->isFloatingPoint() &&
1574               I.getType() == I.getOperand(1)->getType() &&
1575               I.getType() == I.getOperand(2)->getType()) {
1576             SDOperand LHS = getValue(I.getOperand(1));
1577             SDOperand RHS = getValue(I.getOperand(2));
1578             setValue(&I, DAG.getNode(ISD::FCOPYSIGN, LHS.getValueType(),
1579                                      LHS, RHS));
1580             return;
1581           }
1582         } else if (Name[0] == 'f' && (Name == "fabs" || Name == "fabsf")) {
1583           if (I.getNumOperands() == 2 &&   // Basic sanity checks.
1584               I.getOperand(1)->getType()->isFloatingPoint() &&
1585               I.getType() == I.getOperand(1)->getType()) {
1586             SDOperand Tmp = getValue(I.getOperand(1));
1587             setValue(&I, DAG.getNode(ISD::FABS, Tmp.getValueType(), Tmp));
1588             return;
1589           }
1590         } else if (Name[0] == 's' && (Name == "sin" || Name == "sinf")) {
1591           if (I.getNumOperands() == 2 &&   // Basic sanity checks.
1592               I.getOperand(1)->getType()->isFloatingPoint() &&
1593               I.getType() == I.getOperand(1)->getType()) {
1594             SDOperand Tmp = getValue(I.getOperand(1));
1595             setValue(&I, DAG.getNode(ISD::FSIN, Tmp.getValueType(), Tmp));
1596             return;
1597           }
1598         } else if (Name[0] == 'c' && (Name == "cos" || Name == "cosf")) {
1599           if (I.getNumOperands() == 2 &&   // Basic sanity checks.
1600               I.getOperand(1)->getType()->isFloatingPoint() &&
1601               I.getType() == I.getOperand(1)->getType()) {
1602             SDOperand Tmp = getValue(I.getOperand(1));
1603             setValue(&I, DAG.getNode(ISD::FCOS, Tmp.getValueType(), Tmp));
1604             return;
1605           }
1606         }
1607       }
1608   } else if (isa<InlineAsm>(I.getOperand(0))) {
1609     visitInlineAsm(I);
1610     return;
1611   }
1612
1613   SDOperand Callee;
1614   if (!RenameFn)
1615     Callee = getValue(I.getOperand(0));
1616   else
1617     Callee = DAG.getExternalSymbol(RenameFn, TLI.getPointerTy());
1618   std::vector<std::pair<SDOperand, const Type*> > Args;
1619   Args.reserve(I.getNumOperands());
1620   for (unsigned i = 1, e = I.getNumOperands(); i != e; ++i) {
1621     Value *Arg = I.getOperand(i);
1622     SDOperand ArgNode = getValue(Arg);
1623     Args.push_back(std::make_pair(ArgNode, Arg->getType()));
1624   }
1625
1626   const PointerType *PT = cast<PointerType>(I.getCalledValue()->getType());
1627   const FunctionType *FTy = cast<FunctionType>(PT->getElementType());
1628
1629   std::pair<SDOperand,SDOperand> Result =
1630     TLI.LowerCallTo(getRoot(), I.getType(), FTy->isVarArg(), I.getCallingConv(),
1631                     I.isTailCall(), Callee, Args, DAG);
1632   if (I.getType() != Type::VoidTy)
1633     setValue(&I, Result.first);
1634   DAG.setRoot(Result.second);
1635 }
1636
1637 SDOperand RegsForValue::getCopyFromRegs(SelectionDAG &DAG,
1638                                         SDOperand &Chain, SDOperand &Flag)const{
1639   SDOperand Val = DAG.getCopyFromReg(Chain, Regs[0], RegVT, Flag);
1640   Chain = Val.getValue(1);
1641   Flag  = Val.getValue(2);
1642   
1643   // If the result was expanded, copy from the top part.
1644   if (Regs.size() > 1) {
1645     assert(Regs.size() == 2 &&
1646            "Cannot expand to more than 2 elts yet!");
1647     SDOperand Hi = DAG.getCopyFromReg(Chain, Regs[1], RegVT, Flag);
1648     Chain = Val.getValue(1);
1649     Flag  = Val.getValue(2);
1650     if (DAG.getTargetLoweringInfo().isLittleEndian())
1651       return DAG.getNode(ISD::BUILD_PAIR, ValueVT, Val, Hi);
1652     else
1653       return DAG.getNode(ISD::BUILD_PAIR, ValueVT, Hi, Val);
1654   }
1655
1656   // Otherwise, if the return value was promoted, truncate it to the
1657   // appropriate type.
1658   if (RegVT == ValueVT)
1659     return Val;
1660   
1661   if (MVT::isInteger(RegVT))
1662     return DAG.getNode(ISD::TRUNCATE, ValueVT, Val);
1663   else
1664     return DAG.getNode(ISD::FP_ROUND, ValueVT, Val);
1665 }
1666
1667 /// getCopyToRegs - Emit a series of CopyToReg nodes that copies the
1668 /// specified value into the registers specified by this object.  This uses 
1669 /// Chain/Flag as the input and updates them for the output Chain/Flag.
1670 void RegsForValue::getCopyToRegs(SDOperand Val, SelectionDAG &DAG,
1671                                  SDOperand &Chain, SDOperand &Flag) const {
1672   if (Regs.size() == 1) {
1673     // If there is a single register and the types differ, this must be
1674     // a promotion.
1675     if (RegVT != ValueVT) {
1676       if (MVT::isInteger(RegVT))
1677         Val = DAG.getNode(ISD::ANY_EXTEND, RegVT, Val);
1678       else
1679         Val = DAG.getNode(ISD::FP_EXTEND, RegVT, Val);
1680     }
1681     Chain = DAG.getCopyToReg(Chain, Regs[0], Val, Flag);
1682     Flag = Chain.getValue(1);
1683   } else {
1684     std::vector<unsigned> R(Regs);
1685     if (!DAG.getTargetLoweringInfo().isLittleEndian())
1686       std::reverse(R.begin(), R.end());
1687     
1688     for (unsigned i = 0, e = R.size(); i != e; ++i) {
1689       SDOperand Part = DAG.getNode(ISD::EXTRACT_ELEMENT, RegVT, Val, 
1690                                    DAG.getConstant(i, MVT::i32));
1691       Chain = DAG.getCopyToReg(Chain, R[i], Part, Flag);
1692       Flag = Chain.getValue(1);
1693     }
1694   }
1695 }
1696
1697 /// AddInlineAsmOperands - Add this value to the specified inlineasm node
1698 /// operand list.  This adds the code marker and includes the number of 
1699 /// values added into it.
1700 void RegsForValue::AddInlineAsmOperands(unsigned Code, SelectionDAG &DAG,
1701                                         std::vector<SDOperand> &Ops) const {
1702   Ops.push_back(DAG.getConstant(Code | (Regs.size() << 3), MVT::i32));
1703   for (unsigned i = 0, e = Regs.size(); i != e; ++i)
1704     Ops.push_back(DAG.getRegister(Regs[i], RegVT));
1705 }
1706
1707 /// isAllocatableRegister - If the specified register is safe to allocate, 
1708 /// i.e. it isn't a stack pointer or some other special register, return the
1709 /// register class for the register.  Otherwise, return null.
1710 static const TargetRegisterClass *
1711 isAllocatableRegister(unsigned Reg, MachineFunction &MF,
1712                       const TargetLowering &TLI, const MRegisterInfo *MRI) {
1713   MVT::ValueType FoundVT = MVT::Other;
1714   const TargetRegisterClass *FoundRC = 0;
1715   for (MRegisterInfo::regclass_iterator RCI = MRI->regclass_begin(),
1716        E = MRI->regclass_end(); RCI != E; ++RCI) {
1717     MVT::ValueType ThisVT = MVT::Other;
1718
1719     const TargetRegisterClass *RC = *RCI;
1720     // If none of the the value types for this register class are valid, we 
1721     // can't use it.  For example, 64-bit reg classes on 32-bit targets.
1722     for (TargetRegisterClass::vt_iterator I = RC->vt_begin(), E = RC->vt_end();
1723          I != E; ++I) {
1724       if (TLI.isTypeLegal(*I)) {
1725         // If we have already found this register in a different register class,
1726         // choose the one with the largest VT specified.  For example, on
1727         // PowerPC, we favor f64 register classes over f32.
1728         if (FoundVT == MVT::Other || 
1729             MVT::getSizeInBits(FoundVT) < MVT::getSizeInBits(*I)) {
1730           ThisVT = *I;
1731           break;
1732         }
1733       }
1734     }
1735     
1736     if (ThisVT == MVT::Other) continue;
1737     
1738     // NOTE: This isn't ideal.  In particular, this might allocate the
1739     // frame pointer in functions that need it (due to them not being taken
1740     // out of allocation, because a variable sized allocation hasn't been seen
1741     // yet).  This is a slight code pessimization, but should still work.
1742     for (TargetRegisterClass::iterator I = RC->allocation_order_begin(MF),
1743          E = RC->allocation_order_end(MF); I != E; ++I)
1744       if (*I == Reg) {
1745         // We found a matching register class.  Keep looking at others in case
1746         // we find one with larger registers that this physreg is also in.
1747         FoundRC = RC;
1748         FoundVT = ThisVT;
1749         break;
1750       }
1751   }
1752   return FoundRC;
1753 }    
1754
1755 RegsForValue SelectionDAGLowering::
1756 GetRegistersForValue(const std::string &ConstrCode,
1757                      MVT::ValueType VT, bool isOutReg, bool isInReg,
1758                      std::set<unsigned> &OutputRegs, 
1759                      std::set<unsigned> &InputRegs) {
1760   std::pair<unsigned, const TargetRegisterClass*> PhysReg = 
1761     TLI.getRegForInlineAsmConstraint(ConstrCode, VT);
1762   std::vector<unsigned> Regs;
1763
1764   unsigned NumRegs = VT != MVT::Other ? TLI.getNumElements(VT) : 1;
1765   MVT::ValueType RegVT;
1766   MVT::ValueType ValueVT = VT;
1767   
1768   if (PhysReg.first) {
1769     if (VT == MVT::Other)
1770       ValueVT = *PhysReg.second->vt_begin();
1771     RegVT = VT;
1772     
1773     // This is a explicit reference to a physical register.
1774     Regs.push_back(PhysReg.first);
1775
1776     // If this is an expanded reference, add the rest of the regs to Regs.
1777     if (NumRegs != 1) {
1778       RegVT = *PhysReg.second->vt_begin();
1779       TargetRegisterClass::iterator I = PhysReg.second->begin();
1780       TargetRegisterClass::iterator E = PhysReg.second->end();
1781       for (; *I != PhysReg.first; ++I)
1782         assert(I != E && "Didn't find reg!"); 
1783       
1784       // Already added the first reg.
1785       --NumRegs; ++I;
1786       for (; NumRegs; --NumRegs, ++I) {
1787         assert(I != E && "Ran out of registers to allocate!");
1788         Regs.push_back(*I);
1789       }
1790     }
1791     return RegsForValue(Regs, RegVT, ValueVT);
1792   }
1793   
1794   // This is a reference to a register class.  Allocate NumRegs consecutive,
1795   // available, registers from the class.
1796   std::vector<unsigned> RegClassRegs =
1797     TLI.getRegClassForInlineAsmConstraint(ConstrCode, VT);
1798
1799   const MRegisterInfo *MRI = DAG.getTarget().getRegisterInfo();
1800   MachineFunction &MF = *CurMBB->getParent();
1801   unsigned NumAllocated = 0;
1802   for (unsigned i = 0, e = RegClassRegs.size(); i != e; ++i) {
1803     unsigned Reg = RegClassRegs[i];
1804     // See if this register is available.
1805     if ((isOutReg && OutputRegs.count(Reg)) ||   // Already used.
1806         (isInReg  && InputRegs.count(Reg))) {    // Already used.
1807       // Make sure we find consecutive registers.
1808       NumAllocated = 0;
1809       continue;
1810     }
1811     
1812     // Check to see if this register is allocatable (i.e. don't give out the
1813     // stack pointer).
1814     const TargetRegisterClass *RC = isAllocatableRegister(Reg, MF, TLI, MRI);
1815     if (!RC) {
1816       // Make sure we find consecutive registers.
1817       NumAllocated = 0;
1818       continue;
1819     }
1820     
1821     // Okay, this register is good, we can use it.
1822     ++NumAllocated;
1823
1824     // If we allocated enough consecutive   
1825     if (NumAllocated == NumRegs) {
1826       unsigned RegStart = (i-NumAllocated)+1;
1827       unsigned RegEnd   = i+1;
1828       // Mark all of the allocated registers used.
1829       for (unsigned i = RegStart; i != RegEnd; ++i) {
1830         unsigned Reg = RegClassRegs[i];
1831         Regs.push_back(Reg);
1832         if (isOutReg) OutputRegs.insert(Reg);    // Mark reg used.
1833         if (isInReg)  InputRegs.insert(Reg);     // Mark reg used.
1834       }
1835       
1836       return RegsForValue(Regs, *RC->vt_begin(), VT);
1837     }
1838   }
1839   
1840   // Otherwise, we couldn't allocate enough registers for this.
1841   return RegsForValue();
1842 }
1843
1844
1845 /// visitInlineAsm - Handle a call to an InlineAsm object.
1846 ///
1847 void SelectionDAGLowering::visitInlineAsm(CallInst &I) {
1848   InlineAsm *IA = cast<InlineAsm>(I.getOperand(0));
1849   
1850   SDOperand AsmStr = DAG.getTargetExternalSymbol(IA->getAsmString().c_str(),
1851                                                  MVT::Other);
1852
1853   // Note, we treat inline asms both with and without side-effects as the same.
1854   // If an inline asm doesn't have side effects and doesn't access memory, we
1855   // could not choose to not chain it.
1856   bool hasSideEffects = IA->hasSideEffects();
1857
1858   std::vector<InlineAsm::ConstraintInfo> Constraints = IA->ParseConstraints();
1859   std::vector<MVT::ValueType> ConstraintVTs;
1860   
1861   /// AsmNodeOperands - A list of pairs.  The first element is a register, the
1862   /// second is a bitfield where bit #0 is set if it is a use and bit #1 is set
1863   /// if it is a def of that register.
1864   std::vector<SDOperand> AsmNodeOperands;
1865   AsmNodeOperands.push_back(SDOperand());  // reserve space for input chain
1866   AsmNodeOperands.push_back(AsmStr);
1867   
1868   SDOperand Chain = getRoot();
1869   SDOperand Flag;
1870   
1871   // We fully assign registers here at isel time.  This is not optimal, but
1872   // should work.  For register classes that correspond to LLVM classes, we
1873   // could let the LLVM RA do its thing, but we currently don't.  Do a prepass
1874   // over the constraints, collecting fixed registers that we know we can't use.
1875   std::set<unsigned> OutputRegs, InputRegs;
1876   unsigned OpNum = 1;
1877   for (unsigned i = 0, e = Constraints.size(); i != e; ++i) {
1878     assert(Constraints[i].Codes.size() == 1 && "Only handles one code so far!");
1879     std::string &ConstraintCode = Constraints[i].Codes[0];
1880     
1881     MVT::ValueType OpVT;
1882
1883     // Compute the value type for each operand and add it to ConstraintVTs.
1884     switch (Constraints[i].Type) {
1885     case InlineAsm::isOutput:
1886       if (!Constraints[i].isIndirectOutput) {
1887         assert(I.getType() != Type::VoidTy && "Bad inline asm!");
1888         OpVT = TLI.getValueType(I.getType());
1889       } else {
1890         const Type *OpTy = I.getOperand(OpNum)->getType();
1891         OpVT = TLI.getValueType(cast<PointerType>(OpTy)->getElementType());
1892         OpNum++;  // Consumes a call operand.
1893       }
1894       break;
1895     case InlineAsm::isInput:
1896       OpVT = TLI.getValueType(I.getOperand(OpNum)->getType());
1897       OpNum++;  // Consumes a call operand.
1898       break;
1899     case InlineAsm::isClobber:
1900       OpVT = MVT::Other;
1901       break;
1902     }
1903     
1904     ConstraintVTs.push_back(OpVT);
1905
1906     if (TLI.getRegForInlineAsmConstraint(ConstraintCode, OpVT).first == 0)
1907       continue;  // Not assigned a fixed reg.
1908     
1909     // Build a list of regs that this operand uses.  This always has a single
1910     // element for promoted/expanded operands.
1911     RegsForValue Regs = GetRegistersForValue(ConstraintCode, OpVT,
1912                                              false, false,
1913                                              OutputRegs, InputRegs);
1914     
1915     switch (Constraints[i].Type) {
1916     case InlineAsm::isOutput:
1917       // We can't assign any other output to this register.
1918       OutputRegs.insert(Regs.Regs.begin(), Regs.Regs.end());
1919       // If this is an early-clobber output, it cannot be assigned to the same
1920       // value as the input reg.
1921       if (Constraints[i].isEarlyClobber || Constraints[i].hasMatchingInput)
1922         InputRegs.insert(Regs.Regs.begin(), Regs.Regs.end());
1923       break;
1924     case InlineAsm::isInput:
1925       // We can't assign any other input to this register.
1926       InputRegs.insert(Regs.Regs.begin(), Regs.Regs.end());
1927       break;
1928     case InlineAsm::isClobber:
1929       // Clobbered regs cannot be used as inputs or outputs.
1930       InputRegs.insert(Regs.Regs.begin(), Regs.Regs.end());
1931       OutputRegs.insert(Regs.Regs.begin(), Regs.Regs.end());
1932       break;
1933     }
1934   }      
1935   
1936   // Loop over all of the inputs, copying the operand values into the
1937   // appropriate registers and processing the output regs.
1938   RegsForValue RetValRegs;
1939   std::vector<std::pair<RegsForValue, Value*> > IndirectStoresToEmit;
1940   OpNum = 1;
1941   
1942   for (unsigned i = 0, e = Constraints.size(); i != e; ++i) {
1943     assert(Constraints[i].Codes.size() == 1 && "Only handles one code so far!");
1944     std::string &ConstraintCode = Constraints[i].Codes[0];
1945
1946     switch (Constraints[i].Type) {
1947     case InlineAsm::isOutput: {
1948       TargetLowering::ConstraintType CTy = TargetLowering::C_RegisterClass;
1949       if (ConstraintCode.size() == 1)   // not a physreg name.
1950         CTy = TLI.getConstraintType(ConstraintCode[0]);
1951       
1952       if (CTy == TargetLowering::C_Memory) {
1953         // Memory output.
1954         SDOperand InOperandVal = getValue(I.getOperand(OpNum));
1955         
1956         // Check that the operand (the address to store to) isn't a float.
1957         if (!MVT::isInteger(InOperandVal.getValueType()))
1958           assert(0 && "MATCH FAIL!");
1959         
1960         if (!Constraints[i].isIndirectOutput)
1961           assert(0 && "MATCH FAIL!");
1962
1963         OpNum++;  // Consumes a call operand.
1964         
1965         // Extend/truncate to the right pointer type if needed.
1966         MVT::ValueType PtrType = TLI.getPointerTy();
1967         if (InOperandVal.getValueType() < PtrType)
1968           InOperandVal = DAG.getNode(ISD::ZERO_EXTEND, PtrType, InOperandVal);
1969         else if (InOperandVal.getValueType() > PtrType)
1970           InOperandVal = DAG.getNode(ISD::TRUNCATE, PtrType, InOperandVal);
1971         
1972         // Add information to the INLINEASM node to know about this output.
1973         unsigned ResOpType = 4/*MEM*/ | (1 << 3);
1974         AsmNodeOperands.push_back(DAG.getConstant(ResOpType, MVT::i32));
1975         AsmNodeOperands.push_back(InOperandVal);
1976         break;
1977       }
1978
1979       // Otherwise, this is a register output.
1980       assert(CTy == TargetLowering::C_RegisterClass && "Unknown op type!");
1981
1982       // If this is an early-clobber output, or if there is an input
1983       // constraint that matches this, we need to reserve the input register
1984       // so no other inputs allocate to it.
1985       bool UsesInputRegister = false;
1986       if (Constraints[i].isEarlyClobber || Constraints[i].hasMatchingInput)
1987         UsesInputRegister = true;
1988       
1989       // Copy the output from the appropriate register.  Find a register that
1990       // we can use.
1991       RegsForValue Regs =
1992         GetRegistersForValue(ConstraintCode, ConstraintVTs[i],
1993                              true, UsesInputRegister, 
1994                              OutputRegs, InputRegs);
1995       assert(!Regs.Regs.empty() && "Couldn't allocate output reg!");
1996
1997       if (!Constraints[i].isIndirectOutput) {
1998         assert(RetValRegs.Regs.empty() &&
1999                "Cannot have multiple output constraints yet!");
2000         assert(I.getType() != Type::VoidTy && "Bad inline asm!");
2001         RetValRegs = Regs;
2002       } else {
2003         IndirectStoresToEmit.push_back(std::make_pair(Regs, 
2004                                                       I.getOperand(OpNum)));
2005         OpNum++;  // Consumes a call operand.
2006       }
2007       
2008       // Add information to the INLINEASM node to know that this register is
2009       // set.
2010       Regs.AddInlineAsmOperands(2 /*REGDEF*/, DAG, AsmNodeOperands);
2011       break;
2012     }
2013     case InlineAsm::isInput: {
2014       SDOperand InOperandVal = getValue(I.getOperand(OpNum));
2015       OpNum++;  // Consumes a call operand.
2016       
2017       if (isdigit(ConstraintCode[0])) {    // Matching constraint?
2018         // If this is required to match an output register we have already set,
2019         // just use its register.
2020         unsigned OperandNo = atoi(ConstraintCode.c_str());
2021         
2022         // Scan until we find the definition we already emitted of this operand.
2023         // When we find it, create a RegsForValue operand.
2024         unsigned CurOp = 2;  // The first operand.
2025         for (; OperandNo; --OperandNo) {
2026           // Advance to the next operand.
2027           unsigned NumOps = 
2028             cast<ConstantSDNode>(AsmNodeOperands[CurOp])->getValue();
2029           assert((NumOps & 7) == 2 /*REGDEF*/ &&
2030                  "Skipped past definitions?");
2031           CurOp += (NumOps>>3)+1;
2032         }
2033
2034         unsigned NumOps = 
2035           cast<ConstantSDNode>(AsmNodeOperands[CurOp])->getValue();
2036         assert((NumOps & 7) == 2 /*REGDEF*/ &&
2037                "Skipped past definitions?");
2038         
2039         // Add NumOps>>3 registers to MatchedRegs.
2040         RegsForValue MatchedRegs;
2041         MatchedRegs.ValueVT = InOperandVal.getValueType();
2042         MatchedRegs.RegVT   = AsmNodeOperands[CurOp+1].getValueType();
2043         for (unsigned i = 0, e = NumOps>>3; i != e; ++i) {
2044           unsigned Reg=cast<RegisterSDNode>(AsmNodeOperands[++CurOp])->getReg();
2045           MatchedRegs.Regs.push_back(Reg);
2046         }
2047         
2048         // Use the produced MatchedRegs object to 
2049         MatchedRegs.getCopyToRegs(InOperandVal, DAG, Chain, Flag);
2050         MatchedRegs.AddInlineAsmOperands(1 /*REGUSE*/, DAG, AsmNodeOperands);
2051         break;
2052       }
2053       
2054       TargetLowering::ConstraintType CTy = TargetLowering::C_RegisterClass;
2055       if (ConstraintCode.size() == 1)   // not a physreg name.
2056         CTy = TLI.getConstraintType(ConstraintCode[0]);
2057         
2058       if (CTy == TargetLowering::C_Other) {
2059         if (!TLI.isOperandValidForConstraint(InOperandVal, ConstraintCode[0]))
2060           assert(0 && "MATCH FAIL!");
2061         
2062         // Add information to the INLINEASM node to know about this input.
2063         unsigned ResOpType = 3 /*IMM*/ | (1 << 3);
2064         AsmNodeOperands.push_back(DAG.getConstant(ResOpType, MVT::i32));
2065         AsmNodeOperands.push_back(InOperandVal);
2066         break;
2067       } else if (CTy == TargetLowering::C_Memory) {
2068         // Memory input.
2069         
2070         // Check that the operand isn't a float.
2071         if (!MVT::isInteger(InOperandVal.getValueType()))
2072           assert(0 && "MATCH FAIL!");
2073         
2074         // Extend/truncate to the right pointer type if needed.
2075         MVT::ValueType PtrType = TLI.getPointerTy();
2076         if (InOperandVal.getValueType() < PtrType)
2077           InOperandVal = DAG.getNode(ISD::ZERO_EXTEND, PtrType, InOperandVal);
2078         else if (InOperandVal.getValueType() > PtrType)
2079           InOperandVal = DAG.getNode(ISD::TRUNCATE, PtrType, InOperandVal);
2080
2081         // Add information to the INLINEASM node to know about this input.
2082         unsigned ResOpType = 4/*MEM*/ | (1 << 3);
2083         AsmNodeOperands.push_back(DAG.getConstant(ResOpType, MVT::i32));
2084         AsmNodeOperands.push_back(InOperandVal);
2085         break;
2086       }
2087         
2088       assert(CTy == TargetLowering::C_RegisterClass && "Unknown op type!");
2089
2090       // Copy the input into the appropriate registers.
2091       RegsForValue InRegs =
2092         GetRegistersForValue(ConstraintCode, ConstraintVTs[i],
2093                              false, true, OutputRegs, InputRegs);
2094       // FIXME: should be match fail.
2095       assert(!InRegs.Regs.empty() && "Couldn't allocate input reg!");
2096
2097       InRegs.getCopyToRegs(InOperandVal, DAG, Chain, Flag);
2098       
2099       InRegs.AddInlineAsmOperands(1/*REGUSE*/, DAG, AsmNodeOperands);
2100       break;
2101     }
2102     case InlineAsm::isClobber: {
2103       RegsForValue ClobberedRegs =
2104         GetRegistersForValue(ConstraintCode, MVT::Other, false, false,
2105                              OutputRegs, InputRegs);
2106       // Add the clobbered value to the operand list, so that the register
2107       // allocator is aware that the physreg got clobbered.
2108       if (!ClobberedRegs.Regs.empty())
2109         ClobberedRegs.AddInlineAsmOperands(2/*REGDEF*/, DAG, AsmNodeOperands);
2110       break;
2111     }
2112     }
2113   }
2114   
2115   // Finish up input operands.
2116   AsmNodeOperands[0] = Chain;
2117   if (Flag.Val) AsmNodeOperands.push_back(Flag);
2118   
2119   std::vector<MVT::ValueType> VTs;
2120   VTs.push_back(MVT::Other);
2121   VTs.push_back(MVT::Flag);
2122   Chain = DAG.getNode(ISD::INLINEASM, VTs, AsmNodeOperands);
2123   Flag = Chain.getValue(1);
2124
2125   // If this asm returns a register value, copy the result from that register
2126   // and set it as the value of the call.
2127   if (!RetValRegs.Regs.empty())
2128     setValue(&I, RetValRegs.getCopyFromRegs(DAG, Chain, Flag));
2129   
2130   std::vector<std::pair<SDOperand, Value*> > StoresToEmit;
2131   
2132   // Process indirect outputs, first output all of the flagged copies out of
2133   // physregs.
2134   for (unsigned i = 0, e = IndirectStoresToEmit.size(); i != e; ++i) {
2135     RegsForValue &OutRegs = IndirectStoresToEmit[i].first;
2136     Value *Ptr = IndirectStoresToEmit[i].second;
2137     SDOperand OutVal = OutRegs.getCopyFromRegs(DAG, Chain, Flag);
2138     StoresToEmit.push_back(std::make_pair(OutVal, Ptr));
2139   }
2140   
2141   // Emit the non-flagged stores from the physregs.
2142   std::vector<SDOperand> OutChains;
2143   for (unsigned i = 0, e = StoresToEmit.size(); i != e; ++i)
2144     OutChains.push_back(DAG.getNode(ISD::STORE, MVT::Other, Chain, 
2145                                     StoresToEmit[i].first,
2146                                     getValue(StoresToEmit[i].second),
2147                                     DAG.getSrcValue(StoresToEmit[i].second)));
2148   if (!OutChains.empty())
2149     Chain = DAG.getNode(ISD::TokenFactor, MVT::Other, OutChains);
2150   DAG.setRoot(Chain);
2151 }
2152
2153
2154 void SelectionDAGLowering::visitMalloc(MallocInst &I) {
2155   SDOperand Src = getValue(I.getOperand(0));
2156
2157   MVT::ValueType IntPtr = TLI.getPointerTy();
2158
2159   if (IntPtr < Src.getValueType())
2160     Src = DAG.getNode(ISD::TRUNCATE, IntPtr, Src);
2161   else if (IntPtr > Src.getValueType())
2162     Src = DAG.getNode(ISD::ZERO_EXTEND, IntPtr, Src);
2163
2164   // Scale the source by the type size.
2165   uint64_t ElementSize = TD.getTypeSize(I.getType()->getElementType());
2166   Src = DAG.getNode(ISD::MUL, Src.getValueType(),
2167                     Src, getIntPtrConstant(ElementSize));
2168
2169   std::vector<std::pair<SDOperand, const Type*> > Args;
2170   Args.push_back(std::make_pair(Src, TLI.getTargetData().getIntPtrType()));
2171
2172   std::pair<SDOperand,SDOperand> Result =
2173     TLI.LowerCallTo(getRoot(), I.getType(), false, CallingConv::C, true,
2174                     DAG.getExternalSymbol("malloc", IntPtr),
2175                     Args, DAG);
2176   setValue(&I, Result.first);  // Pointers always fit in registers
2177   DAG.setRoot(Result.second);
2178 }
2179
2180 void SelectionDAGLowering::visitFree(FreeInst &I) {
2181   std::vector<std::pair<SDOperand, const Type*> > Args;
2182   Args.push_back(std::make_pair(getValue(I.getOperand(0)),
2183                                 TLI.getTargetData().getIntPtrType()));
2184   MVT::ValueType IntPtr = TLI.getPointerTy();
2185   std::pair<SDOperand,SDOperand> Result =
2186     TLI.LowerCallTo(getRoot(), Type::VoidTy, false, CallingConv::C, true,
2187                     DAG.getExternalSymbol("free", IntPtr), Args, DAG);
2188   DAG.setRoot(Result.second);
2189 }
2190
2191 // InsertAtEndOfBasicBlock - This method should be implemented by targets that
2192 // mark instructions with the 'usesCustomDAGSchedInserter' flag.  These
2193 // instructions are special in various ways, which require special support to
2194 // insert.  The specified MachineInstr is created but not inserted into any
2195 // basic blocks, and the scheduler passes ownership of it to this method.
2196 MachineBasicBlock *TargetLowering::InsertAtEndOfBasicBlock(MachineInstr *MI,
2197                                                        MachineBasicBlock *MBB) {
2198   std::cerr << "If a target marks an instruction with "
2199                "'usesCustomDAGSchedInserter', it must implement "
2200                "TargetLowering::InsertAtEndOfBasicBlock!\n";
2201   abort();
2202   return 0;  
2203 }
2204
2205 void SelectionDAGLowering::visitVAStart(CallInst &I) {
2206   DAG.setRoot(DAG.getNode(ISD::VASTART, MVT::Other, getRoot(), 
2207                           getValue(I.getOperand(1)), 
2208                           DAG.getSrcValue(I.getOperand(1))));
2209 }
2210
2211 void SelectionDAGLowering::visitVAArg(VAArgInst &I) {
2212   SDOperand V = DAG.getVAArg(TLI.getValueType(I.getType()), getRoot(),
2213                              getValue(I.getOperand(0)),
2214                              DAG.getSrcValue(I.getOperand(0)));
2215   setValue(&I, V);
2216   DAG.setRoot(V.getValue(1));
2217 }
2218
2219 void SelectionDAGLowering::visitVAEnd(CallInst &I) {
2220   DAG.setRoot(DAG.getNode(ISD::VAEND, MVT::Other, getRoot(),
2221                           getValue(I.getOperand(1)), 
2222                           DAG.getSrcValue(I.getOperand(1))));
2223 }
2224
2225 void SelectionDAGLowering::visitVACopy(CallInst &I) {
2226   DAG.setRoot(DAG.getNode(ISD::VACOPY, MVT::Other, getRoot(), 
2227                           getValue(I.getOperand(1)), 
2228                           getValue(I.getOperand(2)),
2229                           DAG.getSrcValue(I.getOperand(1)),
2230                           DAG.getSrcValue(I.getOperand(2))));
2231 }
2232
2233 // It is always conservatively correct for llvm.returnaddress and
2234 // llvm.frameaddress to return 0.
2235 std::pair<SDOperand, SDOperand>
2236 TargetLowering::LowerFrameReturnAddress(bool isFrameAddr, SDOperand Chain,
2237                                         unsigned Depth, SelectionDAG &DAG) {
2238   return std::make_pair(DAG.getConstant(0, getPointerTy()), Chain);
2239 }
2240
2241 SDOperand TargetLowering::LowerOperation(SDOperand Op, SelectionDAG &DAG) {
2242   assert(0 && "LowerOperation not implemented for this target!");
2243   abort();
2244   return SDOperand();
2245 }
2246
2247 SDOperand TargetLowering::CustomPromoteOperation(SDOperand Op,
2248                                                  SelectionDAG &DAG) {
2249   assert(0 && "CustomPromoteOperation not implemented for this target!");
2250   abort();
2251   return SDOperand();
2252 }
2253
2254 void SelectionDAGLowering::visitFrameReturnAddress(CallInst &I, bool isFrame) {
2255   unsigned Depth = (unsigned)cast<ConstantUInt>(I.getOperand(1))->getValue();
2256   std::pair<SDOperand,SDOperand> Result =
2257     TLI.LowerFrameReturnAddress(isFrame, getRoot(), Depth, DAG);
2258   setValue(&I, Result.first);
2259   DAG.setRoot(Result.second);
2260 }
2261
2262 /// getMemsetValue - Vectorized representation of the memset value
2263 /// operand.
2264 static SDOperand getMemsetValue(SDOperand Value, MVT::ValueType VT,
2265                                 SelectionDAG &DAG) {
2266   MVT::ValueType CurVT = VT;
2267   if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Value)) {
2268     uint64_t Val   = C->getValue() & 255;
2269     unsigned Shift = 8;
2270     while (CurVT != MVT::i8) {
2271       Val = (Val << Shift) | Val;
2272       Shift <<= 1;
2273       CurVT = (MVT::ValueType)((unsigned)CurVT - 1);
2274     }
2275     return DAG.getConstant(Val, VT);
2276   } else {
2277     Value = DAG.getNode(ISD::ZERO_EXTEND, VT, Value);
2278     unsigned Shift = 8;
2279     while (CurVT != MVT::i8) {
2280       Value =
2281         DAG.getNode(ISD::OR, VT,
2282                     DAG.getNode(ISD::SHL, VT, Value,
2283                                 DAG.getConstant(Shift, MVT::i8)), Value);
2284       Shift <<= 1;
2285       CurVT = (MVT::ValueType)((unsigned)CurVT - 1);
2286     }
2287
2288     return Value;
2289   }
2290 }
2291
2292 /// getMemsetStringVal - Similar to getMemsetValue. Except this is only
2293 /// used when a memcpy is turned into a memset when the source is a constant
2294 /// string ptr.
2295 static SDOperand getMemsetStringVal(MVT::ValueType VT,
2296                                     SelectionDAG &DAG, TargetLowering &TLI,
2297                                     std::string &Str, unsigned Offset) {
2298   MVT::ValueType CurVT = VT;
2299   uint64_t Val = 0;
2300   unsigned MSB = getSizeInBits(VT) / 8;
2301   if (TLI.isLittleEndian())
2302     Offset = Offset + MSB - 1;
2303   for (unsigned i = 0; i != MSB; ++i) {
2304     Val = (Val << 8) | Str[Offset];
2305     Offset += TLI.isLittleEndian() ? -1 : 1;
2306   }
2307   return DAG.getConstant(Val, VT);
2308 }
2309
2310 /// getMemBasePlusOffset - Returns base and offset node for the 
2311 static SDOperand getMemBasePlusOffset(SDOperand Base, unsigned Offset,
2312                                       SelectionDAG &DAG, TargetLowering &TLI) {
2313   MVT::ValueType VT = Base.getValueType();
2314   return DAG.getNode(ISD::ADD, VT, Base, DAG.getConstant(Offset, VT));
2315 }
2316
2317 /// MeetsMaxMemopRequirement - Determines if the number of memory ops required
2318 /// to replace the memset / memcpy is below the threshold. It also returns the
2319 /// types of the sequence of  memory ops to perform memset / memcpy.
2320 static bool MeetsMaxMemopRequirement(std::vector<MVT::ValueType> &MemOps,
2321                                      unsigned Limit, uint64_t Size,
2322                                      unsigned Align, TargetLowering &TLI) {
2323   MVT::ValueType VT;
2324
2325   if (TLI.allowsUnalignedMemoryAccesses()) {
2326     VT = MVT::i64;
2327   } else {
2328     switch (Align & 7) {
2329     case 0:
2330       VT = MVT::i64;
2331       break;
2332     case 4:
2333       VT = MVT::i32;
2334       break;
2335     case 2:
2336       VT = MVT::i16;
2337       break;
2338     default:
2339       VT = MVT::i8;
2340       break;
2341     }
2342   }
2343
2344   MVT::ValueType LVT = MVT::i64;
2345   while (!TLI.isTypeLegal(LVT))
2346     LVT = (MVT::ValueType)((unsigned)LVT - 1);
2347   assert(MVT::isInteger(LVT));
2348
2349   if (VT > LVT)
2350     VT = LVT;
2351
2352   unsigned NumMemOps = 0;
2353   while (Size != 0) {
2354     unsigned VTSize = getSizeInBits(VT) / 8;
2355     while (VTSize > Size) {
2356       VT = (MVT::ValueType)((unsigned)VT - 1);
2357       VTSize >>= 1;
2358     }
2359     assert(MVT::isInteger(VT));
2360
2361     if (++NumMemOps > Limit)
2362       return false;
2363     MemOps.push_back(VT);
2364     Size -= VTSize;
2365   }
2366
2367   return true;
2368 }
2369
2370 void SelectionDAGLowering::visitMemIntrinsic(CallInst &I, unsigned Op) {
2371   SDOperand Op1 = getValue(I.getOperand(1));
2372   SDOperand Op2 = getValue(I.getOperand(2));
2373   SDOperand Op3 = getValue(I.getOperand(3));
2374   SDOperand Op4 = getValue(I.getOperand(4));
2375   unsigned Align = (unsigned)cast<ConstantSDNode>(Op4)->getValue();
2376   if (Align == 0) Align = 1;
2377
2378   if (ConstantSDNode *Size = dyn_cast<ConstantSDNode>(Op3)) {
2379     std::vector<MVT::ValueType> MemOps;
2380
2381     // Expand memset / memcpy to a series of load / store ops
2382     // if the size operand falls below a certain threshold.
2383     std::vector<SDOperand> OutChains;
2384     switch (Op) {
2385     default: break;  // Do nothing for now.
2386     case ISD::MEMSET: {
2387       if (MeetsMaxMemopRequirement(MemOps, TLI.getMaxStoresPerMemset(),
2388                                    Size->getValue(), Align, TLI)) {
2389         unsigned NumMemOps = MemOps.size();
2390         unsigned Offset = 0;
2391         for (unsigned i = 0; i < NumMemOps; i++) {
2392           MVT::ValueType VT = MemOps[i];
2393           unsigned VTSize = getSizeInBits(VT) / 8;
2394           SDOperand Value = getMemsetValue(Op2, VT, DAG);
2395           SDOperand Store = DAG.getNode(ISD::STORE, MVT::Other, getRoot(),
2396                                         Value,
2397                                     getMemBasePlusOffset(Op1, Offset, DAG, TLI),
2398                                       DAG.getSrcValue(I.getOperand(1), Offset));
2399           OutChains.push_back(Store);
2400           Offset += VTSize;
2401         }
2402       }
2403       break;
2404     }
2405     case ISD::MEMCPY: {
2406       if (MeetsMaxMemopRequirement(MemOps, TLI.getMaxStoresPerMemcpy(),
2407                                    Size->getValue(), Align, TLI)) {
2408         unsigned NumMemOps = MemOps.size();
2409         unsigned SrcOff = 0, DstOff = 0, SrcDelta = 0;
2410         GlobalAddressSDNode *G = NULL;
2411         std::string Str;
2412         bool CopyFromStr = false;
2413
2414         if (Op2.getOpcode() == ISD::GlobalAddress)
2415           G = cast<GlobalAddressSDNode>(Op2);
2416         else if (Op2.getOpcode() == ISD::ADD &&
2417                  Op2.getOperand(0).getOpcode() == ISD::GlobalAddress &&
2418                  Op2.getOperand(1).getOpcode() == ISD::Constant) {
2419           G = cast<GlobalAddressSDNode>(Op2.getOperand(0));
2420           SrcDelta = cast<ConstantSDNode>(Op2.getOperand(1))->getValue();
2421         }
2422         if (G) {
2423           GlobalVariable *GV = dyn_cast<GlobalVariable>(G->getGlobal());
2424           if (GV) {
2425             Str = GV->getStringValue(false);
2426             if (!Str.empty()) {
2427               CopyFromStr = true;
2428               SrcOff += SrcDelta;
2429             }
2430           }
2431         }
2432
2433         for (unsigned i = 0; i < NumMemOps; i++) {
2434           MVT::ValueType VT = MemOps[i];
2435           unsigned VTSize = getSizeInBits(VT) / 8;
2436           SDOperand Value, Chain, Store;
2437
2438           if (CopyFromStr) {
2439             Value = getMemsetStringVal(VT, DAG, TLI, Str, SrcOff);
2440             Chain = getRoot();
2441             Store =
2442               DAG.getNode(ISD::STORE, MVT::Other, Chain, Value,
2443                           getMemBasePlusOffset(Op1, DstOff, DAG, TLI),
2444                           DAG.getSrcValue(I.getOperand(1), DstOff));
2445           } else {
2446             Value = DAG.getLoad(VT, getRoot(),
2447                         getMemBasePlusOffset(Op2, SrcOff, DAG, TLI),
2448                         DAG.getSrcValue(I.getOperand(2), SrcOff));
2449             Chain = Value.getValue(1);
2450             Store =
2451               DAG.getNode(ISD::STORE, MVT::Other, Chain, Value,
2452                           getMemBasePlusOffset(Op1, DstOff, DAG, TLI),
2453                           DAG.getSrcValue(I.getOperand(1), DstOff));
2454           }
2455           OutChains.push_back(Store);
2456           SrcOff += VTSize;
2457           DstOff += VTSize;
2458         }
2459       }
2460       break;
2461     }
2462     }
2463
2464     if (!OutChains.empty()) {
2465       DAG.setRoot(DAG.getNode(ISD::TokenFactor, MVT::Other, OutChains));
2466       return;
2467     }
2468   }
2469
2470   std::vector<SDOperand> Ops;
2471   Ops.push_back(getRoot());
2472   Ops.push_back(Op1);
2473   Ops.push_back(Op2);
2474   Ops.push_back(Op3);
2475   Ops.push_back(Op4);
2476   DAG.setRoot(DAG.getNode(Op, MVT::Other, Ops));
2477 }
2478
2479 //===----------------------------------------------------------------------===//
2480 // SelectionDAGISel code
2481 //===----------------------------------------------------------------------===//
2482
2483 unsigned SelectionDAGISel::MakeReg(MVT::ValueType VT) {
2484   return RegMap->createVirtualRegister(TLI.getRegClassFor(VT));
2485 }
2486
2487 void SelectionDAGISel::getAnalysisUsage(AnalysisUsage &AU) const {
2488   // FIXME: we only modify the CFG to split critical edges.  This
2489   // updates dom and loop info.
2490 }
2491
2492
2493 /// InsertGEPComputeCode - Insert code into BB to compute Ptr+PtrOffset,
2494 /// casting to the type of GEPI.
2495 static Value *InsertGEPComputeCode(Value *&V, BasicBlock *BB, Instruction *GEPI,
2496                                    Value *Ptr, Value *PtrOffset) {
2497   if (V) return V;   // Already computed.
2498   
2499   BasicBlock::iterator InsertPt;
2500   if (BB == GEPI->getParent()) {
2501     // If insert into the GEP's block, insert right after the GEP.
2502     InsertPt = GEPI;
2503     ++InsertPt;
2504   } else {
2505     // Otherwise, insert at the top of BB, after any PHI nodes
2506     InsertPt = BB->begin();
2507     while (isa<PHINode>(InsertPt)) ++InsertPt;
2508   }
2509   
2510   // If Ptr is itself a cast, but in some other BB, emit a copy of the cast into
2511   // BB so that there is only one value live across basic blocks (the cast 
2512   // operand).
2513   if (CastInst *CI = dyn_cast<CastInst>(Ptr))
2514     if (CI->getParent() != BB && isa<PointerType>(CI->getOperand(0)->getType()))
2515       Ptr = new CastInst(CI->getOperand(0), CI->getType(), "", InsertPt);
2516   
2517   // Add the offset, cast it to the right type.
2518   Ptr = BinaryOperator::createAdd(Ptr, PtrOffset, "", InsertPt);
2519   Ptr = new CastInst(Ptr, GEPI->getType(), "", InsertPt);
2520   return V = Ptr;
2521 }
2522
2523
2524 /// OptimizeGEPExpression - Since we are doing basic-block-at-a-time instruction
2525 /// selection, we want to be a bit careful about some things.  In particular, if
2526 /// we have a GEP instruction that is used in a different block than it is
2527 /// defined, the addressing expression of the GEP cannot be folded into loads or
2528 /// stores that use it.  In this case, decompose the GEP and move constant
2529 /// indices into blocks that use it.
2530 static void OptimizeGEPExpression(GetElementPtrInst *GEPI,
2531                                   const TargetData &TD) {
2532   // If this GEP is only used inside the block it is defined in, there is no
2533   // need to rewrite it.
2534   bool isUsedOutsideDefBB = false;
2535   BasicBlock *DefBB = GEPI->getParent();
2536   for (Value::use_iterator UI = GEPI->use_begin(), E = GEPI->use_end(); 
2537        UI != E; ++UI) {
2538     if (cast<Instruction>(*UI)->getParent() != DefBB) {
2539       isUsedOutsideDefBB = true;
2540       break;
2541     }
2542   }
2543   if (!isUsedOutsideDefBB) return;
2544
2545   // If this GEP has no non-zero constant indices, there is nothing we can do,
2546   // ignore it.
2547   bool hasConstantIndex = false;
2548   for (GetElementPtrInst::op_iterator OI = GEPI->op_begin()+1,
2549        E = GEPI->op_end(); OI != E; ++OI) {
2550     if (ConstantInt *CI = dyn_cast<ConstantInt>(*OI))
2551       if (CI->getRawValue()) {
2552         hasConstantIndex = true;
2553         break;
2554       }
2555   }
2556   // If this is a GEP &Alloca, 0, 0, forward subst the frame index into uses.
2557   if (!hasConstantIndex && !isa<AllocaInst>(GEPI->getOperand(0))) return;
2558   
2559   // Otherwise, decompose the GEP instruction into multiplies and adds.  Sum the
2560   // constant offset (which we now know is non-zero) and deal with it later.
2561   uint64_t ConstantOffset = 0;
2562   const Type *UIntPtrTy = TD.getIntPtrType();
2563   Value *Ptr = new CastInst(GEPI->getOperand(0), UIntPtrTy, "", GEPI);
2564   const Type *Ty = GEPI->getOperand(0)->getType();
2565
2566   for (GetElementPtrInst::op_iterator OI = GEPI->op_begin()+1,
2567        E = GEPI->op_end(); OI != E; ++OI) {
2568     Value *Idx = *OI;
2569     if (const StructType *StTy = dyn_cast<StructType>(Ty)) {
2570       unsigned Field = cast<ConstantUInt>(Idx)->getValue();
2571       if (Field)
2572         ConstantOffset += TD.getStructLayout(StTy)->MemberOffsets[Field];
2573       Ty = StTy->getElementType(Field);
2574     } else {
2575       Ty = cast<SequentialType>(Ty)->getElementType();
2576
2577       // Handle constant subscripts.
2578       if (ConstantInt *CI = dyn_cast<ConstantInt>(Idx)) {
2579         if (CI->getRawValue() == 0) continue;
2580         
2581         if (ConstantSInt *CSI = dyn_cast<ConstantSInt>(CI))
2582           ConstantOffset += (int64_t)TD.getTypeSize(Ty)*CSI->getValue();
2583         else
2584           ConstantOffset+=TD.getTypeSize(Ty)*cast<ConstantUInt>(CI)->getValue();
2585         continue;
2586       }
2587       
2588       // Ptr = Ptr + Idx * ElementSize;
2589       
2590       // Cast Idx to UIntPtrTy if needed.
2591       Idx = new CastInst(Idx, UIntPtrTy, "", GEPI);
2592       
2593       uint64_t ElementSize = TD.getTypeSize(Ty);
2594       // Mask off bits that should not be set.
2595       ElementSize &= ~0ULL >> (64-UIntPtrTy->getPrimitiveSizeInBits());
2596       Constant *SizeCst = ConstantUInt::get(UIntPtrTy, ElementSize);
2597
2598       // Multiply by the element size and add to the base.
2599       Idx = BinaryOperator::createMul(Idx, SizeCst, "", GEPI);
2600       Ptr = BinaryOperator::createAdd(Ptr, Idx, "", GEPI);
2601     }
2602   }
2603   
2604   // Make sure that the offset fits in uintptr_t.
2605   ConstantOffset &= ~0ULL >> (64-UIntPtrTy->getPrimitiveSizeInBits());
2606   Constant *PtrOffset = ConstantUInt::get(UIntPtrTy, ConstantOffset);
2607   
2608   // Okay, we have now emitted all of the variable index parts to the BB that
2609   // the GEP is defined in.  Loop over all of the using instructions, inserting
2610   // an "add Ptr, ConstantOffset" into each block that uses it and update the
2611   // instruction to use the newly computed value, making GEPI dead.  When the
2612   // user is a load or store instruction address, we emit the add into the user
2613   // block, otherwise we use a canonical version right next to the gep (these 
2614   // won't be foldable as addresses, so we might as well share the computation).
2615   
2616   std::map<BasicBlock*,Value*> InsertedExprs;
2617   while (!GEPI->use_empty()) {
2618     Instruction *User = cast<Instruction>(GEPI->use_back());
2619
2620     // If this use is not foldable into the addressing mode, use a version 
2621     // emitted in the GEP block.
2622     Value *NewVal;
2623     if (!isa<LoadInst>(User) &&
2624         (!isa<StoreInst>(User) || User->getOperand(0) == GEPI)) {
2625       NewVal = InsertGEPComputeCode(InsertedExprs[DefBB], DefBB, GEPI, 
2626                                     Ptr, PtrOffset);
2627     } else {
2628       // Otherwise, insert the code in the User's block so it can be folded into
2629       // any users in that block.
2630       NewVal = InsertGEPComputeCode(InsertedExprs[User->getParent()], 
2631                                     User->getParent(), GEPI, 
2632                                     Ptr, PtrOffset);
2633     }
2634     User->replaceUsesOfWith(GEPI, NewVal);
2635   }
2636   
2637   // Finally, the GEP is dead, remove it.
2638   GEPI->eraseFromParent();
2639 }
2640
2641 bool SelectionDAGISel::runOnFunction(Function &Fn) {
2642   MachineFunction &MF = MachineFunction::construct(&Fn, TLI.getTargetMachine());
2643   RegMap = MF.getSSARegMap();
2644   DEBUG(std::cerr << "\n\n\n=== " << Fn.getName() << "\n");
2645
2646   // First, split all critical edges for PHI nodes with incoming values that are
2647   // constants, this way the load of the constant into a vreg will not be placed
2648   // into MBBs that are used some other way.
2649   //
2650   // In this pass we also look for GEP instructions that are used across basic
2651   // blocks and rewrites them to improve basic-block-at-a-time selection.
2652   // 
2653   for (Function::iterator BB = Fn.begin(), E = Fn.end(); BB != E; ++BB) {
2654     PHINode *PN;
2655     BasicBlock::iterator BBI;
2656     for (BBI = BB->begin(); (PN = dyn_cast<PHINode>(BBI)); ++BBI)
2657       for (unsigned i = 0, e = PN->getNumIncomingValues(); i != e; ++i)
2658         if (isa<Constant>(PN->getIncomingValue(i)))
2659           SplitCriticalEdge(PN->getIncomingBlock(i), BB);
2660     
2661     for (BasicBlock::iterator E = BB->end(); BBI != E; )
2662       if (GetElementPtrInst *GEPI = dyn_cast<GetElementPtrInst>(BBI++))
2663         OptimizeGEPExpression(GEPI, TLI.getTargetData());
2664   }
2665   
2666   FunctionLoweringInfo FuncInfo(TLI, Fn, MF);
2667
2668   for (Function::iterator I = Fn.begin(), E = Fn.end(); I != E; ++I)
2669     SelectBasicBlock(I, MF, FuncInfo);
2670
2671   return true;
2672 }
2673
2674
2675 SDOperand SelectionDAGISel::
2676 CopyValueToVirtualRegister(SelectionDAGLowering &SDL, Value *V, unsigned Reg) {
2677   SDOperand Op = SDL.getValue(V);
2678   assert((Op.getOpcode() != ISD::CopyFromReg ||
2679           cast<RegisterSDNode>(Op.getOperand(1))->getReg() != Reg) &&
2680          "Copy from a reg to the same reg!");
2681   
2682   // If this type is not legal, we must make sure to not create an invalid
2683   // register use.
2684   MVT::ValueType SrcVT = Op.getValueType();
2685   MVT::ValueType DestVT = TLI.getTypeToTransformTo(SrcVT);
2686   SelectionDAG &DAG = SDL.DAG;
2687   if (SrcVT == DestVT) {
2688     return DAG.getCopyToReg(SDL.getRoot(), Reg, Op);
2689   } else if (SrcVT == MVT::Vector) {
2690     // Handle copies from generic vectors to registers.
2691     MVT::ValueType PTyElementVT, PTyLegalElementVT;
2692     unsigned NE = TLI.getPackedTypeBreakdown(cast<PackedType>(V->getType()),
2693                                              PTyElementVT, PTyLegalElementVT);
2694     
2695     // Insert a VBIT_CONVERT of the input vector to a "N x PTyElementVT" 
2696     // MVT::Vector type.
2697     Op = DAG.getNode(ISD::VBIT_CONVERT, MVT::Vector, Op,
2698                      DAG.getConstant(NE, MVT::i32), 
2699                      DAG.getValueType(PTyElementVT));
2700
2701     // Loop over all of the elements of the resultant vector,
2702     // VEXTRACT_VECTOR_ELT'ing them, converting them to PTyLegalElementVT, then
2703     // copying them into output registers.
2704     std::vector<SDOperand> OutChains;
2705     SDOperand Root = SDL.getRoot();
2706     for (unsigned i = 0; i != NE; ++i) {
2707       SDOperand Elt = DAG.getNode(ISD::VEXTRACT_VECTOR_ELT, PTyElementVT,
2708                                   Op, DAG.getConstant(i, MVT::i32));
2709       if (PTyElementVT == PTyLegalElementVT) {
2710         // Elements are legal.
2711         OutChains.push_back(DAG.getCopyToReg(Root, Reg++, Elt));
2712       } else if (PTyLegalElementVT > PTyElementVT) {
2713         // Elements are promoted.
2714         if (MVT::isFloatingPoint(PTyLegalElementVT))
2715           Elt = DAG.getNode(ISD::FP_EXTEND, PTyLegalElementVT, Elt);
2716         else
2717           Elt = DAG.getNode(ISD::ANY_EXTEND, PTyLegalElementVT, Elt);
2718         OutChains.push_back(DAG.getCopyToReg(Root, Reg++, Elt));
2719       } else {
2720         // Elements are expanded.
2721         // The src value is expanded into multiple registers.
2722         SDOperand Lo = DAG.getNode(ISD::EXTRACT_ELEMENT, PTyLegalElementVT,
2723                                    Elt, DAG.getConstant(0, MVT::i32));
2724         SDOperand Hi = DAG.getNode(ISD::EXTRACT_ELEMENT, PTyLegalElementVT,
2725                                    Elt, DAG.getConstant(1, MVT::i32));
2726         OutChains.push_back(DAG.getCopyToReg(Root, Reg++, Lo));
2727         OutChains.push_back(DAG.getCopyToReg(Root, Reg++, Hi));
2728       }
2729     }
2730     return DAG.getNode(ISD::TokenFactor, MVT::Other, OutChains);
2731   } else if (SrcVT < DestVT) {
2732     // The src value is promoted to the register.
2733     if (MVT::isFloatingPoint(SrcVT))
2734       Op = DAG.getNode(ISD::FP_EXTEND, DestVT, Op);
2735     else
2736       Op = DAG.getNode(ISD::ANY_EXTEND, DestVT, Op);
2737     return DAG.getCopyToReg(SDL.getRoot(), Reg, Op);
2738   } else  {
2739     // The src value is expanded into multiple registers.
2740     SDOperand Lo = DAG.getNode(ISD::EXTRACT_ELEMENT, DestVT,
2741                                Op, DAG.getConstant(0, MVT::i32));
2742     SDOperand Hi = DAG.getNode(ISD::EXTRACT_ELEMENT, DestVT,
2743                                Op, DAG.getConstant(1, MVT::i32));
2744     Op = DAG.getCopyToReg(SDL.getRoot(), Reg, Lo);
2745     return DAG.getCopyToReg(Op, Reg+1, Hi);
2746   }
2747 }
2748
2749 void SelectionDAGISel::
2750 LowerArguments(BasicBlock *BB, SelectionDAGLowering &SDL,
2751                std::vector<SDOperand> &UnorderedChains) {
2752   // If this is the entry block, emit arguments.
2753   Function &F = *BB->getParent();
2754   FunctionLoweringInfo &FuncInfo = SDL.FuncInfo;
2755   SDOperand OldRoot = SDL.DAG.getRoot();
2756   std::vector<SDOperand> Args = TLI.LowerArguments(F, SDL.DAG);
2757
2758   unsigned a = 0;
2759   for (Function::arg_iterator AI = F.arg_begin(), E = F.arg_end();
2760        AI != E; ++AI, ++a)
2761     if (!AI->use_empty()) {
2762       SDL.setValue(AI, Args[a]);
2763       
2764       // If this argument is live outside of the entry block, insert a copy from
2765       // whereever we got it to the vreg that other BB's will reference it as.
2766       if (FuncInfo.ValueMap.count(AI)) {
2767         SDOperand Copy =
2768           CopyValueToVirtualRegister(SDL, AI, FuncInfo.ValueMap[AI]);
2769         UnorderedChains.push_back(Copy);
2770       }
2771     }
2772
2773   // Next, if the function has live ins that need to be copied into vregs,
2774   // emit the copies now, into the top of the block.
2775   MachineFunction &MF = SDL.DAG.getMachineFunction();
2776   if (MF.livein_begin() != MF.livein_end()) {
2777     SSARegMap *RegMap = MF.getSSARegMap();
2778     const MRegisterInfo &MRI = *MF.getTarget().getRegisterInfo();
2779     for (MachineFunction::livein_iterator LI = MF.livein_begin(),
2780          E = MF.livein_end(); LI != E; ++LI)
2781       if (LI->second)
2782         MRI.copyRegToReg(*MF.begin(), MF.begin()->end(), LI->second,
2783                          LI->first, RegMap->getRegClass(LI->second));
2784   }
2785     
2786   // Finally, if the target has anything special to do, allow it to do so.
2787   EmitFunctionEntryCode(F, SDL.DAG.getMachineFunction());
2788 }
2789
2790
2791 void SelectionDAGISel::BuildSelectionDAG(SelectionDAG &DAG, BasicBlock *LLVMBB,
2792        std::vector<std::pair<MachineInstr*, unsigned> > &PHINodesToUpdate,
2793                                          FunctionLoweringInfo &FuncInfo) {
2794   SelectionDAGLowering SDL(DAG, TLI, FuncInfo);
2795
2796   std::vector<SDOperand> UnorderedChains;
2797
2798   // Lower any arguments needed in this block if this is the entry block.
2799   if (LLVMBB == &LLVMBB->getParent()->front())
2800     LowerArguments(LLVMBB, SDL, UnorderedChains);
2801
2802   BB = FuncInfo.MBBMap[LLVMBB];
2803   SDL.setCurrentBasicBlock(BB);
2804
2805   // Lower all of the non-terminator instructions.
2806   for (BasicBlock::iterator I = LLVMBB->begin(), E = --LLVMBB->end();
2807        I != E; ++I)
2808     SDL.visit(*I);
2809   
2810   // Ensure that all instructions which are used outside of their defining
2811   // blocks are available as virtual registers.
2812   for (BasicBlock::iterator I = LLVMBB->begin(), E = LLVMBB->end(); I != E;++I)
2813     if (!I->use_empty() && !isa<PHINode>(I)) {
2814       std::map<const Value*, unsigned>::iterator VMI =FuncInfo.ValueMap.find(I);
2815       if (VMI != FuncInfo.ValueMap.end())
2816         UnorderedChains.push_back(
2817                            CopyValueToVirtualRegister(SDL, I, VMI->second));
2818     }
2819
2820   // Handle PHI nodes in successor blocks.  Emit code into the SelectionDAG to
2821   // ensure constants are generated when needed.  Remember the virtual registers
2822   // that need to be added to the Machine PHI nodes as input.  We cannot just
2823   // directly add them, because expansion might result in multiple MBB's for one
2824   // BB.  As such, the start of the BB might correspond to a different MBB than
2825   // the end.
2826   //
2827
2828   // Emit constants only once even if used by multiple PHI nodes.
2829   std::map<Constant*, unsigned> ConstantsOut;
2830
2831   // Check successor nodes PHI nodes that expect a constant to be available from
2832   // this block.
2833   TerminatorInst *TI = LLVMBB->getTerminator();
2834   for (unsigned succ = 0, e = TI->getNumSuccessors(); succ != e; ++succ) {
2835     BasicBlock *SuccBB = TI->getSuccessor(succ);
2836     MachineBasicBlock::iterator MBBI = FuncInfo.MBBMap[SuccBB]->begin();
2837     PHINode *PN;
2838
2839     // At this point we know that there is a 1-1 correspondence between LLVM PHI
2840     // nodes and Machine PHI nodes, but the incoming operands have not been
2841     // emitted yet.
2842     for (BasicBlock::iterator I = SuccBB->begin();
2843          (PN = dyn_cast<PHINode>(I)); ++I)
2844       if (!PN->use_empty()) {
2845         unsigned Reg;
2846         Value *PHIOp = PN->getIncomingValueForBlock(LLVMBB);
2847         if (Constant *C = dyn_cast<Constant>(PHIOp)) {
2848           unsigned &RegOut = ConstantsOut[C];
2849           if (RegOut == 0) {
2850             RegOut = FuncInfo.CreateRegForValue(C);
2851             UnorderedChains.push_back(
2852                              CopyValueToVirtualRegister(SDL, C, RegOut));
2853           }
2854           Reg = RegOut;
2855         } else {
2856           Reg = FuncInfo.ValueMap[PHIOp];
2857           if (Reg == 0) {
2858             assert(isa<AllocaInst>(PHIOp) &&
2859                    FuncInfo.StaticAllocaMap.count(cast<AllocaInst>(PHIOp)) &&
2860                    "Didn't codegen value into a register!??");
2861             Reg = FuncInfo.CreateRegForValue(PHIOp);
2862             UnorderedChains.push_back(
2863                              CopyValueToVirtualRegister(SDL, PHIOp, Reg));
2864           }
2865         }
2866
2867         // Remember that this register needs to added to the machine PHI node as
2868         // the input for this MBB.
2869         MVT::ValueType VT = TLI.getValueType(PN->getType());
2870         unsigned NumElements;
2871         if (VT != MVT::Vector)
2872           NumElements = TLI.getNumElements(VT);
2873         else {
2874           MVT::ValueType VT1,VT2;
2875           NumElements = 
2876             TLI.getPackedTypeBreakdown(cast<PackedType>(PN->getType()),
2877                                        VT1, VT2);
2878         }
2879         for (unsigned i = 0, e = NumElements; i != e; ++i)
2880           PHINodesToUpdate.push_back(std::make_pair(MBBI++, Reg+i));
2881       }
2882   }
2883   ConstantsOut.clear();
2884
2885   // Turn all of the unordered chains into one factored node.
2886   if (!UnorderedChains.empty()) {
2887     SDOperand Root = SDL.getRoot();
2888     if (Root.getOpcode() != ISD::EntryToken) {
2889       unsigned i = 0, e = UnorderedChains.size();
2890       for (; i != e; ++i) {
2891         assert(UnorderedChains[i].Val->getNumOperands() > 1);
2892         if (UnorderedChains[i].Val->getOperand(0) == Root)
2893           break;  // Don't add the root if we already indirectly depend on it.
2894       }
2895         
2896       if (i == e)
2897         UnorderedChains.push_back(Root);
2898     }
2899     DAG.setRoot(DAG.getNode(ISD::TokenFactor, MVT::Other, UnorderedChains));
2900   }
2901
2902   // Lower the terminator after the copies are emitted.
2903   SDL.visit(*LLVMBB->getTerminator());
2904
2905   // Copy over any CaseBlock records that may now exist due to SwitchInst
2906   // lowering.
2907   SwitchCases.clear();
2908   SwitchCases = SDL.SwitchCases;
2909   
2910   // Make sure the root of the DAG is up-to-date.
2911   DAG.setRoot(SDL.getRoot());
2912 }
2913
2914 void SelectionDAGISel::CodeGenAndEmitDAG(SelectionDAG &DAG) {
2915   // Run the DAG combiner in pre-legalize mode.
2916   DAG.Combine(false);
2917   
2918   DEBUG(std::cerr << "Lowered selection DAG:\n");
2919   DEBUG(DAG.dump());
2920   
2921   // Second step, hack on the DAG until it only uses operations and types that
2922   // the target supports.
2923   DAG.Legalize();
2924   
2925   DEBUG(std::cerr << "Legalized selection DAG:\n");
2926   DEBUG(DAG.dump());
2927   
2928   // Run the DAG combiner in post-legalize mode.
2929   DAG.Combine(true);
2930   
2931   if (ViewISelDAGs) DAG.viewGraph();
2932   
2933   // Third, instruction select all of the operations to machine code, adding the
2934   // code to the MachineBasicBlock.
2935   InstructionSelectBasicBlock(DAG);
2936   
2937   DEBUG(std::cerr << "Selected machine code:\n");
2938   DEBUG(BB->dump());
2939 }  
2940
2941 void SelectionDAGISel::SelectBasicBlock(BasicBlock *LLVMBB, MachineFunction &MF,
2942                                         FunctionLoweringInfo &FuncInfo) {
2943   std::vector<std::pair<MachineInstr*, unsigned> > PHINodesToUpdate;
2944   {
2945     SelectionDAG DAG(TLI, MF, getAnalysisToUpdate<MachineDebugInfo>());
2946     CurDAG = &DAG;
2947   
2948     // First step, lower LLVM code to some DAG.  This DAG may use operations and
2949     // types that are not supported by the target.
2950     BuildSelectionDAG(DAG, LLVMBB, PHINodesToUpdate, FuncInfo);
2951
2952     // Second step, emit the lowered DAG as machine code.
2953     CodeGenAndEmitDAG(DAG);
2954   }
2955   
2956   // Next, now that we know what the last MBB the LLVM BB expanded is, update
2957   // PHI nodes in successors.
2958   if (SwitchCases.empty()) {
2959     for (unsigned i = 0, e = PHINodesToUpdate.size(); i != e; ++i) {
2960       MachineInstr *PHI = PHINodesToUpdate[i].first;
2961       assert(PHI->getOpcode() == TargetInstrInfo::PHI &&
2962              "This is not a machine PHI node that we are updating!");
2963       PHI->addRegOperand(PHINodesToUpdate[i].second);
2964       PHI->addMachineBasicBlockOperand(BB);
2965     }
2966     return;
2967   }
2968   
2969   // If we generated any switch lowering information, build and codegen any
2970   // additional DAGs necessary.
2971   for(unsigned i = 0, e = SwitchCases.size(); i != e; ++i) {
2972     SelectionDAG SDAG(TLI, MF, getAnalysisToUpdate<MachineDebugInfo>());
2973     CurDAG = &SDAG;
2974     SelectionDAGLowering SDL(SDAG, TLI, FuncInfo);
2975     // Set the current basic block to the mbb we wish to insert the code into
2976     BB = SwitchCases[i].ThisBB;
2977     SDL.setCurrentBasicBlock(BB);
2978     // Emit the code
2979     SDL.visitSwitchCase(SwitchCases[i]);
2980     SDAG.setRoot(SDL.getRoot());
2981     CodeGenAndEmitDAG(SDAG);
2982     // Iterate over the phi nodes, if there is a phi node in a successor of this
2983     // block (for instance, the default block), then add a pair of operands to
2984     // the phi node for this block, as if we were coming from the original
2985     // BB before switch expansion.
2986     for (unsigned pi = 0, pe = PHINodesToUpdate.size(); pi != pe; ++pi) {
2987       MachineInstr *PHI = PHINodesToUpdate[pi].first;
2988       MachineBasicBlock *PHIBB = PHI->getParent();
2989       assert(PHI->getOpcode() == TargetInstrInfo::PHI &&
2990              "This is not a machine PHI node that we are updating!");
2991       if (PHIBB == SwitchCases[i].LHSBB || PHIBB == SwitchCases[i].RHSBB) {
2992         PHI->addRegOperand(PHINodesToUpdate[pi].second);
2993         PHI->addMachineBasicBlockOperand(BB);
2994       }
2995     }
2996   }
2997 }
2998
2999 //===----------------------------------------------------------------------===//
3000 /// ScheduleAndEmitDAG - Pick a safe ordering and emit instructions for each
3001 /// target node in the graph.
3002 void SelectionDAGISel::ScheduleAndEmitDAG(SelectionDAG &DAG) {
3003   if (ViewSchedDAGs) DAG.viewGraph();
3004   ScheduleDAG *SL = NULL;
3005
3006   switch (ISHeuristic) {
3007   default: assert(0 && "Unrecognized scheduling heuristic");
3008   case defaultScheduling:
3009     if (TLI.getSchedulingPreference() == TargetLowering::SchedulingForLatency)
3010       SL = createSimpleDAGScheduler(noScheduling, DAG, BB);
3011     else /* TargetLowering::SchedulingForRegPressure */
3012       SL = createBURRListDAGScheduler(DAG, BB);
3013     break;
3014   case noScheduling:
3015     SL = createBFS_DAGScheduler(DAG, BB);
3016     break;
3017   case simpleScheduling:
3018     SL = createSimpleDAGScheduler(false, DAG, BB);
3019     break;
3020   case simpleNoItinScheduling:
3021     SL = createSimpleDAGScheduler(true, DAG, BB);
3022     break;
3023   case listSchedulingBURR:
3024     SL = createBURRListDAGScheduler(DAG, BB);
3025     break;
3026   case listSchedulingTD:
3027     SL = createTDListDAGScheduler(DAG, BB, CreateTargetHazardRecognizer());
3028     break;
3029   }
3030   BB = SL->Run();
3031   delete SL;
3032 }
3033
3034 HazardRecognizer *SelectionDAGISel::CreateTargetHazardRecognizer() {
3035   return new HazardRecognizer();
3036 }
3037
3038 /// SelectInlineAsmMemoryOperands - Calls to this are automatically generated
3039 /// by tblgen.  Others should not call it.
3040 void SelectionDAGISel::
3041 SelectInlineAsmMemoryOperands(std::vector<SDOperand> &Ops, SelectionDAG &DAG) {
3042   std::vector<SDOperand> InOps;
3043   std::swap(InOps, Ops);
3044
3045   Ops.push_back(InOps[0]);  // input chain.
3046   Ops.push_back(InOps[1]);  // input asm string.
3047
3048   const char *AsmStr = cast<ExternalSymbolSDNode>(InOps[1])->getSymbol();
3049   unsigned i = 2, e = InOps.size();
3050   if (InOps[e-1].getValueType() == MVT::Flag)
3051     --e;  // Don't process a flag operand if it is here.
3052   
3053   while (i != e) {
3054     unsigned Flags = cast<ConstantSDNode>(InOps[i])->getValue();
3055     if ((Flags & 7) != 4 /*MEM*/) {
3056       // Just skip over this operand, copying the operands verbatim.
3057       Ops.insert(Ops.end(), InOps.begin()+i, InOps.begin()+i+(Flags >> 3) + 1);
3058       i += (Flags >> 3) + 1;
3059     } else {
3060       assert((Flags >> 3) == 1 && "Memory operand with multiple values?");
3061       // Otherwise, this is a memory operand.  Ask the target to select it.
3062       std::vector<SDOperand> SelOps;
3063       if (SelectInlineAsmMemoryOperand(InOps[i+1], 'm', SelOps, DAG)) {
3064         std::cerr << "Could not match memory address.  Inline asm failure!\n";
3065         exit(1);
3066       }
3067       
3068       // Add this to the output node.
3069       Ops.push_back(DAG.getConstant(4/*MEM*/ | (SelOps.size() << 3), MVT::i32));
3070       Ops.insert(Ops.end(), SelOps.begin(), SelOps.end());
3071       i += 2;
3072     }
3073   }
3074   
3075   // Add the flag input back if present.
3076   if (e != InOps.size())
3077     Ops.push_back(InOps.back());
3078 }