IR: Fix a use-after-free in RAUW
[oota-llvm.git] / lib / IR / Metadata.cpp
1 //===-- Metadata.cpp - Implement Metadata classes -------------------------===//
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 implements the Metadata classes.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "llvm/IR/Metadata.h"
15 #include "LLVMContextImpl.h"
16 #include "SymbolTableListTraitsImpl.h"
17 #include "llvm/ADT/DenseMap.h"
18 #include "llvm/ADT/STLExtras.h"
19 #include "llvm/ADT/SmallSet.h"
20 #include "llvm/ADT/SmallString.h"
21 #include "llvm/ADT/StringMap.h"
22 #include "llvm/IR/ConstantRange.h"
23 #include "llvm/IR/Instruction.h"
24 #include "llvm/IR/LLVMContext.h"
25 #include "llvm/IR/Module.h"
26 #include "llvm/IR/ValueHandle.h"
27
28 using namespace llvm;
29
30 MetadataAsValue::MetadataAsValue(Type *Ty, Metadata *MD)
31     : Value(Ty, MetadataAsValueVal), MD(MD) {
32   track();
33 }
34
35 MetadataAsValue::~MetadataAsValue() {
36   getType()->getContext().pImpl->MetadataAsValues.erase(MD);
37   untrack();
38 }
39
40 /// \brief Canonicalize metadata arguments to intrinsics.
41 ///
42 /// To support bitcode upgrades (and assembly semantic sugar) for \a
43 /// MetadataAsValue, we need to canonicalize certain metadata.
44 ///
45 ///   - nullptr is replaced by an empty MDNode.
46 ///   - An MDNode with a single null operand is replaced by an empty MDNode.
47 ///   - An MDNode whose only operand is a \a ConstantAsMetadata gets skipped.
48 ///
49 /// This maintains readability of bitcode from when metadata was a type of
50 /// value, and these bridges were unnecessary.
51 static Metadata *canonicalizeMetadataForValue(LLVMContext &Context,
52                                               Metadata *MD) {
53   if (!MD)
54     // !{}
55     return MDNode::get(Context, None);
56
57   // Return early if this isn't a single-operand MDNode.
58   auto *N = dyn_cast<MDNode>(MD);
59   if (!N || N->getNumOperands() != 1)
60     return MD;
61
62   if (!N->getOperand(0))
63     // !{}
64     return MDNode::get(Context, None);
65
66   if (auto *C = dyn_cast<ConstantAsMetadata>(N->getOperand(0)))
67     // Look through the MDNode.
68     return C;
69
70   return MD;
71 }
72
73 MetadataAsValue *MetadataAsValue::get(LLVMContext &Context, Metadata *MD) {
74   MD = canonicalizeMetadataForValue(Context, MD);
75   auto *&Entry = Context.pImpl->MetadataAsValues[MD];
76   if (!Entry)
77     Entry = new MetadataAsValue(Type::getMetadataTy(Context), MD);
78   return Entry;
79 }
80
81 MetadataAsValue *MetadataAsValue::getIfExists(LLVMContext &Context,
82                                               Metadata *MD) {
83   MD = canonicalizeMetadataForValue(Context, MD);
84   auto &Store = Context.pImpl->MetadataAsValues;
85   auto I = Store.find(MD);
86   return I == Store.end() ? nullptr : I->second;
87 }
88
89 void MetadataAsValue::handleChangedMetadata(Metadata *MD) {
90   LLVMContext &Context = getContext();
91   MD = canonicalizeMetadataForValue(Context, MD);
92   auto &Store = Context.pImpl->MetadataAsValues;
93
94   // Stop tracking the old metadata.
95   Store.erase(this->MD);
96   untrack();
97   this->MD = nullptr;
98
99   // Start tracking MD, or RAUW if necessary.
100   auto *&Entry = Store[MD];
101   if (Entry) {
102     replaceAllUsesWith(Entry);
103     delete this;
104     return;
105   }
106
107   this->MD = MD;
108   track();
109   Entry = this;
110 }
111
112 void MetadataAsValue::track() {
113   if (MD)
114     MetadataTracking::track(&MD, *MD, *this);
115 }
116
117 void MetadataAsValue::untrack() {
118   if (MD)
119     MetadataTracking::untrack(MD);
120 }
121
122 void ReplaceableMetadataImpl::addRef(void *Ref, OwnerTy Owner) {
123   bool WasInserted =
124       UseMap.insert(std::make_pair(Ref, std::make_pair(Owner, NextIndex)))
125           .second;
126   (void)WasInserted;
127   assert(WasInserted && "Expected to add a reference");
128
129   ++NextIndex;
130   assert(NextIndex != 0 && "Unexpected overflow");
131 }
132
133 void ReplaceableMetadataImpl::dropRef(void *Ref) {
134   bool WasErased = UseMap.erase(Ref);
135   (void)WasErased;
136   assert(WasErased && "Expected to drop a reference");
137 }
138
139 void ReplaceableMetadataImpl::moveRef(void *Ref, void *New,
140                                       const Metadata &MD) {
141   auto I = UseMap.find(Ref);
142   assert(I != UseMap.end() && "Expected to move a reference");
143   auto OwnerAndIndex = I->second;
144   UseMap.erase(I);
145   bool WasInserted = UseMap.insert(std::make_pair(New, OwnerAndIndex)).second;
146   (void)WasInserted;
147   assert(WasInserted && "Expected to add a reference");
148
149   // Check that the references are direct if there's no owner.
150   (void)MD;
151   assert((OwnerAndIndex.first || *static_cast<Metadata **>(Ref) == &MD) &&
152          "Reference without owner must be direct");
153   assert((OwnerAndIndex.first || *static_cast<Metadata **>(New) == &MD) &&
154          "Reference without owner must be direct");
155 }
156
157 void ReplaceableMetadataImpl::replaceAllUsesWith(Metadata *MD) {
158   assert(!(MD && isa<MDNodeFwdDecl>(MD)) && "Expected non-temp node");
159
160   if (UseMap.empty())
161     return;
162
163   // Copy out uses since UseMap will get touched below.
164   typedef std::pair<void *, std::pair<OwnerTy, uint64_t>> UseTy;
165   SmallVector<UseTy, 8> Uses(UseMap.begin(), UseMap.end());
166   std::sort(Uses.begin(), Uses.end(), [](const UseTy &L, const UseTy &R) {
167     return L.second.second < R.second.second;
168   });
169   for (const auto &Pair : Uses) {
170     // Check that this Ref hasn't disappeared after RAUW (when updating a
171     // previous Ref).
172     if (!UseMap.count(Pair.first))
173       continue;
174
175     OwnerTy Owner = Pair.second.first;
176     if (!Owner) {
177       // Update unowned tracking references directly.
178       Metadata *&Ref = *static_cast<Metadata **>(Pair.first);
179       Ref = MD;
180       if (MD)
181         MetadataTracking::track(Ref);
182       UseMap.erase(Pair.first);
183       continue;
184     }
185
186     // Check for MetadataAsValue.
187     if (Owner.is<MetadataAsValue *>()) {
188       Owner.get<MetadataAsValue *>()->handleChangedMetadata(MD);
189       continue;
190     }
191
192     // There's a Metadata owner -- dispatch.
193     Metadata *OwnerMD = Owner.get<Metadata *>();
194     switch (OwnerMD->getMetadataID()) {
195 #define HANDLE_METADATA_LEAF(CLASS)                                            \
196   case Metadata::CLASS##Kind:                                                  \
197     cast<CLASS>(OwnerMD)->handleChangedOperand(Pair.first, MD);                \
198     continue;
199 #include "llvm/IR/Metadata.def"
200     default:
201       llvm_unreachable("Invalid metadata subclass");
202     }
203   }
204   assert(UseMap.empty() && "Expected all uses to be replaced");
205 }
206
207 void ReplaceableMetadataImpl::resolveAllUses(bool ResolveUsers) {
208   if (UseMap.empty())
209     return;
210
211   if (!ResolveUsers) {
212     UseMap.clear();
213     return;
214   }
215
216   // Copy out uses since UseMap could get touched below.
217   typedef std::pair<void *, std::pair<OwnerTy, uint64_t>> UseTy;
218   SmallVector<UseTy, 8> Uses(UseMap.begin(), UseMap.end());
219   std::sort(Uses.begin(), Uses.end(), [](const UseTy &L, const UseTy &R) {
220     return L.second.second < R.second.second;
221   });
222   UseMap.clear();
223   for (const auto &Pair : Uses) {
224     auto Owner = Pair.second.first;
225     if (!Owner)
226       continue;
227     if (Owner.is<MetadataAsValue *>())
228       continue;
229
230     // Resolve UniquableMDNodes that point at this.
231     auto *OwnerMD = dyn_cast<UniquableMDNode>(Owner.get<Metadata *>());
232     if (!OwnerMD)
233       continue;
234     if (OwnerMD->isResolved())
235       continue;
236     OwnerMD->decrementUnresolvedOperandCount();
237   }
238 }
239
240 static Function *getLocalFunction(Value *V) {
241   assert(V && "Expected value");
242   if (auto *A = dyn_cast<Argument>(V))
243     return A->getParent();
244   if (BasicBlock *BB = cast<Instruction>(V)->getParent())
245     return BB->getParent();
246   return nullptr;
247 }
248
249 ValueAsMetadata *ValueAsMetadata::get(Value *V) {
250   assert(V && "Unexpected null Value");
251
252   auto &Context = V->getContext();
253   auto *&Entry = Context.pImpl->ValuesAsMetadata[V];
254   if (!Entry) {
255     assert((isa<Constant>(V) || isa<Argument>(V) || isa<Instruction>(V)) &&
256            "Expected constant or function-local value");
257     assert(!V->NameAndIsUsedByMD.getInt() &&
258            "Expected this to be the only metadata use");
259     V->NameAndIsUsedByMD.setInt(true);
260     if (auto *C = dyn_cast<Constant>(V))
261       Entry = new ConstantAsMetadata(C);
262     else
263       Entry = new LocalAsMetadata(V);
264   }
265
266   return Entry;
267 }
268
269 ValueAsMetadata *ValueAsMetadata::getIfExists(Value *V) {
270   assert(V && "Unexpected null Value");
271   return V->getContext().pImpl->ValuesAsMetadata.lookup(V);
272 }
273
274 void ValueAsMetadata::handleDeletion(Value *V) {
275   assert(V && "Expected valid value");
276
277   auto &Store = V->getType()->getContext().pImpl->ValuesAsMetadata;
278   auto I = Store.find(V);
279   if (I == Store.end())
280     return;
281
282   // Remove old entry from the map.
283   ValueAsMetadata *MD = I->second;
284   assert(MD && "Expected valid metadata");
285   assert(MD->getValue() == V && "Expected valid mapping");
286   Store.erase(I);
287
288   // Delete the metadata.
289   MD->replaceAllUsesWith(nullptr);
290   delete MD;
291 }
292
293 void ValueAsMetadata::handleRAUW(Value *From, Value *To) {
294   assert(From && "Expected valid value");
295   assert(To && "Expected valid value");
296   assert(From != To && "Expected changed value");
297   assert(From->getType() == To->getType() && "Unexpected type change");
298
299   LLVMContext &Context = From->getType()->getContext();
300   auto &Store = Context.pImpl->ValuesAsMetadata;
301   auto I = Store.find(From);
302   if (I == Store.end()) {
303     assert(!From->NameAndIsUsedByMD.getInt() &&
304            "Expected From not to be used by metadata");
305     return;
306   }
307
308   // Remove old entry from the map.
309   assert(From->NameAndIsUsedByMD.getInt() &&
310          "Expected From to be used by metadata");
311   From->NameAndIsUsedByMD.setInt(false);
312   ValueAsMetadata *MD = I->second;
313   assert(MD && "Expected valid metadata");
314   assert(MD->getValue() == From && "Expected valid mapping");
315   Store.erase(I);
316
317   if (isa<LocalAsMetadata>(MD)) {
318     if (auto *C = dyn_cast<Constant>(To)) {
319       // Local became a constant.
320       MD->replaceAllUsesWith(ConstantAsMetadata::get(C));
321       delete MD;
322       return;
323     }
324     if (getLocalFunction(From) && getLocalFunction(To) &&
325         getLocalFunction(From) != getLocalFunction(To)) {
326       // Function changed.
327       MD->replaceAllUsesWith(nullptr);
328       delete MD;
329       return;
330     }
331   } else if (!isa<Constant>(To)) {
332     // Changed to function-local value.
333     MD->replaceAllUsesWith(nullptr);
334     delete MD;
335     return;
336   }
337
338   auto *&Entry = Store[To];
339   if (Entry) {
340     // The target already exists.
341     MD->replaceAllUsesWith(Entry);
342     delete MD;
343     return;
344   }
345
346   // Update MD in place (and update the map entry).
347   assert(!To->NameAndIsUsedByMD.getInt() &&
348          "Expected this to be the only metadata use");
349   To->NameAndIsUsedByMD.setInt(true);
350   MD->V = To;
351   Entry = MD;
352 }
353
354 //===----------------------------------------------------------------------===//
355 // MDString implementation.
356 //
357
358 MDString *MDString::get(LLVMContext &Context, StringRef Str) {
359   auto &Store = Context.pImpl->MDStringCache;
360   auto I = Store.find(Str);
361   if (I != Store.end())
362     return &I->second;
363
364   auto *Entry =
365       StringMapEntry<MDString>::Create(Str, Store.getAllocator(), MDString());
366   bool WasInserted = Store.insert(Entry);
367   (void)WasInserted;
368   assert(WasInserted && "Expected entry to be inserted");
369   Entry->second.Entry = Entry;
370   return &Entry->second;
371 }
372
373 StringRef MDString::getString() const {
374   assert(Entry && "Expected to find string map entry");
375   return Entry->first();
376 }
377
378 //===----------------------------------------------------------------------===//
379 // MDNode implementation.
380 //
381
382 void *MDNode::operator new(size_t Size, unsigned NumOps) {
383   void *Ptr = ::operator new(Size + NumOps * sizeof(MDOperand));
384   MDOperand *O = static_cast<MDOperand *>(Ptr);
385   for (MDOperand *E = O + NumOps; O != E; ++O)
386     (void)new (O) MDOperand;
387   return O;
388 }
389
390 void MDNode::operator delete(void *Mem) {
391   MDNode *N = static_cast<MDNode *>(Mem);
392   MDOperand *O = static_cast<MDOperand *>(Mem);
393   for (MDOperand *E = O - N->NumOperands; O != E; --O)
394     (O - 1)->~MDOperand();
395   ::operator delete(O);
396 }
397
398 MDNode::MDNode(LLVMContext &Context, unsigned ID, ArrayRef<Metadata *> MDs)
399     : Metadata(ID), Context(Context), NumOperands(MDs.size()),
400       MDNodeSubclassData(0) {
401   for (unsigned I = 0, E = MDs.size(); I != E; ++I)
402     setOperand(I, MDs[I]);
403 }
404
405 bool MDNode::isResolved() const {
406   if (isa<MDNodeFwdDecl>(this))
407     return false;
408   return cast<UniquableMDNode>(this)->isResolved();
409 }
410
411 static bool isOperandUnresolved(Metadata *Op) {
412   if (auto *N = dyn_cast_or_null<MDNode>(Op))
413     return !N->isResolved();
414   return false;
415 }
416
417 UniquableMDNode::UniquableMDNode(LLVMContext &C, unsigned ID,
418                                  ArrayRef<Metadata *> Vals, bool AllowRAUW)
419     : MDNode(C, ID, Vals) {
420   if (!AllowRAUW)
421     return;
422
423   // Check whether any operands are unresolved, requiring re-uniquing.
424   unsigned NumUnresolved = 0;
425   for (const auto &Op : operands())
426     NumUnresolved += unsigned(isOperandUnresolved(Op));
427
428   if (!NumUnresolved)
429     return;
430
431   ReplaceableUses.reset(new ReplaceableMetadataImpl);
432   SubclassData32 = NumUnresolved;
433 }
434
435 void UniquableMDNode::resolve() {
436   assert(!isResolved() && "Expected this to be unresolved");
437
438   // Move the map, so that this immediately looks resolved.
439   auto Uses = std::move(ReplaceableUses);
440   SubclassData32 = 0;
441   assert(isResolved() && "Expected this to be resolved");
442
443   // Drop RAUW support.
444   Uses->resolveAllUses();
445 }
446
447 void UniquableMDNode::resolveAfterOperandChange(Metadata *Old, Metadata *New) {
448   assert(SubclassData32 != 0 && "Expected unresolved operands");
449
450   // Check if an operand was resolved.
451   if (!isOperandUnresolved(Old)) {
452     if (isOperandUnresolved(New))
453       // An operand was un-resolved!
454       ++SubclassData32;
455   } else if (!isOperandUnresolved(New))
456     decrementUnresolvedOperandCount();
457 }
458
459 void UniquableMDNode::decrementUnresolvedOperandCount() {
460   if (!--SubclassData32)
461     // Last unresolved operand has just been resolved.
462     resolve();
463 }
464
465 void UniquableMDNode::resolveCycles() {
466   if (isResolved())
467     return;
468
469   // Resolve this node immediately.
470   resolve();
471
472   // Resolve all operands.
473   for (const auto &Op : operands()) {
474     if (!Op)
475       continue;
476     assert(!isa<MDNodeFwdDecl>(Op) &&
477            "Expected all forward declarations to be resolved");
478     if (auto *N = dyn_cast<UniquableMDNode>(Op))
479       if (!N->isResolved())
480         N->resolveCycles();
481   }
482 }
483
484 void MDTuple::recalculateHash() {
485   setHash(hash_combine_range(op_begin(), op_end()));
486 #ifndef NDEBUG
487   {
488     SmallVector<Metadata *, 8> MDs(op_begin(), op_end());
489     unsigned RawHash = hash_combine_range(MDs.begin(), MDs.end());
490     assert(getHash() == RawHash &&
491            "Expected hash of MDOperand to equal hash of Metadata*");
492   }
493 #endif
494 }
495
496 void MDNode::dropAllReferences() {
497   for (unsigned I = 0, E = NumOperands; I != E; ++I)
498     setOperand(I, nullptr);
499   if (auto *N = dyn_cast<UniquableMDNode>(this))
500     if (!N->isResolved()) {
501       N->ReplaceableUses->resolveAllUses(/* ResolveUsers */ false);
502       N->ReplaceableUses.reset();
503     }
504 }
505
506 namespace llvm {
507 /// \brief Make MDOperand transparent for hashing.
508 ///
509 /// This overload of an implementation detail of the hashing library makes
510 /// MDOperand hash to the same value as a \a Metadata pointer.
511 ///
512 /// Note that overloading \a hash_value() as follows:
513 ///
514 /// \code
515 ///     size_t hash_value(const MDOperand &X) { return hash_value(X.get()); }
516 /// \endcode
517 ///
518 /// does not cause MDOperand to be transparent.  In particular, a bare pointer
519 /// doesn't get hashed before it's combined, whereas \a MDOperand would.
520 static const Metadata *get_hashable_data(const MDOperand &X) { return X.get(); }
521 }
522
523 void UniquableMDNode::handleChangedOperand(void *Ref, Metadata *New) {
524   unsigned Op = static_cast<MDOperand *>(Ref) - op_begin();
525   assert(Op < getNumOperands() && "Expected valid operand");
526
527   if (isStoredDistinctInContext()) {
528     assert(isResolved() && "Expected distinct node to be resolved");
529
530     // This node is not uniqued.  Just set the operand and be done with it.
531     setOperand(Op, New);
532     return;
533   }
534
535   // This node is uniqued.
536   eraseFromStore();
537
538   Metadata *Old = getOperand(Op);
539   setOperand(Op, New);
540
541   // Drop uniquing for self-reference cycles.
542   if (New == this) {
543     storeDistinctInContext();
544     if (!isResolved())
545       resolve();
546     return;
547   }
548
549   // Re-unique the node.
550   auto *Uniqued = uniquify();
551   if (Uniqued == this) {
552     if (!isResolved())
553       resolveAfterOperandChange(Old, New);
554     return;
555   }
556
557   // Collision.
558   if (!isResolved()) {
559     // Still unresolved, so RAUW.
560     //
561     // First, clear out all operands to prevent any recursion (similar to
562     // dropAllReferences(), but we still need the use-list).
563     for (unsigned O = 0, E = getNumOperands(); O != E; ++O)
564       setOperand(O, nullptr);
565     ReplaceableUses->replaceAllUsesWith(Uniqued);
566     deleteAsSubclass();
567     return;
568   }
569
570   // Store in non-uniqued form if RAUW isn't possible.
571   storeDistinctInContext();
572 }
573
574 void UniquableMDNode::deleteAsSubclass() {
575   switch (getMetadataID()) {
576   default:
577     llvm_unreachable("Invalid subclass of UniquableMDNode");
578 #define HANDLE_UNIQUABLE_LEAF(CLASS)                                           \
579   case CLASS##Kind:                                                            \
580     delete cast<CLASS>(this);                                                  \
581     break;
582 #include "llvm/IR/Metadata.def"
583   }
584 }
585
586 UniquableMDNode *UniquableMDNode::uniquify() {
587   switch (getMetadataID()) {
588   default:
589     llvm_unreachable("Invalid subclass of UniquableMDNode");
590 #define HANDLE_UNIQUABLE_LEAF(CLASS)                                           \
591   case CLASS##Kind:                                                            \
592     return cast<CLASS>(this)->uniquifyImpl();
593 #include "llvm/IR/Metadata.def"
594   }
595 }
596
597 void UniquableMDNode::eraseFromStore() {
598   switch (getMetadataID()) {
599   default:
600     llvm_unreachable("Invalid subclass of UniquableMDNode");
601 #define HANDLE_UNIQUABLE_LEAF(CLASS)                                           \
602   case CLASS##Kind:                                                            \
603     cast<CLASS>(this)->eraseFromStoreImpl();                                   \
604     break;
605 #include "llvm/IR/Metadata.def"
606   }
607 }
608
609 MDTuple *MDTuple::getImpl(LLVMContext &Context, ArrayRef<Metadata *> MDs,
610                           bool ShouldCreate) {
611   MDTupleInfo::KeyTy Key(MDs);
612
613   auto &Store = Context.pImpl->MDTuples;
614   auto I = Store.find_as(Key);
615   if (I != Store.end())
616     return *I;
617   if (!ShouldCreate)
618     return nullptr;
619
620   // Coallocate space for the node and Operands together, then placement new.
621   auto *N = new (MDs.size()) MDTuple(Context, MDs, /* AllowRAUW */ true);
622   N->setHash(Key.Hash);
623   Store.insert(N);
624   return N;
625 }
626
627 MDTuple *MDTuple::getDistinct(LLVMContext &Context, ArrayRef<Metadata *> MDs) {
628   auto *N = new (MDs.size()) MDTuple(Context, MDs, /* AllowRAUW */ false);
629   N->storeDistinctInContext();
630   return N;
631 }
632
633 MDTuple *MDTuple::uniquifyImpl() {
634   recalculateHash();
635   MDTupleInfo::KeyTy Key(this);
636
637   auto &Store = getContext().pImpl->MDTuples;
638   auto I = Store.find_as(Key);
639   if (I == Store.end()) {
640     Store.insert(this);
641     return this;
642   }
643   return *I;
644 }
645
646 void MDTuple::eraseFromStoreImpl() { getContext().pImpl->MDTuples.erase(this); }
647
648 MDLocation::MDLocation(LLVMContext &C, unsigned Line, unsigned Column,
649                        ArrayRef<Metadata *> MDs, bool AllowRAUW)
650     : UniquableMDNode(C, MDLocationKind, MDs, AllowRAUW) {
651   assert((MDs.size() == 1 || MDs.size() == 2) &&
652          "Expected a scope and optional inlined-at");
653
654   // Set line and column.
655   assert(Line < (1u << 24) && "Expected 24-bit line");
656   assert(Column < (1u << 8) && "Expected 8-bit column");
657
658   MDNodeSubclassData = Line;
659   SubclassData16 = Column;
660 }
661
662 MDLocation *MDLocation::constructHelper(LLVMContext &Context, unsigned Line,
663                                         unsigned Column, Metadata *Scope,
664                                         Metadata *InlinedAt, bool AllowRAUW) {
665   SmallVector<Metadata *, 2> Ops;
666   Ops.push_back(Scope);
667   if (InlinedAt)
668     Ops.push_back(InlinedAt);
669   return new (Ops.size()) MDLocation(Context, Line, Column, Ops, AllowRAUW);
670 }
671
672 static void adjustLine(unsigned &Line) {
673   // Set to unknown on overflow.  Still use 24 bits for now.
674   if (Line >= (1u << 24))
675     Line = 0;
676 }
677
678 static void adjustColumn(unsigned &Column) {
679   // Set to unknown on overflow.  Still use 8 bits for now.
680   if (Column >= (1u << 8))
681     Column = 0;
682 }
683
684 MDLocation *MDLocation::getImpl(LLVMContext &Context, unsigned Line,
685                                 unsigned Column, Metadata *Scope,
686                                 Metadata *InlinedAt, bool ShouldCreate) {
687   // Fixup line/column.
688   adjustLine(Line);
689   adjustColumn(Column);
690
691   MDLocationInfo::KeyTy Key(Line, Column, Scope, InlinedAt);
692
693   auto &Store = Context.pImpl->MDLocations;
694   auto I = Store.find_as(Key);
695   if (I != Store.end())
696     return *I;
697   if (!ShouldCreate)
698     return nullptr;
699
700   auto *N = constructHelper(Context, Line, Column, Scope, InlinedAt,
701                             /* AllowRAUW */ true);
702   Store.insert(N);
703   return N;
704 }
705
706 MDLocation *MDLocation::getDistinct(LLVMContext &Context, unsigned Line,
707                                     unsigned Column, Metadata *Scope,
708                                     Metadata *InlinedAt) {
709   // Fixup line/column.
710   adjustLine(Line);
711   adjustColumn(Column);
712
713   auto *N = constructHelper(Context, Line, Column, Scope, InlinedAt,
714                             /* AllowRAUW */ false);
715   N->storeDistinctInContext();
716   return N;
717 }
718
719 MDLocation *MDLocation::uniquifyImpl() {
720   MDLocationInfo::KeyTy Key(this);
721
722   auto &Store = getContext().pImpl->MDLocations;
723   auto I = Store.find_as(Key);
724   if (I == Store.end()) {
725     Store.insert(this);
726     return this;
727   }
728   return *I;
729 }
730
731 void MDLocation::eraseFromStoreImpl() {
732   getContext().pImpl->MDLocations.erase(this);
733 }
734
735 MDNodeFwdDecl *MDNode::getTemporary(LLVMContext &Context,
736                                     ArrayRef<Metadata *> MDs) {
737   return MDNodeFwdDecl::get(Context, MDs);
738 }
739
740 void MDNode::deleteTemporary(MDNode *N) { delete cast<MDNodeFwdDecl>(N); }
741
742 void UniquableMDNode::storeDistinctInContext() {
743   assert(!IsDistinctInContext && "Expected newly distinct metadata");
744   IsDistinctInContext = true;
745   if (auto *T = dyn_cast<MDTuple>(this))
746     T->setHash(0);
747   getContext().pImpl->DistinctMDNodes.insert(this);
748 }
749
750 void MDNode::replaceOperandWith(unsigned I, Metadata *New) {
751   if (getOperand(I) == New)
752     return;
753
754   if (isDistinct()) {
755     setOperand(I, New);
756     return;
757   }
758
759   cast<UniquableMDNode>(this)->handleChangedOperand(mutable_begin() + I, New);
760 }
761
762 void MDNode::setOperand(unsigned I, Metadata *New) {
763   assert(I < NumOperands);
764   if (isStoredDistinctInContext() || isa<MDNodeFwdDecl>(this))
765     // No need for a callback, this isn't uniqued.
766     mutable_begin()[I].reset(New, nullptr);
767   else
768     mutable_begin()[I].reset(New, this);
769 }
770
771 /// \brief Get a node, or a self-reference that looks like it.
772 ///
773 /// Special handling for finding self-references, for use by \a
774 /// MDNode::concatenate() and \a MDNode::intersect() to maintain behaviour from
775 /// when self-referencing nodes were still uniqued.  If the first operand has
776 /// the same operands as \c Ops, return the first operand instead.
777 static MDNode *getOrSelfReference(LLVMContext &Context,
778                                   ArrayRef<Metadata *> Ops) {
779   if (!Ops.empty())
780     if (MDNode *N = dyn_cast_or_null<MDNode>(Ops[0]))
781       if (N->getNumOperands() == Ops.size() && N == N->getOperand(0)) {
782         for (unsigned I = 1, E = Ops.size(); I != E; ++I)
783           if (Ops[I] != N->getOperand(I))
784             return MDNode::get(Context, Ops);
785         return N;
786       }
787
788   return MDNode::get(Context, Ops);
789 }
790
791 MDNode *MDNode::concatenate(MDNode *A, MDNode *B) {
792   if (!A)
793     return B;
794   if (!B)
795     return A;
796
797   SmallVector<Metadata *, 4> MDs(A->getNumOperands() + B->getNumOperands());
798
799   unsigned j = 0;
800   for (unsigned i = 0, ie = A->getNumOperands(); i != ie; ++i)
801     MDs[j++] = A->getOperand(i);
802   for (unsigned i = 0, ie = B->getNumOperands(); i != ie; ++i)
803     MDs[j++] = B->getOperand(i);
804
805   // FIXME: This preserves long-standing behaviour, but is it really the right
806   // behaviour?  Or was that an unintended side-effect of node uniquing?
807   return getOrSelfReference(A->getContext(), MDs);
808 }
809
810 MDNode *MDNode::intersect(MDNode *A, MDNode *B) {
811   if (!A || !B)
812     return nullptr;
813
814   SmallVector<Metadata *, 4> MDs;
815   for (unsigned i = 0, ie = A->getNumOperands(); i != ie; ++i) {
816     Metadata *MD = A->getOperand(i);
817     for (unsigned j = 0, je = B->getNumOperands(); j != je; ++j)
818       if (MD == B->getOperand(j)) {
819         MDs.push_back(MD);
820         break;
821       }
822   }
823
824   // FIXME: This preserves long-standing behaviour, but is it really the right
825   // behaviour?  Or was that an unintended side-effect of node uniquing?
826   return getOrSelfReference(A->getContext(), MDs);
827 }
828
829 MDNode *MDNode::getMostGenericFPMath(MDNode *A, MDNode *B) {
830   if (!A || !B)
831     return nullptr;
832
833   APFloat AVal = mdconst::extract<ConstantFP>(A->getOperand(0))->getValueAPF();
834   APFloat BVal = mdconst::extract<ConstantFP>(B->getOperand(0))->getValueAPF();
835   if (AVal.compare(BVal) == APFloat::cmpLessThan)
836     return A;
837   return B;
838 }
839
840 static bool isContiguous(const ConstantRange &A, const ConstantRange &B) {
841   return A.getUpper() == B.getLower() || A.getLower() == B.getUpper();
842 }
843
844 static bool canBeMerged(const ConstantRange &A, const ConstantRange &B) {
845   return !A.intersectWith(B).isEmptySet() || isContiguous(A, B);
846 }
847
848 static bool tryMergeRange(SmallVectorImpl<ConstantInt *> &EndPoints,
849                           ConstantInt *Low, ConstantInt *High) {
850   ConstantRange NewRange(Low->getValue(), High->getValue());
851   unsigned Size = EndPoints.size();
852   APInt LB = EndPoints[Size - 2]->getValue();
853   APInt LE = EndPoints[Size - 1]->getValue();
854   ConstantRange LastRange(LB, LE);
855   if (canBeMerged(NewRange, LastRange)) {
856     ConstantRange Union = LastRange.unionWith(NewRange);
857     Type *Ty = High->getType();
858     EndPoints[Size - 2] =
859         cast<ConstantInt>(ConstantInt::get(Ty, Union.getLower()));
860     EndPoints[Size - 1] =
861         cast<ConstantInt>(ConstantInt::get(Ty, Union.getUpper()));
862     return true;
863   }
864   return false;
865 }
866
867 static void addRange(SmallVectorImpl<ConstantInt *> &EndPoints,
868                      ConstantInt *Low, ConstantInt *High) {
869   if (!EndPoints.empty())
870     if (tryMergeRange(EndPoints, Low, High))
871       return;
872
873   EndPoints.push_back(Low);
874   EndPoints.push_back(High);
875 }
876
877 MDNode *MDNode::getMostGenericRange(MDNode *A, MDNode *B) {
878   // Given two ranges, we want to compute the union of the ranges. This
879   // is slightly complitade by having to combine the intervals and merge
880   // the ones that overlap.
881
882   if (!A || !B)
883     return nullptr;
884
885   if (A == B)
886     return A;
887
888   // First, walk both lists in older of the lower boundary of each interval.
889   // At each step, try to merge the new interval to the last one we adedd.
890   SmallVector<ConstantInt *, 4> EndPoints;
891   int AI = 0;
892   int BI = 0;
893   int AN = A->getNumOperands() / 2;
894   int BN = B->getNumOperands() / 2;
895   while (AI < AN && BI < BN) {
896     ConstantInt *ALow = mdconst::extract<ConstantInt>(A->getOperand(2 * AI));
897     ConstantInt *BLow = mdconst::extract<ConstantInt>(B->getOperand(2 * BI));
898
899     if (ALow->getValue().slt(BLow->getValue())) {
900       addRange(EndPoints, ALow,
901                mdconst::extract<ConstantInt>(A->getOperand(2 * AI + 1)));
902       ++AI;
903     } else {
904       addRange(EndPoints, BLow,
905                mdconst::extract<ConstantInt>(B->getOperand(2 * BI + 1)));
906       ++BI;
907     }
908   }
909   while (AI < AN) {
910     addRange(EndPoints, mdconst::extract<ConstantInt>(A->getOperand(2 * AI)),
911              mdconst::extract<ConstantInt>(A->getOperand(2 * AI + 1)));
912     ++AI;
913   }
914   while (BI < BN) {
915     addRange(EndPoints, mdconst::extract<ConstantInt>(B->getOperand(2 * BI)),
916              mdconst::extract<ConstantInt>(B->getOperand(2 * BI + 1)));
917     ++BI;
918   }
919
920   // If we have more than 2 ranges (4 endpoints) we have to try to merge
921   // the last and first ones.
922   unsigned Size = EndPoints.size();
923   if (Size > 4) {
924     ConstantInt *FB = EndPoints[0];
925     ConstantInt *FE = EndPoints[1];
926     if (tryMergeRange(EndPoints, FB, FE)) {
927       for (unsigned i = 0; i < Size - 2; ++i) {
928         EndPoints[i] = EndPoints[i + 2];
929       }
930       EndPoints.resize(Size - 2);
931     }
932   }
933
934   // If in the end we have a single range, it is possible that it is now the
935   // full range. Just drop the metadata in that case.
936   if (EndPoints.size() == 2) {
937     ConstantRange Range(EndPoints[0]->getValue(), EndPoints[1]->getValue());
938     if (Range.isFullSet())
939       return nullptr;
940   }
941
942   SmallVector<Metadata *, 4> MDs;
943   MDs.reserve(EndPoints.size());
944   for (auto *I : EndPoints)
945     MDs.push_back(ConstantAsMetadata::get(I));
946   return MDNode::get(A->getContext(), MDs);
947 }
948
949 //===----------------------------------------------------------------------===//
950 // NamedMDNode implementation.
951 //
952
953 static SmallVector<TrackingMDRef, 4> &getNMDOps(void *Operands) {
954   return *(SmallVector<TrackingMDRef, 4> *)Operands;
955 }
956
957 NamedMDNode::NamedMDNode(const Twine &N)
958     : Name(N.str()), Parent(nullptr),
959       Operands(new SmallVector<TrackingMDRef, 4>()) {}
960
961 NamedMDNode::~NamedMDNode() {
962   dropAllReferences();
963   delete &getNMDOps(Operands);
964 }
965
966 unsigned NamedMDNode::getNumOperands() const {
967   return (unsigned)getNMDOps(Operands).size();
968 }
969
970 MDNode *NamedMDNode::getOperand(unsigned i) const {
971   assert(i < getNumOperands() && "Invalid Operand number!");
972   auto *N = getNMDOps(Operands)[i].get();
973   return cast_or_null<MDNode>(N);
974 }
975
976 void NamedMDNode::addOperand(MDNode *M) { getNMDOps(Operands).emplace_back(M); }
977
978 void NamedMDNode::setOperand(unsigned I, MDNode *New) {
979   assert(I < getNumOperands() && "Invalid operand number");
980   getNMDOps(Operands)[I].reset(New);
981 }
982
983 void NamedMDNode::eraseFromParent() {
984   getParent()->eraseNamedMetadata(this);
985 }
986
987 void NamedMDNode::dropAllReferences() {
988   getNMDOps(Operands).clear();
989 }
990
991 StringRef NamedMDNode::getName() const {
992   return StringRef(Name);
993 }
994
995 //===----------------------------------------------------------------------===//
996 // Instruction Metadata method implementations.
997 //
998
999 void Instruction::setMetadata(StringRef Kind, MDNode *Node) {
1000   if (!Node && !hasMetadata())
1001     return;
1002   setMetadata(getContext().getMDKindID(Kind), Node);
1003 }
1004
1005 MDNode *Instruction::getMetadataImpl(StringRef Kind) const {
1006   return getMetadataImpl(getContext().getMDKindID(Kind));
1007 }
1008
1009 void Instruction::dropUnknownMetadata(ArrayRef<unsigned> KnownIDs) {
1010   SmallSet<unsigned, 5> KnownSet;
1011   KnownSet.insert(KnownIDs.begin(), KnownIDs.end());
1012
1013   // Drop debug if needed
1014   if (KnownSet.erase(LLVMContext::MD_dbg))
1015     DbgLoc = DebugLoc();
1016
1017   if (!hasMetadataHashEntry())
1018     return; // Nothing to remove!
1019
1020   DenseMap<const Instruction *, LLVMContextImpl::MDMapTy> &MetadataStore =
1021       getContext().pImpl->MetadataStore;
1022
1023   if (KnownSet.empty()) {
1024     // Just drop our entry at the store.
1025     MetadataStore.erase(this);
1026     setHasMetadataHashEntry(false);
1027     return;
1028   }
1029
1030   LLVMContextImpl::MDMapTy &Info = MetadataStore[this];
1031   unsigned I;
1032   unsigned E;
1033   // Walk the array and drop any metadata we don't know.
1034   for (I = 0, E = Info.size(); I != E;) {
1035     if (KnownSet.count(Info[I].first)) {
1036       ++I;
1037       continue;
1038     }
1039
1040     Info[I] = std::move(Info.back());
1041     Info.pop_back();
1042     --E;
1043   }
1044   assert(E == Info.size());
1045
1046   if (E == 0) {
1047     // Drop our entry at the store.
1048     MetadataStore.erase(this);
1049     setHasMetadataHashEntry(false);
1050   }
1051 }
1052
1053 /// setMetadata - Set the metadata of of the specified kind to the specified
1054 /// node.  This updates/replaces metadata if already present, or removes it if
1055 /// Node is null.
1056 void Instruction::setMetadata(unsigned KindID, MDNode *Node) {
1057   if (!Node && !hasMetadata())
1058     return;
1059
1060   // Handle 'dbg' as a special case since it is not stored in the hash table.
1061   if (KindID == LLVMContext::MD_dbg) {
1062     DbgLoc = DebugLoc::getFromDILocation(Node);
1063     return;
1064   }
1065   
1066   // Handle the case when we're adding/updating metadata on an instruction.
1067   if (Node) {
1068     LLVMContextImpl::MDMapTy &Info = getContext().pImpl->MetadataStore[this];
1069     assert(!Info.empty() == hasMetadataHashEntry() &&
1070            "HasMetadata bit is wonked");
1071     if (Info.empty()) {
1072       setHasMetadataHashEntry(true);
1073     } else {
1074       // Handle replacement of an existing value.
1075       for (auto &P : Info)
1076         if (P.first == KindID) {
1077           P.second.reset(Node);
1078           return;
1079         }
1080     }
1081
1082     // No replacement, just add it to the list.
1083     Info.emplace_back(std::piecewise_construct, std::make_tuple(KindID),
1084                       std::make_tuple(Node));
1085     return;
1086   }
1087
1088   // Otherwise, we're removing metadata from an instruction.
1089   assert((hasMetadataHashEntry() ==
1090           (getContext().pImpl->MetadataStore.count(this) > 0)) &&
1091          "HasMetadata bit out of date!");
1092   if (!hasMetadataHashEntry())
1093     return;  // Nothing to remove!
1094   LLVMContextImpl::MDMapTy &Info = getContext().pImpl->MetadataStore[this];
1095
1096   // Common case is removing the only entry.
1097   if (Info.size() == 1 && Info[0].first == KindID) {
1098     getContext().pImpl->MetadataStore.erase(this);
1099     setHasMetadataHashEntry(false);
1100     return;
1101   }
1102
1103   // Handle removal of an existing value.
1104   for (unsigned i = 0, e = Info.size(); i != e; ++i)
1105     if (Info[i].first == KindID) {
1106       Info[i] = std::move(Info.back());
1107       Info.pop_back();
1108       assert(!Info.empty() && "Removing last entry should be handled above");
1109       return;
1110     }
1111   // Otherwise, removing an entry that doesn't exist on the instruction.
1112 }
1113
1114 void Instruction::setAAMetadata(const AAMDNodes &N) {
1115   setMetadata(LLVMContext::MD_tbaa, N.TBAA);
1116   setMetadata(LLVMContext::MD_alias_scope, N.Scope);
1117   setMetadata(LLVMContext::MD_noalias, N.NoAlias);
1118 }
1119
1120 MDNode *Instruction::getMetadataImpl(unsigned KindID) const {
1121   // Handle 'dbg' as a special case since it is not stored in the hash table.
1122   if (KindID == LLVMContext::MD_dbg)
1123     return DbgLoc.getAsMDNode();
1124
1125   if (!hasMetadataHashEntry()) return nullptr;
1126   
1127   LLVMContextImpl::MDMapTy &Info = getContext().pImpl->MetadataStore[this];
1128   assert(!Info.empty() && "bit out of sync with hash table");
1129
1130   for (const auto &I : Info)
1131     if (I.first == KindID)
1132       return I.second;
1133   return nullptr;
1134 }
1135
1136 void Instruction::getAllMetadataImpl(
1137     SmallVectorImpl<std::pair<unsigned, MDNode *>> &Result) const {
1138   Result.clear();
1139   
1140   // Handle 'dbg' as a special case since it is not stored in the hash table.
1141   if (!DbgLoc.isUnknown()) {
1142     Result.push_back(
1143         std::make_pair((unsigned)LLVMContext::MD_dbg, DbgLoc.getAsMDNode()));
1144     if (!hasMetadataHashEntry()) return;
1145   }
1146   
1147   assert(hasMetadataHashEntry() &&
1148          getContext().pImpl->MetadataStore.count(this) &&
1149          "Shouldn't have called this");
1150   const LLVMContextImpl::MDMapTy &Info =
1151     getContext().pImpl->MetadataStore.find(this)->second;
1152   assert(!Info.empty() && "Shouldn't have called this");
1153
1154   Result.reserve(Result.size() + Info.size());
1155   for (auto &I : Info)
1156     Result.push_back(std::make_pair(I.first, cast<MDNode>(I.second.get())));
1157
1158   // Sort the resulting array so it is stable.
1159   if (Result.size() > 1)
1160     array_pod_sort(Result.begin(), Result.end());
1161 }
1162
1163 void Instruction::getAllMetadataOtherThanDebugLocImpl(
1164     SmallVectorImpl<std::pair<unsigned, MDNode *>> &Result) const {
1165   Result.clear();
1166   assert(hasMetadataHashEntry() &&
1167          getContext().pImpl->MetadataStore.count(this) &&
1168          "Shouldn't have called this");
1169   const LLVMContextImpl::MDMapTy &Info =
1170     getContext().pImpl->MetadataStore.find(this)->second;
1171   assert(!Info.empty() && "Shouldn't have called this");
1172   Result.reserve(Result.size() + Info.size());
1173   for (auto &I : Info)
1174     Result.push_back(std::make_pair(I.first, cast<MDNode>(I.second.get())));
1175
1176   // Sort the resulting array so it is stable.
1177   if (Result.size() > 1)
1178     array_pod_sort(Result.begin(), Result.end());
1179 }
1180
1181 /// clearMetadataHashEntries - Clear all hashtable-based metadata from
1182 /// this instruction.
1183 void Instruction::clearMetadataHashEntries() {
1184   assert(hasMetadataHashEntry() && "Caller should check");
1185   getContext().pImpl->MetadataStore.erase(this);
1186   setHasMetadataHashEntry(false);
1187 }