Move these ctors out of line
[oota-llvm.git] / lib / VMCore / Instructions.cpp
1 //===-- Instructions.cpp - Implement the LLVM instructions ----------------===//
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 file implements all of the non-inline methods for the LLVM instruction
11 // classes.
12 //
13 //===----------------------------------------------------------------------===//
14
15 #include "llvm/BasicBlock.h"
16 #include "llvm/Constants.h"
17 #include "llvm/DerivedTypes.h"
18 #include "llvm/Function.h"
19 #include "llvm/Instructions.h"
20 #include "llvm/Support/CallSite.h"
21 using namespace llvm;
22
23 unsigned CallSite::getCallingConv() const {
24   if (CallInst *CI = dyn_cast<CallInst>(I))
25     return CI->getCallingConv();
26   else
27     return cast<InvokeInst>(I)->getCallingConv();
28 }
29 void CallSite::setCallingConv(unsigned CC) {
30   if (CallInst *CI = dyn_cast<CallInst>(I))
31     CI->setCallingConv(CC);
32   else
33     cast<InvokeInst>(I)->setCallingConv(CC);
34 }
35
36
37 //===----------------------------------------------------------------------===//
38 //                            TerminatorInst Class
39 //===----------------------------------------------------------------------===//
40
41 TerminatorInst::TerminatorInst(Instruction::TermOps iType,
42                                Use *Ops, unsigned NumOps, Instruction *IB)
43   : Instruction(Type::VoidTy, iType, Ops, NumOps, "", IB) {
44 }
45
46 TerminatorInst::TerminatorInst(Instruction::TermOps iType,
47                                Use *Ops, unsigned NumOps, BasicBlock *IAE)
48   : Instruction(Type::VoidTy, iType, Ops, NumOps, "", IAE) {
49 }
50
51
52
53 //===----------------------------------------------------------------------===//
54 //                               PHINode Class
55 //===----------------------------------------------------------------------===//
56
57 PHINode::PHINode(const PHINode &PN)
58   : Instruction(PN.getType(), Instruction::PHI,
59                 new Use[PN.getNumOperands()], PN.getNumOperands()),
60     ReservedSpace(PN.getNumOperands()) {
61   Use *OL = OperandList;
62   for (unsigned i = 0, e = PN.getNumOperands(); i != e; i+=2) {
63     OL[i].init(PN.getOperand(i), this);
64     OL[i+1].init(PN.getOperand(i+1), this);
65   }
66 }
67
68 PHINode::~PHINode() {
69   delete [] OperandList;
70 }
71
72 // removeIncomingValue - Remove an incoming value.  This is useful if a
73 // predecessor basic block is deleted.
74 Value *PHINode::removeIncomingValue(unsigned Idx, bool DeletePHIIfEmpty) {
75   unsigned NumOps = getNumOperands();
76   Use *OL = OperandList;
77   assert(Idx*2 < NumOps && "BB not in PHI node!");
78   Value *Removed = OL[Idx*2];
79
80   // Move everything after this operand down.
81   //
82   // FIXME: we could just swap with the end of the list, then erase.  However,
83   // client might not expect this to happen.  The code as it is thrashes the
84   // use/def lists, which is kinda lame.
85   for (unsigned i = (Idx+1)*2; i != NumOps; i += 2) {
86     OL[i-2] = OL[i];
87     OL[i-2+1] = OL[i+1];
88   }
89
90   // Nuke the last value.
91   OL[NumOps-2].set(0);
92   OL[NumOps-2+1].set(0);
93   NumOperands = NumOps-2;
94
95   // If the PHI node is dead, because it has zero entries, nuke it now.
96   if (NumOps == 2 && DeletePHIIfEmpty) {
97     // If anyone is using this PHI, make them use a dummy value instead...
98     replaceAllUsesWith(UndefValue::get(getType()));
99     eraseFromParent();
100   }
101   return Removed;
102 }
103
104 /// resizeOperands - resize operands - This adjusts the length of the operands
105 /// list according to the following behavior:
106 ///   1. If NumOps == 0, grow the operand list in response to a push_back style
107 ///      of operation.  This grows the number of ops by 1.5 times.
108 ///   2. If NumOps > NumOperands, reserve space for NumOps operands.
109 ///   3. If NumOps == NumOperands, trim the reserved space.
110 ///
111 void PHINode::resizeOperands(unsigned NumOps) {
112   if (NumOps == 0) {
113     NumOps = (getNumOperands())*3/2;
114     if (NumOps < 4) NumOps = 4;      // 4 op PHI nodes are VERY common.
115   } else if (NumOps*2 > NumOperands) {
116     // No resize needed.
117     if (ReservedSpace >= NumOps) return;
118   } else if (NumOps == NumOperands) {
119     if (ReservedSpace == NumOps) return;
120   } else {
121     return;
122   }
123
124   ReservedSpace = NumOps;
125   Use *NewOps = new Use[NumOps];
126   Use *OldOps = OperandList;
127   for (unsigned i = 0, e = getNumOperands(); i != e; ++i) {
128       NewOps[i].init(OldOps[i], this);
129       OldOps[i].set(0);
130   }
131   delete [] OldOps;
132   OperandList = NewOps;
133 }
134
135 /// hasConstantValue - If the specified PHI node always merges together the same
136 /// value, return the value, otherwise return null.
137 ///
138 Value *PHINode::hasConstantValue(bool AllowNonDominatingInstruction) const {
139   // If the PHI node only has one incoming value, eliminate the PHI node...
140   if (getNumIncomingValues() == 1)
141     if (getIncomingValue(0) != this)   // not  X = phi X
142       return getIncomingValue(0);
143     else
144       return UndefValue::get(getType());  // Self cycle is dead.
145       
146   // Otherwise if all of the incoming values are the same for the PHI, replace
147   // the PHI node with the incoming value.
148   //
149   Value *InVal = 0;
150   bool HasUndefInput = false;
151   for (unsigned i = 0, e = getNumIncomingValues(); i != e; ++i)
152     if (isa<UndefValue>(getIncomingValue(i)))
153       HasUndefInput = true;
154     else if (getIncomingValue(i) != this)  // Not the PHI node itself...
155       if (InVal && getIncomingValue(i) != InVal)
156         return 0;  // Not the same, bail out.
157       else
158         InVal = getIncomingValue(i);
159   
160   // The only case that could cause InVal to be null is if we have a PHI node
161   // that only has entries for itself.  In this case, there is no entry into the
162   // loop, so kill the PHI.
163   //
164   if (InVal == 0) InVal = UndefValue::get(getType());
165   
166   // If we have a PHI node like phi(X, undef, X), where X is defined by some
167   // instruction, we cannot always return X as the result of the PHI node.  Only
168   // do this if X is not an instruction (thus it must dominate the PHI block),
169   // or if the client is prepared to deal with this possibility.
170   if (HasUndefInput && !AllowNonDominatingInstruction)
171     if (Instruction *IV = dyn_cast<Instruction>(InVal))
172       // If it's in the entry block, it dominates everything.
173       if (IV->getParent() != &IV->getParent()->getParent()->front() ||
174           isa<InvokeInst>(IV))
175         return 0;   // Cannot guarantee that InVal dominates this PHINode.
176
177   // All of the incoming values are the same, return the value now.
178   return InVal;
179 }
180
181
182 //===----------------------------------------------------------------------===//
183 //                        CallInst Implementation
184 //===----------------------------------------------------------------------===//
185
186 CallInst::~CallInst() {
187   delete [] OperandList;
188 }
189
190 void CallInst::init(Value *Func, const std::vector<Value*> &Params) {
191   NumOperands = Params.size()+1;
192   Use *OL = OperandList = new Use[Params.size()+1];
193   OL[0].init(Func, this);
194
195   const FunctionType *FTy =
196     cast<FunctionType>(cast<PointerType>(Func->getType())->getElementType());
197
198   assert((Params.size() == FTy->getNumParams() ||
199           (FTy->isVarArg() && Params.size() > FTy->getNumParams())) &&
200          "Calling a function with bad signature");
201   for (unsigned i = 0, e = Params.size(); i != e; ++i)
202     OL[i+1].init(Params[i], this);
203 }
204
205 void CallInst::init(Value *Func, Value *Actual1, Value *Actual2) {
206   NumOperands = 3;
207   Use *OL = OperandList = new Use[3];
208   OL[0].init(Func, this);
209   OL[1].init(Actual1, this);
210   OL[2].init(Actual2, this);
211
212   const FunctionType *FTy =
213     cast<FunctionType>(cast<PointerType>(Func->getType())->getElementType());
214
215   assert((FTy->getNumParams() == 2 ||
216           (FTy->isVarArg() && FTy->getNumParams() == 0)) &&
217          "Calling a function with bad signature");
218 }
219
220 void CallInst::init(Value *Func, Value *Actual) {
221   NumOperands = 2;
222   Use *OL = OperandList = new Use[2];
223   OL[0].init(Func, this);
224   OL[1].init(Actual, this);
225
226   const FunctionType *FTy =
227     cast<FunctionType>(cast<PointerType>(Func->getType())->getElementType());
228
229   assert((FTy->getNumParams() == 1 ||
230           (FTy->isVarArg() && FTy->getNumParams() == 0)) &&
231          "Calling a function with bad signature");
232 }
233
234 void CallInst::init(Value *Func) {
235   NumOperands = 1;
236   Use *OL = OperandList = new Use[1];
237   OL[0].init(Func, this);
238
239   const FunctionType *MTy =
240     cast<FunctionType>(cast<PointerType>(Func->getType())->getElementType());
241
242   assert(MTy->getNumParams() == 0 && "Calling a function with bad signature");
243 }
244
245 CallInst::CallInst(Value *Func, const std::vector<Value*> &Params,
246                    const std::string &Name, Instruction *InsertBefore)
247   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
248                                  ->getElementType())->getReturnType(),
249                 Instruction::Call, 0, 0, Name, InsertBefore) {
250   init(Func, Params);
251 }
252
253 CallInst::CallInst(Value *Func, const std::vector<Value*> &Params,
254                    const std::string &Name, BasicBlock *InsertAtEnd)
255   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
256                                  ->getElementType())->getReturnType(),
257                 Instruction::Call, 0, 0, Name, InsertAtEnd) {
258   init(Func, Params);
259 }
260
261 CallInst::CallInst(Value *Func, Value *Actual1, Value *Actual2,
262                    const std::string &Name, Instruction  *InsertBefore)
263   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
264                                    ->getElementType())->getReturnType(),
265                 Instruction::Call, 0, 0, Name, InsertBefore) {
266   init(Func, Actual1, Actual2);
267 }
268
269 CallInst::CallInst(Value *Func, Value *Actual1, Value *Actual2,
270                    const std::string &Name, BasicBlock  *InsertAtEnd)
271   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
272                                    ->getElementType())->getReturnType(),
273                 Instruction::Call, 0, 0, Name, InsertAtEnd) {
274   init(Func, Actual1, Actual2);
275 }
276
277 CallInst::CallInst(Value *Func, Value* Actual, const std::string &Name,
278                    Instruction  *InsertBefore)
279   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
280                                    ->getElementType())->getReturnType(),
281                 Instruction::Call, 0, 0, Name, InsertBefore) {
282   init(Func, Actual);
283 }
284
285 CallInst::CallInst(Value *Func, Value* Actual, const std::string &Name,
286                    BasicBlock  *InsertAtEnd)
287   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
288                                    ->getElementType())->getReturnType(),
289                 Instruction::Call, 0, 0, Name, InsertAtEnd) {
290   init(Func, Actual);
291 }
292
293 CallInst::CallInst(Value *Func, const std::string &Name,
294                    Instruction *InsertBefore)
295   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
296                                    ->getElementType())->getReturnType(),
297                 Instruction::Call, 0, 0, Name, InsertBefore) {
298   init(Func);
299 }
300
301 CallInst::CallInst(Value *Func, const std::string &Name,
302                    BasicBlock *InsertAtEnd)
303   : Instruction(cast<FunctionType>(cast<PointerType>(Func->getType())
304                                    ->getElementType())->getReturnType(),
305                 Instruction::Call, 0, 0, Name, InsertAtEnd) {
306   init(Func);
307 }
308
309 CallInst::CallInst(const CallInst &CI)
310   : Instruction(CI.getType(), Instruction::Call, new Use[CI.getNumOperands()],
311                 CI.getNumOperands()) {
312   SubclassData = CI.SubclassData;
313   Use *OL = OperandList;
314   Use *InOL = CI.OperandList;
315   for (unsigned i = 0, e = CI.getNumOperands(); i != e; ++i)
316     OL[i].init(InOL[i], this);
317 }
318
319
320 //===----------------------------------------------------------------------===//
321 //                        InvokeInst Implementation
322 //===----------------------------------------------------------------------===//
323
324 InvokeInst::~InvokeInst() {
325   delete [] OperandList;
326 }
327
328 void InvokeInst::init(Value *Fn, BasicBlock *IfNormal, BasicBlock *IfException,
329                       const std::vector<Value*> &Params) {
330   NumOperands = 3+Params.size();
331   Use *OL = OperandList = new Use[3+Params.size()];
332   OL[0].init(Fn, this);
333   OL[1].init(IfNormal, this);
334   OL[2].init(IfException, this);
335   const FunctionType *FTy =
336     cast<FunctionType>(cast<PointerType>(Fn->getType())->getElementType());
337
338   assert((Params.size() == FTy->getNumParams()) ||
339          (FTy->isVarArg() && Params.size() > FTy->getNumParams()) &&
340          "Calling a function with bad signature");
341
342   for (unsigned i = 0, e = Params.size(); i != e; i++)
343     OL[i+3].init(Params[i], this);
344 }
345
346 InvokeInst::InvokeInst(Value *Fn, BasicBlock *IfNormal,
347                        BasicBlock *IfException,
348                        const std::vector<Value*> &Params,
349                        const std::string &Name, Instruction *InsertBefore)
350   : TerminatorInst(cast<FunctionType>(cast<PointerType>(Fn->getType())
351                                     ->getElementType())->getReturnType(),
352                    Instruction::Invoke, 0, 0, Name, InsertBefore) {
353   init(Fn, IfNormal, IfException, Params);
354 }
355
356 InvokeInst::InvokeInst(Value *Fn, BasicBlock *IfNormal,
357                        BasicBlock *IfException,
358                        const std::vector<Value*> &Params,
359                        const std::string &Name, BasicBlock *InsertAtEnd)
360   : TerminatorInst(cast<FunctionType>(cast<PointerType>(Fn->getType())
361                                     ->getElementType())->getReturnType(),
362                    Instruction::Invoke, 0, 0, Name, InsertAtEnd) {
363   init(Fn, IfNormal, IfException, Params);
364 }
365
366 InvokeInst::InvokeInst(const InvokeInst &II)
367   : TerminatorInst(II.getType(), Instruction::Invoke,
368                    new Use[II.getNumOperands()], II.getNumOperands()) {
369   SubclassData = II.SubclassData;
370   Use *OL = OperandList, *InOL = II.OperandList;
371   for (unsigned i = 0, e = II.getNumOperands(); i != e; ++i)
372     OL[i].init(InOL[i], this);
373 }
374
375 BasicBlock *InvokeInst::getSuccessorV(unsigned idx) const {
376   return getSuccessor(idx);
377 }
378 unsigned InvokeInst::getNumSuccessorsV() const {
379   return getNumSuccessors();
380 }
381 void InvokeInst::setSuccessorV(unsigned idx, BasicBlock *B) {
382   return setSuccessor(idx, B);
383 }
384
385
386 //===----------------------------------------------------------------------===//
387 //                        ReturnInst Implementation
388 //===----------------------------------------------------------------------===//
389
390 void ReturnInst::init(Value *retVal) {
391   if (retVal && retVal->getType() != Type::VoidTy) {
392     assert(!isa<BasicBlock>(retVal) &&
393            "Cannot return basic block.  Probably using the incorrect ctor");
394     NumOperands = 1;
395     RetVal.init(retVal, this);
396   }
397 }
398
399 unsigned ReturnInst::getNumSuccessorsV() const {
400   return getNumSuccessors();
401 }
402
403 // Out-of-line ReturnInst method, put here so the C++ compiler can choose to
404 // emit the vtable for the class in this translation unit.
405 void ReturnInst::setSuccessorV(unsigned idx, BasicBlock *NewSucc) {
406   assert(0 && "ReturnInst has no successors!");
407 }
408
409 BasicBlock *ReturnInst::getSuccessorV(unsigned idx) const {
410   assert(0 && "ReturnInst has no successors!");
411   abort();
412   return 0;
413 }
414
415
416 //===----------------------------------------------------------------------===//
417 //                        UnwindInst Implementation
418 //===----------------------------------------------------------------------===//
419
420 unsigned UnwindInst::getNumSuccessorsV() const {
421   return getNumSuccessors();
422 }
423
424 void UnwindInst::setSuccessorV(unsigned idx, BasicBlock *NewSucc) {
425   assert(0 && "UnwindInst has no successors!");
426 }
427
428 BasicBlock *UnwindInst::getSuccessorV(unsigned idx) const {
429   assert(0 && "UnwindInst has no successors!");
430   abort();
431   return 0;
432 }
433
434 //===----------------------------------------------------------------------===//
435 //                      UnreachableInst Implementation
436 //===----------------------------------------------------------------------===//
437
438 unsigned UnreachableInst::getNumSuccessorsV() const {
439   return getNumSuccessors();
440 }
441
442 void UnreachableInst::setSuccessorV(unsigned idx, BasicBlock *NewSucc) {
443   assert(0 && "UnwindInst has no successors!");
444 }
445
446 BasicBlock *UnreachableInst::getSuccessorV(unsigned idx) const {
447   assert(0 && "UnwindInst has no successors!");
448   abort();
449   return 0;
450 }
451
452 //===----------------------------------------------------------------------===//
453 //                        BranchInst Implementation
454 //===----------------------------------------------------------------------===//
455
456 void BranchInst::AssertOK() {
457   if (isConditional())
458     assert(getCondition()->getType() == Type::BoolTy &&
459            "May only branch on boolean predicates!");
460 }
461
462 BranchInst::BranchInst(const BranchInst &BI) :
463   TerminatorInst(Instruction::Br, Ops, BI.getNumOperands()) {
464   OperandList[0].init(BI.getOperand(0), this);
465   if (BI.getNumOperands() != 1) {
466     assert(BI.getNumOperands() == 3 && "BR can have 1 or 3 operands!");
467     OperandList[1].init(BI.getOperand(1), this);
468     OperandList[2].init(BI.getOperand(2), this);
469   }
470 }
471
472 BasicBlock *BranchInst::getSuccessorV(unsigned idx) const {
473   return getSuccessor(idx);
474 }
475 unsigned BranchInst::getNumSuccessorsV() const {
476   return getNumSuccessors();
477 }
478 void BranchInst::setSuccessorV(unsigned idx, BasicBlock *B) {
479   setSuccessor(idx, B);
480 }
481
482
483 //===----------------------------------------------------------------------===//
484 //                        AllocationInst Implementation
485 //===----------------------------------------------------------------------===//
486
487 static Value *getAISize(Value *Amt) {
488   if (!Amt)
489     Amt = ConstantUInt::get(Type::UIntTy, 1);
490   else
491     assert(Amt->getType() == Type::UIntTy &&
492            "Malloc/Allocation array size != UIntTy!");
493   return Amt;
494 }
495
496 AllocationInst::AllocationInst(const Type *Ty, Value *ArraySize, unsigned iTy,
497                                unsigned Align, const std::string &Name,
498                                Instruction *InsertBefore)
499   : UnaryInstruction(PointerType::get(Ty), iTy, getAISize(ArraySize),
500                      Name, InsertBefore), Alignment(Align) {
501   assert((Align & (Align-1)) == 0 && "Alignment is not a power of 2!");
502   assert(Ty != Type::VoidTy && "Cannot allocate void!");
503 }
504
505 AllocationInst::AllocationInst(const Type *Ty, Value *ArraySize, unsigned iTy,
506                                unsigned Align, const std::string &Name,
507                                BasicBlock *InsertAtEnd)
508   : UnaryInstruction(PointerType::get(Ty), iTy, getAISize(ArraySize),
509                      Name, InsertAtEnd), Alignment(Align) {
510   assert((Align & (Align-1)) == 0 && "Alignment is not a power of 2!");
511   assert(Ty != Type::VoidTy && "Cannot allocate void!");
512 }
513
514 bool AllocationInst::isArrayAllocation() const {
515   if (ConstantUInt *CUI = dyn_cast<ConstantUInt>(getOperand(0)))
516     return CUI->getValue() != 1;
517   return true;
518 }
519
520 const Type *AllocationInst::getAllocatedType() const {
521   return getType()->getElementType();
522 }
523
524 AllocaInst::AllocaInst(const AllocaInst &AI)
525   : AllocationInst(AI.getType()->getElementType(), (Value*)AI.getOperand(0),
526                    Instruction::Alloca, AI.getAlignment()) {
527 }
528
529 MallocInst::MallocInst(const MallocInst &MI)
530   : AllocationInst(MI.getType()->getElementType(), (Value*)MI.getOperand(0),
531                    Instruction::Malloc, MI.getAlignment()) {
532 }
533
534 //===----------------------------------------------------------------------===//
535 //                             FreeInst Implementation
536 //===----------------------------------------------------------------------===//
537
538 void FreeInst::AssertOK() {
539   assert(isa<PointerType>(getOperand(0)->getType()) &&
540          "Can not free something of nonpointer type!");
541 }
542
543 FreeInst::FreeInst(Value *Ptr, Instruction *InsertBefore)
544   : UnaryInstruction(Type::VoidTy, Free, Ptr, "", InsertBefore) {
545   AssertOK();
546 }
547
548 FreeInst::FreeInst(Value *Ptr, BasicBlock *InsertAtEnd)
549   : UnaryInstruction(Type::VoidTy, Free, Ptr, "", InsertAtEnd) {
550   AssertOK();
551 }
552
553
554 //===----------------------------------------------------------------------===//
555 //                           LoadInst Implementation
556 //===----------------------------------------------------------------------===//
557
558 void LoadInst::AssertOK() {
559   assert(isa<PointerType>(getOperand(0)->getType()) &&
560          "Ptr must have pointer type.");
561 }
562
563 LoadInst::LoadInst(Value *Ptr, const std::string &Name, Instruction *InsertBef)
564   : UnaryInstruction(cast<PointerType>(Ptr->getType())->getElementType(),
565                      Load, Ptr, Name, InsertBef) {
566   setVolatile(false);
567   AssertOK();
568 }
569
570 LoadInst::LoadInst(Value *Ptr, const std::string &Name, BasicBlock *InsertAE)
571   : UnaryInstruction(cast<PointerType>(Ptr->getType())->getElementType(),
572                      Load, Ptr, Name, InsertAE) {
573   setVolatile(false);
574   AssertOK();
575 }
576
577 LoadInst::LoadInst(Value *Ptr, const std::string &Name, bool isVolatile,
578                    Instruction *InsertBef)
579   : UnaryInstruction(cast<PointerType>(Ptr->getType())->getElementType(),
580                      Load, Ptr, Name, InsertBef) {
581   setVolatile(isVolatile);
582   AssertOK();
583 }
584
585 LoadInst::LoadInst(Value *Ptr, const std::string &Name, bool isVolatile,
586                    BasicBlock *InsertAE)
587   : UnaryInstruction(cast<PointerType>(Ptr->getType())->getElementType(),
588                      Load, Ptr, Name, InsertAE) {
589   setVolatile(isVolatile);
590   AssertOK();
591 }
592
593
594 //===----------------------------------------------------------------------===//
595 //                           StoreInst Implementation
596 //===----------------------------------------------------------------------===//
597
598 void StoreInst::AssertOK() {
599   assert(isa<PointerType>(getOperand(1)->getType()) &&
600          "Ptr must have pointer type!");
601   assert(getOperand(0)->getType() ==
602                  cast<PointerType>(getOperand(1)->getType())->getElementType()
603          && "Ptr must be a pointer to Val type!");
604 }
605
606
607 StoreInst::StoreInst(Value *val, Value *addr, Instruction *InsertBefore)
608   : Instruction(Type::VoidTy, Store, Ops, 2, "", InsertBefore) {
609   Ops[0].init(val, this);
610   Ops[1].init(addr, this);
611   setVolatile(false);
612   AssertOK();
613 }
614
615 StoreInst::StoreInst(Value *val, Value *addr, BasicBlock *InsertAtEnd)
616   : Instruction(Type::VoidTy, Store, Ops, 2, "", InsertAtEnd) {
617   Ops[0].init(val, this);
618   Ops[1].init(addr, this);
619   setVolatile(false);
620   AssertOK();
621 }
622
623 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile,
624                      Instruction *InsertBefore)
625   : Instruction(Type::VoidTy, Store, Ops, 2, "", InsertBefore) {
626   Ops[0].init(val, this);
627   Ops[1].init(addr, this);
628   setVolatile(isVolatile);
629   AssertOK();
630 }
631
632 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile,
633                      BasicBlock *InsertAtEnd)
634   : Instruction(Type::VoidTy, Store, Ops, 2, "", InsertAtEnd) {
635   Ops[0].init(val, this);
636   Ops[1].init(addr, this);
637   setVolatile(isVolatile);
638   AssertOK();
639 }
640
641 //===----------------------------------------------------------------------===//
642 //                       GetElementPtrInst Implementation
643 //===----------------------------------------------------------------------===//
644
645 // checkType - Simple wrapper function to give a better assertion failure
646 // message on bad indexes for a gep instruction.
647 //
648 static inline const Type *checkType(const Type *Ty) {
649   assert(Ty && "Invalid indices for type!");
650   return Ty;
651 }
652
653 void GetElementPtrInst::init(Value *Ptr, const std::vector<Value*> &Idx) {
654   NumOperands = 1+Idx.size();
655   Use *OL = OperandList = new Use[NumOperands];
656   OL[0].init(Ptr, this);
657
658   for (unsigned i = 0, e = Idx.size(); i != e; ++i)
659     OL[i+1].init(Idx[i], this);
660 }
661
662 void GetElementPtrInst::init(Value *Ptr, Value *Idx0, Value *Idx1) {
663   NumOperands = 3;
664   Use *OL = OperandList = new Use[3];
665   OL[0].init(Ptr, this);
666   OL[1].init(Idx0, this);
667   OL[2].init(Idx1, this);
668 }
669
670 void GetElementPtrInst::init(Value *Ptr, Value *Idx) {
671   NumOperands = 2;
672   Use *OL = OperandList = new Use[2];
673   OL[0].init(Ptr, this);
674   OL[1].init(Idx, this);
675 }
676
677 GetElementPtrInst::GetElementPtrInst(Value *Ptr, const std::vector<Value*> &Idx,
678                                      const std::string &Name, Instruction *InBe)
679   : Instruction(PointerType::get(checkType(getIndexedType(Ptr->getType(),
680                                                           Idx, true))),
681                 GetElementPtr, 0, 0, Name, InBe) {
682   init(Ptr, Idx);
683 }
684
685 GetElementPtrInst::GetElementPtrInst(Value *Ptr, const std::vector<Value*> &Idx,
686                                      const std::string &Name, BasicBlock *IAE)
687   : Instruction(PointerType::get(checkType(getIndexedType(Ptr->getType(),
688                                                           Idx, true))),
689                 GetElementPtr, 0, 0, Name, IAE) {
690   init(Ptr, Idx);
691 }
692
693 GetElementPtrInst::GetElementPtrInst(Value *Ptr, Value *Idx,
694                                      const std::string &Name, Instruction *InBe)
695   : Instruction(PointerType::get(checkType(getIndexedType(Ptr->getType(),Idx))),
696                 GetElementPtr, 0, 0, Name, InBe) {
697   init(Ptr, Idx);
698 }
699
700 GetElementPtrInst::GetElementPtrInst(Value *Ptr, Value *Idx,
701                                      const std::string &Name, BasicBlock *IAE)
702   : Instruction(PointerType::get(checkType(getIndexedType(Ptr->getType(),Idx))),
703                 GetElementPtr, 0, 0, Name, IAE) {
704   init(Ptr, Idx);
705 }
706
707 GetElementPtrInst::GetElementPtrInst(Value *Ptr, Value *Idx0, Value *Idx1,
708                                      const std::string &Name, Instruction *InBe)
709   : Instruction(PointerType::get(checkType(getIndexedType(Ptr->getType(),
710                                                           Idx0, Idx1, true))),
711                 GetElementPtr, 0, 0, Name, InBe) {
712   init(Ptr, Idx0, Idx1);
713 }
714
715 GetElementPtrInst::GetElementPtrInst(Value *Ptr, Value *Idx0, Value *Idx1,
716                                      const std::string &Name, BasicBlock *IAE)
717   : Instruction(PointerType::get(checkType(getIndexedType(Ptr->getType(),
718                                                           Idx0, Idx1, true))),
719                 GetElementPtr, 0, 0, Name, IAE) {
720   init(Ptr, Idx0, Idx1);
721 }
722
723 GetElementPtrInst::~GetElementPtrInst() {
724   delete[] OperandList;
725 }
726
727 // getIndexedType - Returns the type of the element that would be loaded with
728 // a load instruction with the specified parameters.
729 //
730 // A null type is returned if the indices are invalid for the specified
731 // pointer type.
732 //
733 const Type* GetElementPtrInst::getIndexedType(const Type *Ptr,
734                                               const std::vector<Value*> &Idx,
735                                               bool AllowCompositeLeaf) {
736   if (!isa<PointerType>(Ptr)) return 0;   // Type isn't a pointer type!
737
738   // Handle the special case of the empty set index set...
739   if (Idx.empty())
740     if (AllowCompositeLeaf ||
741         cast<PointerType>(Ptr)->getElementType()->isFirstClassType())
742       return cast<PointerType>(Ptr)->getElementType();
743     else
744       return 0;
745
746   unsigned CurIdx = 0;
747   while (const CompositeType *CT = dyn_cast<CompositeType>(Ptr)) {
748     if (Idx.size() == CurIdx) {
749       if (AllowCompositeLeaf || CT->isFirstClassType()) return Ptr;
750       return 0;   // Can't load a whole structure or array!?!?
751     }
752
753     Value *Index = Idx[CurIdx++];
754     if (isa<PointerType>(CT) && CurIdx != 1)
755       return 0;  // Can only index into pointer types at the first index!
756     if (!CT->indexValid(Index)) return 0;
757     Ptr = CT->getTypeAtIndex(Index);
758
759     // If the new type forwards to another type, then it is in the middle
760     // of being refined to another type (and hence, may have dropped all
761     // references to what it was using before).  So, use the new forwarded
762     // type.
763     if (const Type * Ty = Ptr->getForwardedType()) {
764       Ptr = Ty;
765     }
766   }
767   return CurIdx == Idx.size() ? Ptr : 0;
768 }
769
770 const Type* GetElementPtrInst::getIndexedType(const Type *Ptr,
771                                               Value *Idx0, Value *Idx1,
772                                               bool AllowCompositeLeaf) {
773   const PointerType *PTy = dyn_cast<PointerType>(Ptr);
774   if (!PTy) return 0;   // Type isn't a pointer type!
775
776   // Check the pointer index.
777   if (!PTy->indexValid(Idx0)) return 0;
778
779   const CompositeType *CT = dyn_cast<CompositeType>(PTy->getElementType());
780   if (!CT || !CT->indexValid(Idx1)) return 0;
781
782   const Type *ElTy = CT->getTypeAtIndex(Idx1);
783   if (AllowCompositeLeaf || ElTy->isFirstClassType())
784     return ElTy;
785   return 0;
786 }
787
788 const Type* GetElementPtrInst::getIndexedType(const Type *Ptr, Value *Idx) {
789   const PointerType *PTy = dyn_cast<PointerType>(Ptr);
790   if (!PTy) return 0;   // Type isn't a pointer type!
791
792   // Check the pointer index.
793   if (!PTy->indexValid(Idx)) return 0;
794
795   return PTy->getElementType();
796 }
797
798 //===----------------------------------------------------------------------===//
799 //                           ExtractElementInst Implementation
800 //===----------------------------------------------------------------------===//
801
802 ExtractElementInst::ExtractElementInst(Value *Val, Value *Index,
803                                        const std::string &Name,
804                                        Instruction *InsertBef)
805   : Instruction(cast<PackedType>(Val->getType())->getElementType(),
806                 ExtractElement, Ops, 2, Name, InsertBef) {
807   assert(isValidOperands(Val, Index) &&
808          "Invalid extractelement instruction operands!");
809   Ops[0].init(Val, this);
810   Ops[1].init(Index, this);
811 }
812
813 ExtractElementInst::ExtractElementInst(Value *Val, Value *Index,
814                                        const std::string &Name,
815                                        BasicBlock *InsertAE)
816   : Instruction(cast<PackedType>(Val->getType())->getElementType(),
817                 ExtractElement, Ops, 2, Name, InsertAE) {
818   assert(isValidOperands(Val, Index) &&
819          "Invalid extractelement instruction operands!");
820
821   Ops[0].init(Val, this);
822   Ops[1].init(Index, this);
823 }
824
825 bool ExtractElementInst::isValidOperands(const Value *Val, const Value *Index) {
826   if (!isa<PackedType>(Val->getType()) || Index->getType() != Type::UIntTy)
827     return false;
828   return true;
829 }
830
831
832 //===----------------------------------------------------------------------===//
833 //                           InsertElementInst Implementation
834 //===----------------------------------------------------------------------===//
835
836 InsertElementInst::InsertElementInst(const InsertElementInst &IE)
837     : Instruction(IE.getType(), InsertElement, Ops, 3) {
838   Ops[0].init(IE.Ops[0], this);
839   Ops[1].init(IE.Ops[1], this);
840   Ops[2].init(IE.Ops[2], this);
841 }
842 InsertElementInst::InsertElementInst(Value *Vec, Value *Elt, Value *Index,
843                                      const std::string &Name,
844                                      Instruction *InsertBef)
845   : Instruction(Vec->getType(), InsertElement, Ops, 3, Name, InsertBef) {
846   assert(isValidOperands(Vec, Elt, Index) &&
847          "Invalid insertelement instruction operands!");
848   Ops[0].init(Vec, this);
849   Ops[1].init(Elt, this);
850   Ops[2].init(Index, this);
851 }
852
853 InsertElementInst::InsertElementInst(Value *Vec, Value *Elt, Value *Index,
854                                      const std::string &Name,
855                                      BasicBlock *InsertAE)
856   : Instruction(Vec->getType(), InsertElement, Ops, 3, Name, InsertAE) {
857   assert(isValidOperands(Vec, Elt, Index) &&
858          "Invalid insertelement instruction operands!");
859
860   Ops[0].init(Vec, this);
861   Ops[1].init(Elt, this);
862   Ops[2].init(Index, this);
863 }
864
865 bool InsertElementInst::isValidOperands(const Value *Vec, const Value *Elt, 
866                                         const Value *Index) {
867   if (!isa<PackedType>(Vec->getType()))
868     return false;   // First operand of insertelement must be packed type.
869   
870   if (Elt->getType() != cast<PackedType>(Vec->getType())->getElementType())
871     return false;// Second operand of insertelement must be packed element type.
872     
873   if (Index->getType() != Type::UIntTy)
874     return false;  // Third operand of insertelement must be uint.
875   return true;
876 }
877
878
879 //===----------------------------------------------------------------------===//
880 //                      ShuffleVectorInst Implementation
881 //===----------------------------------------------------------------------===//
882
883 ShuffleVectorInst::ShuffleVectorInst(const ShuffleVectorInst &SV) 
884     : Instruction(SV.getType(), ShuffleVector, Ops, 3) {
885   Ops[0].init(SV.Ops[0], this);
886   Ops[1].init(SV.Ops[1], this);
887   Ops[2].init(SV.Ops[2], this);
888 }
889
890 ShuffleVectorInst::ShuffleVectorInst(Value *V1, Value *V2, Value *Mask,
891                                      const std::string &Name,
892                                      Instruction *InsertBefore)
893   : Instruction(V1->getType(), ShuffleVector, Ops, 3, Name, InsertBefore) {
894   assert(isValidOperands(V1, V2, Mask) &&
895          "Invalid shuffle vector instruction operands!");
896   Ops[0].init(V1, this);
897   Ops[1].init(V2, this);
898   Ops[2].init(Mask, this);
899 }
900
901 ShuffleVectorInst::ShuffleVectorInst(Value *V1, Value *V2, Value *Mask,
902                                      const std::string &Name, 
903                                      BasicBlock *InsertAtEnd)
904   : Instruction(V1->getType(), ShuffleVector, Ops, 3, Name, InsertAtEnd) {
905   assert(isValidOperands(V1, V2, Mask) &&
906          "Invalid shuffle vector instruction operands!");
907
908   Ops[0].init(V1, this);
909   Ops[1].init(V2, this);
910   Ops[2].init(Mask, this);
911 }
912
913 bool ShuffleVectorInst::isValidOperands(const Value *V1, const Value *V2, 
914                                         const Value *Mask) {
915   if (!isa<PackedType>(V1->getType())) return false;
916   if (V1->getType() != V2->getType()) return false;
917   if (!isa<PackedType>(Mask->getType()) ||
918          cast<PackedType>(Mask->getType())->getElementType() != Type::UIntTy ||
919          cast<PackedType>(Mask->getType())->getNumElements() !=
920          cast<PackedType>(V1->getType())->getNumElements())
921     return false;
922   return true;
923 }
924
925
926 //===----------------------------------------------------------------------===//
927 //                             BinaryOperator Class
928 //===----------------------------------------------------------------------===//
929
930 void BinaryOperator::init(BinaryOps iType)
931 {
932   Value *LHS = getOperand(0), *RHS = getOperand(1);
933   assert(LHS->getType() == RHS->getType() &&
934          "Binary operator operand types must match!");
935 #ifndef NDEBUG
936   switch (iType) {
937   case Add: case Sub:
938   case Mul: case Div:
939   case Rem:
940     assert(getType() == LHS->getType() &&
941            "Arithmetic operation should return same type as operands!");
942     assert((getType()->isInteger() || getType()->isFloatingPoint() ||
943             isa<PackedType>(getType())) &&
944           "Tried to create an arithmetic operation on a non-arithmetic type!");
945     break;
946   case And: case Or:
947   case Xor:
948     assert(getType() == LHS->getType() &&
949            "Logical operation should return same type as operands!");
950     assert((getType()->isIntegral() ||
951             (isa<PackedType>(getType()) && 
952              cast<PackedType>(getType())->getElementType()->isIntegral())) &&
953            "Tried to create a logical operation on a non-integral type!");
954     break;
955   case SetLT: case SetGT: case SetLE:
956   case SetGE: case SetEQ: case SetNE:
957     assert(getType() == Type::BoolTy && "Setcc must return bool!");
958   default:
959     break;
960   }
961 #endif
962 }
963
964 BinaryOperator *BinaryOperator::create(BinaryOps Op, Value *S1, Value *S2,
965                                        const std::string &Name,
966                                        Instruction *InsertBefore) {
967   assert(S1->getType() == S2->getType() &&
968          "Cannot create binary operator with two operands of differing type!");
969   switch (Op) {
970   // Binary comparison operators...
971   case SetLT: case SetGT: case SetLE:
972   case SetGE: case SetEQ: case SetNE:
973     return new SetCondInst(Op, S1, S2, Name, InsertBefore);
974
975   default:
976     return new BinaryOperator(Op, S1, S2, S1->getType(), Name, InsertBefore);
977   }
978 }
979
980 BinaryOperator *BinaryOperator::create(BinaryOps Op, Value *S1, Value *S2,
981                                        const std::string &Name,
982                                        BasicBlock *InsertAtEnd) {
983   BinaryOperator *Res = create(Op, S1, S2, Name);
984   InsertAtEnd->getInstList().push_back(Res);
985   return Res;
986 }
987
988 BinaryOperator *BinaryOperator::createNeg(Value *Op, const std::string &Name,
989                                           Instruction *InsertBefore) {
990   if (!Op->getType()->isFloatingPoint())
991     return new BinaryOperator(Instruction::Sub,
992                               Constant::getNullValue(Op->getType()), Op,
993                               Op->getType(), Name, InsertBefore);
994   else
995     return new BinaryOperator(Instruction::Sub,
996                               ConstantFP::get(Op->getType(), -0.0), Op,
997                               Op->getType(), Name, InsertBefore);
998 }
999
1000 BinaryOperator *BinaryOperator::createNeg(Value *Op, const std::string &Name,
1001                                           BasicBlock *InsertAtEnd) {
1002   if (!Op->getType()->isFloatingPoint())
1003     return new BinaryOperator(Instruction::Sub,
1004                               Constant::getNullValue(Op->getType()), Op,
1005                               Op->getType(), Name, InsertAtEnd);
1006   else
1007     return new BinaryOperator(Instruction::Sub,
1008                               ConstantFP::get(Op->getType(), -0.0), Op,
1009                               Op->getType(), Name, InsertAtEnd);
1010 }
1011
1012 BinaryOperator *BinaryOperator::createNot(Value *Op, const std::string &Name,
1013                                           Instruction *InsertBefore) {
1014   Constant *C;
1015   if (const PackedType *PTy = dyn_cast<PackedType>(Op->getType())) {
1016     C = ConstantIntegral::getAllOnesValue(PTy->getElementType());
1017     C = ConstantPacked::get(std::vector<Constant*>(PTy->getNumElements(), C));
1018   } else {
1019     C = ConstantIntegral::getAllOnesValue(Op->getType());
1020   }
1021   
1022   return new BinaryOperator(Instruction::Xor, Op, C,
1023                             Op->getType(), Name, InsertBefore);
1024 }
1025
1026 BinaryOperator *BinaryOperator::createNot(Value *Op, const std::string &Name,
1027                                           BasicBlock *InsertAtEnd) {
1028   Constant *AllOnes;
1029   if (const PackedType *PTy = dyn_cast<PackedType>(Op->getType())) {
1030     // Create a vector of all ones values.
1031     Constant *Elt = ConstantIntegral::getAllOnesValue(PTy->getElementType());
1032     AllOnes = 
1033       ConstantPacked::get(std::vector<Constant*>(PTy->getNumElements(), Elt));
1034   } else {
1035     AllOnes = ConstantIntegral::getAllOnesValue(Op->getType());
1036   }
1037   
1038   return new BinaryOperator(Instruction::Xor, Op, AllOnes,
1039                             Op->getType(), Name, InsertAtEnd);
1040 }
1041
1042
1043 // isConstantAllOnes - Helper function for several functions below
1044 static inline bool isConstantAllOnes(const Value *V) {
1045   return isa<ConstantIntegral>(V) &&cast<ConstantIntegral>(V)->isAllOnesValue();
1046 }
1047
1048 bool BinaryOperator::isNeg(const Value *V) {
1049   if (const BinaryOperator *Bop = dyn_cast<BinaryOperator>(V))
1050     if (Bop->getOpcode() == Instruction::Sub)
1051       if (!V->getType()->isFloatingPoint())
1052         return Bop->getOperand(0) == Constant::getNullValue(Bop->getType());
1053       else
1054         return Bop->getOperand(0) == ConstantFP::get(Bop->getType(), -0.0);
1055   return false;
1056 }
1057
1058 bool BinaryOperator::isNot(const Value *V) {
1059   if (const BinaryOperator *Bop = dyn_cast<BinaryOperator>(V))
1060     return (Bop->getOpcode() == Instruction::Xor &&
1061             (isConstantAllOnes(Bop->getOperand(1)) ||
1062              isConstantAllOnes(Bop->getOperand(0))));
1063   return false;
1064 }
1065
1066 Value *BinaryOperator::getNegArgument(Value *BinOp) {
1067   assert(isNeg(BinOp) && "getNegArgument from non-'neg' instruction!");
1068   return cast<BinaryOperator>(BinOp)->getOperand(1);
1069 }
1070
1071 const Value *BinaryOperator::getNegArgument(const Value *BinOp) {
1072   return getNegArgument(const_cast<Value*>(BinOp));
1073 }
1074
1075 Value *BinaryOperator::getNotArgument(Value *BinOp) {
1076   assert(isNot(BinOp) && "getNotArgument on non-'not' instruction!");
1077   BinaryOperator *BO = cast<BinaryOperator>(BinOp);
1078   Value *Op0 = BO->getOperand(0);
1079   Value *Op1 = BO->getOperand(1);
1080   if (isConstantAllOnes(Op0)) return Op1;
1081
1082   assert(isConstantAllOnes(Op1));
1083   return Op0;
1084 }
1085
1086 const Value *BinaryOperator::getNotArgument(const Value *BinOp) {
1087   return getNotArgument(const_cast<Value*>(BinOp));
1088 }
1089
1090
1091 // swapOperands - Exchange the two operands to this instruction.  This
1092 // instruction is safe to use on any binary instruction and does not
1093 // modify the semantics of the instruction.  If the instruction is
1094 // order dependent (SetLT f.e.) the opcode is changed.
1095 //
1096 bool BinaryOperator::swapOperands() {
1097   if (isCommutative())
1098     ;  // If the instruction is commutative, it is safe to swap the operands
1099   else if (SetCondInst *SCI = dyn_cast<SetCondInst>(this))
1100     /// FIXME: SetCC instructions shouldn't all have different opcodes.
1101     setOpcode(SCI->getSwappedCondition());
1102   else
1103     return true;   // Can't commute operands
1104
1105   std::swap(Ops[0], Ops[1]);
1106   return false;
1107 }
1108
1109
1110 //===----------------------------------------------------------------------===//
1111 //                             SetCondInst Class
1112 //===----------------------------------------------------------------------===//
1113
1114 SetCondInst::SetCondInst(BinaryOps Opcode, Value *S1, Value *S2,
1115                          const std::string &Name, Instruction *InsertBefore)
1116   : BinaryOperator(Opcode, S1, S2, Type::BoolTy, Name, InsertBefore) {
1117
1118   // Make sure it's a valid type... getInverseCondition will assert out if not.
1119   assert(getInverseCondition(Opcode));
1120 }
1121
1122 SetCondInst::SetCondInst(BinaryOps Opcode, Value *S1, Value *S2,
1123                          const std::string &Name, BasicBlock *InsertAtEnd)
1124   : BinaryOperator(Opcode, S1, S2, Type::BoolTy, Name, InsertAtEnd) {
1125
1126   // Make sure it's a valid type... getInverseCondition will assert out if not.
1127   assert(getInverseCondition(Opcode));
1128 }
1129
1130 // getInverseCondition - Return the inverse of the current condition opcode.
1131 // For example seteq -> setne, setgt -> setle, setlt -> setge, etc...
1132 //
1133 Instruction::BinaryOps SetCondInst::getInverseCondition(BinaryOps Opcode) {
1134   switch (Opcode) {
1135   default:
1136     assert(0 && "Unknown setcc opcode!");
1137   case SetEQ: return SetNE;
1138   case SetNE: return SetEQ;
1139   case SetGT: return SetLE;
1140   case SetLT: return SetGE;
1141   case SetGE: return SetLT;
1142   case SetLE: return SetGT;
1143   }
1144 }
1145
1146 // getSwappedCondition - Return the condition opcode that would be the result
1147 // of exchanging the two operands of the setcc instruction without changing
1148 // the result produced.  Thus, seteq->seteq, setle->setge, setlt->setgt, etc.
1149 //
1150 Instruction::BinaryOps SetCondInst::getSwappedCondition(BinaryOps Opcode) {
1151   switch (Opcode) {
1152   default: assert(0 && "Unknown setcc instruction!");
1153   case SetEQ: case SetNE: return Opcode;
1154   case SetGT: return SetLT;
1155   case SetLT: return SetGT;
1156   case SetGE: return SetLE;
1157   case SetLE: return SetGE;
1158   }
1159 }
1160
1161 //===----------------------------------------------------------------------===//
1162 //                        SwitchInst Implementation
1163 //===----------------------------------------------------------------------===//
1164
1165 void SwitchInst::init(Value *Value, BasicBlock *Default, unsigned NumCases) {
1166   assert(Value && Default);
1167   ReservedSpace = 2+NumCases*2;
1168   NumOperands = 2;
1169   OperandList = new Use[ReservedSpace];
1170
1171   OperandList[0].init(Value, this);
1172   OperandList[1].init(Default, this);
1173 }
1174
1175 SwitchInst::SwitchInst(const SwitchInst &SI)
1176   : TerminatorInst(Instruction::Switch, new Use[SI.getNumOperands()],
1177                    SI.getNumOperands()) {
1178   Use *OL = OperandList, *InOL = SI.OperandList;
1179   for (unsigned i = 0, E = SI.getNumOperands(); i != E; i+=2) {
1180     OL[i].init(InOL[i], this);
1181     OL[i+1].init(InOL[i+1], this);
1182   }
1183 }
1184
1185 SwitchInst::~SwitchInst() {
1186   delete [] OperandList;
1187 }
1188
1189
1190 /// addCase - Add an entry to the switch instruction...
1191 ///
1192 void SwitchInst::addCase(ConstantInt *OnVal, BasicBlock *Dest) {
1193   unsigned OpNo = NumOperands;
1194   if (OpNo+2 > ReservedSpace)
1195     resizeOperands(0);  // Get more space!
1196   // Initialize some new operands.
1197   assert(OpNo+1 < ReservedSpace && "Growing didn't work!");
1198   NumOperands = OpNo+2;
1199   OperandList[OpNo].init(OnVal, this);
1200   OperandList[OpNo+1].init(Dest, this);
1201 }
1202
1203 /// removeCase - This method removes the specified successor from the switch
1204 /// instruction.  Note that this cannot be used to remove the default
1205 /// destination (successor #0).
1206 ///
1207 void SwitchInst::removeCase(unsigned idx) {
1208   assert(idx != 0 && "Cannot remove the default case!");
1209   assert(idx*2 < getNumOperands() && "Successor index out of range!!!");
1210
1211   unsigned NumOps = getNumOperands();
1212   Use *OL = OperandList;
1213
1214   // Move everything after this operand down.
1215   //
1216   // FIXME: we could just swap with the end of the list, then erase.  However,
1217   // client might not expect this to happen.  The code as it is thrashes the
1218   // use/def lists, which is kinda lame.
1219   for (unsigned i = (idx+1)*2; i != NumOps; i += 2) {
1220     OL[i-2] = OL[i];
1221     OL[i-2+1] = OL[i+1];
1222   }
1223
1224   // Nuke the last value.
1225   OL[NumOps-2].set(0);
1226   OL[NumOps-2+1].set(0);
1227   NumOperands = NumOps-2;
1228 }
1229
1230 /// resizeOperands - resize operands - This adjusts the length of the operands
1231 /// list according to the following behavior:
1232 ///   1. If NumOps == 0, grow the operand list in response to a push_back style
1233 ///      of operation.  This grows the number of ops by 1.5 times.
1234 ///   2. If NumOps > NumOperands, reserve space for NumOps operands.
1235 ///   3. If NumOps == NumOperands, trim the reserved space.
1236 ///
1237 void SwitchInst::resizeOperands(unsigned NumOps) {
1238   if (NumOps == 0) {
1239     NumOps = getNumOperands()/2*6;
1240   } else if (NumOps*2 > NumOperands) {
1241     // No resize needed.
1242     if (ReservedSpace >= NumOps) return;
1243   } else if (NumOps == NumOperands) {
1244     if (ReservedSpace == NumOps) return;
1245   } else {
1246     return;
1247   }
1248
1249   ReservedSpace = NumOps;
1250   Use *NewOps = new Use[NumOps];
1251   Use *OldOps = OperandList;
1252   for (unsigned i = 0, e = getNumOperands(); i != e; ++i) {
1253       NewOps[i].init(OldOps[i], this);
1254       OldOps[i].set(0);
1255   }
1256   delete [] OldOps;
1257   OperandList = NewOps;
1258 }
1259
1260
1261 BasicBlock *SwitchInst::getSuccessorV(unsigned idx) const {
1262   return getSuccessor(idx);
1263 }
1264 unsigned SwitchInst::getNumSuccessorsV() const {
1265   return getNumSuccessors();
1266 }
1267 void SwitchInst::setSuccessorV(unsigned idx, BasicBlock *B) {
1268   setSuccessor(idx, B);
1269 }
1270
1271
1272 // Define these methods here so vtables don't get emitted into every translation
1273 // unit that uses these classes.
1274
1275 GetElementPtrInst *GetElementPtrInst::clone() const {
1276   return new GetElementPtrInst(*this);
1277 }
1278
1279 BinaryOperator *BinaryOperator::clone() const {
1280   return create(getOpcode(), Ops[0], Ops[1]);
1281 }
1282
1283 MallocInst *MallocInst::clone() const { return new MallocInst(*this); }
1284 AllocaInst *AllocaInst::clone() const { return new AllocaInst(*this); }
1285 FreeInst   *FreeInst::clone()   const { return new FreeInst(getOperand(0)); }
1286 LoadInst   *LoadInst::clone()   const { return new LoadInst(*this); }
1287 StoreInst  *StoreInst::clone()  const { return new StoreInst(*this); }
1288 CastInst   *CastInst::clone()   const { return new CastInst(*this); }
1289 CallInst   *CallInst::clone()   const { return new CallInst(*this); }
1290 ShiftInst  *ShiftInst::clone()  const { return new ShiftInst(*this); }
1291 SelectInst *SelectInst::clone() const { return new SelectInst(*this); }
1292 VAArgInst  *VAArgInst::clone()  const { return new VAArgInst(*this); }
1293 ExtractElementInst *ExtractElementInst::clone() const {
1294   return new ExtractElementInst(*this);
1295 }
1296 InsertElementInst *InsertElementInst::clone() const {
1297   return new InsertElementInst(*this);
1298 }
1299 ShuffleVectorInst *ShuffleVectorInst::clone() const {
1300   return new ShuffleVectorInst(*this);
1301 }
1302 PHINode    *PHINode::clone()    const { return new PHINode(*this); }
1303 ReturnInst *ReturnInst::clone() const { return new ReturnInst(*this); }
1304 BranchInst *BranchInst::clone() const { return new BranchInst(*this); }
1305 SwitchInst *SwitchInst::clone() const { return new SwitchInst(*this); }
1306 InvokeInst *InvokeInst::clone() const { return new InvokeInst(*this); }
1307 UnwindInst *UnwindInst::clone() const { return new UnwindInst(); }
1308 UnreachableInst *UnreachableInst::clone() const { return new UnreachableInst();}