SelectionDAG.cpp revision 8bb369b8072c919ef5802f639a52b17620201190
1//===-- SelectionDAG.cpp - Implement the SelectionDAG data structures -----===//
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 SelectionDAG class.
11//
12//===----------------------------------------------------------------------===//
13
14#include "llvm/CodeGen/SelectionDAG.h"
15#include "llvm/Constants.h"
16#include "llvm/GlobalVariable.h"
17#include "llvm/Intrinsics.h"
18#include "llvm/DerivedTypes.h"
19#include "llvm/Assembly/Writer.h"
20#include "llvm/CodeGen/MachineBasicBlock.h"
21#include "llvm/CodeGen/MachineConstantPool.h"
22#include "llvm/Support/MathExtras.h"
23#include "llvm/Target/MRegisterInfo.h"
24#include "llvm/Target/TargetData.h"
25#include "llvm/Target/TargetLowering.h"
26#include "llvm/Target/TargetInstrInfo.h"
27#include "llvm/Target/TargetMachine.h"
28#include "llvm/ADT/SetVector.h"
29#include "llvm/ADT/SmallPtrSet.h"
30#include "llvm/ADT/SmallVector.h"
31#include "llvm/ADT/StringExtras.h"
32#include <algorithm>
33#include <cmath>
34using namespace llvm;
35
36/// makeVTList - Return an instance of the SDVTList struct initialized with the
37/// specified members.
38static SDVTList makeVTList(const MVT::ValueType *VTs, unsigned NumVTs) {
39  SDVTList Res = {VTs, NumVTs};
40  return Res;
41}
42
43//===----------------------------------------------------------------------===//
44//                              ConstantFPSDNode Class
45//===----------------------------------------------------------------------===//
46
47/// isExactlyValue - We don't rely on operator== working on double values, as
48/// it returns true for things that are clearly not equal, like -0.0 and 0.0.
49/// As such, this method can be used to do an exact bit-for-bit comparison of
50/// two floating point values.
51bool ConstantFPSDNode::isExactlyValue(double V) const {
52  return Value == APFloat(V);
53}
54
55//===----------------------------------------------------------------------===//
56//                              ISD Namespace
57//===----------------------------------------------------------------------===//
58
59/// isBuildVectorAllOnes - Return true if the specified node is a
60/// BUILD_VECTOR where all of the elements are ~0 or undef.
61bool ISD::isBuildVectorAllOnes(const SDNode *N) {
62  // Look through a bit convert.
63  if (N->getOpcode() == ISD::BIT_CONVERT)
64    N = N->getOperand(0).Val;
65
66  if (N->getOpcode() != ISD::BUILD_VECTOR) return false;
67
68  unsigned i = 0, e = N->getNumOperands();
69
70  // Skip over all of the undef values.
71  while (i != e && N->getOperand(i).getOpcode() == ISD::UNDEF)
72    ++i;
73
74  // Do not accept an all-undef vector.
75  if (i == e) return false;
76
77  // Do not accept build_vectors that aren't all constants or which have non-~0
78  // elements.
79  SDOperand NotZero = N->getOperand(i);
80  if (isa<ConstantSDNode>(NotZero)) {
81    if (!cast<ConstantSDNode>(NotZero)->isAllOnesValue())
82      return false;
83  } else if (isa<ConstantFPSDNode>(NotZero)) {
84    MVT::ValueType VT = NotZero.getValueType();
85    if (VT== MVT::f64) {
86      if (DoubleToBits(cast<ConstantFPSDNode>(NotZero)->getValue()) !=
87          (uint64_t)-1)
88        return false;
89    } else {
90      if (FloatToBits(cast<ConstantFPSDNode>(NotZero)->getValue()) !=
91          (uint32_t)-1)
92        return false;
93    }
94  } else
95    return false;
96
97  // Okay, we have at least one ~0 value, check to see if the rest match or are
98  // undefs.
99  for (++i; i != e; ++i)
100    if (N->getOperand(i) != NotZero &&
101        N->getOperand(i).getOpcode() != ISD::UNDEF)
102      return false;
103  return true;
104}
105
106
107/// isBuildVectorAllZeros - Return true if the specified node is a
108/// BUILD_VECTOR where all of the elements are 0 or undef.
109bool ISD::isBuildVectorAllZeros(const SDNode *N) {
110  // Look through a bit convert.
111  if (N->getOpcode() == ISD::BIT_CONVERT)
112    N = N->getOperand(0).Val;
113
114  if (N->getOpcode() != ISD::BUILD_VECTOR) return false;
115
116  unsigned i = 0, e = N->getNumOperands();
117
118  // Skip over all of the undef values.
119  while (i != e && N->getOperand(i).getOpcode() == ISD::UNDEF)
120    ++i;
121
122  // Do not accept an all-undef vector.
123  if (i == e) return false;
124
125  // Do not accept build_vectors that aren't all constants or which have non-~0
126  // elements.
127  SDOperand Zero = N->getOperand(i);
128  if (isa<ConstantSDNode>(Zero)) {
129    if (!cast<ConstantSDNode>(Zero)->isNullValue())
130      return false;
131  } else if (isa<ConstantFPSDNode>(Zero)) {
132    if (!cast<ConstantFPSDNode>(Zero)->isExactlyValue(0.0))
133      return false;
134  } else
135    return false;
136
137  // Okay, we have at least one ~0 value, check to see if the rest match or are
138  // undefs.
139  for (++i; i != e; ++i)
140    if (N->getOperand(i) != Zero &&
141        N->getOperand(i).getOpcode() != ISD::UNDEF)
142      return false;
143  return true;
144}
145
146/// getSetCCSwappedOperands - Return the operation corresponding to (Y op X)
147/// when given the operation for (X op Y).
148ISD::CondCode ISD::getSetCCSwappedOperands(ISD::CondCode Operation) {
149  // To perform this operation, we just need to swap the L and G bits of the
150  // operation.
151  unsigned OldL = (Operation >> 2) & 1;
152  unsigned OldG = (Operation >> 1) & 1;
153  return ISD::CondCode((Operation & ~6) |  // Keep the N, U, E bits
154                       (OldL << 1) |       // New G bit
155                       (OldG << 2));        // New L bit.
156}
157
158/// getSetCCInverse - Return the operation corresponding to !(X op Y), where
159/// 'op' is a valid SetCC operation.
160ISD::CondCode ISD::getSetCCInverse(ISD::CondCode Op, bool isInteger) {
161  unsigned Operation = Op;
162  if (isInteger)
163    Operation ^= 7;   // Flip L, G, E bits, but not U.
164  else
165    Operation ^= 15;  // Flip all of the condition bits.
166  if (Operation > ISD::SETTRUE2)
167    Operation &= ~8;     // Don't let N and U bits get set.
168  return ISD::CondCode(Operation);
169}
170
171
172/// isSignedOp - For an integer comparison, return 1 if the comparison is a
173/// signed operation and 2 if the result is an unsigned comparison.  Return zero
174/// if the operation does not depend on the sign of the input (setne and seteq).
175static int isSignedOp(ISD::CondCode Opcode) {
176  switch (Opcode) {
177  default: assert(0 && "Illegal integer setcc operation!");
178  case ISD::SETEQ:
179  case ISD::SETNE: return 0;
180  case ISD::SETLT:
181  case ISD::SETLE:
182  case ISD::SETGT:
183  case ISD::SETGE: return 1;
184  case ISD::SETULT:
185  case ISD::SETULE:
186  case ISD::SETUGT:
187  case ISD::SETUGE: return 2;
188  }
189}
190
191/// getSetCCOrOperation - Return the result of a logical OR between different
192/// comparisons of identical values: ((X op1 Y) | (X op2 Y)).  This function
193/// returns SETCC_INVALID if it is not possible to represent the resultant
194/// comparison.
195ISD::CondCode ISD::getSetCCOrOperation(ISD::CondCode Op1, ISD::CondCode Op2,
196                                       bool isInteger) {
197  if (isInteger && (isSignedOp(Op1) | isSignedOp(Op2)) == 3)
198    // Cannot fold a signed integer setcc with an unsigned integer setcc.
199    return ISD::SETCC_INVALID;
200
201  unsigned Op = Op1 | Op2;  // Combine all of the condition bits.
202
203  // If the N and U bits get set then the resultant comparison DOES suddenly
204  // care about orderedness, and is true when ordered.
205  if (Op > ISD::SETTRUE2)
206    Op &= ~16;     // Clear the U bit if the N bit is set.
207
208  // Canonicalize illegal integer setcc's.
209  if (isInteger && Op == ISD::SETUNE)  // e.g. SETUGT | SETULT
210    Op = ISD::SETNE;
211
212  return ISD::CondCode(Op);
213}
214
215/// getSetCCAndOperation - Return the result of a logical AND between different
216/// comparisons of identical values: ((X op1 Y) & (X op2 Y)).  This
217/// function returns zero if it is not possible to represent the resultant
218/// comparison.
219ISD::CondCode ISD::getSetCCAndOperation(ISD::CondCode Op1, ISD::CondCode Op2,
220                                        bool isInteger) {
221  if (isInteger && (isSignedOp(Op1) | isSignedOp(Op2)) == 3)
222    // Cannot fold a signed setcc with an unsigned setcc.
223    return ISD::SETCC_INVALID;
224
225  // Combine all of the condition bits.
226  ISD::CondCode Result = ISD::CondCode(Op1 & Op2);
227
228  // Canonicalize illegal integer setcc's.
229  if (isInteger) {
230    switch (Result) {
231    default: break;
232    case ISD::SETUO : Result = ISD::SETFALSE; break;  // SETUGT & SETULT
233    case ISD::SETUEQ: Result = ISD::SETEQ   ; break;  // SETUGE & SETULE
234    case ISD::SETOLT: Result = ISD::SETULT  ; break;  // SETULT & SETNE
235    case ISD::SETOGT: Result = ISD::SETUGT  ; break;  // SETUGT & SETNE
236    }
237  }
238
239  return Result;
240}
241
242const TargetMachine &SelectionDAG::getTarget() const {
243  return TLI.getTargetMachine();
244}
245
246//===----------------------------------------------------------------------===//
247//                           SDNode Profile Support
248//===----------------------------------------------------------------------===//
249
250/// AddNodeIDOpcode - Add the node opcode to the NodeID data.
251///
252static void AddNodeIDOpcode(FoldingSetNodeID &ID, unsigned OpC)  {
253  ID.AddInteger(OpC);
254}
255
256/// AddNodeIDValueTypes - Value type lists are intern'd so we can represent them
257/// solely with their pointer.
258void AddNodeIDValueTypes(FoldingSetNodeID &ID, SDVTList VTList) {
259  ID.AddPointer(VTList.VTs);
260}
261
262/// AddNodeIDOperands - Various routines for adding operands to the NodeID data.
263///
264static void AddNodeIDOperands(FoldingSetNodeID &ID,
265                              const SDOperand *Ops, unsigned NumOps) {
266  for (; NumOps; --NumOps, ++Ops) {
267    ID.AddPointer(Ops->Val);
268    ID.AddInteger(Ops->ResNo);
269  }
270}
271
272static void AddNodeIDNode(FoldingSetNodeID &ID,
273                          unsigned short OpC, SDVTList VTList,
274                          const SDOperand *OpList, unsigned N) {
275  AddNodeIDOpcode(ID, OpC);
276  AddNodeIDValueTypes(ID, VTList);
277  AddNodeIDOperands(ID, OpList, N);
278}
279
280/// AddNodeIDNode - Generic routine for adding a nodes info to the NodeID
281/// data.
282static void AddNodeIDNode(FoldingSetNodeID &ID, SDNode *N) {
283  AddNodeIDOpcode(ID, N->getOpcode());
284  // Add the return value info.
285  AddNodeIDValueTypes(ID, N->getVTList());
286  // Add the operand info.
287  AddNodeIDOperands(ID, N->op_begin(), N->getNumOperands());
288
289  // Handle SDNode leafs with special info.
290  switch (N->getOpcode()) {
291  default: break;  // Normal nodes don't need extra info.
292  case ISD::TargetConstant:
293  case ISD::Constant:
294    ID.AddInteger(cast<ConstantSDNode>(N)->getValue());
295    break;
296  case ISD::TargetConstantFP:
297  case ISD::ConstantFP:
298    ID.AddDouble(cast<ConstantFPSDNode>(N)->getValue());
299    break;
300  case ISD::TargetGlobalAddress:
301  case ISD::GlobalAddress:
302  case ISD::TargetGlobalTLSAddress:
303  case ISD::GlobalTLSAddress: {
304    GlobalAddressSDNode *GA = cast<GlobalAddressSDNode>(N);
305    ID.AddPointer(GA->getGlobal());
306    ID.AddInteger(GA->getOffset());
307    break;
308  }
309  case ISD::BasicBlock:
310    ID.AddPointer(cast<BasicBlockSDNode>(N)->getBasicBlock());
311    break;
312  case ISD::Register:
313    ID.AddInteger(cast<RegisterSDNode>(N)->getReg());
314    break;
315  case ISD::SRCVALUE: {
316    SrcValueSDNode *SV = cast<SrcValueSDNode>(N);
317    ID.AddPointer(SV->getValue());
318    ID.AddInteger(SV->getOffset());
319    break;
320  }
321  case ISD::FrameIndex:
322  case ISD::TargetFrameIndex:
323    ID.AddInteger(cast<FrameIndexSDNode>(N)->getIndex());
324    break;
325  case ISD::JumpTable:
326  case ISD::TargetJumpTable:
327    ID.AddInteger(cast<JumpTableSDNode>(N)->getIndex());
328    break;
329  case ISD::ConstantPool:
330  case ISD::TargetConstantPool: {
331    ConstantPoolSDNode *CP = cast<ConstantPoolSDNode>(N);
332    ID.AddInteger(CP->getAlignment());
333    ID.AddInteger(CP->getOffset());
334    if (CP->isMachineConstantPoolEntry())
335      CP->getMachineCPVal()->AddSelectionDAGCSEId(ID);
336    else
337      ID.AddPointer(CP->getConstVal());
338    break;
339  }
340  case ISD::LOAD: {
341    LoadSDNode *LD = cast<LoadSDNode>(N);
342    ID.AddInteger(LD->getAddressingMode());
343    ID.AddInteger(LD->getExtensionType());
344    ID.AddInteger(LD->getLoadedVT());
345    ID.AddPointer(LD->getSrcValue());
346    ID.AddInteger(LD->getSrcValueOffset());
347    ID.AddInteger(LD->getAlignment());
348    ID.AddInteger(LD->isVolatile());
349    break;
350  }
351  case ISD::STORE: {
352    StoreSDNode *ST = cast<StoreSDNode>(N);
353    ID.AddInteger(ST->getAddressingMode());
354    ID.AddInteger(ST->isTruncatingStore());
355    ID.AddInteger(ST->getStoredVT());
356    ID.AddPointer(ST->getSrcValue());
357    ID.AddInteger(ST->getSrcValueOffset());
358    ID.AddInteger(ST->getAlignment());
359    ID.AddInteger(ST->isVolatile());
360    break;
361  }
362  }
363}
364
365//===----------------------------------------------------------------------===//
366//                              SelectionDAG Class
367//===----------------------------------------------------------------------===//
368
369/// RemoveDeadNodes - This method deletes all unreachable nodes in the
370/// SelectionDAG.
371void SelectionDAG::RemoveDeadNodes() {
372  // Create a dummy node (which is not added to allnodes), that adds a reference
373  // to the root node, preventing it from being deleted.
374  HandleSDNode Dummy(getRoot());
375
376  SmallVector<SDNode*, 128> DeadNodes;
377
378  // Add all obviously-dead nodes to the DeadNodes worklist.
379  for (allnodes_iterator I = allnodes_begin(), E = allnodes_end(); I != E; ++I)
380    if (I->use_empty())
381      DeadNodes.push_back(I);
382
383  // Process the worklist, deleting the nodes and adding their uses to the
384  // worklist.
385  while (!DeadNodes.empty()) {
386    SDNode *N = DeadNodes.back();
387    DeadNodes.pop_back();
388
389    // Take the node out of the appropriate CSE map.
390    RemoveNodeFromCSEMaps(N);
391
392    // Next, brutally remove the operand list.  This is safe to do, as there are
393    // no cycles in the graph.
394    for (SDNode::op_iterator I = N->op_begin(), E = N->op_end(); I != E; ++I) {
395      SDNode *Operand = I->Val;
396      Operand->removeUser(N);
397
398      // Now that we removed this operand, see if there are no uses of it left.
399      if (Operand->use_empty())
400        DeadNodes.push_back(Operand);
401    }
402    if (N->OperandsNeedDelete)
403      delete[] N->OperandList;
404    N->OperandList = 0;
405    N->NumOperands = 0;
406
407    // Finally, remove N itself.
408    AllNodes.erase(N);
409  }
410
411  // If the root changed (e.g. it was a dead load, update the root).
412  setRoot(Dummy.getValue());
413}
414
415void SelectionDAG::RemoveDeadNode(SDNode *N, std::vector<SDNode*> &Deleted) {
416  SmallVector<SDNode*, 16> DeadNodes;
417  DeadNodes.push_back(N);
418
419  // Process the worklist, deleting the nodes and adding their uses to the
420  // worklist.
421  while (!DeadNodes.empty()) {
422    SDNode *N = DeadNodes.back();
423    DeadNodes.pop_back();
424
425    // Take the node out of the appropriate CSE map.
426    RemoveNodeFromCSEMaps(N);
427
428    // Next, brutally remove the operand list.  This is safe to do, as there are
429    // no cycles in the graph.
430    for (SDNode::op_iterator I = N->op_begin(), E = N->op_end(); I != E; ++I) {
431      SDNode *Operand = I->Val;
432      Operand->removeUser(N);
433
434      // Now that we removed this operand, see if there are no uses of it left.
435      if (Operand->use_empty())
436        DeadNodes.push_back(Operand);
437    }
438    if (N->OperandsNeedDelete)
439      delete[] N->OperandList;
440    N->OperandList = 0;
441    N->NumOperands = 0;
442
443    // Finally, remove N itself.
444    Deleted.push_back(N);
445    AllNodes.erase(N);
446  }
447}
448
449void SelectionDAG::DeleteNode(SDNode *N) {
450  assert(N->use_empty() && "Cannot delete a node that is not dead!");
451
452  // First take this out of the appropriate CSE map.
453  RemoveNodeFromCSEMaps(N);
454
455  // Finally, remove uses due to operands of this node, remove from the
456  // AllNodes list, and delete the node.
457  DeleteNodeNotInCSEMaps(N);
458}
459
460void SelectionDAG::DeleteNodeNotInCSEMaps(SDNode *N) {
461
462  // Remove it from the AllNodes list.
463  AllNodes.remove(N);
464
465  // Drop all of the operands and decrement used nodes use counts.
466  for (SDNode::op_iterator I = N->op_begin(), E = N->op_end(); I != E; ++I)
467    I->Val->removeUser(N);
468  if (N->OperandsNeedDelete)
469    delete[] N->OperandList;
470  N->OperandList = 0;
471  N->NumOperands = 0;
472
473  delete N;
474}
475
476/// RemoveNodeFromCSEMaps - Take the specified node out of the CSE map that
477/// correspond to it.  This is useful when we're about to delete or repurpose
478/// the node.  We don't want future request for structurally identical nodes
479/// to return N anymore.
480void SelectionDAG::RemoveNodeFromCSEMaps(SDNode *N) {
481  bool Erased = false;
482  switch (N->getOpcode()) {
483  case ISD::HANDLENODE: return;  // noop.
484  case ISD::STRING:
485    Erased = StringNodes.erase(cast<StringSDNode>(N)->getValue());
486    break;
487  case ISD::CONDCODE:
488    assert(CondCodeNodes[cast<CondCodeSDNode>(N)->get()] &&
489           "Cond code doesn't exist!");
490    Erased = CondCodeNodes[cast<CondCodeSDNode>(N)->get()] != 0;
491    CondCodeNodes[cast<CondCodeSDNode>(N)->get()] = 0;
492    break;
493  case ISD::ExternalSymbol:
494    Erased = ExternalSymbols.erase(cast<ExternalSymbolSDNode>(N)->getSymbol());
495    break;
496  case ISD::TargetExternalSymbol:
497    Erased =
498      TargetExternalSymbols.erase(cast<ExternalSymbolSDNode>(N)->getSymbol());
499    break;
500  case ISD::VALUETYPE:
501    Erased = ValueTypeNodes[cast<VTSDNode>(N)->getVT()] != 0;
502    ValueTypeNodes[cast<VTSDNode>(N)->getVT()] = 0;
503    break;
504  default:
505    // Remove it from the CSE Map.
506    Erased = CSEMap.RemoveNode(N);
507    break;
508  }
509#ifndef NDEBUG
510  // Verify that the node was actually in one of the CSE maps, unless it has a
511  // flag result (which cannot be CSE'd) or is one of the special cases that are
512  // not subject to CSE.
513  if (!Erased && N->getValueType(N->getNumValues()-1) != MVT::Flag &&
514      !N->isTargetOpcode()) {
515    N->dump(this);
516    cerr << "\n";
517    assert(0 && "Node is not in map!");
518  }
519#endif
520}
521
522/// AddNonLeafNodeToCSEMaps - Add the specified node back to the CSE maps.  It
523/// has been taken out and modified in some way.  If the specified node already
524/// exists in the CSE maps, do not modify the maps, but return the existing node
525/// instead.  If it doesn't exist, add it and return null.
526///
527SDNode *SelectionDAG::AddNonLeafNodeToCSEMaps(SDNode *N) {
528  assert(N->getNumOperands() && "This is a leaf node!");
529  if (N->getOpcode() == ISD::HANDLENODE || N->getValueType(0) == MVT::Flag)
530    return 0;    // Never add these nodes.
531
532  // Check that remaining values produced are not flags.
533  for (unsigned i = 1, e = N->getNumValues(); i != e; ++i)
534    if (N->getValueType(i) == MVT::Flag)
535      return 0;   // Never CSE anything that produces a flag.
536
537  SDNode *New = CSEMap.GetOrInsertNode(N);
538  if (New != N) return New;  // Node already existed.
539  return 0;
540}
541
542/// FindModifiedNodeSlot - Find a slot for the specified node if its operands
543/// were replaced with those specified.  If this node is never memoized,
544/// return null, otherwise return a pointer to the slot it would take.  If a
545/// node already exists with these operands, the slot will be non-null.
546SDNode *SelectionDAG::FindModifiedNodeSlot(SDNode *N, SDOperand Op,
547                                           void *&InsertPos) {
548  if (N->getOpcode() == ISD::HANDLENODE || N->getValueType(0) == MVT::Flag)
549    return 0;    // Never add these nodes.
550
551  // Check that remaining values produced are not flags.
552  for (unsigned i = 1, e = N->getNumValues(); i != e; ++i)
553    if (N->getValueType(i) == MVT::Flag)
554      return 0;   // Never CSE anything that produces a flag.
555
556  SDOperand Ops[] = { Op };
557  FoldingSetNodeID ID;
558  AddNodeIDNode(ID, N->getOpcode(), N->getVTList(), Ops, 1);
559  return CSEMap.FindNodeOrInsertPos(ID, InsertPos);
560}
561
562/// FindModifiedNodeSlot - Find a slot for the specified node if its operands
563/// were replaced with those specified.  If this node is never memoized,
564/// return null, otherwise return a pointer to the slot it would take.  If a
565/// node already exists with these operands, the slot will be non-null.
566SDNode *SelectionDAG::FindModifiedNodeSlot(SDNode *N,
567                                           SDOperand Op1, SDOperand Op2,
568                                           void *&InsertPos) {
569  if (N->getOpcode() == ISD::HANDLENODE || N->getValueType(0) == MVT::Flag)
570    return 0;    // Never add these nodes.
571
572  // Check that remaining values produced are not flags.
573  for (unsigned i = 1, e = N->getNumValues(); i != e; ++i)
574    if (N->getValueType(i) == MVT::Flag)
575      return 0;   // Never CSE anything that produces a flag.
576
577  SDOperand Ops[] = { Op1, Op2 };
578  FoldingSetNodeID ID;
579  AddNodeIDNode(ID, N->getOpcode(), N->getVTList(), Ops, 2);
580  return CSEMap.FindNodeOrInsertPos(ID, InsertPos);
581}
582
583
584/// FindModifiedNodeSlot - Find a slot for the specified node if its operands
585/// were replaced with those specified.  If this node is never memoized,
586/// return null, otherwise return a pointer to the slot it would take.  If a
587/// node already exists with these operands, the slot will be non-null.
588SDNode *SelectionDAG::FindModifiedNodeSlot(SDNode *N,
589                                           const SDOperand *Ops,unsigned NumOps,
590                                           void *&InsertPos) {
591  if (N->getOpcode() == ISD::HANDLENODE || N->getValueType(0) == MVT::Flag)
592    return 0;    // Never add these nodes.
593
594  // Check that remaining values produced are not flags.
595  for (unsigned i = 1, e = N->getNumValues(); i != e; ++i)
596    if (N->getValueType(i) == MVT::Flag)
597      return 0;   // Never CSE anything that produces a flag.
598
599  FoldingSetNodeID ID;
600  AddNodeIDNode(ID, N->getOpcode(), N->getVTList(), Ops, NumOps);
601
602  if (const LoadSDNode *LD = dyn_cast<LoadSDNode>(N)) {
603    ID.AddInteger(LD->getAddressingMode());
604    ID.AddInteger(LD->getExtensionType());
605    ID.AddInteger(LD->getLoadedVT());
606    ID.AddPointer(LD->getSrcValue());
607    ID.AddInteger(LD->getSrcValueOffset());
608    ID.AddInteger(LD->getAlignment());
609    ID.AddInteger(LD->isVolatile());
610  } else if (const StoreSDNode *ST = dyn_cast<StoreSDNode>(N)) {
611    ID.AddInteger(ST->getAddressingMode());
612    ID.AddInteger(ST->isTruncatingStore());
613    ID.AddInteger(ST->getStoredVT());
614    ID.AddPointer(ST->getSrcValue());
615    ID.AddInteger(ST->getSrcValueOffset());
616    ID.AddInteger(ST->getAlignment());
617    ID.AddInteger(ST->isVolatile());
618  }
619
620  return CSEMap.FindNodeOrInsertPos(ID, InsertPos);
621}
622
623
624SelectionDAG::~SelectionDAG() {
625  while (!AllNodes.empty()) {
626    SDNode *N = AllNodes.begin();
627    N->SetNextInBucket(0);
628    if (N->OperandsNeedDelete)
629      delete [] N->OperandList;
630    N->OperandList = 0;
631    N->NumOperands = 0;
632    AllNodes.pop_front();
633  }
634}
635
636SDOperand SelectionDAG::getZeroExtendInReg(SDOperand Op, MVT::ValueType VT) {
637  if (Op.getValueType() == VT) return Op;
638  int64_t Imm = ~0ULL >> (64-MVT::getSizeInBits(VT));
639  return getNode(ISD::AND, Op.getValueType(), Op,
640                 getConstant(Imm, Op.getValueType()));
641}
642
643SDOperand SelectionDAG::getString(const std::string &Val) {
644  StringSDNode *&N = StringNodes[Val];
645  if (!N) {
646    N = new StringSDNode(Val);
647    AllNodes.push_back(N);
648  }
649  return SDOperand(N, 0);
650}
651
652SDOperand SelectionDAG::getConstant(uint64_t Val, MVT::ValueType VT, bool isT) {
653  assert(MVT::isInteger(VT) && "Cannot create FP integer constant!");
654  assert(!MVT::isVector(VT) && "Cannot create Vector ConstantSDNodes!");
655
656  // Mask out any bits that are not valid for this constant.
657  Val &= MVT::getIntVTBitMask(VT);
658
659  unsigned Opc = isT ? ISD::TargetConstant : ISD::Constant;
660  FoldingSetNodeID ID;
661  AddNodeIDNode(ID, Opc, getVTList(VT), 0, 0);
662  ID.AddInteger(Val);
663  void *IP = 0;
664  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
665    return SDOperand(E, 0);
666  SDNode *N = new ConstantSDNode(isT, Val, VT);
667  CSEMap.InsertNode(N, IP);
668  AllNodes.push_back(N);
669  return SDOperand(N, 0);
670}
671
672
673SDOperand SelectionDAG::getConstantFP(double Val, MVT::ValueType VT,
674                                      bool isTarget) {
675  assert(MVT::isFloatingPoint(VT) && "Cannot create integer FP constant!");
676  MVT::ValueType EltVT =
677    MVT::isVector(VT) ? MVT::getVectorElementType(VT) : VT;
678  if (EltVT == MVT::f32)
679    Val = (float)Val;  // Mask out extra precision.
680
681  // Do the map lookup using the actual bit pattern for the floating point
682  // value, so that we don't have problems with 0.0 comparing equal to -0.0, and
683  // we don't have issues with SNANs.
684  unsigned Opc = isTarget ? ISD::TargetConstantFP : ISD::ConstantFP;
685  FoldingSetNodeID ID;
686  AddNodeIDNode(ID, Opc, getVTList(EltVT), 0, 0);
687  ID.AddDouble(Val);
688  void *IP = 0;
689  SDNode *N = NULL;
690  if ((N = CSEMap.FindNodeOrInsertPos(ID, IP)))
691    if (!MVT::isVector(VT))
692      return SDOperand(N, 0);
693  if (!N) {
694    N = new ConstantFPSDNode(isTarget, Val, EltVT);
695    CSEMap.InsertNode(N, IP);
696    AllNodes.push_back(N);
697  }
698
699  SDOperand Result(N, 0);
700  if (MVT::isVector(VT)) {
701    SmallVector<SDOperand, 8> Ops;
702    Ops.assign(MVT::getVectorNumElements(VT), Result);
703    Result = getNode(ISD::BUILD_VECTOR, VT, &Ops[0], Ops.size());
704  }
705  return Result;
706}
707
708SDOperand SelectionDAG::getGlobalAddress(const GlobalValue *GV,
709                                         MVT::ValueType VT, int Offset,
710                                         bool isTargetGA) {
711  const GlobalVariable *GVar = dyn_cast<GlobalVariable>(GV);
712  unsigned Opc;
713  if (GVar && GVar->isThreadLocal())
714    Opc = isTargetGA ? ISD::TargetGlobalTLSAddress : ISD::GlobalTLSAddress;
715  else
716    Opc = isTargetGA ? ISD::TargetGlobalAddress : ISD::GlobalAddress;
717  FoldingSetNodeID ID;
718  AddNodeIDNode(ID, Opc, getVTList(VT), 0, 0);
719  ID.AddPointer(GV);
720  ID.AddInteger(Offset);
721  void *IP = 0;
722  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
723   return SDOperand(E, 0);
724  SDNode *N = new GlobalAddressSDNode(isTargetGA, GV, VT, Offset);
725  CSEMap.InsertNode(N, IP);
726  AllNodes.push_back(N);
727  return SDOperand(N, 0);
728}
729
730SDOperand SelectionDAG::getFrameIndex(int FI, MVT::ValueType VT,
731                                      bool isTarget) {
732  unsigned Opc = isTarget ? ISD::TargetFrameIndex : ISD::FrameIndex;
733  FoldingSetNodeID ID;
734  AddNodeIDNode(ID, Opc, getVTList(VT), 0, 0);
735  ID.AddInteger(FI);
736  void *IP = 0;
737  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
738    return SDOperand(E, 0);
739  SDNode *N = new FrameIndexSDNode(FI, VT, isTarget);
740  CSEMap.InsertNode(N, IP);
741  AllNodes.push_back(N);
742  return SDOperand(N, 0);
743}
744
745SDOperand SelectionDAG::getJumpTable(int JTI, MVT::ValueType VT, bool isTarget){
746  unsigned Opc = isTarget ? ISD::TargetJumpTable : ISD::JumpTable;
747  FoldingSetNodeID ID;
748  AddNodeIDNode(ID, Opc, getVTList(VT), 0, 0);
749  ID.AddInteger(JTI);
750  void *IP = 0;
751  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
752    return SDOperand(E, 0);
753  SDNode *N = new JumpTableSDNode(JTI, VT, isTarget);
754  CSEMap.InsertNode(N, IP);
755  AllNodes.push_back(N);
756  return SDOperand(N, 0);
757}
758
759SDOperand SelectionDAG::getConstantPool(Constant *C, MVT::ValueType VT,
760                                        unsigned Alignment, int Offset,
761                                        bool isTarget) {
762  unsigned Opc = isTarget ? ISD::TargetConstantPool : ISD::ConstantPool;
763  FoldingSetNodeID ID;
764  AddNodeIDNode(ID, Opc, getVTList(VT), 0, 0);
765  ID.AddInteger(Alignment);
766  ID.AddInteger(Offset);
767  ID.AddPointer(C);
768  void *IP = 0;
769  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
770    return SDOperand(E, 0);
771  SDNode *N = new ConstantPoolSDNode(isTarget, C, VT, Offset, Alignment);
772  CSEMap.InsertNode(N, IP);
773  AllNodes.push_back(N);
774  return SDOperand(N, 0);
775}
776
777
778SDOperand SelectionDAG::getConstantPool(MachineConstantPoolValue *C,
779                                        MVT::ValueType VT,
780                                        unsigned Alignment, int Offset,
781                                        bool isTarget) {
782  unsigned Opc = isTarget ? ISD::TargetConstantPool : ISD::ConstantPool;
783  FoldingSetNodeID ID;
784  AddNodeIDNode(ID, Opc, getVTList(VT), 0, 0);
785  ID.AddInteger(Alignment);
786  ID.AddInteger(Offset);
787  C->AddSelectionDAGCSEId(ID);
788  void *IP = 0;
789  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
790    return SDOperand(E, 0);
791  SDNode *N = new ConstantPoolSDNode(isTarget, C, VT, Offset, Alignment);
792  CSEMap.InsertNode(N, IP);
793  AllNodes.push_back(N);
794  return SDOperand(N, 0);
795}
796
797
798SDOperand SelectionDAG::getBasicBlock(MachineBasicBlock *MBB) {
799  FoldingSetNodeID ID;
800  AddNodeIDNode(ID, ISD::BasicBlock, getVTList(MVT::Other), 0, 0);
801  ID.AddPointer(MBB);
802  void *IP = 0;
803  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
804    return SDOperand(E, 0);
805  SDNode *N = new BasicBlockSDNode(MBB);
806  CSEMap.InsertNode(N, IP);
807  AllNodes.push_back(N);
808  return SDOperand(N, 0);
809}
810
811SDOperand SelectionDAG::getValueType(MVT::ValueType VT) {
812  if ((unsigned)VT >= ValueTypeNodes.size())
813    ValueTypeNodes.resize(VT+1);
814  if (ValueTypeNodes[VT] == 0) {
815    ValueTypeNodes[VT] = new VTSDNode(VT);
816    AllNodes.push_back(ValueTypeNodes[VT]);
817  }
818
819  return SDOperand(ValueTypeNodes[VT], 0);
820}
821
822SDOperand SelectionDAG::getExternalSymbol(const char *Sym, MVT::ValueType VT) {
823  SDNode *&N = ExternalSymbols[Sym];
824  if (N) return SDOperand(N, 0);
825  N = new ExternalSymbolSDNode(false, Sym, VT);
826  AllNodes.push_back(N);
827  return SDOperand(N, 0);
828}
829
830SDOperand SelectionDAG::getTargetExternalSymbol(const char *Sym,
831                                                MVT::ValueType VT) {
832  SDNode *&N = TargetExternalSymbols[Sym];
833  if (N) return SDOperand(N, 0);
834  N = new ExternalSymbolSDNode(true, Sym, VT);
835  AllNodes.push_back(N);
836  return SDOperand(N, 0);
837}
838
839SDOperand SelectionDAG::getCondCode(ISD::CondCode Cond) {
840  if ((unsigned)Cond >= CondCodeNodes.size())
841    CondCodeNodes.resize(Cond+1);
842
843  if (CondCodeNodes[Cond] == 0) {
844    CondCodeNodes[Cond] = new CondCodeSDNode(Cond);
845    AllNodes.push_back(CondCodeNodes[Cond]);
846  }
847  return SDOperand(CondCodeNodes[Cond], 0);
848}
849
850SDOperand SelectionDAG::getRegister(unsigned RegNo, MVT::ValueType VT) {
851  FoldingSetNodeID ID;
852  AddNodeIDNode(ID, ISD::Register, getVTList(VT), 0, 0);
853  ID.AddInteger(RegNo);
854  void *IP = 0;
855  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
856    return SDOperand(E, 0);
857  SDNode *N = new RegisterSDNode(RegNo, VT);
858  CSEMap.InsertNode(N, IP);
859  AllNodes.push_back(N);
860  return SDOperand(N, 0);
861}
862
863SDOperand SelectionDAG::getSrcValue(const Value *V, int Offset) {
864  assert((!V || isa<PointerType>(V->getType())) &&
865         "SrcValue is not a pointer?");
866
867  FoldingSetNodeID ID;
868  AddNodeIDNode(ID, ISD::SRCVALUE, getVTList(MVT::Other), 0, 0);
869  ID.AddPointer(V);
870  ID.AddInteger(Offset);
871  void *IP = 0;
872  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
873    return SDOperand(E, 0);
874  SDNode *N = new SrcValueSDNode(V, Offset);
875  CSEMap.InsertNode(N, IP);
876  AllNodes.push_back(N);
877  return SDOperand(N, 0);
878}
879
880SDOperand SelectionDAG::FoldSetCC(MVT::ValueType VT, SDOperand N1,
881                                  SDOperand N2, ISD::CondCode Cond) {
882  // These setcc operations always fold.
883  switch (Cond) {
884  default: break;
885  case ISD::SETFALSE:
886  case ISD::SETFALSE2: return getConstant(0, VT);
887  case ISD::SETTRUE:
888  case ISD::SETTRUE2:  return getConstant(1, VT);
889
890  case ISD::SETOEQ:
891  case ISD::SETOGT:
892  case ISD::SETOGE:
893  case ISD::SETOLT:
894  case ISD::SETOLE:
895  case ISD::SETONE:
896  case ISD::SETO:
897  case ISD::SETUO:
898  case ISD::SETUEQ:
899  case ISD::SETUNE:
900    assert(!MVT::isInteger(N1.getValueType()) && "Illegal setcc for integer!");
901    break;
902  }
903
904  if (ConstantSDNode *N2C = dyn_cast<ConstantSDNode>(N2.Val)) {
905    uint64_t C2 = N2C->getValue();
906    if (ConstantSDNode *N1C = dyn_cast<ConstantSDNode>(N1.Val)) {
907      uint64_t C1 = N1C->getValue();
908
909      // Sign extend the operands if required
910      if (ISD::isSignedIntSetCC(Cond)) {
911        C1 = N1C->getSignExtended();
912        C2 = N2C->getSignExtended();
913      }
914
915      switch (Cond) {
916      default: assert(0 && "Unknown integer setcc!");
917      case ISD::SETEQ:  return getConstant(C1 == C2, VT);
918      case ISD::SETNE:  return getConstant(C1 != C2, VT);
919      case ISD::SETULT: return getConstant(C1 <  C2, VT);
920      case ISD::SETUGT: return getConstant(C1 >  C2, VT);
921      case ISD::SETULE: return getConstant(C1 <= C2, VT);
922      case ISD::SETUGE: return getConstant(C1 >= C2, VT);
923      case ISD::SETLT:  return getConstant((int64_t)C1 <  (int64_t)C2, VT);
924      case ISD::SETGT:  return getConstant((int64_t)C1 >  (int64_t)C2, VT);
925      case ISD::SETLE:  return getConstant((int64_t)C1 <= (int64_t)C2, VT);
926      case ISD::SETGE:  return getConstant((int64_t)C1 >= (int64_t)C2, VT);
927      }
928    }
929  }
930  if (ConstantFPSDNode *N1C = dyn_cast<ConstantFPSDNode>(N1.Val))
931    if (ConstantFPSDNode *N2C = dyn_cast<ConstantFPSDNode>(N2.Val)) {
932      double C1 = N1C->getValue(), C2 = N2C->getValue();
933
934      switch (Cond) {
935      default: break; // FIXME: Implement the rest of these!
936      case ISD::SETEQ:  return getConstant(C1 == C2, VT);
937      case ISD::SETNE:  return getConstant(C1 != C2, VT);
938      case ISD::SETLT:  return getConstant(C1 < C2, VT);
939      case ISD::SETGT:  return getConstant(C1 > C2, VT);
940      case ISD::SETLE:  return getConstant(C1 <= C2, VT);
941      case ISD::SETGE:  return getConstant(C1 >= C2, VT);
942      }
943    } else {
944      // Ensure that the constant occurs on the RHS.
945      return getSetCC(VT, N2, N1, ISD::getSetCCSwappedOperands(Cond));
946    }
947
948  // Could not fold it.
949  return SDOperand();
950}
951
952/// MaskedValueIsZero - Return true if 'V & Mask' is known to be zero.  We use
953/// this predicate to simplify operations downstream.  Mask is known to be zero
954/// for bits that V cannot have.
955bool SelectionDAG::MaskedValueIsZero(SDOperand Op, uint64_t Mask,
956                                     unsigned Depth) const {
957  // The masks are not wide enough to represent this type!  Should use APInt.
958  if (Op.getValueType() == MVT::i128)
959    return false;
960
961  uint64_t KnownZero, KnownOne;
962  ComputeMaskedBits(Op, Mask, KnownZero, KnownOne, Depth);
963  assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
964  return (KnownZero & Mask) == Mask;
965}
966
967/// ComputeMaskedBits - Determine which of the bits specified in Mask are
968/// known to be either zero or one and return them in the KnownZero/KnownOne
969/// bitsets.  This code only analyzes bits in Mask, in order to short-circuit
970/// processing.
971void SelectionDAG::ComputeMaskedBits(SDOperand Op, uint64_t Mask,
972                                     uint64_t &KnownZero, uint64_t &KnownOne,
973                                     unsigned Depth) const {
974  KnownZero = KnownOne = 0;   // Don't know anything.
975  if (Depth == 6 || Mask == 0)
976    return;  // Limit search depth.
977
978  // The masks are not wide enough to represent this type!  Should use APInt.
979  if (Op.getValueType() == MVT::i128)
980    return;
981
982  uint64_t KnownZero2, KnownOne2;
983
984  switch (Op.getOpcode()) {
985  case ISD::Constant:
986    // We know all of the bits for a constant!
987    KnownOne = cast<ConstantSDNode>(Op)->getValue() & Mask;
988    KnownZero = ~KnownOne & Mask;
989    return;
990  case ISD::AND:
991    // If either the LHS or the RHS are Zero, the result is zero.
992    ComputeMaskedBits(Op.getOperand(1), Mask, KnownZero, KnownOne, Depth+1);
993    Mask &= ~KnownZero;
994    ComputeMaskedBits(Op.getOperand(0), Mask, KnownZero2, KnownOne2, Depth+1);
995    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
996    assert((KnownZero2 & KnownOne2) == 0 && "Bits known to be one AND zero?");
997
998    // Output known-1 bits are only known if set in both the LHS & RHS.
999    KnownOne &= KnownOne2;
1000    // Output known-0 are known to be clear if zero in either the LHS | RHS.
1001    KnownZero |= KnownZero2;
1002    return;
1003  case ISD::OR:
1004    ComputeMaskedBits(Op.getOperand(1), Mask, KnownZero, KnownOne, Depth+1);
1005    Mask &= ~KnownOne;
1006    ComputeMaskedBits(Op.getOperand(0), Mask, KnownZero2, KnownOne2, Depth+1);
1007    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1008    assert((KnownZero2 & KnownOne2) == 0 && "Bits known to be one AND zero?");
1009
1010    // Output known-0 bits are only known if clear in both the LHS & RHS.
1011    KnownZero &= KnownZero2;
1012    // Output known-1 are known to be set if set in either the LHS | RHS.
1013    KnownOne |= KnownOne2;
1014    return;
1015  case ISD::XOR: {
1016    ComputeMaskedBits(Op.getOperand(1), Mask, KnownZero, KnownOne, Depth+1);
1017    ComputeMaskedBits(Op.getOperand(0), Mask, KnownZero2, KnownOne2, Depth+1);
1018    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1019    assert((KnownZero2 & KnownOne2) == 0 && "Bits known to be one AND zero?");
1020
1021    // Output known-0 bits are known if clear or set in both the LHS & RHS.
1022    uint64_t KnownZeroOut = (KnownZero & KnownZero2) | (KnownOne & KnownOne2);
1023    // Output known-1 are known to be set if set in only one of the LHS, RHS.
1024    KnownOne = (KnownZero & KnownOne2) | (KnownOne & KnownZero2);
1025    KnownZero = KnownZeroOut;
1026    return;
1027  }
1028  case ISD::SELECT:
1029    ComputeMaskedBits(Op.getOperand(2), Mask, KnownZero, KnownOne, Depth+1);
1030    ComputeMaskedBits(Op.getOperand(1), Mask, KnownZero2, KnownOne2, Depth+1);
1031    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1032    assert((KnownZero2 & KnownOne2) == 0 && "Bits known to be one AND zero?");
1033
1034    // Only known if known in both the LHS and RHS.
1035    KnownOne &= KnownOne2;
1036    KnownZero &= KnownZero2;
1037    return;
1038  case ISD::SELECT_CC:
1039    ComputeMaskedBits(Op.getOperand(3), Mask, KnownZero, KnownOne, Depth+1);
1040    ComputeMaskedBits(Op.getOperand(2), Mask, KnownZero2, KnownOne2, Depth+1);
1041    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1042    assert((KnownZero2 & KnownOne2) == 0 && "Bits known to be one AND zero?");
1043
1044    // Only known if known in both the LHS and RHS.
1045    KnownOne &= KnownOne2;
1046    KnownZero &= KnownZero2;
1047    return;
1048  case ISD::SETCC:
1049    // If we know the result of a setcc has the top bits zero, use this info.
1050    if (TLI.getSetCCResultContents() == TargetLowering::ZeroOrOneSetCCResult)
1051      KnownZero |= (MVT::getIntVTBitMask(Op.getValueType()) ^ 1ULL);
1052    return;
1053  case ISD::SHL:
1054    // (shl X, C1) & C2 == 0   iff   (X & C2 >>u C1) == 0
1055    if (ConstantSDNode *SA = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
1056      ComputeMaskedBits(Op.getOperand(0), Mask >> SA->getValue(),
1057                        KnownZero, KnownOne, Depth+1);
1058      assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1059      KnownZero <<= SA->getValue();
1060      KnownOne  <<= SA->getValue();
1061      KnownZero |= (1ULL << SA->getValue())-1;  // low bits known zero.
1062    }
1063    return;
1064  case ISD::SRL:
1065    // (ushr X, C1) & C2 == 0   iff  (-1 >> C1) & C2 == 0
1066    if (ConstantSDNode *SA = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
1067      MVT::ValueType VT = Op.getValueType();
1068      unsigned ShAmt = SA->getValue();
1069
1070      uint64_t TypeMask = MVT::getIntVTBitMask(VT);
1071      ComputeMaskedBits(Op.getOperand(0), (Mask << ShAmt) & TypeMask,
1072                        KnownZero, KnownOne, Depth+1);
1073      assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1074      KnownZero &= TypeMask;
1075      KnownOne  &= TypeMask;
1076      KnownZero >>= ShAmt;
1077      KnownOne  >>= ShAmt;
1078
1079      uint64_t HighBits = (1ULL << ShAmt)-1;
1080      HighBits <<= MVT::getSizeInBits(VT)-ShAmt;
1081      KnownZero |= HighBits;  // High bits known zero.
1082    }
1083    return;
1084  case ISD::SRA:
1085    if (ConstantSDNode *SA = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
1086      MVT::ValueType VT = Op.getValueType();
1087      unsigned ShAmt = SA->getValue();
1088
1089      // Compute the new bits that are at the top now.
1090      uint64_t TypeMask = MVT::getIntVTBitMask(VT);
1091
1092      uint64_t InDemandedMask = (Mask << ShAmt) & TypeMask;
1093      // If any of the demanded bits are produced by the sign extension, we also
1094      // demand the input sign bit.
1095      uint64_t HighBits = (1ULL << ShAmt)-1;
1096      HighBits <<= MVT::getSizeInBits(VT) - ShAmt;
1097      if (HighBits & Mask)
1098        InDemandedMask |= MVT::getIntVTSignBit(VT);
1099
1100      ComputeMaskedBits(Op.getOperand(0), InDemandedMask, KnownZero, KnownOne,
1101                        Depth+1);
1102      assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1103      KnownZero &= TypeMask;
1104      KnownOne  &= TypeMask;
1105      KnownZero >>= ShAmt;
1106      KnownOne  >>= ShAmt;
1107
1108      // Handle the sign bits.
1109      uint64_t SignBit = MVT::getIntVTSignBit(VT);
1110      SignBit >>= ShAmt;  // Adjust to where it is now in the mask.
1111
1112      if (KnownZero & SignBit) {
1113        KnownZero |= HighBits;  // New bits are known zero.
1114      } else if (KnownOne & SignBit) {
1115        KnownOne  |= HighBits;  // New bits are known one.
1116      }
1117    }
1118    return;
1119  case ISD::SIGN_EXTEND_INREG: {
1120    MVT::ValueType EVT = cast<VTSDNode>(Op.getOperand(1))->getVT();
1121
1122    // Sign extension.  Compute the demanded bits in the result that are not
1123    // present in the input.
1124    uint64_t NewBits = ~MVT::getIntVTBitMask(EVT) & Mask;
1125
1126    uint64_t InSignBit = MVT::getIntVTSignBit(EVT);
1127    int64_t InputDemandedBits = Mask & MVT::getIntVTBitMask(EVT);
1128
1129    // If the sign extended bits are demanded, we know that the sign
1130    // bit is demanded.
1131    if (NewBits)
1132      InputDemandedBits |= InSignBit;
1133
1134    ComputeMaskedBits(Op.getOperand(0), InputDemandedBits,
1135                      KnownZero, KnownOne, Depth+1);
1136    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1137
1138    // If the sign bit of the input is known set or clear, then we know the
1139    // top bits of the result.
1140    if (KnownZero & InSignBit) {          // Input sign bit known clear
1141      KnownZero |= NewBits;
1142      KnownOne  &= ~NewBits;
1143    } else if (KnownOne & InSignBit) {    // Input sign bit known set
1144      KnownOne  |= NewBits;
1145      KnownZero &= ~NewBits;
1146    } else {                              // Input sign bit unknown
1147      KnownZero &= ~NewBits;
1148      KnownOne  &= ~NewBits;
1149    }
1150    return;
1151  }
1152  case ISD::CTTZ:
1153  case ISD::CTLZ:
1154  case ISD::CTPOP: {
1155    MVT::ValueType VT = Op.getValueType();
1156    unsigned LowBits = Log2_32(MVT::getSizeInBits(VT))+1;
1157    KnownZero = ~((1ULL << LowBits)-1) & MVT::getIntVTBitMask(VT);
1158    KnownOne  = 0;
1159    return;
1160  }
1161  case ISD::LOAD: {
1162    if (ISD::isZEXTLoad(Op.Val)) {
1163      LoadSDNode *LD = cast<LoadSDNode>(Op);
1164      MVT::ValueType VT = LD->getLoadedVT();
1165      KnownZero |= ~MVT::getIntVTBitMask(VT) & Mask;
1166    }
1167    return;
1168  }
1169  case ISD::ZERO_EXTEND: {
1170    uint64_t InMask  = MVT::getIntVTBitMask(Op.getOperand(0).getValueType());
1171    uint64_t NewBits = (~InMask) & Mask;
1172    ComputeMaskedBits(Op.getOperand(0), Mask & InMask, KnownZero,
1173                      KnownOne, Depth+1);
1174    KnownZero |= NewBits & Mask;
1175    KnownOne  &= ~NewBits;
1176    return;
1177  }
1178  case ISD::SIGN_EXTEND: {
1179    MVT::ValueType InVT = Op.getOperand(0).getValueType();
1180    unsigned InBits    = MVT::getSizeInBits(InVT);
1181    uint64_t InMask    = MVT::getIntVTBitMask(InVT);
1182    uint64_t InSignBit = 1ULL << (InBits-1);
1183    uint64_t NewBits   = (~InMask) & Mask;
1184    uint64_t InDemandedBits = Mask & InMask;
1185
1186    // If any of the sign extended bits are demanded, we know that the sign
1187    // bit is demanded.
1188    if (NewBits & Mask)
1189      InDemandedBits |= InSignBit;
1190
1191    ComputeMaskedBits(Op.getOperand(0), InDemandedBits, KnownZero,
1192                      KnownOne, Depth+1);
1193    // If the sign bit is known zero or one, the  top bits match.
1194    if (KnownZero & InSignBit) {
1195      KnownZero |= NewBits;
1196      KnownOne  &= ~NewBits;
1197    } else if (KnownOne & InSignBit) {
1198      KnownOne  |= NewBits;
1199      KnownZero &= ~NewBits;
1200    } else {   // Otherwise, top bits aren't known.
1201      KnownOne  &= ~NewBits;
1202      KnownZero &= ~NewBits;
1203    }
1204    return;
1205  }
1206  case ISD::ANY_EXTEND: {
1207    MVT::ValueType VT = Op.getOperand(0).getValueType();
1208    ComputeMaskedBits(Op.getOperand(0), Mask & MVT::getIntVTBitMask(VT),
1209                      KnownZero, KnownOne, Depth+1);
1210    return;
1211  }
1212  case ISD::TRUNCATE: {
1213    ComputeMaskedBits(Op.getOperand(0), Mask, KnownZero, KnownOne, Depth+1);
1214    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1215    uint64_t OutMask = MVT::getIntVTBitMask(Op.getValueType());
1216    KnownZero &= OutMask;
1217    KnownOne &= OutMask;
1218    break;
1219  }
1220  case ISD::AssertZext: {
1221    MVT::ValueType VT = cast<VTSDNode>(Op.getOperand(1))->getVT();
1222    uint64_t InMask = MVT::getIntVTBitMask(VT);
1223    ComputeMaskedBits(Op.getOperand(0), Mask & InMask, KnownZero,
1224                      KnownOne, Depth+1);
1225    KnownZero |= (~InMask) & Mask;
1226    return;
1227  }
1228  case ISD::ADD: {
1229    // If either the LHS or the RHS are Zero, the result is zero.
1230    ComputeMaskedBits(Op.getOperand(1), Mask, KnownZero, KnownOne, Depth+1);
1231    ComputeMaskedBits(Op.getOperand(0), Mask, KnownZero2, KnownOne2, Depth+1);
1232    assert((KnownZero & KnownOne) == 0 && "Bits known to be one AND zero?");
1233    assert((KnownZero2 & KnownOne2) == 0 && "Bits known to be one AND zero?");
1234
1235    // Output known-0 bits are known if clear or set in both the low clear bits
1236    // common to both LHS & RHS.  For example, 8+(X<<3) is known to have the
1237    // low 3 bits clear.
1238    uint64_t KnownZeroOut = std::min(CountTrailingZeros_64(~KnownZero),
1239                                     CountTrailingZeros_64(~KnownZero2));
1240
1241    KnownZero = (1ULL << KnownZeroOut) - 1;
1242    KnownOne = 0;
1243    return;
1244  }
1245  case ISD::SUB: {
1246    ConstantSDNode *CLHS = dyn_cast<ConstantSDNode>(Op.getOperand(0));
1247    if (!CLHS) return;
1248
1249    // We know that the top bits of C-X are clear if X contains less bits
1250    // than C (i.e. no wrap-around can happen).  For example, 20-X is
1251    // positive if we can prove that X is >= 0 and < 16.
1252    MVT::ValueType VT = CLHS->getValueType(0);
1253    if ((CLHS->getValue() & MVT::getIntVTSignBit(VT)) == 0) {  // sign bit clear
1254      unsigned NLZ = CountLeadingZeros_64(CLHS->getValue()+1);
1255      uint64_t MaskV = (1ULL << (63-NLZ))-1; // NLZ can't be 64 with no sign bit
1256      MaskV = ~MaskV & MVT::getIntVTBitMask(VT);
1257      ComputeMaskedBits(Op.getOperand(1), MaskV, KnownZero, KnownOne, Depth+1);
1258
1259      // If all of the MaskV bits are known to be zero, then we know the output
1260      // top bits are zero, because we now know that the output is from [0-C].
1261      if ((KnownZero & MaskV) == MaskV) {
1262        unsigned NLZ2 = CountLeadingZeros_64(CLHS->getValue());
1263        KnownZero = ~((1ULL << (64-NLZ2))-1) & Mask;  // Top bits known zero.
1264        KnownOne = 0;   // No one bits known.
1265      } else {
1266        KnownZero = KnownOne = 0;  // Otherwise, nothing known.
1267      }
1268    }
1269    return;
1270  }
1271  default:
1272    // Allow the target to implement this method for its nodes.
1273    if (Op.getOpcode() >= ISD::BUILTIN_OP_END) {
1274  case ISD::INTRINSIC_WO_CHAIN:
1275  case ISD::INTRINSIC_W_CHAIN:
1276  case ISD::INTRINSIC_VOID:
1277      TLI.computeMaskedBitsForTargetNode(Op, Mask, KnownZero, KnownOne, *this);
1278    }
1279    return;
1280  }
1281}
1282
1283/// ComputeNumSignBits - Return the number of times the sign bit of the
1284/// register is replicated into the other bits.  We know that at least 1 bit
1285/// is always equal to the sign bit (itself), but other cases can give us
1286/// information.  For example, immediately after an "SRA X, 2", we know that
1287/// the top 3 bits are all equal to each other, so we return 3.
1288unsigned SelectionDAG::ComputeNumSignBits(SDOperand Op, unsigned Depth) const{
1289  MVT::ValueType VT = Op.getValueType();
1290  assert(MVT::isInteger(VT) && "Invalid VT!");
1291  unsigned VTBits = MVT::getSizeInBits(VT);
1292  unsigned Tmp, Tmp2;
1293
1294  if (Depth == 6)
1295    return 1;  // Limit search depth.
1296
1297  switch (Op.getOpcode()) {
1298  default: break;
1299  case ISD::AssertSext:
1300    Tmp = MVT::getSizeInBits(cast<VTSDNode>(Op.getOperand(1))->getVT());
1301    return VTBits-Tmp+1;
1302  case ISD::AssertZext:
1303    Tmp = MVT::getSizeInBits(cast<VTSDNode>(Op.getOperand(1))->getVT());
1304    return VTBits-Tmp;
1305
1306  case ISD::Constant: {
1307    uint64_t Val = cast<ConstantSDNode>(Op)->getValue();
1308    // If negative, invert the bits, then look at it.
1309    if (Val & MVT::getIntVTSignBit(VT))
1310      Val = ~Val;
1311
1312    // Shift the bits so they are the leading bits in the int64_t.
1313    Val <<= 64-VTBits;
1314
1315    // Return # leading zeros.  We use 'min' here in case Val was zero before
1316    // shifting.  We don't want to return '64' as for an i32 "0".
1317    return std::min(VTBits, CountLeadingZeros_64(Val));
1318  }
1319
1320  case ISD::SIGN_EXTEND:
1321    Tmp = VTBits-MVT::getSizeInBits(Op.getOperand(0).getValueType());
1322    return ComputeNumSignBits(Op.getOperand(0), Depth+1) + Tmp;
1323
1324  case ISD::SIGN_EXTEND_INREG:
1325    // Max of the input and what this extends.
1326    Tmp = MVT::getSizeInBits(cast<VTSDNode>(Op.getOperand(1))->getVT());
1327    Tmp = VTBits-Tmp+1;
1328
1329    Tmp2 = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1330    return std::max(Tmp, Tmp2);
1331
1332  case ISD::SRA:
1333    Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1334    // SRA X, C   -> adds C sign bits.
1335    if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
1336      Tmp += C->getValue();
1337      if (Tmp > VTBits) Tmp = VTBits;
1338    }
1339    return Tmp;
1340  case ISD::SHL:
1341    if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
1342      // shl destroys sign bits.
1343      Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1344      if (C->getValue() >= VTBits ||      // Bad shift.
1345          C->getValue() >= Tmp) break;    // Shifted all sign bits out.
1346      return Tmp - C->getValue();
1347    }
1348    break;
1349  case ISD::AND:
1350  case ISD::OR:
1351  case ISD::XOR:    // NOT is handled here.
1352    // Logical binary ops preserve the number of sign bits.
1353    Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1354    if (Tmp == 1) return 1;  // Early out.
1355    Tmp2 = ComputeNumSignBits(Op.getOperand(1), Depth+1);
1356    return std::min(Tmp, Tmp2);
1357
1358  case ISD::SELECT:
1359    Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1360    if (Tmp == 1) return 1;  // Early out.
1361    Tmp2 = ComputeNumSignBits(Op.getOperand(1), Depth+1);
1362    return std::min(Tmp, Tmp2);
1363
1364  case ISD::SETCC:
1365    // If setcc returns 0/-1, all bits are sign bits.
1366    if (TLI.getSetCCResultContents() ==
1367        TargetLowering::ZeroOrNegativeOneSetCCResult)
1368      return VTBits;
1369    break;
1370  case ISD::ROTL:
1371  case ISD::ROTR:
1372    if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
1373      unsigned RotAmt = C->getValue() & (VTBits-1);
1374
1375      // Handle rotate right by N like a rotate left by 32-N.
1376      if (Op.getOpcode() == ISD::ROTR)
1377        RotAmt = (VTBits-RotAmt) & (VTBits-1);
1378
1379      // If we aren't rotating out all of the known-in sign bits, return the
1380      // number that are left.  This handles rotl(sext(x), 1) for example.
1381      Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1382      if (Tmp > RotAmt+1) return Tmp-RotAmt;
1383    }
1384    break;
1385  case ISD::ADD:
1386    // Add can have at most one carry bit.  Thus we know that the output
1387    // is, at worst, one more bit than the inputs.
1388    Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1389    if (Tmp == 1) return 1;  // Early out.
1390
1391    // Special case decrementing a value (ADD X, -1):
1392    if (ConstantSDNode *CRHS = dyn_cast<ConstantSDNode>(Op.getOperand(0)))
1393      if (CRHS->isAllOnesValue()) {
1394        uint64_t KnownZero, KnownOne;
1395        uint64_t Mask = MVT::getIntVTBitMask(VT);
1396        ComputeMaskedBits(Op.getOperand(0), Mask, KnownZero, KnownOne, Depth+1);
1397
1398        // If the input is known to be 0 or 1, the output is 0/-1, which is all
1399        // sign bits set.
1400        if ((KnownZero|1) == Mask)
1401          return VTBits;
1402
1403        // If we are subtracting one from a positive number, there is no carry
1404        // out of the result.
1405        if (KnownZero & MVT::getIntVTSignBit(VT))
1406          return Tmp;
1407      }
1408
1409    Tmp2 = ComputeNumSignBits(Op.getOperand(1), Depth+1);
1410    if (Tmp2 == 1) return 1;
1411      return std::min(Tmp, Tmp2)-1;
1412    break;
1413
1414  case ISD::SUB:
1415    Tmp2 = ComputeNumSignBits(Op.getOperand(1), Depth+1);
1416    if (Tmp2 == 1) return 1;
1417
1418    // Handle NEG.
1419    if (ConstantSDNode *CLHS = dyn_cast<ConstantSDNode>(Op.getOperand(0)))
1420      if (CLHS->getValue() == 0) {
1421        uint64_t KnownZero, KnownOne;
1422        uint64_t Mask = MVT::getIntVTBitMask(VT);
1423        ComputeMaskedBits(Op.getOperand(1), Mask, KnownZero, KnownOne, Depth+1);
1424        // If the input is known to be 0 or 1, the output is 0/-1, which is all
1425        // sign bits set.
1426        if ((KnownZero|1) == Mask)
1427          return VTBits;
1428
1429        // If the input is known to be positive (the sign bit is known clear),
1430        // the output of the NEG has the same number of sign bits as the input.
1431        if (KnownZero & MVT::getIntVTSignBit(VT))
1432          return Tmp2;
1433
1434        // Otherwise, we treat this like a SUB.
1435      }
1436
1437    // Sub can have at most one carry bit.  Thus we know that the output
1438    // is, at worst, one more bit than the inputs.
1439    Tmp = ComputeNumSignBits(Op.getOperand(0), Depth+1);
1440    if (Tmp == 1) return 1;  // Early out.
1441      return std::min(Tmp, Tmp2)-1;
1442    break;
1443  case ISD::TRUNCATE:
1444    // FIXME: it's tricky to do anything useful for this, but it is an important
1445    // case for targets like X86.
1446    break;
1447  }
1448
1449  // Handle LOADX separately here. EXTLOAD case will fallthrough.
1450  if (Op.getOpcode() == ISD::LOAD) {
1451    LoadSDNode *LD = cast<LoadSDNode>(Op);
1452    unsigned ExtType = LD->getExtensionType();
1453    switch (ExtType) {
1454    default: break;
1455    case ISD::SEXTLOAD:    // '17' bits known
1456      Tmp = MVT::getSizeInBits(LD->getLoadedVT());
1457      return VTBits-Tmp+1;
1458    case ISD::ZEXTLOAD:    // '16' bits known
1459      Tmp = MVT::getSizeInBits(LD->getLoadedVT());
1460      return VTBits-Tmp;
1461    }
1462  }
1463
1464  // Allow the target to implement this method for its nodes.
1465  if (Op.getOpcode() >= ISD::BUILTIN_OP_END ||
1466      Op.getOpcode() == ISD::INTRINSIC_WO_CHAIN ||
1467      Op.getOpcode() == ISD::INTRINSIC_W_CHAIN ||
1468      Op.getOpcode() == ISD::INTRINSIC_VOID) {
1469    unsigned NumBits = TLI.ComputeNumSignBitsForTargetNode(Op, Depth);
1470    if (NumBits > 1) return NumBits;
1471  }
1472
1473  // Finally, if we can prove that the top bits of the result are 0's or 1's,
1474  // use this information.
1475  uint64_t KnownZero, KnownOne;
1476  uint64_t Mask = MVT::getIntVTBitMask(VT);
1477  ComputeMaskedBits(Op, Mask, KnownZero, KnownOne, Depth);
1478
1479  uint64_t SignBit = MVT::getIntVTSignBit(VT);
1480  if (KnownZero & SignBit) {        // SignBit is 0
1481    Mask = KnownZero;
1482  } else if (KnownOne & SignBit) {  // SignBit is 1;
1483    Mask = KnownOne;
1484  } else {
1485    // Nothing known.
1486    return 1;
1487  }
1488
1489  // Okay, we know that the sign bit in Mask is set.  Use CLZ to determine
1490  // the number of identical bits in the top of the input value.
1491  Mask ^= ~0ULL;
1492  Mask <<= 64-VTBits;
1493  // Return # leading zeros.  We use 'min' here in case Val was zero before
1494  // shifting.  We don't want to return '64' as for an i32 "0".
1495  return std::min(VTBits, CountLeadingZeros_64(Mask));
1496}
1497
1498
1499/// getNode - Gets or creates the specified node.
1500///
1501SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT) {
1502  FoldingSetNodeID ID;
1503  AddNodeIDNode(ID, Opcode, getVTList(VT), 0, 0);
1504  void *IP = 0;
1505  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
1506    return SDOperand(E, 0);
1507  SDNode *N = new SDNode(Opcode, SDNode::getSDVTList(VT));
1508  CSEMap.InsertNode(N, IP);
1509
1510  AllNodes.push_back(N);
1511  return SDOperand(N, 0);
1512}
1513
1514SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT,
1515                                SDOperand Operand) {
1516  unsigned Tmp1;
1517  // Constant fold unary operations with an integer constant operand.
1518  if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Operand.Val)) {
1519    uint64_t Val = C->getValue();
1520    switch (Opcode) {
1521    default: break;
1522    case ISD::SIGN_EXTEND: return getConstant(C->getSignExtended(), VT);
1523    case ISD::ANY_EXTEND:
1524    case ISD::ZERO_EXTEND: return getConstant(Val, VT);
1525    case ISD::TRUNCATE:    return getConstant(Val, VT);
1526    case ISD::SINT_TO_FP:  return getConstantFP(C->getSignExtended(), VT);
1527    case ISD::UINT_TO_FP:  return getConstantFP(C->getValue(), VT);
1528    case ISD::BIT_CONVERT:
1529      if (VT == MVT::f32 && C->getValueType(0) == MVT::i32)
1530        return getConstantFP(BitsToFloat(Val), VT);
1531      else if (VT == MVT::f64 && C->getValueType(0) == MVT::i64)
1532        return getConstantFP(BitsToDouble(Val), VT);
1533      break;
1534    case ISD::BSWAP:
1535      switch(VT) {
1536      default: assert(0 && "Invalid bswap!"); break;
1537      case MVT::i16: return getConstant(ByteSwap_16((unsigned short)Val), VT);
1538      case MVT::i32: return getConstant(ByteSwap_32((unsigned)Val), VT);
1539      case MVT::i64: return getConstant(ByteSwap_64(Val), VT);
1540      }
1541      break;
1542    case ISD::CTPOP:
1543      switch(VT) {
1544      default: assert(0 && "Invalid ctpop!"); break;
1545      case MVT::i1: return getConstant(Val != 0, VT);
1546      case MVT::i8:
1547        Tmp1 = (unsigned)Val & 0xFF;
1548        return getConstant(CountPopulation_32(Tmp1), VT);
1549      case MVT::i16:
1550        Tmp1 = (unsigned)Val & 0xFFFF;
1551        return getConstant(CountPopulation_32(Tmp1), VT);
1552      case MVT::i32:
1553        return getConstant(CountPopulation_32((unsigned)Val), VT);
1554      case MVT::i64:
1555        return getConstant(CountPopulation_64(Val), VT);
1556      }
1557    case ISD::CTLZ:
1558      switch(VT) {
1559      default: assert(0 && "Invalid ctlz!"); break;
1560      case MVT::i1: return getConstant(Val == 0, VT);
1561      case MVT::i8:
1562        Tmp1 = (unsigned)Val & 0xFF;
1563        return getConstant(CountLeadingZeros_32(Tmp1)-24, VT);
1564      case MVT::i16:
1565        Tmp1 = (unsigned)Val & 0xFFFF;
1566        return getConstant(CountLeadingZeros_32(Tmp1)-16, VT);
1567      case MVT::i32:
1568        return getConstant(CountLeadingZeros_32((unsigned)Val), VT);
1569      case MVT::i64:
1570        return getConstant(CountLeadingZeros_64(Val), VT);
1571      }
1572    case ISD::CTTZ:
1573      switch(VT) {
1574      default: assert(0 && "Invalid cttz!"); break;
1575      case MVT::i1: return getConstant(Val == 0, VT);
1576      case MVT::i8:
1577        Tmp1 = (unsigned)Val | 0x100;
1578        return getConstant(CountTrailingZeros_32(Tmp1), VT);
1579      case MVT::i16:
1580        Tmp1 = (unsigned)Val | 0x10000;
1581        return getConstant(CountTrailingZeros_32(Tmp1), VT);
1582      case MVT::i32:
1583        return getConstant(CountTrailingZeros_32((unsigned)Val), VT);
1584      case MVT::i64:
1585        return getConstant(CountTrailingZeros_64(Val), VT);
1586      }
1587    }
1588  }
1589
1590  // Constant fold unary operations with an floating point constant operand.
1591  if (ConstantFPSDNode *C = dyn_cast<ConstantFPSDNode>(Operand.Val))
1592    switch (Opcode) {
1593    case ISD::FNEG:
1594      return getConstantFP(-C->getValue(), VT);
1595    case ISD::FABS:
1596      return getConstantFP(fabs(C->getValue()), VT);
1597    case ISD::FP_ROUND:
1598    case ISD::FP_EXTEND:
1599      return getConstantFP(C->getValue(), VT);
1600    case ISD::FP_TO_SINT:
1601      return getConstant((int64_t)C->getValue(), VT);
1602    case ISD::FP_TO_UINT:
1603      return getConstant((uint64_t)C->getValue(), VT);
1604    case ISD::BIT_CONVERT:
1605      if (VT == MVT::i32 && C->getValueType(0) == MVT::f32)
1606        return getConstant(FloatToBits(C->getValue()), VT);
1607      else if (VT == MVT::i64 && C->getValueType(0) == MVT::f64)
1608        return getConstant(DoubleToBits(C->getValue()), VT);
1609      break;
1610    }
1611
1612  unsigned OpOpcode = Operand.Val->getOpcode();
1613  switch (Opcode) {
1614  case ISD::TokenFactor:
1615    return Operand;         // Factor of one node?  No factor.
1616  case ISD::FP_ROUND:
1617  case ISD::FP_EXTEND:
1618    assert(MVT::isFloatingPoint(VT) &&
1619           MVT::isFloatingPoint(Operand.getValueType()) && "Invalid FP cast!");
1620    break;
1621  case ISD::SIGN_EXTEND:
1622    assert(MVT::isInteger(VT) && MVT::isInteger(Operand.getValueType()) &&
1623           "Invalid SIGN_EXTEND!");
1624    if (Operand.getValueType() == VT) return Operand;   // noop extension
1625    assert(Operand.getValueType() < VT && "Invalid sext node, dst < src!");
1626    if (OpOpcode == ISD::SIGN_EXTEND || OpOpcode == ISD::ZERO_EXTEND)
1627      return getNode(OpOpcode, VT, Operand.Val->getOperand(0));
1628    break;
1629  case ISD::ZERO_EXTEND:
1630    assert(MVT::isInteger(VT) && MVT::isInteger(Operand.getValueType()) &&
1631           "Invalid ZERO_EXTEND!");
1632    if (Operand.getValueType() == VT) return Operand;   // noop extension
1633    assert(Operand.getValueType() < VT && "Invalid zext node, dst < src!");
1634    if (OpOpcode == ISD::ZERO_EXTEND)   // (zext (zext x)) -> (zext x)
1635      return getNode(ISD::ZERO_EXTEND, VT, Operand.Val->getOperand(0));
1636    break;
1637  case ISD::ANY_EXTEND:
1638    assert(MVT::isInteger(VT) && MVT::isInteger(Operand.getValueType()) &&
1639           "Invalid ANY_EXTEND!");
1640    if (Operand.getValueType() == VT) return Operand;   // noop extension
1641    assert(Operand.getValueType() < VT && "Invalid anyext node, dst < src!");
1642    if (OpOpcode == ISD::ZERO_EXTEND || OpOpcode == ISD::SIGN_EXTEND)
1643      // (ext (zext x)) -> (zext x)  and  (ext (sext x)) -> (sext x)
1644      return getNode(OpOpcode, VT, Operand.Val->getOperand(0));
1645    break;
1646  case ISD::TRUNCATE:
1647    assert(MVT::isInteger(VT) && MVT::isInteger(Operand.getValueType()) &&
1648           "Invalid TRUNCATE!");
1649    if (Operand.getValueType() == VT) return Operand;   // noop truncate
1650    assert(Operand.getValueType() > VT && "Invalid truncate node, src < dst!");
1651    if (OpOpcode == ISD::TRUNCATE)
1652      return getNode(ISD::TRUNCATE, VT, Operand.Val->getOperand(0));
1653    else if (OpOpcode == ISD::ZERO_EXTEND || OpOpcode == ISD::SIGN_EXTEND ||
1654             OpOpcode == ISD::ANY_EXTEND) {
1655      // If the source is smaller than the dest, we still need an extend.
1656      if (Operand.Val->getOperand(0).getValueType() < VT)
1657        return getNode(OpOpcode, VT, Operand.Val->getOperand(0));
1658      else if (Operand.Val->getOperand(0).getValueType() > VT)
1659        return getNode(ISD::TRUNCATE, VT, Operand.Val->getOperand(0));
1660      else
1661        return Operand.Val->getOperand(0);
1662    }
1663    break;
1664  case ISD::BIT_CONVERT:
1665    // Basic sanity checking.
1666    assert(MVT::getSizeInBits(VT) == MVT::getSizeInBits(Operand.getValueType())
1667           && "Cannot BIT_CONVERT between types of different sizes!");
1668    if (VT == Operand.getValueType()) return Operand;  // noop conversion.
1669    if (OpOpcode == ISD::BIT_CONVERT)  // bitconv(bitconv(x)) -> bitconv(x)
1670      return getNode(ISD::BIT_CONVERT, VT, Operand.getOperand(0));
1671    if (OpOpcode == ISD::UNDEF)
1672      return getNode(ISD::UNDEF, VT);
1673    break;
1674  case ISD::SCALAR_TO_VECTOR:
1675    assert(MVT::isVector(VT) && !MVT::isVector(Operand.getValueType()) &&
1676           MVT::getVectorElementType(VT) == Operand.getValueType() &&
1677           "Illegal SCALAR_TO_VECTOR node!");
1678    break;
1679  case ISD::FNEG:
1680    if (OpOpcode == ISD::FSUB)   // -(X-Y) -> (Y-X)
1681      return getNode(ISD::FSUB, VT, Operand.Val->getOperand(1),
1682                     Operand.Val->getOperand(0));
1683    if (OpOpcode == ISD::FNEG)  // --X -> X
1684      return Operand.Val->getOperand(0);
1685    break;
1686  case ISD::FABS:
1687    if (OpOpcode == ISD::FNEG)  // abs(-X) -> abs(X)
1688      return getNode(ISD::FABS, VT, Operand.Val->getOperand(0));
1689    break;
1690  }
1691
1692  SDNode *N;
1693  SDVTList VTs = getVTList(VT);
1694  if (VT != MVT::Flag) { // Don't CSE flag producing nodes
1695    FoldingSetNodeID ID;
1696    SDOperand Ops[1] = { Operand };
1697    AddNodeIDNode(ID, Opcode, VTs, Ops, 1);
1698    void *IP = 0;
1699    if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
1700      return SDOperand(E, 0);
1701    N = new UnarySDNode(Opcode, VTs, Operand);
1702    CSEMap.InsertNode(N, IP);
1703  } else {
1704    N = new UnarySDNode(Opcode, VTs, Operand);
1705  }
1706  AllNodes.push_back(N);
1707  return SDOperand(N, 0);
1708}
1709
1710
1711
1712SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT,
1713                                SDOperand N1, SDOperand N2) {
1714#ifndef NDEBUG
1715  switch (Opcode) {
1716  case ISD::TokenFactor:
1717    assert(VT == MVT::Other && N1.getValueType() == MVT::Other &&
1718           N2.getValueType() == MVT::Other && "Invalid token factor!");
1719    break;
1720  case ISD::AND:
1721  case ISD::OR:
1722  case ISD::XOR:
1723  case ISD::UDIV:
1724  case ISD::UREM:
1725  case ISD::MULHU:
1726  case ISD::MULHS:
1727    assert(MVT::isInteger(VT) && "This operator does not apply to FP types!");
1728    // fall through
1729  case ISD::ADD:
1730  case ISD::SUB:
1731  case ISD::MUL:
1732  case ISD::SDIV:
1733  case ISD::SREM:
1734    assert(MVT::isInteger(N1.getValueType()) && "Should use F* for FP ops");
1735    // fall through.
1736  case ISD::FADD:
1737  case ISD::FSUB:
1738  case ISD::FMUL:
1739  case ISD::FDIV:
1740  case ISD::FREM:
1741    assert(N1.getValueType() == N2.getValueType() &&
1742           N1.getValueType() == VT && "Binary operator types must match!");
1743    break;
1744  case ISD::FCOPYSIGN:   // N1 and result must match.  N1/N2 need not match.
1745    assert(N1.getValueType() == VT &&
1746           MVT::isFloatingPoint(N1.getValueType()) &&
1747           MVT::isFloatingPoint(N2.getValueType()) &&
1748           "Invalid FCOPYSIGN!");
1749    break;
1750  case ISD::SHL:
1751  case ISD::SRA:
1752  case ISD::SRL:
1753  case ISD::ROTL:
1754  case ISD::ROTR:
1755    assert(VT == N1.getValueType() &&
1756           "Shift operators return type must be the same as their first arg");
1757    assert(MVT::isInteger(VT) && MVT::isInteger(N2.getValueType()) &&
1758           VT != MVT::i1 && "Shifts only work on integers");
1759    break;
1760  case ISD::FP_ROUND_INREG: {
1761    MVT::ValueType EVT = cast<VTSDNode>(N2)->getVT();
1762    assert(VT == N1.getValueType() && "Not an inreg round!");
1763    assert(MVT::isFloatingPoint(VT) && MVT::isFloatingPoint(EVT) &&
1764           "Cannot FP_ROUND_INREG integer types");
1765    assert(EVT <= VT && "Not rounding down!");
1766    break;
1767  }
1768  case ISD::AssertSext:
1769  case ISD::AssertZext:
1770  case ISD::SIGN_EXTEND_INREG: {
1771    MVT::ValueType EVT = cast<VTSDNode>(N2)->getVT();
1772    assert(VT == N1.getValueType() && "Not an inreg extend!");
1773    assert(MVT::isInteger(VT) && MVT::isInteger(EVT) &&
1774           "Cannot *_EXTEND_INREG FP types");
1775    assert(EVT <= VT && "Not extending!");
1776  }
1777
1778  default: break;
1779  }
1780#endif
1781
1782  ConstantSDNode *N1C = dyn_cast<ConstantSDNode>(N1.Val);
1783  ConstantSDNode *N2C = dyn_cast<ConstantSDNode>(N2.Val);
1784  if (N1C) {
1785    if (Opcode == ISD::SIGN_EXTEND_INREG) {
1786      int64_t Val = N1C->getValue();
1787      unsigned FromBits = MVT::getSizeInBits(cast<VTSDNode>(N2)->getVT());
1788      Val <<= 64-FromBits;
1789      Val >>= 64-FromBits;
1790      return getConstant(Val, VT);
1791    }
1792
1793    if (N2C) {
1794      uint64_t C1 = N1C->getValue(), C2 = N2C->getValue();
1795      switch (Opcode) {
1796      case ISD::ADD: return getConstant(C1 + C2, VT);
1797      case ISD::SUB: return getConstant(C1 - C2, VT);
1798      case ISD::MUL: return getConstant(C1 * C2, VT);
1799      case ISD::UDIV:
1800        if (C2) return getConstant(C1 / C2, VT);
1801        break;
1802      case ISD::UREM :
1803        if (C2) return getConstant(C1 % C2, VT);
1804        break;
1805      case ISD::SDIV :
1806        if (C2) return getConstant(N1C->getSignExtended() /
1807                                   N2C->getSignExtended(), VT);
1808        break;
1809      case ISD::SREM :
1810        if (C2) return getConstant(N1C->getSignExtended() %
1811                                   N2C->getSignExtended(), VT);
1812        break;
1813      case ISD::AND  : return getConstant(C1 & C2, VT);
1814      case ISD::OR   : return getConstant(C1 | C2, VT);
1815      case ISD::XOR  : return getConstant(C1 ^ C2, VT);
1816      case ISD::SHL  : return getConstant(C1 << C2, VT);
1817      case ISD::SRL  : return getConstant(C1 >> C2, VT);
1818      case ISD::SRA  : return getConstant(N1C->getSignExtended() >>(int)C2, VT);
1819      case ISD::ROTL :
1820        return getConstant((C1 << C2) | (C1 >> (MVT::getSizeInBits(VT) - C2)),
1821                           VT);
1822      case ISD::ROTR :
1823        return getConstant((C1 >> C2) | (C1 << (MVT::getSizeInBits(VT) - C2)),
1824                           VT);
1825      default: break;
1826      }
1827    } else {      // Cannonicalize constant to RHS if commutative
1828      if (isCommutativeBinOp(Opcode)) {
1829        std::swap(N1C, N2C);
1830        std::swap(N1, N2);
1831      }
1832    }
1833  }
1834
1835  ConstantFPSDNode *N1CFP = dyn_cast<ConstantFPSDNode>(N1.Val);
1836  ConstantFPSDNode *N2CFP = dyn_cast<ConstantFPSDNode>(N2.Val);
1837  if (N1CFP) {
1838    if (N2CFP) {
1839      double C1 = N1CFP->getValue(), C2 = N2CFP->getValue();
1840      switch (Opcode) {
1841      case ISD::FADD: return getConstantFP(C1 + C2, VT);
1842      case ISD::FSUB: return getConstantFP(C1 - C2, VT);
1843      case ISD::FMUL: return getConstantFP(C1 * C2, VT);
1844      case ISD::FDIV:
1845        if (C2) return getConstantFP(C1 / C2, VT);
1846        break;
1847      case ISD::FREM :
1848        if (C2) return getConstantFP(fmod(C1, C2), VT);
1849        break;
1850      case ISD::FCOPYSIGN: {
1851        union {
1852          double   F;
1853          uint64_t I;
1854        } u1;
1855        u1.F = C1;
1856        if (int64_t(DoubleToBits(C2)) < 0)  // Sign bit of RHS set?
1857          u1.I |= 1ULL << 63;      // Set the sign bit of the LHS.
1858        else
1859          u1.I &= (1ULL << 63)-1;  // Clear the sign bit of the LHS.
1860        return getConstantFP(u1.F, VT);
1861      }
1862      default: break;
1863      }
1864    } else {      // Cannonicalize constant to RHS if commutative
1865      if (isCommutativeBinOp(Opcode)) {
1866        std::swap(N1CFP, N2CFP);
1867        std::swap(N1, N2);
1868      }
1869    }
1870  }
1871
1872  // Canonicalize an UNDEF to the RHS, even over a constant.
1873  if (N1.getOpcode() == ISD::UNDEF) {
1874    if (isCommutativeBinOp(Opcode)) {
1875      std::swap(N1, N2);
1876    } else {
1877      switch (Opcode) {
1878      case ISD::FP_ROUND_INREG:
1879      case ISD::SIGN_EXTEND_INREG:
1880      case ISD::SUB:
1881      case ISD::FSUB:
1882      case ISD::FDIV:
1883      case ISD::FREM:
1884      case ISD::SRA:
1885        return N1;     // fold op(undef, arg2) -> undef
1886      case ISD::UDIV:
1887      case ISD::SDIV:
1888      case ISD::UREM:
1889      case ISD::SREM:
1890      case ISD::SRL:
1891      case ISD::SHL:
1892        if (!MVT::isVector(VT))
1893          return getConstant(0, VT);    // fold op(undef, arg2) -> 0
1894        // For vectors, we can't easily build an all zero vector, just return
1895        // the LHS.
1896        return N2;
1897      }
1898    }
1899  }
1900
1901  // Fold a bunch of operators when the RHS is undef.
1902  if (N2.getOpcode() == ISD::UNDEF) {
1903    switch (Opcode) {
1904    case ISD::ADD:
1905    case ISD::ADDC:
1906    case ISD::ADDE:
1907    case ISD::SUB:
1908    case ISD::FADD:
1909    case ISD::FSUB:
1910    case ISD::FMUL:
1911    case ISD::FDIV:
1912    case ISD::FREM:
1913    case ISD::UDIV:
1914    case ISD::SDIV:
1915    case ISD::UREM:
1916    case ISD::SREM:
1917    case ISD::XOR:
1918      return N2;       // fold op(arg1, undef) -> undef
1919    case ISD::MUL:
1920    case ISD::AND:
1921    case ISD::SRL:
1922    case ISD::SHL:
1923      if (!MVT::isVector(VT))
1924        return getConstant(0, VT);  // fold op(arg1, undef) -> 0
1925      // For vectors, we can't easily build an all zero vector, just return
1926      // the LHS.
1927      return N1;
1928    case ISD::OR:
1929      if (!MVT::isVector(VT))
1930        return getConstant(MVT::getIntVTBitMask(VT), VT);
1931      // For vectors, we can't easily build an all one vector, just return
1932      // the LHS.
1933      return N1;
1934    case ISD::SRA:
1935      return N1;
1936    }
1937  }
1938
1939  // Fold operations.
1940  switch (Opcode) {
1941  case ISD::TokenFactor:
1942    // Fold trivial token factors.
1943    if (N1.getOpcode() == ISD::EntryToken) return N2;
1944    if (N2.getOpcode() == ISD::EntryToken) return N1;
1945    break;
1946
1947  case ISD::AND:
1948    // (X & 0) -> 0.  This commonly occurs when legalizing i64 values, so it's
1949    // worth handling here.
1950    if (N2C && N2C->getValue() == 0)
1951      return N2;
1952    break;
1953  case ISD::OR:
1954  case ISD::XOR:
1955    // (X ^| 0) -> X.  This commonly occurs when legalizing i64 values, so it's
1956    // worth handling here.
1957    if (N2C && N2C->getValue() == 0)
1958      return N1;
1959    break;
1960  case ISD::FP_ROUND_INREG:
1961    if (cast<VTSDNode>(N2)->getVT() == VT) return N1;  // Not actually rounding.
1962    break;
1963  case ISD::SIGN_EXTEND_INREG: {
1964    MVT::ValueType EVT = cast<VTSDNode>(N2)->getVT();
1965    if (EVT == VT) return N1;  // Not actually extending
1966    break;
1967  }
1968  case ISD::EXTRACT_VECTOR_ELT:
1969    assert(N2C && "Bad EXTRACT_VECTOR_ELT!");
1970
1971    // EXTRACT_VECTOR_ELT of CONCAT_VECTORS is often formed while lowering is
1972    // expanding copies of large vectors from registers.
1973    if (N1.getOpcode() == ISD::CONCAT_VECTORS &&
1974        N1.getNumOperands() > 0) {
1975      unsigned Factor =
1976        MVT::getVectorNumElements(N1.getOperand(0).getValueType());
1977      return getNode(ISD::EXTRACT_VECTOR_ELT, VT,
1978                     N1.getOperand(N2C->getValue() / Factor),
1979                     getConstant(N2C->getValue() % Factor, N2.getValueType()));
1980    }
1981
1982    // EXTRACT_VECTOR_ELT of BUILD_VECTOR is often formed while lowering is
1983    // expanding large vector constants.
1984    if (N1.getOpcode() == ISD::BUILD_VECTOR)
1985      return N1.getOperand(N2C->getValue());
1986
1987    // EXTRACT_VECTOR_ELT of INSERT_VECTOR_ELT is often formed when vector
1988    // operations are lowered to scalars.
1989    if (N1.getOpcode() == ISD::INSERT_VECTOR_ELT)
1990      if (ConstantSDNode *IEC = dyn_cast<ConstantSDNode>(N1.getOperand(2))) {
1991        if (IEC == N2C)
1992          return N1.getOperand(1);
1993        else
1994          return getNode(ISD::EXTRACT_VECTOR_ELT, VT, N1.getOperand(0), N2);
1995      }
1996    break;
1997  case ISD::EXTRACT_ELEMENT:
1998    assert(N2C && (unsigned)N2C->getValue() < 2 && "Bad EXTRACT_ELEMENT!");
1999
2000    // EXTRACT_ELEMENT of BUILD_PAIR is often formed while legalize is expanding
2001    // 64-bit integers into 32-bit parts.  Instead of building the extract of
2002    // the BUILD_PAIR, only to have legalize rip it apart, just do it now.
2003    if (N1.getOpcode() == ISD::BUILD_PAIR)
2004      return N1.getOperand(N2C->getValue());
2005
2006    // EXTRACT_ELEMENT of a constant int is also very common.
2007    if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(N1)) {
2008      unsigned Shift = MVT::getSizeInBits(VT) * N2C->getValue();
2009      return getConstant(C->getValue() >> Shift, VT);
2010    }
2011    break;
2012
2013  // FIXME: figure out how to safely handle things like
2014  // int foo(int x) { return 1 << (x & 255); }
2015  // int bar() { return foo(256); }
2016#if 0
2017  case ISD::SHL:
2018  case ISD::SRL:
2019  case ISD::SRA:
2020    if (N2.getOpcode() == ISD::SIGN_EXTEND_INREG &&
2021        cast<VTSDNode>(N2.getOperand(1))->getVT() != MVT::i1)
2022      return getNode(Opcode, VT, N1, N2.getOperand(0));
2023    else if (N2.getOpcode() == ISD::AND)
2024      if (ConstantSDNode *AndRHS = dyn_cast<ConstantSDNode>(N2.getOperand(1))) {
2025        // If the and is only masking out bits that cannot effect the shift,
2026        // eliminate the and.
2027        unsigned NumBits = MVT::getSizeInBits(VT);
2028        if ((AndRHS->getValue() & (NumBits-1)) == NumBits-1)
2029          return getNode(Opcode, VT, N1, N2.getOperand(0));
2030      }
2031    break;
2032#endif
2033  }
2034
2035  // Memoize this node if possible.
2036  SDNode *N;
2037  SDVTList VTs = getVTList(VT);
2038  if (VT != MVT::Flag) {
2039    SDOperand Ops[] = { N1, N2 };
2040    FoldingSetNodeID ID;
2041    AddNodeIDNode(ID, Opcode, VTs, Ops, 2);
2042    void *IP = 0;
2043    if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2044      return SDOperand(E, 0);
2045    N = new BinarySDNode(Opcode, VTs, N1, N2);
2046    CSEMap.InsertNode(N, IP);
2047  } else {
2048    N = new BinarySDNode(Opcode, VTs, N1, N2);
2049  }
2050
2051  AllNodes.push_back(N);
2052  return SDOperand(N, 0);
2053}
2054
2055SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT,
2056                                SDOperand N1, SDOperand N2, SDOperand N3) {
2057  // Perform various simplifications.
2058  ConstantSDNode *N1C = dyn_cast<ConstantSDNode>(N1.Val);
2059  ConstantSDNode *N2C = dyn_cast<ConstantSDNode>(N2.Val);
2060  switch (Opcode) {
2061  case ISD::SETCC: {
2062    // Use FoldSetCC to simplify SETCC's.
2063    SDOperand Simp = FoldSetCC(VT, N1, N2, cast<CondCodeSDNode>(N3)->get());
2064    if (Simp.Val) return Simp;
2065    break;
2066  }
2067  case ISD::SELECT:
2068    if (N1C)
2069      if (N1C->getValue())
2070        return N2;             // select true, X, Y -> X
2071      else
2072        return N3;             // select false, X, Y -> Y
2073
2074    if (N2 == N3) return N2;   // select C, X, X -> X
2075    break;
2076  case ISD::BRCOND:
2077    if (N2C)
2078      if (N2C->getValue()) // Unconditional branch
2079        return getNode(ISD::BR, MVT::Other, N1, N3);
2080      else
2081        return N1;         // Never-taken branch
2082    break;
2083  case ISD::VECTOR_SHUFFLE:
2084    assert(VT == N1.getValueType() && VT == N2.getValueType() &&
2085           MVT::isVector(VT) && MVT::isVector(N3.getValueType()) &&
2086           N3.getOpcode() == ISD::BUILD_VECTOR &&
2087           MVT::getVectorNumElements(VT) == N3.getNumOperands() &&
2088           "Illegal VECTOR_SHUFFLE node!");
2089    break;
2090  case ISD::BIT_CONVERT:
2091    // Fold bit_convert nodes from a type to themselves.
2092    if (N1.getValueType() == VT)
2093      return N1;
2094    break;
2095  }
2096
2097  // Memoize node if it doesn't produce a flag.
2098  SDNode *N;
2099  SDVTList VTs = getVTList(VT);
2100  if (VT != MVT::Flag) {
2101    SDOperand Ops[] = { N1, N2, N3 };
2102    FoldingSetNodeID ID;
2103    AddNodeIDNode(ID, Opcode, VTs, Ops, 3);
2104    void *IP = 0;
2105    if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2106      return SDOperand(E, 0);
2107    N = new TernarySDNode(Opcode, VTs, N1, N2, N3);
2108    CSEMap.InsertNode(N, IP);
2109  } else {
2110    N = new TernarySDNode(Opcode, VTs, N1, N2, N3);
2111  }
2112  AllNodes.push_back(N);
2113  return SDOperand(N, 0);
2114}
2115
2116SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT,
2117                                SDOperand N1, SDOperand N2, SDOperand N3,
2118                                SDOperand N4) {
2119  SDOperand Ops[] = { N1, N2, N3, N4 };
2120  return getNode(Opcode, VT, Ops, 4);
2121}
2122
2123SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT,
2124                                SDOperand N1, SDOperand N2, SDOperand N3,
2125                                SDOperand N4, SDOperand N5) {
2126  SDOperand Ops[] = { N1, N2, N3, N4, N5 };
2127  return getNode(Opcode, VT, Ops, 5);
2128}
2129
2130SDOperand SelectionDAG::getLoad(MVT::ValueType VT,
2131                                SDOperand Chain, SDOperand Ptr,
2132                                const Value *SV, int SVOffset,
2133                                bool isVolatile, unsigned Alignment) {
2134  if (Alignment == 0) { // Ensure that codegen never sees alignment 0
2135    const Type *Ty = 0;
2136    if (VT != MVT::iPTR) {
2137      Ty = MVT::getTypeForValueType(VT);
2138    } else if (SV) {
2139      const PointerType *PT = dyn_cast<PointerType>(SV->getType());
2140      assert(PT && "Value for load must be a pointer");
2141      Ty = PT->getElementType();
2142    }
2143    assert(Ty && "Could not get type information for load");
2144    Alignment = TLI.getTargetData()->getABITypeAlignment(Ty);
2145  }
2146  SDVTList VTs = getVTList(VT, MVT::Other);
2147  SDOperand Undef = getNode(ISD::UNDEF, Ptr.getValueType());
2148  SDOperand Ops[] = { Chain, Ptr, Undef };
2149  FoldingSetNodeID ID;
2150  AddNodeIDNode(ID, ISD::LOAD, VTs, Ops, 3);
2151  ID.AddInteger(ISD::UNINDEXED);
2152  ID.AddInteger(ISD::NON_EXTLOAD);
2153  ID.AddInteger(VT);
2154  ID.AddPointer(SV);
2155  ID.AddInteger(SVOffset);
2156  ID.AddInteger(Alignment);
2157  ID.AddInteger(isVolatile);
2158  void *IP = 0;
2159  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2160    return SDOperand(E, 0);
2161  SDNode *N = new LoadSDNode(Ops, VTs, ISD::UNINDEXED,
2162                             ISD::NON_EXTLOAD, VT, SV, SVOffset, Alignment,
2163                             isVolatile);
2164  CSEMap.InsertNode(N, IP);
2165  AllNodes.push_back(N);
2166  return SDOperand(N, 0);
2167}
2168
2169SDOperand SelectionDAG::getExtLoad(ISD::LoadExtType ExtType, MVT::ValueType VT,
2170                                   SDOperand Chain, SDOperand Ptr,
2171                                   const Value *SV,
2172                                   int SVOffset, MVT::ValueType EVT,
2173                                   bool isVolatile, unsigned Alignment) {
2174  // If they are asking for an extending load from/to the same thing, return a
2175  // normal load.
2176  if (VT == EVT)
2177    ExtType = ISD::NON_EXTLOAD;
2178
2179  if (MVT::isVector(VT))
2180    assert(EVT == MVT::getVectorElementType(VT) && "Invalid vector extload!");
2181  else
2182    assert(EVT < VT && "Should only be an extending load, not truncating!");
2183  assert((ExtType == ISD::EXTLOAD || MVT::isInteger(VT)) &&
2184         "Cannot sign/zero extend a FP/Vector load!");
2185  assert(MVT::isInteger(VT) == MVT::isInteger(EVT) &&
2186         "Cannot convert from FP to Int or Int -> FP!");
2187
2188  if (Alignment == 0) { // Ensure that codegen never sees alignment 0
2189    const Type *Ty = 0;
2190    if (VT != MVT::iPTR) {
2191      Ty = MVT::getTypeForValueType(VT);
2192    } else if (SV) {
2193      const PointerType *PT = dyn_cast<PointerType>(SV->getType());
2194      assert(PT && "Value for load must be a pointer");
2195      Ty = PT->getElementType();
2196    }
2197    assert(Ty && "Could not get type information for load");
2198    Alignment = TLI.getTargetData()->getABITypeAlignment(Ty);
2199  }
2200  SDVTList VTs = getVTList(VT, MVT::Other);
2201  SDOperand Undef = getNode(ISD::UNDEF, Ptr.getValueType());
2202  SDOperand Ops[] = { Chain, Ptr, Undef };
2203  FoldingSetNodeID ID;
2204  AddNodeIDNode(ID, ISD::LOAD, VTs, Ops, 3);
2205  ID.AddInteger(ISD::UNINDEXED);
2206  ID.AddInteger(ExtType);
2207  ID.AddInteger(EVT);
2208  ID.AddPointer(SV);
2209  ID.AddInteger(SVOffset);
2210  ID.AddInteger(Alignment);
2211  ID.AddInteger(isVolatile);
2212  void *IP = 0;
2213  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2214    return SDOperand(E, 0);
2215  SDNode *N = new LoadSDNode(Ops, VTs, ISD::UNINDEXED, ExtType, EVT,
2216                             SV, SVOffset, Alignment, isVolatile);
2217  CSEMap.InsertNode(N, IP);
2218  AllNodes.push_back(N);
2219  return SDOperand(N, 0);
2220}
2221
2222SDOperand
2223SelectionDAG::getIndexedLoad(SDOperand OrigLoad, SDOperand Base,
2224                             SDOperand Offset, ISD::MemIndexedMode AM) {
2225  LoadSDNode *LD = cast<LoadSDNode>(OrigLoad);
2226  assert(LD->getOffset().getOpcode() == ISD::UNDEF &&
2227         "Load is already a indexed load!");
2228  MVT::ValueType VT = OrigLoad.getValueType();
2229  SDVTList VTs = getVTList(VT, Base.getValueType(), MVT::Other);
2230  SDOperand Ops[] = { LD->getChain(), Base, Offset };
2231  FoldingSetNodeID ID;
2232  AddNodeIDNode(ID, ISD::LOAD, VTs, Ops, 3);
2233  ID.AddInteger(AM);
2234  ID.AddInteger(LD->getExtensionType());
2235  ID.AddInteger(LD->getLoadedVT());
2236  ID.AddPointer(LD->getSrcValue());
2237  ID.AddInteger(LD->getSrcValueOffset());
2238  ID.AddInteger(LD->getAlignment());
2239  ID.AddInteger(LD->isVolatile());
2240  void *IP = 0;
2241  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2242    return SDOperand(E, 0);
2243  SDNode *N = new LoadSDNode(Ops, VTs, AM,
2244                             LD->getExtensionType(), LD->getLoadedVT(),
2245                             LD->getSrcValue(), LD->getSrcValueOffset(),
2246                             LD->getAlignment(), LD->isVolatile());
2247  CSEMap.InsertNode(N, IP);
2248  AllNodes.push_back(N);
2249  return SDOperand(N, 0);
2250}
2251
2252SDOperand SelectionDAG::getStore(SDOperand Chain, SDOperand Val,
2253                                 SDOperand Ptr, const Value *SV, int SVOffset,
2254                                 bool isVolatile, unsigned Alignment) {
2255  MVT::ValueType VT = Val.getValueType();
2256
2257  if (Alignment == 0) { // Ensure that codegen never sees alignment 0
2258    const Type *Ty = 0;
2259    if (VT != MVT::iPTR) {
2260      Ty = MVT::getTypeForValueType(VT);
2261    } else if (SV) {
2262      const PointerType *PT = dyn_cast<PointerType>(SV->getType());
2263      assert(PT && "Value for store must be a pointer");
2264      Ty = PT->getElementType();
2265    }
2266    assert(Ty && "Could not get type information for store");
2267    Alignment = TLI.getTargetData()->getABITypeAlignment(Ty);
2268  }
2269  SDVTList VTs = getVTList(MVT::Other);
2270  SDOperand Undef = getNode(ISD::UNDEF, Ptr.getValueType());
2271  SDOperand Ops[] = { Chain, Val, Ptr, Undef };
2272  FoldingSetNodeID ID;
2273  AddNodeIDNode(ID, ISD::STORE, VTs, Ops, 4);
2274  ID.AddInteger(ISD::UNINDEXED);
2275  ID.AddInteger(false);
2276  ID.AddInteger(VT);
2277  ID.AddPointer(SV);
2278  ID.AddInteger(SVOffset);
2279  ID.AddInteger(Alignment);
2280  ID.AddInteger(isVolatile);
2281  void *IP = 0;
2282  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2283    return SDOperand(E, 0);
2284  SDNode *N = new StoreSDNode(Ops, VTs, ISD::UNINDEXED, false,
2285                              VT, SV, SVOffset, Alignment, isVolatile);
2286  CSEMap.InsertNode(N, IP);
2287  AllNodes.push_back(N);
2288  return SDOperand(N, 0);
2289}
2290
2291SDOperand SelectionDAG::getTruncStore(SDOperand Chain, SDOperand Val,
2292                                      SDOperand Ptr, const Value *SV,
2293                                      int SVOffset, MVT::ValueType SVT,
2294                                      bool isVolatile, unsigned Alignment) {
2295  MVT::ValueType VT = Val.getValueType();
2296  bool isTrunc = VT != SVT;
2297
2298  assert(VT > SVT && "Not a truncation?");
2299  assert(MVT::isInteger(VT) == MVT::isInteger(SVT) &&
2300         "Can't do FP-INT conversion!");
2301
2302  if (Alignment == 0) { // Ensure that codegen never sees alignment 0
2303    const Type *Ty = 0;
2304    if (VT != MVT::iPTR) {
2305      Ty = MVT::getTypeForValueType(VT);
2306    } else if (SV) {
2307      const PointerType *PT = dyn_cast<PointerType>(SV->getType());
2308      assert(PT && "Value for store must be a pointer");
2309      Ty = PT->getElementType();
2310    }
2311    assert(Ty && "Could not get type information for store");
2312    Alignment = TLI.getTargetData()->getABITypeAlignment(Ty);
2313  }
2314  SDVTList VTs = getVTList(MVT::Other);
2315  SDOperand Undef = getNode(ISD::UNDEF, Ptr.getValueType());
2316  SDOperand Ops[] = { Chain, Val, Ptr, Undef };
2317  FoldingSetNodeID ID;
2318  AddNodeIDNode(ID, ISD::STORE, VTs, Ops, 4);
2319  ID.AddInteger(ISD::UNINDEXED);
2320  ID.AddInteger(isTrunc);
2321  ID.AddInteger(SVT);
2322  ID.AddPointer(SV);
2323  ID.AddInteger(SVOffset);
2324  ID.AddInteger(Alignment);
2325  ID.AddInteger(isVolatile);
2326  void *IP = 0;
2327  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2328    return SDOperand(E, 0);
2329  SDNode *N = new StoreSDNode(Ops, VTs, ISD::UNINDEXED, isTrunc,
2330                              SVT, SV, SVOffset, Alignment, isVolatile);
2331  CSEMap.InsertNode(N, IP);
2332  AllNodes.push_back(N);
2333  return SDOperand(N, 0);
2334}
2335
2336SDOperand
2337SelectionDAG::getIndexedStore(SDOperand OrigStore, SDOperand Base,
2338                              SDOperand Offset, ISD::MemIndexedMode AM) {
2339  StoreSDNode *ST = cast<StoreSDNode>(OrigStore);
2340  assert(ST->getOffset().getOpcode() == ISD::UNDEF &&
2341         "Store is already a indexed store!");
2342  SDVTList VTs = getVTList(Base.getValueType(), MVT::Other);
2343  SDOperand Ops[] = { ST->getChain(), ST->getValue(), Base, Offset };
2344  FoldingSetNodeID ID;
2345  AddNodeIDNode(ID, ISD::STORE, VTs, Ops, 4);
2346  ID.AddInteger(AM);
2347  ID.AddInteger(ST->isTruncatingStore());
2348  ID.AddInteger(ST->getStoredVT());
2349  ID.AddPointer(ST->getSrcValue());
2350  ID.AddInteger(ST->getSrcValueOffset());
2351  ID.AddInteger(ST->getAlignment());
2352  ID.AddInteger(ST->isVolatile());
2353  void *IP = 0;
2354  if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2355    return SDOperand(E, 0);
2356  SDNode *N = new StoreSDNode(Ops, VTs, AM,
2357                              ST->isTruncatingStore(), ST->getStoredVT(),
2358                              ST->getSrcValue(), ST->getSrcValueOffset(),
2359                              ST->getAlignment(), ST->isVolatile());
2360  CSEMap.InsertNode(N, IP);
2361  AllNodes.push_back(N);
2362  return SDOperand(N, 0);
2363}
2364
2365SDOperand SelectionDAG::getVAArg(MVT::ValueType VT,
2366                                 SDOperand Chain, SDOperand Ptr,
2367                                 SDOperand SV) {
2368  SDOperand Ops[] = { Chain, Ptr, SV };
2369  return getNode(ISD::VAARG, getVTList(VT, MVT::Other), Ops, 3);
2370}
2371
2372SDOperand SelectionDAG::getNode(unsigned Opcode, MVT::ValueType VT,
2373                                const SDOperand *Ops, unsigned NumOps) {
2374  switch (NumOps) {
2375  case 0: return getNode(Opcode, VT);
2376  case 1: return getNode(Opcode, VT, Ops[0]);
2377  case 2: return getNode(Opcode, VT, Ops[0], Ops[1]);
2378  case 3: return getNode(Opcode, VT, Ops[0], Ops[1], Ops[2]);
2379  default: break;
2380  }
2381
2382  switch (Opcode) {
2383  default: break;
2384  case ISD::SELECT_CC: {
2385    assert(NumOps == 5 && "SELECT_CC takes 5 operands!");
2386    assert(Ops[0].getValueType() == Ops[1].getValueType() &&
2387           "LHS and RHS of condition must have same type!");
2388    assert(Ops[2].getValueType() == Ops[3].getValueType() &&
2389           "True and False arms of SelectCC must have same type!");
2390    assert(Ops[2].getValueType() == VT &&
2391           "select_cc node must be of same type as true and false value!");
2392    break;
2393  }
2394  case ISD::BR_CC: {
2395    assert(NumOps == 5 && "BR_CC takes 5 operands!");
2396    assert(Ops[2].getValueType() == Ops[3].getValueType() &&
2397           "LHS/RHS of comparison should match types!");
2398    break;
2399  }
2400  }
2401
2402  // Memoize nodes.
2403  SDNode *N;
2404  SDVTList VTs = getVTList(VT);
2405  if (VT != MVT::Flag) {
2406    FoldingSetNodeID ID;
2407    AddNodeIDNode(ID, Opcode, VTs, Ops, NumOps);
2408    void *IP = 0;
2409    if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2410      return SDOperand(E, 0);
2411    N = new SDNode(Opcode, VTs, Ops, NumOps);
2412    CSEMap.InsertNode(N, IP);
2413  } else {
2414    N = new SDNode(Opcode, VTs, Ops, NumOps);
2415  }
2416  AllNodes.push_back(N);
2417  return SDOperand(N, 0);
2418}
2419
2420SDOperand SelectionDAG::getNode(unsigned Opcode,
2421                                std::vector<MVT::ValueType> &ResultTys,
2422                                const SDOperand *Ops, unsigned NumOps) {
2423  return getNode(Opcode, getNodeValueTypes(ResultTys), ResultTys.size(),
2424                 Ops, NumOps);
2425}
2426
2427SDOperand SelectionDAG::getNode(unsigned Opcode,
2428                                const MVT::ValueType *VTs, unsigned NumVTs,
2429                                const SDOperand *Ops, unsigned NumOps) {
2430  if (NumVTs == 1)
2431    return getNode(Opcode, VTs[0], Ops, NumOps);
2432  return getNode(Opcode, makeVTList(VTs, NumVTs), Ops, NumOps);
2433}
2434
2435SDOperand SelectionDAG::getNode(unsigned Opcode, SDVTList VTList,
2436                                const SDOperand *Ops, unsigned NumOps) {
2437  if (VTList.NumVTs == 1)
2438    return getNode(Opcode, VTList.VTs[0], Ops, NumOps);
2439
2440  switch (Opcode) {
2441  // FIXME: figure out how to safely handle things like
2442  // int foo(int x) { return 1 << (x & 255); }
2443  // int bar() { return foo(256); }
2444#if 0
2445  case ISD::SRA_PARTS:
2446  case ISD::SRL_PARTS:
2447  case ISD::SHL_PARTS:
2448    if (N3.getOpcode() == ISD::SIGN_EXTEND_INREG &&
2449        cast<VTSDNode>(N3.getOperand(1))->getVT() != MVT::i1)
2450      return getNode(Opcode, VT, N1, N2, N3.getOperand(0));
2451    else if (N3.getOpcode() == ISD::AND)
2452      if (ConstantSDNode *AndRHS = dyn_cast<ConstantSDNode>(N3.getOperand(1))) {
2453        // If the and is only masking out bits that cannot effect the shift,
2454        // eliminate the and.
2455        unsigned NumBits = MVT::getSizeInBits(VT)*2;
2456        if ((AndRHS->getValue() & (NumBits-1)) == NumBits-1)
2457          return getNode(Opcode, VT, N1, N2, N3.getOperand(0));
2458      }
2459    break;
2460#endif
2461  }
2462
2463  // Memoize the node unless it returns a flag.
2464  SDNode *N;
2465  if (VTList.VTs[VTList.NumVTs-1] != MVT::Flag) {
2466    FoldingSetNodeID ID;
2467    AddNodeIDNode(ID, Opcode, VTList, Ops, NumOps);
2468    void *IP = 0;
2469    if (SDNode *E = CSEMap.FindNodeOrInsertPos(ID, IP))
2470      return SDOperand(E, 0);
2471    if (NumOps == 1)
2472      N = new UnarySDNode(Opcode, VTList, Ops[0]);
2473    else if (NumOps == 2)
2474      N = new BinarySDNode(Opcode, VTList, Ops[0], Ops[1]);
2475    else if (NumOps == 3)
2476      N = new TernarySDNode(Opcode, VTList, Ops[0], Ops[1], Ops[2]);
2477    else
2478      N = new SDNode(Opcode, VTList, Ops, NumOps);
2479    CSEMap.InsertNode(N, IP);
2480  } else {
2481    if (NumOps == 1)
2482      N = new UnarySDNode(Opcode, VTList, Ops[0]);
2483    else if (NumOps == 2)
2484      N = new BinarySDNode(Opcode, VTList, Ops[0], Ops[1]);
2485    else if (NumOps == 3)
2486      N = new TernarySDNode(Opcode, VTList, Ops[0], Ops[1], Ops[2]);
2487    else
2488      N = new SDNode(Opcode, VTList, Ops, NumOps);
2489  }
2490  AllNodes.push_back(N);
2491  return SDOperand(N, 0);
2492}
2493
2494SDVTList SelectionDAG::getVTList(MVT::ValueType VT) {
2495  if (!MVT::isExtendedVT(VT))
2496    return makeVTList(SDNode::getValueTypeList(VT), 1);
2497
2498  for (std::list<std::vector<MVT::ValueType> >::iterator I = VTList.begin(),
2499       E = VTList.end(); I != E; ++I) {
2500    if (I->size() == 1 && (*I)[0] == VT)
2501      return makeVTList(&(*I)[0], 1);
2502  }
2503  std::vector<MVT::ValueType> V;
2504  V.push_back(VT);
2505  VTList.push_front(V);
2506  return makeVTList(&(*VTList.begin())[0], 1);
2507}
2508
2509SDVTList SelectionDAG::getVTList(MVT::ValueType VT1, MVT::ValueType VT2) {
2510  for (std::list<std::vector<MVT::ValueType> >::iterator I = VTList.begin(),
2511       E = VTList.end(); I != E; ++I) {
2512    if (I->size() == 2 && (*I)[0] == VT1 && (*I)[1] == VT2)
2513      return makeVTList(&(*I)[0], 2);
2514  }
2515  std::vector<MVT::ValueType> V;
2516  V.push_back(VT1);
2517  V.push_back(VT2);
2518  VTList.push_front(V);
2519  return makeVTList(&(*VTList.begin())[0], 2);
2520}
2521SDVTList SelectionDAG::getVTList(MVT::ValueType VT1, MVT::ValueType VT2,
2522                                 MVT::ValueType VT3) {
2523  for (std::list<std::vector<MVT::ValueType> >::iterator I = VTList.begin(),
2524       E = VTList.end(); I != E; ++I) {
2525    if (I->size() == 3 && (*I)[0] == VT1 && (*I)[1] == VT2 &&
2526        (*I)[2] == VT3)
2527      return makeVTList(&(*I)[0], 3);
2528  }
2529  std::vector<MVT::ValueType> V;
2530  V.push_back(VT1);
2531  V.push_back(VT2);
2532  V.push_back(VT3);
2533  VTList.push_front(V);
2534  return makeVTList(&(*VTList.begin())[0], 3);
2535}
2536
2537SDVTList SelectionDAG::getVTList(const MVT::ValueType *VTs, unsigned NumVTs) {
2538  switch (NumVTs) {
2539    case 0: assert(0 && "Cannot have nodes without results!");
2540    case 1: return getVTList(VTs[0]);
2541    case 2: return getVTList(VTs[0], VTs[1]);
2542    case 3: return getVTList(VTs[0], VTs[1], VTs[2]);
2543    default: break;
2544  }
2545
2546  for (std::list<std::vector<MVT::ValueType> >::iterator I = VTList.begin(),
2547       E = VTList.end(); I != E; ++I) {
2548    if (I->size() != NumVTs || VTs[0] != (*I)[0] || VTs[1] != (*I)[1]) continue;
2549
2550    bool NoMatch = false;
2551    for (unsigned i = 2; i != NumVTs; ++i)
2552      if (VTs[i] != (*I)[i]) {
2553        NoMatch = true;
2554        break;
2555      }
2556    if (!NoMatch)
2557      return makeVTList(&*I->begin(), NumVTs);
2558  }
2559
2560  VTList.push_front(std::vector<MVT::ValueType>(VTs, VTs+NumVTs));
2561  return makeVTList(&*VTList.begin()->begin(), NumVTs);
2562}
2563
2564
2565/// UpdateNodeOperands - *Mutate* the specified node in-place to have the
2566/// specified operands.  If the resultant node already exists in the DAG,
2567/// this does not modify the specified node, instead it returns the node that
2568/// already exists.  If the resultant node does not exist in the DAG, the
2569/// input node is returned.  As a degenerate case, if you specify the same
2570/// input operands as the node already has, the input node is returned.
2571SDOperand SelectionDAG::
2572UpdateNodeOperands(SDOperand InN, SDOperand Op) {
2573  SDNode *N = InN.Val;
2574  assert(N->getNumOperands() == 1 && "Update with wrong number of operands");
2575
2576  // Check to see if there is no change.
2577  if (Op == N->getOperand(0)) return InN;
2578
2579  // See if the modified node already exists.
2580  void *InsertPos = 0;
2581  if (SDNode *Existing = FindModifiedNodeSlot(N, Op, InsertPos))
2582    return SDOperand(Existing, InN.ResNo);
2583
2584  // Nope it doesn't.  Remove the node from it's current place in the maps.
2585  if (InsertPos)
2586    RemoveNodeFromCSEMaps(N);
2587
2588  // Now we update the operands.
2589  N->OperandList[0].Val->removeUser(N);
2590  Op.Val->addUser(N);
2591  N->OperandList[0] = Op;
2592
2593  // If this gets put into a CSE map, add it.
2594  if (InsertPos) CSEMap.InsertNode(N, InsertPos);
2595  return InN;
2596}
2597
2598SDOperand SelectionDAG::
2599UpdateNodeOperands(SDOperand InN, SDOperand Op1, SDOperand Op2) {
2600  SDNode *N = InN.Val;
2601  assert(N->getNumOperands() == 2 && "Update with wrong number of operands");
2602
2603  // Check to see if there is no change.
2604  if (Op1 == N->getOperand(0) && Op2 == N->getOperand(1))
2605    return InN;   // No operands changed, just return the input node.
2606
2607  // See if the modified node already exists.
2608  void *InsertPos = 0;
2609  if (SDNode *Existing = FindModifiedNodeSlot(N, Op1, Op2, InsertPos))
2610    return SDOperand(Existing, InN.ResNo);
2611
2612  // Nope it doesn't.  Remove the node from it's current place in the maps.
2613  if (InsertPos)
2614    RemoveNodeFromCSEMaps(N);
2615
2616  // Now we update the operands.
2617  if (N->OperandList[0] != Op1) {
2618    N->OperandList[0].Val->removeUser(N);
2619    Op1.Val->addUser(N);
2620    N->OperandList[0] = Op1;
2621  }
2622  if (N->OperandList[1] != Op2) {
2623    N->OperandList[1].Val->removeUser(N);
2624    Op2.Val->addUser(N);
2625    N->OperandList[1] = Op2;
2626  }
2627
2628  // If this gets put into a CSE map, add it.
2629  if (InsertPos) CSEMap.InsertNode(N, InsertPos);
2630  return InN;
2631}
2632
2633SDOperand SelectionDAG::
2634UpdateNodeOperands(SDOperand N, SDOperand Op1, SDOperand Op2, SDOperand Op3) {
2635  SDOperand Ops[] = { Op1, Op2, Op3 };
2636  return UpdateNodeOperands(N, Ops, 3);
2637}
2638
2639SDOperand SelectionDAG::
2640UpdateNodeOperands(SDOperand N, SDOperand Op1, SDOperand Op2,
2641                   SDOperand Op3, SDOperand Op4) {
2642  SDOperand Ops[] = { Op1, Op2, Op3, Op4 };
2643  return UpdateNodeOperands(N, Ops, 4);
2644}
2645
2646SDOperand SelectionDAG::
2647UpdateNodeOperands(SDOperand N, SDOperand Op1, SDOperand Op2,
2648                   SDOperand Op3, SDOperand Op4, SDOperand Op5) {
2649  SDOperand Ops[] = { Op1, Op2, Op3, Op4, Op5 };
2650  return UpdateNodeOperands(N, Ops, 5);
2651}
2652
2653
2654SDOperand SelectionDAG::
2655UpdateNodeOperands(SDOperand InN, SDOperand *Ops, unsigned NumOps) {
2656  SDNode *N = InN.Val;
2657  assert(N->getNumOperands() == NumOps &&
2658         "Update with wrong number of operands");
2659
2660  // Check to see if there is no change.
2661  bool AnyChange = false;
2662  for (unsigned i = 0; i != NumOps; ++i) {
2663    if (Ops[i] != N->getOperand(i)) {
2664      AnyChange = true;
2665      break;
2666    }
2667  }
2668
2669  // No operands changed, just return the input node.
2670  if (!AnyChange) return InN;
2671
2672  // See if the modified node already exists.
2673  void *InsertPos = 0;
2674  if (SDNode *Existing = FindModifiedNodeSlot(N, Ops, NumOps, InsertPos))
2675    return SDOperand(Existing, InN.ResNo);
2676
2677  // Nope it doesn't.  Remove the node from it's current place in the maps.
2678  if (InsertPos)
2679    RemoveNodeFromCSEMaps(N);
2680
2681  // Now we update the operands.
2682  for (unsigned i = 0; i != NumOps; ++i) {
2683    if (N->OperandList[i] != Ops[i]) {
2684      N->OperandList[i].Val->removeUser(N);
2685      Ops[i].Val->addUser(N);
2686      N->OperandList[i] = Ops[i];
2687    }
2688  }
2689
2690  // If this gets put into a CSE map, add it.
2691  if (InsertPos) CSEMap.InsertNode(N, InsertPos);
2692  return InN;
2693}
2694
2695
2696/// MorphNodeTo - This frees the operands of the current node, resets the
2697/// opcode, types, and operands to the specified value.  This should only be
2698/// used by the SelectionDAG class.
2699void SDNode::MorphNodeTo(unsigned Opc, SDVTList L,
2700                         const SDOperand *Ops, unsigned NumOps) {
2701  NodeType = Opc;
2702  ValueList = L.VTs;
2703  NumValues = L.NumVTs;
2704
2705  // Clear the operands list, updating used nodes to remove this from their
2706  // use list.
2707  for (op_iterator I = op_begin(), E = op_end(); I != E; ++I)
2708    I->Val->removeUser(this);
2709
2710  // If NumOps is larger than the # of operands we currently have, reallocate
2711  // the operand list.
2712  if (NumOps > NumOperands) {
2713    if (OperandsNeedDelete)
2714      delete [] OperandList;
2715    OperandList = new SDOperand[NumOps];
2716    OperandsNeedDelete = true;
2717  }
2718
2719  // Assign the new operands.
2720  NumOperands = NumOps;
2721
2722  for (unsigned i = 0, e = NumOps; i != e; ++i) {
2723    OperandList[i] = Ops[i];
2724    SDNode *N = OperandList[i].Val;
2725    N->Uses.push_back(this);
2726  }
2727}
2728
2729/// SelectNodeTo - These are used for target selectors to *mutate* the
2730/// specified node to have the specified return type, Target opcode, and
2731/// operands.  Note that target opcodes are stored as
2732/// ISD::BUILTIN_OP_END+TargetOpcode in the node opcode field.
2733///
2734/// Note that SelectNodeTo returns the resultant node.  If there is already a
2735/// node of the specified opcode and operands, it returns that node instead of
2736/// the current one.
2737SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2738                                   MVT::ValueType VT) {
2739  SDVTList VTs = getVTList(VT);
2740  FoldingSetNodeID ID;
2741  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, 0, 0);
2742  void *IP = 0;
2743  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2744    return ON;
2745
2746  RemoveNodeFromCSEMaps(N);
2747
2748  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, 0, 0);
2749
2750  CSEMap.InsertNode(N, IP);
2751  return N;
2752}
2753
2754SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2755                                   MVT::ValueType VT, SDOperand Op1) {
2756  // If an identical node already exists, use it.
2757  SDVTList VTs = getVTList(VT);
2758  SDOperand Ops[] = { Op1 };
2759
2760  FoldingSetNodeID ID;
2761  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 1);
2762  void *IP = 0;
2763  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2764    return ON;
2765
2766  RemoveNodeFromCSEMaps(N);
2767  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 1);
2768  CSEMap.InsertNode(N, IP);
2769  return N;
2770}
2771
2772SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2773                                   MVT::ValueType VT, SDOperand Op1,
2774                                   SDOperand Op2) {
2775  // If an identical node already exists, use it.
2776  SDVTList VTs = getVTList(VT);
2777  SDOperand Ops[] = { Op1, Op2 };
2778
2779  FoldingSetNodeID ID;
2780  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 2);
2781  void *IP = 0;
2782  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2783    return ON;
2784
2785  RemoveNodeFromCSEMaps(N);
2786
2787  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 2);
2788
2789  CSEMap.InsertNode(N, IP);   // Memoize the new node.
2790  return N;
2791}
2792
2793SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2794                                   MVT::ValueType VT, SDOperand Op1,
2795                                   SDOperand Op2, SDOperand Op3) {
2796  // If an identical node already exists, use it.
2797  SDVTList VTs = getVTList(VT);
2798  SDOperand Ops[] = { Op1, Op2, Op3 };
2799  FoldingSetNodeID ID;
2800  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 3);
2801  void *IP = 0;
2802  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2803    return ON;
2804
2805  RemoveNodeFromCSEMaps(N);
2806
2807  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 3);
2808
2809  CSEMap.InsertNode(N, IP);   // Memoize the new node.
2810  return N;
2811}
2812
2813SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2814                                   MVT::ValueType VT, const SDOperand *Ops,
2815                                   unsigned NumOps) {
2816  // If an identical node already exists, use it.
2817  SDVTList VTs = getVTList(VT);
2818  FoldingSetNodeID ID;
2819  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, NumOps);
2820  void *IP = 0;
2821  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2822    return ON;
2823
2824  RemoveNodeFromCSEMaps(N);
2825  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, NumOps);
2826
2827  CSEMap.InsertNode(N, IP);   // Memoize the new node.
2828  return N;
2829}
2830
2831SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2832                                   MVT::ValueType VT1, MVT::ValueType VT2,
2833                                   SDOperand Op1, SDOperand Op2) {
2834  SDVTList VTs = getVTList(VT1, VT2);
2835  FoldingSetNodeID ID;
2836  SDOperand Ops[] = { Op1, Op2 };
2837  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 2);
2838  void *IP = 0;
2839  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2840    return ON;
2841
2842  RemoveNodeFromCSEMaps(N);
2843  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 2);
2844  CSEMap.InsertNode(N, IP);   // Memoize the new node.
2845  return N;
2846}
2847
2848SDNode *SelectionDAG::SelectNodeTo(SDNode *N, unsigned TargetOpc,
2849                                   MVT::ValueType VT1, MVT::ValueType VT2,
2850                                   SDOperand Op1, SDOperand Op2,
2851                                   SDOperand Op3) {
2852  // If an identical node already exists, use it.
2853  SDVTList VTs = getVTList(VT1, VT2);
2854  SDOperand Ops[] = { Op1, Op2, Op3 };
2855  FoldingSetNodeID ID;
2856  AddNodeIDNode(ID, ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 3);
2857  void *IP = 0;
2858  if (SDNode *ON = CSEMap.FindNodeOrInsertPos(ID, IP))
2859    return ON;
2860
2861  RemoveNodeFromCSEMaps(N);
2862
2863  N->MorphNodeTo(ISD::BUILTIN_OP_END+TargetOpc, VTs, Ops, 3);
2864  CSEMap.InsertNode(N, IP);   // Memoize the new node.
2865  return N;
2866}
2867
2868
2869/// getTargetNode - These are used for target selectors to create a new node
2870/// with specified return type(s), target opcode, and operands.
2871///
2872/// Note that getTargetNode returns the resultant node.  If there is already a
2873/// node of the specified opcode and operands, it returns that node instead of
2874/// the current one.
2875SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT) {
2876  return getNode(ISD::BUILTIN_OP_END+Opcode, VT).Val;
2877}
2878SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT,
2879                                    SDOperand Op1) {
2880  return getNode(ISD::BUILTIN_OP_END+Opcode, VT, Op1).Val;
2881}
2882SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT,
2883                                    SDOperand Op1, SDOperand Op2) {
2884  return getNode(ISD::BUILTIN_OP_END+Opcode, VT, Op1, Op2).Val;
2885}
2886SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT,
2887                                    SDOperand Op1, SDOperand Op2,
2888                                    SDOperand Op3) {
2889  return getNode(ISD::BUILTIN_OP_END+Opcode, VT, Op1, Op2, Op3).Val;
2890}
2891SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT,
2892                                    const SDOperand *Ops, unsigned NumOps) {
2893  return getNode(ISD::BUILTIN_OP_END+Opcode, VT, Ops, NumOps).Val;
2894}
2895SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2896                                    MVT::ValueType VT2, SDOperand Op1) {
2897  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2);
2898  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 2, &Op1, 1).Val;
2899}
2900SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2901                                    MVT::ValueType VT2, SDOperand Op1,
2902                                    SDOperand Op2) {
2903  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2);
2904  SDOperand Ops[] = { Op1, Op2 };
2905  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 2, Ops, 2).Val;
2906}
2907SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2908                                    MVT::ValueType VT2, SDOperand Op1,
2909                                    SDOperand Op2, SDOperand Op3) {
2910  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2);
2911  SDOperand Ops[] = { Op1, Op2, Op3 };
2912  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 2, Ops, 3).Val;
2913}
2914SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2915                                    MVT::ValueType VT2,
2916                                    const SDOperand *Ops, unsigned NumOps) {
2917  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2);
2918  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 2, Ops, NumOps).Val;
2919}
2920SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2921                                    MVT::ValueType VT2, MVT::ValueType VT3,
2922                                    SDOperand Op1, SDOperand Op2) {
2923  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2, VT3);
2924  SDOperand Ops[] = { Op1, Op2 };
2925  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 3, Ops, 2).Val;
2926}
2927SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2928                                    MVT::ValueType VT2, MVT::ValueType VT3,
2929                                    SDOperand Op1, SDOperand Op2,
2930                                    SDOperand Op3) {
2931  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2, VT3);
2932  SDOperand Ops[] = { Op1, Op2, Op3 };
2933  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 3, Ops, 3).Val;
2934}
2935SDNode *SelectionDAG::getTargetNode(unsigned Opcode, MVT::ValueType VT1,
2936                                    MVT::ValueType VT2, MVT::ValueType VT3,
2937                                    const SDOperand *Ops, unsigned NumOps) {
2938  const MVT::ValueType *VTs = getNodeValueTypes(VT1, VT2, VT3);
2939  return getNode(ISD::BUILTIN_OP_END+Opcode, VTs, 3, Ops, NumOps).Val;
2940}
2941
2942/// ReplaceAllUsesWith - Modify anything using 'From' to use 'To' instead.
2943/// This can cause recursive merging of nodes in the DAG.
2944///
2945/// This version assumes From/To have a single result value.
2946///
2947void SelectionDAG::ReplaceAllUsesWith(SDOperand FromN, SDOperand ToN,
2948                                      std::vector<SDNode*> *Deleted) {
2949  SDNode *From = FromN.Val, *To = ToN.Val;
2950  assert(From->getNumValues() == 1 && To->getNumValues() == 1 &&
2951         "Cannot replace with this method!");
2952  assert(From != To && "Cannot replace uses of with self");
2953
2954  while (!From->use_empty()) {
2955    // Process users until they are all gone.
2956    SDNode *U = *From->use_begin();
2957
2958    // This node is about to morph, remove its old self from the CSE maps.
2959    RemoveNodeFromCSEMaps(U);
2960
2961    for (SDOperand *I = U->OperandList, *E = U->OperandList+U->NumOperands;
2962         I != E; ++I)
2963      if (I->Val == From) {
2964        From->removeUser(U);
2965        I->Val = To;
2966        To->addUser(U);
2967      }
2968
2969    // Now that we have modified U, add it back to the CSE maps.  If it already
2970    // exists there, recursively merge the results together.
2971    if (SDNode *Existing = AddNonLeafNodeToCSEMaps(U)) {
2972      ReplaceAllUsesWith(U, Existing, Deleted);
2973      // U is now dead.
2974      if (Deleted) Deleted->push_back(U);
2975      DeleteNodeNotInCSEMaps(U);
2976    }
2977  }
2978}
2979
2980/// ReplaceAllUsesWith - Modify anything using 'From' to use 'To' instead.
2981/// This can cause recursive merging of nodes in the DAG.
2982///
2983/// This version assumes From/To have matching types and numbers of result
2984/// values.
2985///
2986void SelectionDAG::ReplaceAllUsesWith(SDNode *From, SDNode *To,
2987                                      std::vector<SDNode*> *Deleted) {
2988  assert(From != To && "Cannot replace uses of with self");
2989  assert(From->getNumValues() == To->getNumValues() &&
2990         "Cannot use this version of ReplaceAllUsesWith!");
2991  if (From->getNumValues() == 1) {  // If possible, use the faster version.
2992    ReplaceAllUsesWith(SDOperand(From, 0), SDOperand(To, 0), Deleted);
2993    return;
2994  }
2995
2996  while (!From->use_empty()) {
2997    // Process users until they are all gone.
2998    SDNode *U = *From->use_begin();
2999
3000    // This node is about to morph, remove its old self from the CSE maps.
3001    RemoveNodeFromCSEMaps(U);
3002
3003    for (SDOperand *I = U->OperandList, *E = U->OperandList+U->NumOperands;
3004         I != E; ++I)
3005      if (I->Val == From) {
3006        From->removeUser(U);
3007        I->Val = To;
3008        To->addUser(U);
3009      }
3010
3011    // Now that we have modified U, add it back to the CSE maps.  If it already
3012    // exists there, recursively merge the results together.
3013    if (SDNode *Existing = AddNonLeafNodeToCSEMaps(U)) {
3014      ReplaceAllUsesWith(U, Existing, Deleted);
3015      // U is now dead.
3016      if (Deleted) Deleted->push_back(U);
3017      DeleteNodeNotInCSEMaps(U);
3018    }
3019  }
3020}
3021
3022/// ReplaceAllUsesWith - Modify anything using 'From' to use 'To' instead.
3023/// This can cause recursive merging of nodes in the DAG.
3024///
3025/// This version can replace From with any result values.  To must match the
3026/// number and types of values returned by From.
3027void SelectionDAG::ReplaceAllUsesWith(SDNode *From,
3028                                      const SDOperand *To,
3029                                      std::vector<SDNode*> *Deleted) {
3030  if (From->getNumValues() == 1 && To[0].Val->getNumValues() == 1) {
3031    // Degenerate case handled above.
3032    ReplaceAllUsesWith(SDOperand(From, 0), To[0], Deleted);
3033    return;
3034  }
3035
3036  while (!From->use_empty()) {
3037    // Process users until they are all gone.
3038    SDNode *U = *From->use_begin();
3039
3040    // This node is about to morph, remove its old self from the CSE maps.
3041    RemoveNodeFromCSEMaps(U);
3042
3043    for (SDOperand *I = U->OperandList, *E = U->OperandList+U->NumOperands;
3044         I != E; ++I)
3045      if (I->Val == From) {
3046        const SDOperand &ToOp = To[I->ResNo];
3047        From->removeUser(U);
3048        *I = ToOp;
3049        ToOp.Val->addUser(U);
3050      }
3051
3052    // Now that we have modified U, add it back to the CSE maps.  If it already
3053    // exists there, recursively merge the results together.
3054    if (SDNode *Existing = AddNonLeafNodeToCSEMaps(U)) {
3055      ReplaceAllUsesWith(U, Existing, Deleted);
3056      // U is now dead.
3057      if (Deleted) Deleted->push_back(U);
3058      DeleteNodeNotInCSEMaps(U);
3059    }
3060  }
3061}
3062
3063/// ReplaceAllUsesOfValueWith - Replace any uses of From with To, leaving
3064/// uses of other values produced by From.Val alone.  The Deleted vector is
3065/// handled the same was as for ReplaceAllUsesWith.
3066void SelectionDAG::ReplaceAllUsesOfValueWith(SDOperand From, SDOperand To,
3067                                             std::vector<SDNode*> &Deleted) {
3068  assert(From != To && "Cannot replace a value with itself");
3069  // Handle the simple, trivial, case efficiently.
3070  if (From.Val->getNumValues() == 1 && To.Val->getNumValues() == 1) {
3071    ReplaceAllUsesWith(From, To, &Deleted);
3072    return;
3073  }
3074
3075  // Get all of the users of From.Val.  We want these in a nice,
3076  // deterministically ordered and uniqued set, so we use a SmallSetVector.
3077  SmallSetVector<SDNode*, 16> Users(From.Val->use_begin(), From.Val->use_end());
3078
3079  while (!Users.empty()) {
3080    // We know that this user uses some value of From.  If it is the right
3081    // value, update it.
3082    SDNode *User = Users.back();
3083    Users.pop_back();
3084
3085    for (SDOperand *Op = User->OperandList,
3086         *E = User->OperandList+User->NumOperands; Op != E; ++Op) {
3087      if (*Op == From) {
3088        // Okay, we know this user needs to be updated.  Remove its old self
3089        // from the CSE maps.
3090        RemoveNodeFromCSEMaps(User);
3091
3092        // Update all operands that match "From".
3093        for (; Op != E; ++Op) {
3094          if (*Op == From) {
3095            From.Val->removeUser(User);
3096            *Op = To;
3097            To.Val->addUser(User);
3098          }
3099        }
3100
3101        // Now that we have modified User, add it back to the CSE maps.  If it
3102        // already exists there, recursively merge the results together.
3103        if (SDNode *Existing = AddNonLeafNodeToCSEMaps(User)) {
3104          unsigned NumDeleted = Deleted.size();
3105          ReplaceAllUsesWith(User, Existing, &Deleted);
3106
3107          // User is now dead.
3108          Deleted.push_back(User);
3109          DeleteNodeNotInCSEMaps(User);
3110
3111          // We have to be careful here, because ReplaceAllUsesWith could have
3112          // deleted a user of From, which means there may be dangling pointers
3113          // in the "Users" setvector.  Scan over the deleted node pointers and
3114          // remove them from the setvector.
3115          for (unsigned i = NumDeleted, e = Deleted.size(); i != e; ++i)
3116            Users.remove(Deleted[i]);
3117        }
3118        break;   // Exit the operand scanning loop.
3119      }
3120    }
3121  }
3122}
3123
3124
3125/// AssignNodeIds - Assign a unique node id for each node in the DAG based on
3126/// their allnodes order. It returns the maximum id.
3127unsigned SelectionDAG::AssignNodeIds() {
3128  unsigned Id = 0;
3129  for (allnodes_iterator I = allnodes_begin(), E = allnodes_end(); I != E; ++I){
3130    SDNode *N = I;
3131    N->setNodeId(Id++);
3132  }
3133  return Id;
3134}
3135
3136/// AssignTopologicalOrder - Assign a unique node id for each node in the DAG
3137/// based on their topological order. It returns the maximum id and a vector
3138/// of the SDNodes* in assigned order by reference.
3139unsigned SelectionDAG::AssignTopologicalOrder(std::vector<SDNode*> &TopOrder) {
3140  unsigned DAGSize = AllNodes.size();
3141  std::vector<unsigned> InDegree(DAGSize);
3142  std::vector<SDNode*> Sources;
3143
3144  // Use a two pass approach to avoid using a std::map which is slow.
3145  unsigned Id = 0;
3146  for (allnodes_iterator I = allnodes_begin(),E = allnodes_end(); I != E; ++I){
3147    SDNode *N = I;
3148    N->setNodeId(Id++);
3149    unsigned Degree = N->use_size();
3150    InDegree[N->getNodeId()] = Degree;
3151    if (Degree == 0)
3152      Sources.push_back(N);
3153  }
3154
3155  TopOrder.clear();
3156  while (!Sources.empty()) {
3157    SDNode *N = Sources.back();
3158    Sources.pop_back();
3159    TopOrder.push_back(N);
3160    for (SDNode::op_iterator I = N->op_begin(), E = N->op_end(); I != E; ++I) {
3161      SDNode *P = I->Val;
3162      unsigned Degree = --InDegree[P->getNodeId()];
3163      if (Degree == 0)
3164        Sources.push_back(P);
3165    }
3166  }
3167
3168  // Second pass, assign the actual topological order as node ids.
3169  Id = 0;
3170  for (std::vector<SDNode*>::iterator TI = TopOrder.begin(),TE = TopOrder.end();
3171       TI != TE; ++TI)
3172    (*TI)->setNodeId(Id++);
3173
3174  return Id;
3175}
3176
3177
3178
3179//===----------------------------------------------------------------------===//
3180//                              SDNode Class
3181//===----------------------------------------------------------------------===//
3182
3183// Out-of-line virtual method to give class a home.
3184void SDNode::ANCHOR() {}
3185void UnarySDNode::ANCHOR() {}
3186void BinarySDNode::ANCHOR() {}
3187void TernarySDNode::ANCHOR() {}
3188void HandleSDNode::ANCHOR() {}
3189void StringSDNode::ANCHOR() {}
3190void ConstantSDNode::ANCHOR() {}
3191void ConstantFPSDNode::ANCHOR() {}
3192void GlobalAddressSDNode::ANCHOR() {}
3193void FrameIndexSDNode::ANCHOR() {}
3194void JumpTableSDNode::ANCHOR() {}
3195void ConstantPoolSDNode::ANCHOR() {}
3196void BasicBlockSDNode::ANCHOR() {}
3197void SrcValueSDNode::ANCHOR() {}
3198void RegisterSDNode::ANCHOR() {}
3199void ExternalSymbolSDNode::ANCHOR() {}
3200void CondCodeSDNode::ANCHOR() {}
3201void VTSDNode::ANCHOR() {}
3202void LoadSDNode::ANCHOR() {}
3203void StoreSDNode::ANCHOR() {}
3204
3205HandleSDNode::~HandleSDNode() {
3206  SDVTList VTs = { 0, 0 };
3207  MorphNodeTo(ISD::HANDLENODE, VTs, 0, 0);  // Drops operand uses.
3208}
3209
3210GlobalAddressSDNode::GlobalAddressSDNode(bool isTarget, const GlobalValue *GA,
3211                                         MVT::ValueType VT, int o)
3212  : SDNode(isa<GlobalVariable>(GA) &&
3213           cast<GlobalVariable>(GA)->isThreadLocal() ?
3214           // Thread Local
3215           (isTarget ? ISD::TargetGlobalTLSAddress : ISD::GlobalTLSAddress) :
3216           // Non Thread Local
3217           (isTarget ? ISD::TargetGlobalAddress : ISD::GlobalAddress),
3218           getSDVTList(VT)), Offset(o) {
3219  TheGlobal = const_cast<GlobalValue*>(GA);
3220}
3221
3222/// Profile - Gather unique data for the node.
3223///
3224void SDNode::Profile(FoldingSetNodeID &ID) {
3225  AddNodeIDNode(ID, this);
3226}
3227
3228/// getValueTypeList - Return a pointer to the specified value type.
3229///
3230MVT::ValueType *SDNode::getValueTypeList(MVT::ValueType VT) {
3231  static MVT::ValueType VTs[MVT::LAST_VALUETYPE];
3232  VTs[VT] = VT;
3233  return &VTs[VT];
3234}
3235
3236/// hasNUsesOfValue - Return true if there are exactly NUSES uses of the
3237/// indicated value.  This method ignores uses of other values defined by this
3238/// operation.
3239bool SDNode::hasNUsesOfValue(unsigned NUses, unsigned Value) const {
3240  assert(Value < getNumValues() && "Bad value!");
3241
3242  // If there is only one value, this is easy.
3243  if (getNumValues() == 1)
3244    return use_size() == NUses;
3245  if (use_size() < NUses) return false;
3246
3247  SDOperand TheValue(const_cast<SDNode *>(this), Value);
3248
3249  SmallPtrSet<SDNode*, 32> UsersHandled;
3250
3251  for (SDNode::use_iterator UI = Uses.begin(), E = Uses.end(); UI != E; ++UI) {
3252    SDNode *User = *UI;
3253    if (User->getNumOperands() == 1 ||
3254        UsersHandled.insert(User))     // First time we've seen this?
3255      for (unsigned i = 0, e = User->getNumOperands(); i != e; ++i)
3256        if (User->getOperand(i) == TheValue) {
3257          if (NUses == 0)
3258            return false;   // too many uses
3259          --NUses;
3260        }
3261  }
3262
3263  // Found exactly the right number of uses?
3264  return NUses == 0;
3265}
3266
3267
3268/// hasAnyUseOfValue - Return true if there are any use of the indicated
3269/// value. This method ignores uses of other values defined by this operation.
3270bool SDNode::hasAnyUseOfValue(unsigned Value) const {
3271  assert(Value < getNumValues() && "Bad value!");
3272
3273  if (use_size() == 0) return false;
3274
3275  SDOperand TheValue(const_cast<SDNode *>(this), Value);
3276
3277  SmallPtrSet<SDNode*, 32> UsersHandled;
3278
3279  for (SDNode::use_iterator UI = Uses.begin(), E = Uses.end(); UI != E; ++UI) {
3280    SDNode *User = *UI;
3281    if (User->getNumOperands() == 1 ||
3282        UsersHandled.insert(User))     // First time we've seen this?
3283      for (unsigned i = 0, e = User->getNumOperands(); i != e; ++i)
3284        if (User->getOperand(i) == TheValue) {
3285          return true;
3286        }
3287  }
3288
3289  return false;
3290}
3291
3292
3293/// isOnlyUse - Return true if this node is the only use of N.
3294///
3295bool SDNode::isOnlyUse(SDNode *N) const {
3296  bool Seen = false;
3297  for (SDNode::use_iterator I = N->use_begin(), E = N->use_end(); I != E; ++I) {
3298    SDNode *User = *I;
3299    if (User == this)
3300      Seen = true;
3301    else
3302      return false;
3303  }
3304
3305  return Seen;
3306}
3307
3308/// isOperand - Return true if this node is an operand of N.
3309///
3310bool SDOperand::isOperand(SDNode *N) const {
3311  for (unsigned i = 0, e = N->getNumOperands(); i != e; ++i)
3312    if (*this == N->getOperand(i))
3313      return true;
3314  return false;
3315}
3316
3317bool SDNode::isOperand(SDNode *N) const {
3318  for (unsigned i = 0, e = N->NumOperands; i != e; ++i)
3319    if (this == N->OperandList[i].Val)
3320      return true;
3321  return false;
3322}
3323
3324static void findPredecessor(SDNode *N, const SDNode *P, bool &found,
3325                            SmallPtrSet<SDNode *, 32> &Visited) {
3326  if (found || !Visited.insert(N))
3327    return;
3328
3329  for (unsigned i = 0, e = N->getNumOperands(); !found && i != e; ++i) {
3330    SDNode *Op = N->getOperand(i).Val;
3331    if (Op == P) {
3332      found = true;
3333      return;
3334    }
3335    findPredecessor(Op, P, found, Visited);
3336  }
3337}
3338
3339/// isPredecessor - Return true if this node is a predecessor of N. This node
3340/// is either an operand of N or it can be reached by recursively traversing
3341/// up the operands.
3342/// NOTE: this is an expensive method. Use it carefully.
3343bool SDNode::isPredecessor(SDNode *N) const {
3344  SmallPtrSet<SDNode *, 32> Visited;
3345  bool found = false;
3346  findPredecessor(N, this, found, Visited);
3347  return found;
3348}
3349
3350uint64_t SDNode::getConstantOperandVal(unsigned Num) const {
3351  assert(Num < NumOperands && "Invalid child # of SDNode!");
3352  return cast<ConstantSDNode>(OperandList[Num])->getValue();
3353}
3354
3355std::string SDNode::getOperationName(const SelectionDAG *G) const {
3356  switch (getOpcode()) {
3357  default:
3358    if (getOpcode() < ISD::BUILTIN_OP_END)
3359      return "<<Unknown DAG Node>>";
3360    else {
3361      if (G) {
3362        if (const TargetInstrInfo *TII = G->getTarget().getInstrInfo())
3363          if (getOpcode()-ISD::BUILTIN_OP_END < TII->getNumOpcodes())
3364            return TII->getName(getOpcode()-ISD::BUILTIN_OP_END);
3365
3366        TargetLowering &TLI = G->getTargetLoweringInfo();
3367        const char *Name =
3368          TLI.getTargetNodeName(getOpcode());
3369        if (Name) return Name;
3370      }
3371
3372      return "<<Unknown Target Node>>";
3373    }
3374
3375  case ISD::PCMARKER:      return "PCMarker";
3376  case ISD::READCYCLECOUNTER: return "ReadCycleCounter";
3377  case ISD::SRCVALUE:      return "SrcValue";
3378  case ISD::EntryToken:    return "EntryToken";
3379  case ISD::TokenFactor:   return "TokenFactor";
3380  case ISD::AssertSext:    return "AssertSext";
3381  case ISD::AssertZext:    return "AssertZext";
3382
3383  case ISD::STRING:        return "String";
3384  case ISD::BasicBlock:    return "BasicBlock";
3385  case ISD::VALUETYPE:     return "ValueType";
3386  case ISD::Register:      return "Register";
3387
3388  case ISD::Constant:      return "Constant";
3389  case ISD::ConstantFP:    return "ConstantFP";
3390  case ISD::GlobalAddress: return "GlobalAddress";
3391  case ISD::GlobalTLSAddress: return "GlobalTLSAddress";
3392  case ISD::FrameIndex:    return "FrameIndex";
3393  case ISD::JumpTable:     return "JumpTable";
3394  case ISD::GLOBAL_OFFSET_TABLE: return "GLOBAL_OFFSET_TABLE";
3395  case ISD::RETURNADDR: return "RETURNADDR";
3396  case ISD::FRAMEADDR: return "FRAMEADDR";
3397  case ISD::FRAME_TO_ARGS_OFFSET: return "FRAME_TO_ARGS_OFFSET";
3398  case ISD::EXCEPTIONADDR: return "EXCEPTIONADDR";
3399  case ISD::EHSELECTION: return "EHSELECTION";
3400  case ISD::EH_RETURN: return "EH_RETURN";
3401  case ISD::ConstantPool:  return "ConstantPool";
3402  case ISD::ExternalSymbol: return "ExternalSymbol";
3403  case ISD::INTRINSIC_WO_CHAIN: {
3404    unsigned IID = cast<ConstantSDNode>(getOperand(0))->getValue();
3405    return Intrinsic::getName((Intrinsic::ID)IID);
3406  }
3407  case ISD::INTRINSIC_VOID:
3408  case ISD::INTRINSIC_W_CHAIN: {
3409    unsigned IID = cast<ConstantSDNode>(getOperand(1))->getValue();
3410    return Intrinsic::getName((Intrinsic::ID)IID);
3411  }
3412
3413  case ISD::BUILD_VECTOR:   return "BUILD_VECTOR";
3414  case ISD::TargetConstant: return "TargetConstant";
3415  case ISD::TargetConstantFP:return "TargetConstantFP";
3416  case ISD::TargetGlobalAddress: return "TargetGlobalAddress";
3417  case ISD::TargetGlobalTLSAddress: return "TargetGlobalTLSAddress";
3418  case ISD::TargetFrameIndex: return "TargetFrameIndex";
3419  case ISD::TargetJumpTable:  return "TargetJumpTable";
3420  case ISD::TargetConstantPool:  return "TargetConstantPool";
3421  case ISD::TargetExternalSymbol: return "TargetExternalSymbol";
3422
3423  case ISD::CopyToReg:     return "CopyToReg";
3424  case ISD::CopyFromReg:   return "CopyFromReg";
3425  case ISD::UNDEF:         return "undef";
3426  case ISD::MERGE_VALUES:  return "merge_values";
3427  case ISD::INLINEASM:     return "inlineasm";
3428  case ISD::LABEL:         return "label";
3429  case ISD::HANDLENODE:    return "handlenode";
3430  case ISD::FORMAL_ARGUMENTS: return "formal_arguments";
3431  case ISD::CALL:          return "call";
3432
3433  // Unary operators
3434  case ISD::FABS:   return "fabs";
3435  case ISD::FNEG:   return "fneg";
3436  case ISD::FSQRT:  return "fsqrt";
3437  case ISD::FSIN:   return "fsin";
3438  case ISD::FCOS:   return "fcos";
3439  case ISD::FPOWI:  return "fpowi";
3440
3441  // Binary operators
3442  case ISD::ADD:    return "add";
3443  case ISD::SUB:    return "sub";
3444  case ISD::MUL:    return "mul";
3445  case ISD::MULHU:  return "mulhu";
3446  case ISD::MULHS:  return "mulhs";
3447  case ISD::SDIV:   return "sdiv";
3448  case ISD::UDIV:   return "udiv";
3449  case ISD::SREM:   return "srem";
3450  case ISD::UREM:   return "urem";
3451  case ISD::AND:    return "and";
3452  case ISD::OR:     return "or";
3453  case ISD::XOR:    return "xor";
3454  case ISD::SHL:    return "shl";
3455  case ISD::SRA:    return "sra";
3456  case ISD::SRL:    return "srl";
3457  case ISD::ROTL:   return "rotl";
3458  case ISD::ROTR:   return "rotr";
3459  case ISD::FADD:   return "fadd";
3460  case ISD::FSUB:   return "fsub";
3461  case ISD::FMUL:   return "fmul";
3462  case ISD::FDIV:   return "fdiv";
3463  case ISD::FREM:   return "frem";
3464  case ISD::FCOPYSIGN: return "fcopysign";
3465
3466  case ISD::SETCC:       return "setcc";
3467  case ISD::SELECT:      return "select";
3468  case ISD::SELECT_CC:   return "select_cc";
3469  case ISD::INSERT_VECTOR_ELT:   return "insert_vector_elt";
3470  case ISD::EXTRACT_VECTOR_ELT:  return "extract_vector_elt";
3471  case ISD::CONCAT_VECTORS:      return "concat_vectors";
3472  case ISD::EXTRACT_SUBVECTOR:   return "extract_subvector";
3473  case ISD::SCALAR_TO_VECTOR:    return "scalar_to_vector";
3474  case ISD::VECTOR_SHUFFLE:      return "vector_shuffle";
3475  case ISD::CARRY_FALSE:         return "carry_false";
3476  case ISD::ADDC:        return "addc";
3477  case ISD::ADDE:        return "adde";
3478  case ISD::SUBC:        return "subc";
3479  case ISD::SUBE:        return "sube";
3480  case ISD::SHL_PARTS:   return "shl_parts";
3481  case ISD::SRA_PARTS:   return "sra_parts";
3482  case ISD::SRL_PARTS:   return "srl_parts";
3483
3484  case ISD::EXTRACT_SUBREG:     return "extract_subreg";
3485  case ISD::INSERT_SUBREG:      return "insert_subreg";
3486
3487  // Conversion operators.
3488  case ISD::SIGN_EXTEND: return "sign_extend";
3489  case ISD::ZERO_EXTEND: return "zero_extend";
3490  case ISD::ANY_EXTEND:  return "any_extend";
3491  case ISD::SIGN_EXTEND_INREG: return "sign_extend_inreg";
3492  case ISD::TRUNCATE:    return "truncate";
3493  case ISD::FP_ROUND:    return "fp_round";
3494  case ISD::FP_ROUND_INREG: return "fp_round_inreg";
3495  case ISD::FP_EXTEND:   return "fp_extend";
3496
3497  case ISD::SINT_TO_FP:  return "sint_to_fp";
3498  case ISD::UINT_TO_FP:  return "uint_to_fp";
3499  case ISD::FP_TO_SINT:  return "fp_to_sint";
3500  case ISD::FP_TO_UINT:  return "fp_to_uint";
3501  case ISD::BIT_CONVERT: return "bit_convert";
3502
3503    // Control flow instructions
3504  case ISD::BR:      return "br";
3505  case ISD::BRIND:   return "brind";
3506  case ISD::BR_JT:   return "br_jt";
3507  case ISD::BRCOND:  return "brcond";
3508  case ISD::BR_CC:   return "br_cc";
3509  case ISD::RET:     return "ret";
3510  case ISD::CALLSEQ_START:  return "callseq_start";
3511  case ISD::CALLSEQ_END:    return "callseq_end";
3512
3513    // Other operators
3514  case ISD::LOAD:               return "load";
3515  case ISD::STORE:              return "store";
3516  case ISD::VAARG:              return "vaarg";
3517  case ISD::VACOPY:             return "vacopy";
3518  case ISD::VAEND:              return "vaend";
3519  case ISD::VASTART:            return "vastart";
3520  case ISD::DYNAMIC_STACKALLOC: return "dynamic_stackalloc";
3521  case ISD::EXTRACT_ELEMENT:    return "extract_element";
3522  case ISD::BUILD_PAIR:         return "build_pair";
3523  case ISD::STACKSAVE:          return "stacksave";
3524  case ISD::STACKRESTORE:       return "stackrestore";
3525
3526  // Block memory operations.
3527  case ISD::MEMSET:  return "memset";
3528  case ISD::MEMCPY:  return "memcpy";
3529  case ISD::MEMMOVE: return "memmove";
3530
3531  // Bit manipulation
3532  case ISD::BSWAP:   return "bswap";
3533  case ISD::CTPOP:   return "ctpop";
3534  case ISD::CTTZ:    return "cttz";
3535  case ISD::CTLZ:    return "ctlz";
3536
3537  // Debug info
3538  case ISD::LOCATION: return "location";
3539  case ISD::DEBUG_LOC: return "debug_loc";
3540
3541  // Trampolines
3542  case ISD::ADJUST_TRAMP: return "adjust_tramp";
3543  case ISD::TRAMPOLINE:   return "trampoline";
3544
3545  case ISD::CONDCODE:
3546    switch (cast<CondCodeSDNode>(this)->get()) {
3547    default: assert(0 && "Unknown setcc condition!");
3548    case ISD::SETOEQ:  return "setoeq";
3549    case ISD::SETOGT:  return "setogt";
3550    case ISD::SETOGE:  return "setoge";
3551    case ISD::SETOLT:  return "setolt";
3552    case ISD::SETOLE:  return "setole";
3553    case ISD::SETONE:  return "setone";
3554
3555    case ISD::SETO:    return "seto";
3556    case ISD::SETUO:   return "setuo";
3557    case ISD::SETUEQ:  return "setue";
3558    case ISD::SETUGT:  return "setugt";
3559    case ISD::SETUGE:  return "setuge";
3560    case ISD::SETULT:  return "setult";
3561    case ISD::SETULE:  return "setule";
3562    case ISD::SETUNE:  return "setune";
3563
3564    case ISD::SETEQ:   return "seteq";
3565    case ISD::SETGT:   return "setgt";
3566    case ISD::SETGE:   return "setge";
3567    case ISD::SETLT:   return "setlt";
3568    case ISD::SETLE:   return "setle";
3569    case ISD::SETNE:   return "setne";
3570    }
3571  }
3572}
3573
3574const char *SDNode::getIndexedModeName(ISD::MemIndexedMode AM) {
3575  switch (AM) {
3576  default:
3577    return "";
3578  case ISD::PRE_INC:
3579    return "<pre-inc>";
3580  case ISD::PRE_DEC:
3581    return "<pre-dec>";
3582  case ISD::POST_INC:
3583    return "<post-inc>";
3584  case ISD::POST_DEC:
3585    return "<post-dec>";
3586  }
3587}
3588
3589void SDNode::dump() const { dump(0); }
3590void SDNode::dump(const SelectionDAG *G) const {
3591  cerr << (void*)this << ": ";
3592
3593  for (unsigned i = 0, e = getNumValues(); i != e; ++i) {
3594    if (i) cerr << ",";
3595    if (getValueType(i) == MVT::Other)
3596      cerr << "ch";
3597    else
3598      cerr << MVT::getValueTypeString(getValueType(i));
3599  }
3600  cerr << " = " << getOperationName(G);
3601
3602  cerr << " ";
3603  for (unsigned i = 0, e = getNumOperands(); i != e; ++i) {
3604    if (i) cerr << ", ";
3605    cerr << (void*)getOperand(i).Val;
3606    if (unsigned RN = getOperand(i).ResNo)
3607      cerr << ":" << RN;
3608  }
3609
3610  if (const ConstantSDNode *CSDN = dyn_cast<ConstantSDNode>(this)) {
3611    cerr << "<" << CSDN->getValue() << ">";
3612  } else if (const ConstantFPSDNode *CSDN = dyn_cast<ConstantFPSDNode>(this)) {
3613    cerr << "<" << CSDN->getValue() << ">";
3614  } else if (const GlobalAddressSDNode *GADN =
3615             dyn_cast<GlobalAddressSDNode>(this)) {
3616    int offset = GADN->getOffset();
3617    cerr << "<";
3618    WriteAsOperand(*cerr.stream(), GADN->getGlobal()) << ">";
3619    if (offset > 0)
3620      cerr << " + " << offset;
3621    else
3622      cerr << " " << offset;
3623  } else if (const FrameIndexSDNode *FIDN = dyn_cast<FrameIndexSDNode>(this)) {
3624    cerr << "<" << FIDN->getIndex() << ">";
3625  } else if (const JumpTableSDNode *JTDN = dyn_cast<JumpTableSDNode>(this)) {
3626    cerr << "<" << JTDN->getIndex() << ">";
3627  } else if (const ConstantPoolSDNode *CP = dyn_cast<ConstantPoolSDNode>(this)){
3628    int offset = CP->getOffset();
3629    if (CP->isMachineConstantPoolEntry())
3630      cerr << "<" << *CP->getMachineCPVal() << ">";
3631    else
3632      cerr << "<" << *CP->getConstVal() << ">";
3633    if (offset > 0)
3634      cerr << " + " << offset;
3635    else
3636      cerr << " " << offset;
3637  } else if (const BasicBlockSDNode *BBDN = dyn_cast<BasicBlockSDNode>(this)) {
3638    cerr << "<";
3639    const Value *LBB = (const Value*)BBDN->getBasicBlock()->getBasicBlock();
3640    if (LBB)
3641      cerr << LBB->getName() << " ";
3642    cerr << (const void*)BBDN->getBasicBlock() << ">";
3643  } else if (const RegisterSDNode *R = dyn_cast<RegisterSDNode>(this)) {
3644    if (G && R->getReg() && MRegisterInfo::isPhysicalRegister(R->getReg())) {
3645      cerr << " " <<G->getTarget().getRegisterInfo()->getName(R->getReg());
3646    } else {
3647      cerr << " #" << R->getReg();
3648    }
3649  } else if (const ExternalSymbolSDNode *ES =
3650             dyn_cast<ExternalSymbolSDNode>(this)) {
3651    cerr << "'" << ES->getSymbol() << "'";
3652  } else if (const SrcValueSDNode *M = dyn_cast<SrcValueSDNode>(this)) {
3653    if (M->getValue())
3654      cerr << "<" << M->getValue() << ":" << M->getOffset() << ">";
3655    else
3656      cerr << "<null:" << M->getOffset() << ">";
3657  } else if (const VTSDNode *N = dyn_cast<VTSDNode>(this)) {
3658    cerr << ":" << MVT::getValueTypeString(N->getVT());
3659  } else if (const LoadSDNode *LD = dyn_cast<LoadSDNode>(this)) {
3660    bool doExt = true;
3661    switch (LD->getExtensionType()) {
3662    default: doExt = false; break;
3663    case ISD::EXTLOAD:
3664      cerr << " <anyext ";
3665      break;
3666    case ISD::SEXTLOAD:
3667      cerr << " <sext ";
3668      break;
3669    case ISD::ZEXTLOAD:
3670      cerr << " <zext ";
3671      break;
3672    }
3673    if (doExt)
3674      cerr << MVT::getValueTypeString(LD->getLoadedVT()) << ">";
3675
3676    const char *AM = getIndexedModeName(LD->getAddressingMode());
3677    if (*AM)
3678      cerr << " " << AM;
3679  } else if (const StoreSDNode *ST = dyn_cast<StoreSDNode>(this)) {
3680    if (ST->isTruncatingStore())
3681      cerr << " <trunc "
3682           << MVT::getValueTypeString(ST->getStoredVT()) << ">";
3683
3684    const char *AM = getIndexedModeName(ST->getAddressingMode());
3685    if (*AM)
3686      cerr << " " << AM;
3687  }
3688}
3689
3690static void DumpNodes(const SDNode *N, unsigned indent, const SelectionDAG *G) {
3691  for (unsigned i = 0, e = N->getNumOperands(); i != e; ++i)
3692    if (N->getOperand(i).Val->hasOneUse())
3693      DumpNodes(N->getOperand(i).Val, indent+2, G);
3694    else
3695      cerr << "\n" << std::string(indent+2, ' ')
3696           << (void*)N->getOperand(i).Val << ": <multiple use>";
3697
3698
3699  cerr << "\n" << std::string(indent, ' ');
3700  N->dump(G);
3701}
3702
3703void SelectionDAG::dump() const {
3704  cerr << "SelectionDAG has " << AllNodes.size() << " nodes:";
3705  std::vector<const SDNode*> Nodes;
3706  for (allnodes_const_iterator I = allnodes_begin(), E = allnodes_end();
3707       I != E; ++I)
3708    Nodes.push_back(I);
3709
3710  std::sort(Nodes.begin(), Nodes.end());
3711
3712  for (unsigned i = 0, e = Nodes.size(); i != e; ++i) {
3713    if (!Nodes[i]->hasOneUse() && Nodes[i] != getRoot().Val)
3714      DumpNodes(Nodes[i], 2, this);
3715  }
3716
3717  if (getRoot().Val) DumpNodes(getRoot().Val, 2, this);
3718
3719  cerr << "\n\n";
3720}
3721
3722const Type *ConstantPoolSDNode::getType() const {
3723  if (isMachineConstantPoolEntry())
3724    return Val.MachineCPVal->getType();
3725  return Val.ConstVal->getType();
3726}
3727