Set the 'cached digest' flag after computing the digest for an
[oota-llvm.git] / include / llvm / ADT / ImmutableSet.h
1 //===--- ImmutableSet.h - Immutable (functional) set interface --*- C++ -*-===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This file defines the ImutAVLTree and ImmutableSet classes.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #ifndef LLVM_ADT_IMSET_H
15 #define LLVM_ADT_IMSET_H
16
17 #include "llvm/Support/Allocator.h"
18 #include "llvm/ADT/FoldingSet.h"
19 #include "llvm/Support/DataTypes.h"
20 #include <cassert>
21 #include <functional>
22
23 namespace llvm {
24
25 //===----------------------------------------------------------------------===//
26 // Immutable AVL-Tree Definition.
27 //===----------------------------------------------------------------------===//
28
29 template <typename ImutInfo> class ImutAVLFactory;
30 template <typename ImutInfo> class ImutAVLTreeInOrderIterator;
31 template <typename ImutInfo> class ImutAVLTreeGenericIterator;
32
33 template <typename ImutInfo >
34 class ImutAVLTree : public FoldingSetNode {
35 public:
36   typedef typename ImutInfo::key_type_ref   key_type_ref;
37   typedef typename ImutInfo::value_type     value_type;
38   typedef typename ImutInfo::value_type_ref value_type_ref;
39
40   typedef ImutAVLFactory<ImutInfo>          Factory;
41   friend class ImutAVLFactory<ImutInfo>;
42
43   friend class ImutAVLTreeGenericIterator<ImutInfo>;
44   friend class FoldingSet<ImutAVLTree>;
45
46   typedef ImutAVLTreeInOrderIterator<ImutInfo>  iterator;
47
48   //===----------------------------------------------------===//
49   // Public Interface.
50   //===----------------------------------------------------===//
51
52   /// getLeft - Returns a pointer to the left subtree.  This value
53   ///  is NULL if there is no left subtree.
54   ImutAVLTree *getLeft() const {
55     return reinterpret_cast<ImutAVLTree*>(Left & ~LeftFlags);
56   }
57
58   /// getRight - Returns a pointer to the right subtree.  This value is
59   ///  NULL if there is no right subtree.
60   ImutAVLTree* getRight() const { return Right; }
61
62   /// getHeight - Returns the height of the tree.  A tree with no subtrees
63   ///  has a height of 1.
64   unsigned getHeight() const { return Height; }
65
66   /// getValue - Returns the data value associated with the tree node.
67   const value_type& getValue() const { return Value; }
68
69   /// find - Finds the subtree associated with the specified key value.
70   ///  This method returns NULL if no matching subtree is found.
71   ImutAVLTree* find(key_type_ref K) {
72     ImutAVLTree *T = this;
73
74     while (T) {
75       key_type_ref CurrentKey = ImutInfo::KeyOfValue(T->getValue());
76
77       if (ImutInfo::isEqual(K,CurrentKey))
78         return T;
79       else if (ImutInfo::isLess(K,CurrentKey))
80         T = T->getLeft();
81       else
82         T = T->getRight();
83     }
84
85     return NULL;
86   }
87   
88   /// getMaxElement - Find the subtree associated with the highest ranged
89   ///  key value.
90   ImutAVLTree* getMaxElement() {
91     ImutAVLTree *T = this;
92     ImutAVLTree *Right = T->getRight();    
93     while (Right) { T = Right; Right = T->getRight(); }
94     return T;
95   }
96
97   /// size - Returns the number of nodes in the tree, which includes
98   ///  both leaves and non-leaf nodes.
99   unsigned size() const {
100     unsigned n = 1;
101
102     if (const ImutAVLTree* L = getLeft())  n += L->size();
103     if (const ImutAVLTree* R = getRight()) n += R->size();
104
105     return n;
106   }
107
108   /// begin - Returns an iterator that iterates over the nodes of the tree
109   ///  in an inorder traversal.  The returned iterator thus refers to the
110   ///  the tree node with the minimum data element.
111   iterator begin() const { return iterator(this); }
112
113   /// end - Returns an iterator for the tree that denotes the end of an
114   ///  inorder traversal.
115   iterator end() const { return iterator(); }
116
117   bool ElementEqual(value_type_ref V) const {
118     // Compare the keys.
119     if (!ImutInfo::isEqual(ImutInfo::KeyOfValue(getValue()),
120                            ImutInfo::KeyOfValue(V)))
121       return false;
122
123     // Also compare the data values.
124     if (!ImutInfo::isDataEqual(ImutInfo::DataOfValue(getValue()),
125                                ImutInfo::DataOfValue(V)))
126       return false;
127
128     return true;
129   }
130
131   bool ElementEqual(const ImutAVLTree* RHS) const {
132     return ElementEqual(RHS->getValue());
133   }
134
135   /// isEqual - Compares two trees for structural equality and returns true
136   ///   if they are equal.  This worst case performance of this operation is
137   //    linear in the sizes of the trees.
138   bool isEqual(const ImutAVLTree& RHS) const {
139     if (&RHS == this)
140       return true;
141
142     iterator LItr = begin(), LEnd = end();
143     iterator RItr = RHS.begin(), REnd = RHS.end();
144
145     while (LItr != LEnd && RItr != REnd) {
146       if (*LItr == *RItr) {
147         LItr.SkipSubTree();
148         RItr.SkipSubTree();
149         continue;
150       }
151
152       if (!LItr->ElementEqual(*RItr))
153         return false;
154
155       ++LItr;
156       ++RItr;
157     }
158
159     return LItr == LEnd && RItr == REnd;
160   }
161
162   /// isNotEqual - Compares two trees for structural inequality.  Performance
163   ///  is the same is isEqual.
164   bool isNotEqual(const ImutAVLTree& RHS) const { return !isEqual(RHS); }
165
166   /// contains - Returns true if this tree contains a subtree (node) that
167   ///  has an data element that matches the specified key.  Complexity
168   ///  is logarithmic in the size of the tree.
169   bool contains(key_type_ref K) { return (bool) find(K); }
170
171   /// foreach - A member template the accepts invokes operator() on a functor
172   ///  object (specifed by Callback) for every node/subtree in the tree.
173   ///  Nodes are visited using an inorder traversal.
174   template <typename Callback>
175   void foreach(Callback& C) {
176     if (ImutAVLTree* L = getLeft()) L->foreach(C);
177
178     C(Value);
179
180     if (ImutAVLTree* R = getRight()) R->foreach(C);
181   }
182
183   /// verify - A utility method that checks that the balancing and
184   ///  ordering invariants of the tree are satisifed.  It is a recursive
185   ///  method that returns the height of the tree, which is then consumed
186   ///  by the enclosing verify call.  External callers should ignore the
187   ///  return value.  An invalid tree will cause an assertion to fire in
188   ///  a debug build.
189   unsigned verify() const {
190     unsigned HL = getLeft() ? getLeft()->verify() : 0;
191     unsigned HR = getRight() ? getRight()->verify() : 0;
192
193     assert (getHeight() == ( HL > HR ? HL : HR ) + 1
194             && "Height calculation wrong.");
195
196     assert ((HL > HR ? HL-HR : HR-HL) <= 2
197             && "Balancing invariant violated.");
198
199
200     assert (!getLeft()
201             || ImutInfo::isLess(ImutInfo::KeyOfValue(getLeft()->getValue()),
202                                 ImutInfo::KeyOfValue(getValue()))
203             && "Value in left child is not less that current value.");
204
205
206     assert (!getRight()
207             || ImutInfo::isLess(ImutInfo::KeyOfValue(getValue()),
208                                 ImutInfo::KeyOfValue(getRight()->getValue()))
209             && "Current value is not less that value of right child.");
210
211     return getHeight();
212   }
213
214   /// Profile - Profiling for ImutAVLTree.
215   void Profile(llvm::FoldingSetNodeID& ID) {
216     ID.AddInteger(ComputeDigest());
217   }
218
219   //===----------------------------------------------------===//
220   // Internal Values.
221   //===----------------------------------------------------===//
222
223 private:
224   uintptr_t        Left;
225   ImutAVLTree*     Right;
226   unsigned         Height;
227   value_type       Value;
228   uint32_t         Digest;
229
230   //===----------------------------------------------------===//
231   // Internal methods (node manipulation; used by Factory).
232   //===----------------------------------------------------===//
233
234 private:
235
236   enum { Mutable = 0x1, NoCachedDigest = 0x2, LeftFlags = 0x3 };
237
238   /// ImutAVLTree - Internal constructor that is only called by
239   ///   ImutAVLFactory.
240   ImutAVLTree(ImutAVLTree* l, ImutAVLTree* r, value_type_ref v, unsigned height)
241   : Left(reinterpret_cast<uintptr_t>(l) | (Mutable | NoCachedDigest)),
242     Right(r), Height(height), Value(v), Digest(0) {}
243
244
245   /// isMutable - Returns true if the left and right subtree references
246   ///  (as well as height) can be changed.  If this method returns false,
247   ///  the tree is truly immutable.  Trees returned from an ImutAVLFactory
248   ///  object should always have this method return true.  Further, if this
249   ///  method returns false for an instance of ImutAVLTree, all subtrees
250   ///  will also have this method return false.  The converse is not true.
251   bool isMutable() const { return Left & Mutable; }
252   
253   /// hasCachedDigest - Returns true if the digest for this tree is cached.
254   ///  This can only be true if the tree is immutable.
255   bool hasCachedDigest() const { return !(Left & NoCachedDigest); }
256
257   //===----------------------------------------------------===//
258   // Mutating operations.  A tree root can be manipulated as
259   // long as its reference has not "escaped" from internal
260   // methods of a factory object (see below).  When a tree
261   // pointer is externally viewable by client code, the
262   // internal "mutable bit" is cleared to mark the tree
263   // immutable.  Note that a tree that still has its mutable
264   // bit set may have children (subtrees) that are themselves
265   // immutable.
266   //===----------------------------------------------------===//
267
268   /// MarkImmutable - Clears the mutable flag for a tree.  After this happens,
269   ///   it is an error to call setLeft(), setRight(), and setHeight().
270   void MarkImmutable() {
271     assert(isMutable() && "Mutable flag already removed.");
272     Left &= ~Mutable;
273   }
274   
275   /// MarkedCachedDigest - Clears the NoCachedDigest flag for a tree.
276   void MarkedCachedDigest() {
277     assert(!hasCachedDigest() && "NoCachedDigest flag already removed.");
278     Left &= ~NoCachedDigest;
279   }
280
281   /// setLeft - Changes the reference of the left subtree.  Used internally
282   ///   by ImutAVLFactory.
283   void setLeft(ImutAVLTree* NewLeft) {
284     assert(isMutable() &&
285            "Only a mutable tree can have its left subtree changed.");
286     Left = reinterpret_cast<uintptr_t>(NewLeft) | LeftFlags;
287   }
288
289   /// setRight - Changes the reference of the right subtree.  Used internally
290   ///  by ImutAVLFactory.
291   void setRight(ImutAVLTree* NewRight) {
292     assert(isMutable() &&
293            "Only a mutable tree can have its right subtree changed.");
294
295     Right = NewRight;
296     // Set the NoCachedDigest flag.
297     Left = Left | NoCachedDigest;
298
299   }
300
301   /// setHeight - Changes the height of the tree.  Used internally by
302   ///  ImutAVLFactory.
303   void setHeight(unsigned h) {
304     assert(isMutable() && "Only a mutable tree can have its height changed.");
305     Height = h;
306   }
307
308   static inline
309   uint32_t ComputeDigest(ImutAVLTree* L, ImutAVLTree* R, value_type_ref V) {
310     uint32_t digest = 0;
311
312     if (L)
313       digest += L->ComputeDigest();
314
315     // Compute digest of stored data.
316     FoldingSetNodeID ID;
317     ImutInfo::Profile(ID,V);
318     digest += ID.ComputeHash();
319
320     if (R)
321       digest += R->ComputeDigest();
322
323     return digest;
324   }
325
326   inline uint32_t ComputeDigest() {
327     // Check the lowest bit to determine if digest has actually been
328     // pre-computed.
329     if (hasCachedDigest())
330       return Digest;
331
332     uint32_t X = ComputeDigest(getLeft(), getRight(), getValue());
333     Digest = X;
334     MarkedCachedDigest();
335     return X;
336   }
337 };
338
339 //===----------------------------------------------------------------------===//
340 // Immutable AVL-Tree Factory class.
341 //===----------------------------------------------------------------------===//
342
343 template <typename ImutInfo >
344 class ImutAVLFactory {
345   typedef ImutAVLTree<ImutInfo> TreeTy;
346   typedef typename TreeTy::value_type_ref value_type_ref;
347   typedef typename TreeTy::key_type_ref   key_type_ref;
348
349   typedef FoldingSet<TreeTy> CacheTy;
350
351   CacheTy Cache;
352   uintptr_t Allocator;
353
354   bool ownsAllocator() const {
355     return Allocator & 0x1 ? false : true;
356   }
357
358   BumpPtrAllocator& getAllocator() const {
359     return *reinterpret_cast<BumpPtrAllocator*>(Allocator & ~0x1);
360   }
361
362   //===--------------------------------------------------===//
363   // Public interface.
364   //===--------------------------------------------------===//
365
366 public:
367   ImutAVLFactory()
368     : Allocator(reinterpret_cast<uintptr_t>(new BumpPtrAllocator())) {}
369
370   ImutAVLFactory(BumpPtrAllocator& Alloc)
371     : Allocator(reinterpret_cast<uintptr_t>(&Alloc) | 0x1) {}
372
373   ~ImutAVLFactory() {
374     if (ownsAllocator()) delete &getAllocator();
375   }
376
377   TreeTy* Add(TreeTy* T, value_type_ref V) {
378     T = Add_internal(V,T);
379     MarkImmutable(T);
380     return T;
381   }
382
383   TreeTy* Remove(TreeTy* T, key_type_ref V) {
384     T = Remove_internal(V,T);
385     MarkImmutable(T);
386     return T;
387   }
388
389   TreeTy* GetEmptyTree() const { return NULL; }
390
391   //===--------------------------------------------------===//
392   // A bunch of quick helper functions used for reasoning
393   // about the properties of trees and their children.
394   // These have succinct names so that the balancing code
395   // is as terse (and readable) as possible.
396   //===--------------------------------------------------===//
397 private:
398
399   bool           isEmpty(TreeTy* T) const { return !T; }
400   unsigned        Height(TreeTy* T) const { return T ? T->getHeight() : 0; }
401   TreeTy*           Left(TreeTy* T) const { return T->getLeft(); }
402   TreeTy*          Right(TreeTy* T) const { return T->getRight(); }
403   value_type_ref   Value(TreeTy* T) const { return T->Value; }
404
405   unsigned IncrementHeight(TreeTy* L, TreeTy* R) const {
406     unsigned hl = Height(L);
407     unsigned hr = Height(R);
408     return ( hl > hr ? hl : hr ) + 1;
409   }
410
411   static bool CompareTreeWithSection(TreeTy* T,
412                                      typename TreeTy::iterator& TI,
413                                      typename TreeTy::iterator& TE) {
414
415     typename TreeTy::iterator I = T->begin(), E = T->end();
416
417     for ( ; I!=E ; ++I, ++TI)
418       if (TI == TE || !I->ElementEqual(*TI))
419         return false;
420
421     return true;
422   }
423
424   //===--------------------------------------------------===//
425   // "CreateNode" is used to generate new tree roots that link
426   // to other trees.  The functon may also simply move links
427   // in an existing root if that root is still marked mutable.
428   // This is necessary because otherwise our balancing code
429   // would leak memory as it would create nodes that are
430   // then discarded later before the finished tree is
431   // returned to the caller.
432   //===--------------------------------------------------===//
433
434   TreeTy* CreateNode(TreeTy* L, value_type_ref V, TreeTy* R) {
435     // Search the FoldingSet bucket for a Tree with the same digest.
436     FoldingSetNodeID ID;
437     unsigned digest = TreeTy::ComputeDigest(L, R, V);
438     ID.AddInteger(digest);
439     unsigned hash = ID.ComputeHash();
440
441     typename CacheTy::bucket_iterator I = Cache.bucket_begin(hash);
442     typename CacheTy::bucket_iterator E = Cache.bucket_end(hash);
443
444     for (; I != E; ++I) {
445       TreeTy* T = &*I;
446
447       if (T->ComputeDigest() != digest)
448         continue;
449
450       // We found a collision.  Perform a comparison of Contents('T')
451       // with Contents('L')+'V'+Contents('R').
452       typename TreeTy::iterator TI = T->begin(), TE = T->end();
453
454       // First compare Contents('L') with the (initial) contents of T.
455       if (!CompareTreeWithSection(L, TI, TE))
456         continue;
457
458       // Now compare the new data element.
459       if (TI == TE || !TI->ElementEqual(V))
460         continue;
461
462       ++TI;
463
464       // Now compare the remainder of 'T' with 'R'.
465       if (!CompareTreeWithSection(R, TI, TE))
466         continue;
467
468       if (TI != TE)
469         continue; // Contents('R') did not match suffix of 'T'.
470
471       // Trees did match!  Return 'T'.
472       return T;
473     }
474
475     // No tree with the contents: Contents('L')+'V'+Contents('R').
476     // Create it.  Allocate the new tree node and insert it into the cache.
477     BumpPtrAllocator& A = getAllocator();
478     TreeTy* T = (TreeTy*) A.Allocate<TreeTy>();
479     new (T) TreeTy(L,R,V,IncrementHeight(L,R));
480
481     // We do not insert 'T' into the FoldingSet here.  This is because
482     // this tree is still mutable and things may get rebalanced.
483     // Because our digest is associative and based on the contents of
484     // the set, this should hopefully not cause any strange bugs.
485     // 'T' is inserted by 'MarkImmutable'.
486     return T;
487   }
488
489   TreeTy* CreateNode(TreeTy* L, TreeTy* OldTree, TreeTy* R) {
490     assert (!isEmpty(OldTree));
491
492     if (OldTree->isMutable()) {
493       OldTree->setLeft(L);
494       OldTree->setRight(R);
495       OldTree->setHeight(IncrementHeight(L,R));
496       return OldTree;
497     }
498     else
499       return CreateNode(L, Value(OldTree), R);
500   }
501
502   /// Balance - Used by Add_internal and Remove_internal to
503   ///  balance a newly created tree.
504   TreeTy* Balance(TreeTy* L, value_type_ref V, TreeTy* R) {
505
506     unsigned hl = Height(L);
507     unsigned hr = Height(R);
508
509     if (hl > hr + 2) {
510       assert (!isEmpty(L) &&
511               "Left tree cannot be empty to have a height >= 2.");
512
513       TreeTy* LL = Left(L);
514       TreeTy* LR = Right(L);
515
516       if (Height(LL) >= Height(LR))
517         return CreateNode(LL, L, CreateNode(LR,V,R));
518
519       assert (!isEmpty(LR) &&
520               "LR cannot be empty because it has a height >= 1.");
521
522       TreeTy* LRL = Left(LR);
523       TreeTy* LRR = Right(LR);
524
525       return CreateNode(CreateNode(LL,L,LRL), LR, CreateNode(LRR,V,R));
526     }
527     else if (hr > hl + 2) {
528       assert (!isEmpty(R) &&
529               "Right tree cannot be empty to have a height >= 2.");
530
531       TreeTy* RL = Left(R);
532       TreeTy* RR = Right(R);
533
534       if (Height(RR) >= Height(RL))
535         return CreateNode(CreateNode(L,V,RL), R, RR);
536
537       assert (!isEmpty(RL) &&
538               "RL cannot be empty because it has a height >= 1.");
539
540       TreeTy* RLL = Left(RL);
541       TreeTy* RLR = Right(RL);
542
543       return CreateNode(CreateNode(L,V,RLL), RL, CreateNode(RLR,R,RR));
544     }
545     else
546       return CreateNode(L,V,R);
547   }
548
549   /// Add_internal - Creates a new tree that includes the specified
550   ///  data and the data from the original tree.  If the original tree
551   ///  already contained the data item, the original tree is returned.
552   TreeTy* Add_internal(value_type_ref V, TreeTy* T) {
553     if (isEmpty(T))
554       return CreateNode(T, V, T);
555
556     assert (!T->isMutable());
557
558     key_type_ref K = ImutInfo::KeyOfValue(V);
559     key_type_ref KCurrent = ImutInfo::KeyOfValue(Value(T));
560
561     if (ImutInfo::isEqual(K,KCurrent))
562       return CreateNode(Left(T), V, Right(T));
563     else if (ImutInfo::isLess(K,KCurrent))
564       return Balance(Add_internal(V,Left(T)), Value(T), Right(T));
565     else
566       return Balance(Left(T), Value(T), Add_internal(V,Right(T)));
567   }
568
569   /// Remove_internal - Creates a new tree that includes all the data
570   ///  from the original tree except the specified data.  If the
571   ///  specified data did not exist in the original tree, the original
572   ///  tree is returned.
573   TreeTy* Remove_internal(key_type_ref K, TreeTy* T) {
574     if (isEmpty(T))
575       return T;
576
577     assert (!T->isMutable());
578
579     key_type_ref KCurrent = ImutInfo::KeyOfValue(Value(T));
580
581     if (ImutInfo::isEqual(K,KCurrent))
582       return CombineLeftRightTrees(Left(T),Right(T));
583     else if (ImutInfo::isLess(K,KCurrent))
584       return Balance(Remove_internal(K,Left(T)), Value(T), Right(T));
585     else
586       return Balance(Left(T), Value(T), Remove_internal(K,Right(T)));
587   }
588
589   TreeTy* CombineLeftRightTrees(TreeTy* L, TreeTy* R) {
590     if (isEmpty(L)) return R;
591     if (isEmpty(R)) return L;
592
593     TreeTy* OldNode;
594     TreeTy* NewRight = RemoveMinBinding(R,OldNode);
595     return Balance(L,Value(OldNode),NewRight);
596   }
597
598   TreeTy* RemoveMinBinding(TreeTy* T, TreeTy*& NodeRemoved) {
599     assert (!isEmpty(T));
600
601     if (isEmpty(Left(T))) {
602       NodeRemoved = T;
603       return Right(T);
604     }
605
606     return Balance(RemoveMinBinding(Left(T),NodeRemoved),Value(T),Right(T));
607   }
608
609   /// MarkImmutable - Clears the mutable bits of a root and all of its
610   ///  descendants.
611   void MarkImmutable(TreeTy* T) {
612     if (!T || !T->isMutable())
613       return;
614
615     T->MarkImmutable();
616     MarkImmutable(Left(T));
617     MarkImmutable(Right(T));
618
619     // Now that the node is immutable it can safely be inserted
620     // into the node cache.
621     llvm::FoldingSetNodeID ID;
622     ID.AddInteger(T->ComputeDigest());
623     Cache.InsertNode(T, (void*) &*Cache.bucket_end(ID.ComputeHash()));
624   }
625 };
626
627
628 //===----------------------------------------------------------------------===//
629 // Immutable AVL-Tree Iterators.
630 //===----------------------------------------------------------------------===//
631
632 template <typename ImutInfo>
633 class ImutAVLTreeGenericIterator {
634   SmallVector<uintptr_t,20> stack;
635 public:
636   enum VisitFlag { VisitedNone=0x0, VisitedLeft=0x1, VisitedRight=0x3,
637                    Flags=0x3 };
638
639   typedef ImutAVLTree<ImutInfo> TreeTy;
640   typedef ImutAVLTreeGenericIterator<ImutInfo> _Self;
641
642   inline ImutAVLTreeGenericIterator() {}
643   inline ImutAVLTreeGenericIterator(const TreeTy* Root) {
644     if (Root) stack.push_back(reinterpret_cast<uintptr_t>(Root));
645   }
646
647   TreeTy* operator*() const {
648     assert (!stack.empty());
649     return reinterpret_cast<TreeTy*>(stack.back() & ~Flags);
650   }
651
652   uintptr_t getVisitState() {
653     assert (!stack.empty());
654     return stack.back() & Flags;
655   }
656
657
658   bool AtEnd() const { return stack.empty(); }
659
660   bool AtBeginning() const {
661     return stack.size() == 1 && getVisitState() == VisitedNone;
662   }
663
664   void SkipToParent() {
665     assert (!stack.empty());
666     stack.pop_back();
667
668     if (stack.empty())
669       return;
670
671     switch (getVisitState()) {
672       case VisitedNone:
673         stack.back() |= VisitedLeft;
674         break;
675       case VisitedLeft:
676         stack.back() |= VisitedRight;
677         break;
678       default:
679         assert (false && "Unreachable.");
680     }
681   }
682
683   inline bool operator==(const _Self& x) const {
684     if (stack.size() != x.stack.size())
685       return false;
686
687     for (unsigned i = 0 ; i < stack.size(); i++)
688       if (stack[i] != x.stack[i])
689         return false;
690
691     return true;
692   }
693
694   inline bool operator!=(const _Self& x) const { return !operator==(x); }
695
696   _Self& operator++() {
697     assert (!stack.empty());
698
699     TreeTy* Current = reinterpret_cast<TreeTy*>(stack.back() & ~Flags);
700     assert (Current);
701
702     switch (getVisitState()) {
703       case VisitedNone:
704         if (TreeTy* L = Current->getLeft())
705           stack.push_back(reinterpret_cast<uintptr_t>(L));
706         else
707           stack.back() |= VisitedLeft;
708
709         break;
710
711       case VisitedLeft:
712         if (TreeTy* R = Current->getRight())
713           stack.push_back(reinterpret_cast<uintptr_t>(R));
714         else
715           stack.back() |= VisitedRight;
716
717         break;
718
719       case VisitedRight:
720         SkipToParent();
721         break;
722
723       default:
724         assert (false && "Unreachable.");
725     }
726
727     return *this;
728   }
729
730   _Self& operator--() {
731     assert (!stack.empty());
732
733     TreeTy* Current = reinterpret_cast<TreeTy*>(stack.back() & ~Flags);
734     assert (Current);
735
736     switch (getVisitState()) {
737       case VisitedNone:
738         stack.pop_back();
739         break;
740
741       case VisitedLeft:
742         stack.back() &= ~Flags; // Set state to "VisitedNone."
743
744         if (TreeTy* L = Current->getLeft())
745           stack.push_back(reinterpret_cast<uintptr_t>(L) | VisitedRight);
746
747         break;
748
749       case VisitedRight:
750         stack.back() &= ~Flags;
751         stack.back() |= VisitedLeft;
752
753         if (TreeTy* R = Current->getRight())
754           stack.push_back(reinterpret_cast<uintptr_t>(R) | VisitedRight);
755
756         break;
757
758       default:
759         assert (false && "Unreachable.");
760     }
761
762     return *this;
763   }
764 };
765
766 template <typename ImutInfo>
767 class ImutAVLTreeInOrderIterator {
768   typedef ImutAVLTreeGenericIterator<ImutInfo> InternalIteratorTy;
769   InternalIteratorTy InternalItr;
770
771 public:
772   typedef ImutAVLTree<ImutInfo> TreeTy;
773   typedef ImutAVLTreeInOrderIterator<ImutInfo> _Self;
774
775   ImutAVLTreeInOrderIterator(const TreeTy* Root) : InternalItr(Root) {
776     if (Root) operator++(); // Advance to first element.
777   }
778
779   ImutAVLTreeInOrderIterator() : InternalItr() {}
780
781   inline bool operator==(const _Self& x) const {
782     return InternalItr == x.InternalItr;
783   }
784
785   inline bool operator!=(const _Self& x) const { return !operator==(x); }
786
787   inline TreeTy* operator*() const { return *InternalItr; }
788   inline TreeTy* operator->() const { return *InternalItr; }
789
790   inline _Self& operator++() {
791     do ++InternalItr;
792     while (!InternalItr.AtEnd() &&
793            InternalItr.getVisitState() != InternalIteratorTy::VisitedLeft);
794
795     return *this;
796   }
797
798   inline _Self& operator--() {
799     do --InternalItr;
800     while (!InternalItr.AtBeginning() &&
801            InternalItr.getVisitState() != InternalIteratorTy::VisitedLeft);
802
803     return *this;
804   }
805
806   inline void SkipSubTree() {
807     InternalItr.SkipToParent();
808
809     while (!InternalItr.AtEnd() &&
810            InternalItr.getVisitState() != InternalIteratorTy::VisitedLeft)
811       ++InternalItr;
812   }
813 };
814
815 //===----------------------------------------------------------------------===//
816 // Trait classes for Profile information.
817 //===----------------------------------------------------------------------===//
818
819 /// Generic profile template.  The default behavior is to invoke the
820 /// profile method of an object.  Specializations for primitive integers
821 /// and generic handling of pointers is done below.
822 template <typename T>
823 struct ImutProfileInfo {
824   typedef const T  value_type;
825   typedef const T& value_type_ref;
826
827   static inline void Profile(FoldingSetNodeID& ID, value_type_ref X) {
828     FoldingSetTrait<T>::Profile(X,ID);
829   }
830 };
831
832 /// Profile traits for integers.
833 template <typename T>
834 struct ImutProfileInteger {
835   typedef const T  value_type;
836   typedef const T& value_type_ref;
837
838   static inline void Profile(FoldingSetNodeID& ID, value_type_ref X) {
839     ID.AddInteger(X);
840   }
841 };
842
843 #define PROFILE_INTEGER_INFO(X)\
844 template<> struct ImutProfileInfo<X> : ImutProfileInteger<X> {};
845
846 PROFILE_INTEGER_INFO(char)
847 PROFILE_INTEGER_INFO(unsigned char)
848 PROFILE_INTEGER_INFO(short)
849 PROFILE_INTEGER_INFO(unsigned short)
850 PROFILE_INTEGER_INFO(unsigned)
851 PROFILE_INTEGER_INFO(signed)
852 PROFILE_INTEGER_INFO(long)
853 PROFILE_INTEGER_INFO(unsigned long)
854 PROFILE_INTEGER_INFO(long long)
855 PROFILE_INTEGER_INFO(unsigned long long)
856
857 #undef PROFILE_INTEGER_INFO
858
859 /// Generic profile trait for pointer types.  We treat pointers as
860 /// references to unique objects.
861 template <typename T>
862 struct ImutProfileInfo<T*> {
863   typedef const T*   value_type;
864   typedef value_type value_type_ref;
865
866   static inline void Profile(FoldingSetNodeID &ID, value_type_ref X) {
867     ID.AddPointer(X);
868   }
869 };
870
871 //===----------------------------------------------------------------------===//
872 // Trait classes that contain element comparison operators and type
873 //  definitions used by ImutAVLTree, ImmutableSet, and ImmutableMap.  These
874 //  inherit from the profile traits (ImutProfileInfo) to include operations
875 //  for element profiling.
876 //===----------------------------------------------------------------------===//
877
878
879 /// ImutContainerInfo - Generic definition of comparison operations for
880 ///   elements of immutable containers that defaults to using
881 ///   std::equal_to<> and std::less<> to perform comparison of elements.
882 template <typename T>
883 struct ImutContainerInfo : public ImutProfileInfo<T> {
884   typedef typename ImutProfileInfo<T>::value_type      value_type;
885   typedef typename ImutProfileInfo<T>::value_type_ref  value_type_ref;
886   typedef value_type      key_type;
887   typedef value_type_ref  key_type_ref;
888   typedef bool            data_type;
889   typedef bool            data_type_ref;
890
891   static inline key_type_ref KeyOfValue(value_type_ref D) { return D; }
892   static inline data_type_ref DataOfValue(value_type_ref) { return true; }
893
894   static inline bool isEqual(key_type_ref LHS, key_type_ref RHS) {
895     return std::equal_to<key_type>()(LHS,RHS);
896   }
897
898   static inline bool isLess(key_type_ref LHS, key_type_ref RHS) {
899     return std::less<key_type>()(LHS,RHS);
900   }
901
902   static inline bool isDataEqual(data_type_ref,data_type_ref) { return true; }
903 };
904
905 /// ImutContainerInfo - Specialization for pointer values to treat pointers
906 ///  as references to unique objects.  Pointers are thus compared by
907 ///  their addresses.
908 template <typename T>
909 struct ImutContainerInfo<T*> : public ImutProfileInfo<T*> {
910   typedef typename ImutProfileInfo<T*>::value_type      value_type;
911   typedef typename ImutProfileInfo<T*>::value_type_ref  value_type_ref;
912   typedef value_type      key_type;
913   typedef value_type_ref  key_type_ref;
914   typedef bool            data_type;
915   typedef bool            data_type_ref;
916
917   static inline key_type_ref KeyOfValue(value_type_ref D) { return D; }
918   static inline data_type_ref DataOfValue(value_type_ref) { return true; }
919
920   static inline bool isEqual(key_type_ref LHS, key_type_ref RHS) {
921     return LHS == RHS;
922   }
923
924   static inline bool isLess(key_type_ref LHS, key_type_ref RHS) {
925     return LHS < RHS;
926   }
927
928   static inline bool isDataEqual(data_type_ref,data_type_ref) { return true; }
929 };
930
931 //===----------------------------------------------------------------------===//
932 // Immutable Set
933 //===----------------------------------------------------------------------===//
934
935 template <typename ValT, typename ValInfo = ImutContainerInfo<ValT> >
936 class ImmutableSet {
937 public:
938   typedef typename ValInfo::value_type      value_type;
939   typedef typename ValInfo::value_type_ref  value_type_ref;
940   typedef ImutAVLTree<ValInfo> TreeTy;
941
942 private:
943   TreeTy* Root;
944
945 public:
946   /// Constructs a set from a pointer to a tree root.  In general one
947   /// should use a Factory object to create sets instead of directly
948   /// invoking the constructor, but there are cases where make this
949   /// constructor public is useful.
950   explicit ImmutableSet(TreeTy* R) : Root(R) {}
951
952   class Factory {
953     typename TreeTy::Factory F;
954
955   public:
956     Factory() {}
957
958     Factory(BumpPtrAllocator& Alloc)
959       : F(Alloc) {}
960
961     /// GetEmptySet - Returns an immutable set that contains no elements.
962     ImmutableSet GetEmptySet() { return ImmutableSet(F.GetEmptyTree()); }
963
964     /// Add - Creates a new immutable set that contains all of the values
965     ///  of the original set with the addition of the specified value.  If
966     ///  the original set already included the value, then the original set is
967     ///  returned and no memory is allocated.  The time and space complexity
968     ///  of this operation is logarithmic in the size of the original set.
969     ///  The memory allocated to represent the set is released when the
970     ///  factory object that created the set is destroyed.
971     ImmutableSet Add(ImmutableSet Old, value_type_ref V) {
972       return ImmutableSet(F.Add(Old.Root,V));
973     }
974
975     /// Remove - Creates a new immutable set that contains all of the values
976     ///  of the original set with the exception of the specified value.  If
977     ///  the original set did not contain the value, the original set is
978     ///  returned and no memory is allocated.  The time and space complexity
979     ///  of this operation is logarithmic in the size of the original set.
980     ///  The memory allocated to represent the set is released when the
981     ///  factory object that created the set is destroyed.
982     ImmutableSet Remove(ImmutableSet Old, value_type_ref V) {
983       return ImmutableSet(F.Remove(Old.Root,V));
984     }
985
986     BumpPtrAllocator& getAllocator() { return F.getAllocator(); }
987
988   private:
989     Factory(const Factory& RHS) {};
990     void operator=(const Factory& RHS) {};
991   };
992
993   friend class Factory;
994
995   /// contains - Returns true if the set contains the specified value.
996   bool contains(value_type_ref V) const {
997     return Root ? Root->contains(V) : false;
998   }
999
1000   bool operator==(ImmutableSet RHS) const {
1001     return Root && RHS.Root ? Root->isEqual(*RHS.Root) : Root == RHS.Root;
1002   }
1003
1004   bool operator!=(ImmutableSet RHS) const {
1005     return Root && RHS.Root ? Root->isNotEqual(*RHS.Root) : Root != RHS.Root;
1006   }
1007
1008   TreeTy* getRoot() const { return Root; }
1009
1010   /// isEmpty - Return true if the set contains no elements.
1011   bool isEmpty() const { return !Root; }
1012
1013   /// isSingleton - Return true if the set contains exactly one element.
1014   ///   This method runs in constant time.
1015   bool isSingleton() const { return getHeight() == 1; }
1016
1017   template <typename Callback>
1018   void foreach(Callback& C) { if (Root) Root->foreach(C); }
1019
1020   template <typename Callback>
1021   void foreach() { if (Root) { Callback C; Root->foreach(C); } }
1022
1023   //===--------------------------------------------------===//
1024   // Iterators.
1025   //===--------------------------------------------------===//
1026
1027   class iterator {
1028     typename TreeTy::iterator itr;
1029     iterator(TreeTy* t) : itr(t) {}
1030     friend class ImmutableSet<ValT,ValInfo>;
1031   public:
1032     iterator() {}
1033     inline value_type_ref operator*() const { return itr->getValue(); }
1034     inline iterator& operator++() { ++itr; return *this; }
1035     inline iterator  operator++(int) { iterator tmp(*this); ++itr; return tmp; }
1036     inline iterator& operator--() { --itr; return *this; }
1037     inline iterator  operator--(int) { iterator tmp(*this); --itr; return tmp; }
1038     inline bool operator==(const iterator& RHS) const { return RHS.itr == itr; }
1039     inline bool operator!=(const iterator& RHS) const { return RHS.itr != itr; }
1040     inline value_type *operator->() const { return &(operator*()); }
1041   };
1042
1043   iterator begin() const { return iterator(Root); }
1044   iterator end() const { return iterator(); }
1045
1046   //===--------------------------------------------------===//
1047   // Utility methods.
1048   //===--------------------------------------------------===//
1049
1050   inline unsigned getHeight() const { return Root ? Root->getHeight() : 0; }
1051
1052   static inline void Profile(FoldingSetNodeID& ID, const ImmutableSet& S) {
1053     ID.AddPointer(S.Root);
1054   }
1055
1056   inline void Profile(FoldingSetNodeID& ID) const {
1057     return Profile(ID,*this);
1058   }
1059
1060   //===--------------------------------------------------===//
1061   // For testing.
1062   //===--------------------------------------------------===//
1063
1064   void verify() const { if (Root) Root->verify(); }
1065 };
1066
1067 } // end namespace llvm
1068
1069 #endif