1 //===-- ConstantRange.cpp - ConstantRange implementation ------------------===//
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 // Represent a range of possible values that may occur when the program is run
11 // for an integral value.  This keeps track of a lower and upper bound for the
12 // constant, which MAY wrap around the end of the numeric range.  To do this, it
13 // keeps track of a [lower, upper) bound, which specifies an interval just like
14 // STL iterators.  When used with boolean values, the following are important
15 // ranges (other integral ranges use min/max values for special range values):
16 //
17 //  [F, F) = {}     = Empty set
18 //  [T, F) = {T}
19 //  [F, T) = {F}
20 //  [T, T) = {F, T} = Full set
21 //
22 //===----------------------------------------------------------------------===//
23 
24 #include "llvm/IR/Instruction.h"
25 #include "llvm/IR/InstrTypes.h"
26 #include "llvm/IR/Operator.h"
27 #include "llvm/IR/ConstantRange.h"
28 #include "llvm/Support/Debug.h"
29 #include "llvm/Support/raw_ostream.h"
30 using namespace llvm;
31 
32 /// Initialize a full (the default) or empty set for the specified type.
33 ///
34 ConstantRange::ConstantRange(uint32_t BitWidth, bool Full) {
35   if (Full)
36     Lower = Upper = APInt::getMaxValue(BitWidth);
37   else
38     Lower = Upper = APInt::getMinValue(BitWidth);
39 }
40 
41 /// Initialize a range to hold the single specified value.
42 ///
43 ConstantRange::ConstantRange(APInt V)
44     : Lower(std::move(V)), Upper(Lower + 1) {}
45 
46 ConstantRange::ConstantRange(APInt L, APInt U)
47     : Lower(std::move(L)), Upper(std::move(U)) {
48   assert(Lower.getBitWidth() == Upper.getBitWidth() &&
49          "ConstantRange with unequal bit widths");
50   assert((Lower != Upper || (Lower.isMaxValue() || Lower.isMinValue())) &&
51          "Lower == Upper, but they aren't min or max value!");
52 }
53 
54 ConstantRange ConstantRange::makeAllowedICmpRegion(CmpInst::Predicate Pred,
55                                                    const ConstantRange &CR) {
56   if (CR.isEmptySet())
57     return CR;
58 
59   uint32_t W = CR.getBitWidth();
60   switch (Pred) {
61   default:
62     llvm_unreachable("Invalid ICmp predicate to makeAllowedICmpRegion()");
63   case CmpInst::ICMP_EQ:
64     return CR;
65   case CmpInst::ICMP_NE:
66     if (CR.isSingleElement())
67       return ConstantRange(CR.getUpper(), CR.getLower());
68     return ConstantRange(W);
69   case CmpInst::ICMP_ULT: {
70     APInt UMax(CR.getUnsignedMax());
71     if (UMax.isMinValue())
72       return ConstantRange(W, /* empty */ false);
73     return ConstantRange(APInt::getMinValue(W), UMax);
74   }
75   case CmpInst::ICMP_SLT: {
76     APInt SMax(CR.getSignedMax());
77     if (SMax.isMinSignedValue())
78       return ConstantRange(W, /* empty */ false);
79     return ConstantRange(APInt::getSignedMinValue(W), SMax);
80   }
81   case CmpInst::ICMP_ULE: {
82     APInt UMax(CR.getUnsignedMax());
83     if (UMax.isMaxValue())
84       return ConstantRange(W);
85     return ConstantRange(APInt::getMinValue(W), UMax + 1);
86   }
87   case CmpInst::ICMP_SLE: {
88     APInt SMax(CR.getSignedMax());
89     if (SMax.isMaxSignedValue())
90       return ConstantRange(W);
91     return ConstantRange(APInt::getSignedMinValue(W), SMax + 1);
92   }
93   case CmpInst::ICMP_UGT: {
94     APInt UMin(CR.getUnsignedMin());
95     if (UMin.isMaxValue())
96       return ConstantRange(W, /* empty */ false);
97     return ConstantRange(UMin + 1, APInt::getNullValue(W));
98   }
99   case CmpInst::ICMP_SGT: {
100     APInt SMin(CR.getSignedMin());
101     if (SMin.isMaxSignedValue())
102       return ConstantRange(W, /* empty */ false);
103     return ConstantRange(SMin + 1, APInt::getSignedMinValue(W));
104   }
105   case CmpInst::ICMP_UGE: {
106     APInt UMin(CR.getUnsignedMin());
107     if (UMin.isMinValue())
108       return ConstantRange(W);
109     return ConstantRange(UMin, APInt::getNullValue(W));
110   }
111   case CmpInst::ICMP_SGE: {
112     APInt SMin(CR.getSignedMin());
113     if (SMin.isMinSignedValue())
114       return ConstantRange(W);
115     return ConstantRange(SMin, APInt::getSignedMinValue(W));
116   }
117   }
118 }
119 
120 ConstantRange ConstantRange::makeSatisfyingICmpRegion(CmpInst::Predicate Pred,
121                                                       const ConstantRange &CR) {
122   // Follows from De-Morgan's laws:
123   //
124   // ~(~A union ~B) == A intersect B.
125   //
126   return makeAllowedICmpRegion(CmpInst::getInversePredicate(Pred), CR)
127       .inverse();
128 }
129 
130 ConstantRange ConstantRange::makeExactICmpRegion(CmpInst::Predicate Pred,
131                                                  const APInt &C) {
132   // Computes the exact range that is equal to both the constant ranges returned
133   // by makeAllowedICmpRegion and makeSatisfyingICmpRegion. This is always true
134   // when RHS is a singleton such as an APInt and so the assert is valid.
135   // However for non-singleton RHS, for example ult [2,5) makeAllowedICmpRegion
136   // returns [0,4) but makeSatisfyICmpRegion returns [0,2).
137   //
138   assert(makeAllowedICmpRegion(Pred, C) == makeSatisfyingICmpRegion(Pred, C));
139   return makeAllowedICmpRegion(Pred, C);
140 }
141 
142 bool ConstantRange::getEquivalentICmp(CmpInst::Predicate &Pred,
143                                       APInt &RHS) const {
144   bool Success = false;
145 
146   if (isFullSet() || isEmptySet()) {
147     Pred = isEmptySet() ? CmpInst::ICMP_ULT : CmpInst::ICMP_UGE;
148     RHS = APInt(getBitWidth(), 0);
149     Success = true;
150   } else if (auto *OnlyElt = getSingleElement()) {
151     Pred = CmpInst::ICMP_EQ;
152     RHS = *OnlyElt;
153     Success = true;
154   } else if (auto *OnlyMissingElt = getSingleMissingElement()) {
155     Pred = CmpInst::ICMP_NE;
156     RHS = *OnlyMissingElt;
157     Success = true;
158   } else if (getLower().isMinSignedValue() || getLower().isMinValue()) {
159     Pred =
160         getLower().isMinSignedValue() ? CmpInst::ICMP_SLT : CmpInst::ICMP_ULT;
161     RHS = getUpper();
162     Success = true;
163   } else if (getUpper().isMinSignedValue() || getUpper().isMinValue()) {
164     Pred =
165         getUpper().isMinSignedValue() ? CmpInst::ICMP_SGE : CmpInst::ICMP_UGE;
166     RHS = getLower();
167     Success = true;
168   }
169 
170   assert((!Success || ConstantRange::makeExactICmpRegion(Pred, RHS) == *this) &&
171          "Bad result!");
172 
173   return Success;
174 }
175 
176 ConstantRange
177 ConstantRange::makeGuaranteedNoWrapRegion(Instruction::BinaryOps BinOp,
178                                           const ConstantRange &Other,
179                                           unsigned NoWrapKind) {
180   typedef OverflowingBinaryOperator OBO;
181 
182   // Computes the intersection of CR0 and CR1.  It is different from
183   // intersectWith in that the ConstantRange returned will only contain elements
184   // in both CR0 and CR1 (i.e. SubsetIntersect(X, Y) is a *subset*, proper or
185   // not, of both X and Y).
186   auto SubsetIntersect =
187       [](const ConstantRange &CR0, const ConstantRange &CR1) {
188     return CR0.inverse().unionWith(CR1.inverse()).inverse();
189   };
190 
191   assert(BinOp >= Instruction::BinaryOpsBegin &&
192          BinOp < Instruction::BinaryOpsEnd && "Binary operators only!");
193 
194   assert((NoWrapKind == OBO::NoSignedWrap ||
195           NoWrapKind == OBO::NoUnsignedWrap ||
196           NoWrapKind == (OBO::NoUnsignedWrap | OBO::NoSignedWrap)) &&
197          "NoWrapKind invalid!");
198 
199   unsigned BitWidth = Other.getBitWidth();
200   if (BinOp != Instruction::Add)
201     // Conservative answer: empty set
202     return ConstantRange(BitWidth, false);
203 
204   if (auto *C = Other.getSingleElement())
205     if (C->isMinValue())
206       // Full set: nothing signed / unsigned wraps when added to 0.
207       return ConstantRange(BitWidth);
208 
209   ConstantRange Result(BitWidth);
210 
211   if (NoWrapKind & OBO::NoUnsignedWrap)
212     Result =
213         SubsetIntersect(Result, ConstantRange(APInt::getNullValue(BitWidth),
214                                               -Other.getUnsignedMax()));
215 
216   if (NoWrapKind & OBO::NoSignedWrap) {
217     APInt SignedMin = Other.getSignedMin();
218     APInt SignedMax = Other.getSignedMax();
219 
220     if (SignedMax.isStrictlyPositive())
221       Result = SubsetIntersect(
222           Result,
223           ConstantRange(APInt::getSignedMinValue(BitWidth),
224                         APInt::getSignedMinValue(BitWidth) - SignedMax));
225 
226     if (SignedMin.isNegative())
227       Result = SubsetIntersect(
228           Result, ConstantRange(APInt::getSignedMinValue(BitWidth) - SignedMin,
229                                 APInt::getSignedMinValue(BitWidth)));
230   }
231 
232   return Result;
233 }
234 
235 /// isFullSet - Return true if this set contains all of the elements possible
236 /// for this data-type
237 bool ConstantRange::isFullSet() const {
238   return Lower == Upper && Lower.isMaxValue();
239 }
240 
241 /// isEmptySet - Return true if this set contains no members.
242 ///
243 bool ConstantRange::isEmptySet() const {
244   return Lower == Upper && Lower.isMinValue();
245 }
246 
247 /// isWrappedSet - Return true if this set wraps around the top of the range,
248 /// for example: [100, 8)
249 ///
250 bool ConstantRange::isWrappedSet() const {
251   return Lower.ugt(Upper);
252 }
253 
254 /// isSignWrappedSet - Return true if this set wraps around the INT_MIN of
255 /// its bitwidth, for example: i8 [120, 140).
256 ///
257 bool ConstantRange::isSignWrappedSet() const {
258   return contains(APInt::getSignedMaxValue(getBitWidth())) &&
259          contains(APInt::getSignedMinValue(getBitWidth()));
260 }
261 
262 /// getSetSize - Return the number of elements in this set.
263 ///
264 APInt ConstantRange::getSetSize() const {
265   if (isFullSet()) {
266     APInt Size(getBitWidth()+1, 0);
267     Size.setBit(getBitWidth());
268     return Size;
269   }
270 
271   // This is also correct for wrapped sets.
272   return (Upper - Lower).zext(getBitWidth()+1);
273 }
274 
275 /// isSizeStrictlySmallerThanOf - Compare set size of this range with the range
276 /// CR.
277 /// This function is faster than comparing results of getSetSize for the two
278 /// ranges, because we don't need to extend bitwidth of APInts we're operating
279 /// with.
280 ///
281 bool
282 ConstantRange::isSizeStrictlySmallerThanOf(const ConstantRange &Other) const {
283   assert(getBitWidth() == Other.getBitWidth());
284   if (isFullSet())
285     return false;
286   if (Other.isFullSet())
287     return true;
288   return (Upper - Lower).ult(Other.Upper - Other.Lower);
289 }
290 
291 /// getUnsignedMax - Return the largest unsigned value contained in the
292 /// ConstantRange.
293 ///
294 APInt ConstantRange::getUnsignedMax() const {
295   if (isFullSet() || isWrappedSet())
296     return APInt::getMaxValue(getBitWidth());
297   return getUpper() - 1;
298 }
299 
300 /// getUnsignedMin - Return the smallest unsigned value contained in the
301 /// ConstantRange.
302 ///
303 APInt ConstantRange::getUnsignedMin() const {
304   if (isFullSet() || (isWrappedSet() && getUpper() != 0))
305     return APInt::getMinValue(getBitWidth());
306   return getLower();
307 }
308 
309 /// getSignedMax - Return the largest signed value contained in the
310 /// ConstantRange.
311 ///
312 APInt ConstantRange::getSignedMax() const {
313   APInt SignedMax(APInt::getSignedMaxValue(getBitWidth()));
314   if (!isWrappedSet()) {
315     if (getLower().sle(getUpper() - 1))
316       return getUpper() - 1;
317     return SignedMax;
318   }
319   if (getLower().isNegative() == getUpper().isNegative())
320     return SignedMax;
321   return getUpper() - 1;
322 }
323 
324 /// getSignedMin - Return the smallest signed value contained in the
325 /// ConstantRange.
326 ///
327 APInt ConstantRange::getSignedMin() const {
328   APInt SignedMin(APInt::getSignedMinValue(getBitWidth()));
329   if (!isWrappedSet()) {
330     if (getLower().sle(getUpper() - 1))
331       return getLower();
332     return SignedMin;
333   }
334   if ((getUpper() - 1).slt(getLower())) {
335     if (getUpper() != SignedMin)
336       return SignedMin;
337   }
338   return getLower();
339 }
340 
341 /// contains - Return true if the specified value is in the set.
342 ///
343 bool ConstantRange::contains(const APInt &V) const {
344   if (Lower == Upper)
345     return isFullSet();
346 
347   if (!isWrappedSet())
348     return Lower.ule(V) && V.ult(Upper);
349   return Lower.ule(V) || V.ult(Upper);
350 }
351 
352 /// contains - Return true if the argument is a subset of this range.
353 /// Two equal sets contain each other. The empty set contained by all other
354 /// sets.
355 ///
356 bool ConstantRange::contains(const ConstantRange &Other) const {
357   if (isFullSet() || Other.isEmptySet()) return true;
358   if (isEmptySet() || Other.isFullSet()) return false;
359 
360   if (!isWrappedSet()) {
361     if (Other.isWrappedSet())
362       return false;
363 
364     return Lower.ule(Other.getLower()) && Other.getUpper().ule(Upper);
365   }
366 
367   if (!Other.isWrappedSet())
368     return Other.getUpper().ule(Upper) ||
369            Lower.ule(Other.getLower());
370 
371   return Other.getUpper().ule(Upper) && Lower.ule(Other.getLower());
372 }
373 
374 /// subtract - Subtract the specified constant from the endpoints of this
375 /// constant range.
376 ConstantRange ConstantRange::subtract(const APInt &Val) const {
377   assert(Val.getBitWidth() == getBitWidth() && "Wrong bit width");
378   // If the set is empty or full, don't modify the endpoints.
379   if (Lower == Upper)
380     return *this;
381   return ConstantRange(Lower - Val, Upper - Val);
382 }
383 
384 /// \brief Subtract the specified range from this range (aka relative complement
385 /// of the sets).
386 ConstantRange ConstantRange::difference(const ConstantRange &CR) const {
387   return intersectWith(CR.inverse());
388 }
389 
390 /// intersectWith - Return the range that results from the intersection of this
391 /// range with another range.  The resultant range is guaranteed to include all
392 /// elements contained in both input ranges, and to have the smallest possible
393 /// set size that does so.  Because there may be two intersections with the
394 /// same set size, A.intersectWith(B) might not be equal to B.intersectWith(A).
395 ConstantRange ConstantRange::intersectWith(const ConstantRange &CR) const {
396   assert(getBitWidth() == CR.getBitWidth() &&
397          "ConstantRange types don't agree!");
398 
399   // Handle common cases.
400   if (   isEmptySet() || CR.isFullSet()) return *this;
401   if (CR.isEmptySet() ||    isFullSet()) return CR;
402 
403   if (!isWrappedSet() && CR.isWrappedSet())
404     return CR.intersectWith(*this);
405 
406   if (!isWrappedSet() && !CR.isWrappedSet()) {
407     if (Lower.ult(CR.Lower)) {
408       if (Upper.ule(CR.Lower))
409         return ConstantRange(getBitWidth(), false);
410 
411       if (Upper.ult(CR.Upper))
412         return ConstantRange(CR.Lower, Upper);
413 
414       return CR;
415     }
416     if (Upper.ult(CR.Upper))
417       return *this;
418 
419     if (Lower.ult(CR.Upper))
420       return ConstantRange(Lower, CR.Upper);
421 
422     return ConstantRange(getBitWidth(), false);
423   }
424 
425   if (isWrappedSet() && !CR.isWrappedSet()) {
426     if (CR.Lower.ult(Upper)) {
427       if (CR.Upper.ult(Upper))
428         return CR;
429 
430       if (CR.Upper.ule(Lower))
431         return ConstantRange(CR.Lower, Upper);
432 
433       if (isSizeStrictlySmallerThanOf(CR))
434         return *this;
435       return CR;
436     }
437     if (CR.Lower.ult(Lower)) {
438       if (CR.Upper.ule(Lower))
439         return ConstantRange(getBitWidth(), false);
440 
441       return ConstantRange(Lower, CR.Upper);
442     }
443     return CR;
444   }
445 
446   if (CR.Upper.ult(Upper)) {
447     if (CR.Lower.ult(Upper)) {
448       if (isSizeStrictlySmallerThanOf(CR))
449         return *this;
450       return CR;
451     }
452 
453     if (CR.Lower.ult(Lower))
454       return ConstantRange(Lower, CR.Upper);
455 
456     return CR;
457   }
458   if (CR.Upper.ule(Lower)) {
459     if (CR.Lower.ult(Lower))
460       return *this;
461 
462     return ConstantRange(CR.Lower, Upper);
463   }
464   if (isSizeStrictlySmallerThanOf(CR))
465     return *this;
466   return CR;
467 }
468 
469 
470 /// unionWith - Return the range that results from the union of this range with
471 /// another range.  The resultant range is guaranteed to include the elements of
472 /// both sets, but may contain more.  For example, [3, 9) union [12,15) is
473 /// [3, 15), which includes 9, 10, and 11, which were not included in either
474 /// set before.
475 ///
476 ConstantRange ConstantRange::unionWith(const ConstantRange &CR) const {
477   assert(getBitWidth() == CR.getBitWidth() &&
478          "ConstantRange types don't agree!");
479 
480   if (   isFullSet() || CR.isEmptySet()) return *this;
481   if (CR.isFullSet() ||    isEmptySet()) return CR;
482 
483   if (!isWrappedSet() && CR.isWrappedSet()) return CR.unionWith(*this);
484 
485   if (!isWrappedSet() && !CR.isWrappedSet()) {
486     if (CR.Upper.ult(Lower) || Upper.ult(CR.Lower)) {
487       // If the two ranges are disjoint, find the smaller gap and bridge it.
488       APInt d1 = CR.Lower - Upper, d2 = Lower - CR.Upper;
489       if (d1.ult(d2))
490         return ConstantRange(Lower, CR.Upper);
491       return ConstantRange(CR.Lower, Upper);
492     }
493 
494     APInt L = Lower, U = Upper;
495     if (CR.Lower.ult(L))
496       L = CR.Lower;
497     if ((CR.Upper - 1).ugt(U - 1))
498       U = CR.Upper;
499 
500     if (L == 0 && U == 0)
501       return ConstantRange(getBitWidth());
502 
503     return ConstantRange(L, U);
504   }
505 
506   if (!CR.isWrappedSet()) {
507     // ------U   L-----  and  ------U   L----- : this
508     //   L--U                            L--U  : CR
509     if (CR.Upper.ule(Upper) || CR.Lower.uge(Lower))
510       return *this;
511 
512     // ------U   L----- : this
513     //    L---------U   : CR
514     if (CR.Lower.ule(Upper) && Lower.ule(CR.Upper))
515       return ConstantRange(getBitWidth());
516 
517     // ----U       L---- : this
518     //       L---U       : CR
519     //    <d1>  <d2>
520     if (Upper.ule(CR.Lower) && CR.Upper.ule(Lower)) {
521       APInt d1 = CR.Lower - Upper, d2 = Lower - CR.Upper;
522       if (d1.ult(d2))
523         return ConstantRange(Lower, CR.Upper);
524       return ConstantRange(CR.Lower, Upper);
525     }
526 
527     // ----U     L----- : this
528     //        L----U    : CR
529     if (Upper.ult(CR.Lower) && Lower.ult(CR.Upper))
530       return ConstantRange(CR.Lower, Upper);
531 
532     // ------U    L---- : this
533     //    L-----U       : CR
534     assert(CR.Lower.ult(Upper) && CR.Upper.ult(Lower) &&
535            "ConstantRange::unionWith missed a case with one range wrapped");
536     return ConstantRange(Lower, CR.Upper);
537   }
538 
539   // ------U    L----  and  ------U    L---- : this
540   // -U  L-----------  and  ------------U  L : CR
541   if (CR.Lower.ule(Upper) || Lower.ule(CR.Upper))
542     return ConstantRange(getBitWidth());
543 
544   APInt L = Lower, U = Upper;
545   if (CR.Upper.ugt(U))
546     U = CR.Upper;
547   if (CR.Lower.ult(L))
548     L = CR.Lower;
549 
550   return ConstantRange(L, U);
551 }
552 
553 ConstantRange ConstantRange::castOp(Instruction::CastOps CastOp,
554                                     uint32_t ResultBitWidth) const {
555   switch (CastOp) {
556   default:
557     llvm_unreachable("unsupported cast type");
558   case Instruction::Trunc:
559     return truncate(ResultBitWidth);
560   case Instruction::SExt:
561     return signExtend(ResultBitWidth);
562   case Instruction::ZExt:
563     return zeroExtend(ResultBitWidth);
564   case Instruction::BitCast:
565     return *this;
566   case Instruction::FPToUI:
567   case Instruction::FPToSI:
568     if (getBitWidth() == ResultBitWidth)
569       return *this;
570     else
571       return ConstantRange(getBitWidth(), /*isFullSet=*/true);
572   case Instruction::UIToFP: {
573     // TODO: use input range if available
574     auto BW = getBitWidth();
575     APInt Min = APInt::getMinValue(BW).zextOrSelf(ResultBitWidth);
576     APInt Max = APInt::getMaxValue(BW).zextOrSelf(ResultBitWidth);
577     return ConstantRange(Min, Max);
578   }
579   case Instruction::SIToFP: {
580     // TODO: use input range if available
581     auto BW = getBitWidth();
582     APInt SMin = APInt::getSignedMinValue(BW).sextOrSelf(ResultBitWidth);
583     APInt SMax = APInt::getSignedMaxValue(BW).sextOrSelf(ResultBitWidth);
584     return ConstantRange(SMin, SMax);
585   }
586   case Instruction::FPTrunc:
587   case Instruction::FPExt:
588   case Instruction::IntToPtr:
589   case Instruction::PtrToInt:
590   case Instruction::AddrSpaceCast:
591     // Conservatively return full set.
592     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
593   };
594 }
595 
596 /// zeroExtend - Return a new range in the specified integer type, which must
597 /// be strictly larger than the current type.  The returned range will
598 /// correspond to the possible range of values as if the source range had been
599 /// zero extended.
600 ConstantRange ConstantRange::zeroExtend(uint32_t DstTySize) const {
601   if (isEmptySet()) return ConstantRange(DstTySize, /*isFullSet=*/false);
602 
603   unsigned SrcTySize = getBitWidth();
604   assert(SrcTySize < DstTySize && "Not a value extension");
605   if (isFullSet() || isWrappedSet()) {
606     // Change into [0, 1 << src bit width)
607     APInt LowerExt(DstTySize, 0);
608     if (!Upper) // special case: [X, 0) -- not really wrapping around
609       LowerExt = Lower.zext(DstTySize);
610     return ConstantRange(LowerExt, APInt::getOneBitSet(DstTySize, SrcTySize));
611   }
612 
613   return ConstantRange(Lower.zext(DstTySize), Upper.zext(DstTySize));
614 }
615 
616 /// signExtend - Return a new range in the specified integer type, which must
617 /// be strictly larger than the current type.  The returned range will
618 /// correspond to the possible range of values as if the source range had been
619 /// sign extended.
620 ConstantRange ConstantRange::signExtend(uint32_t DstTySize) const {
621   if (isEmptySet()) return ConstantRange(DstTySize, /*isFullSet=*/false);
622 
623   unsigned SrcTySize = getBitWidth();
624   assert(SrcTySize < DstTySize && "Not a value extension");
625 
626   // special case: [X, INT_MIN) -- not really wrapping around
627   if (Upper.isMinSignedValue())
628     return ConstantRange(Lower.sext(DstTySize), Upper.zext(DstTySize));
629 
630   if (isFullSet() || isSignWrappedSet()) {
631     return ConstantRange(APInt::getHighBitsSet(DstTySize,DstTySize-SrcTySize+1),
632                          APInt::getLowBitsSet(DstTySize, SrcTySize-1) + 1);
633   }
634 
635   return ConstantRange(Lower.sext(DstTySize), Upper.sext(DstTySize));
636 }
637 
638 /// truncate - Return a new range in the specified integer type, which must be
639 /// strictly smaller than the current type.  The returned range will
640 /// correspond to the possible range of values as if the source range had been
641 /// truncated to the specified type.
642 ConstantRange ConstantRange::truncate(uint32_t DstTySize) const {
643   assert(getBitWidth() > DstTySize && "Not a value truncation");
644   if (isEmptySet())
645     return ConstantRange(DstTySize, /*isFullSet=*/false);
646   if (isFullSet())
647     return ConstantRange(DstTySize, /*isFullSet=*/true);
648 
649   APInt MaxValue = APInt::getMaxValue(DstTySize).zext(getBitWidth());
650   APInt MaxBitValue(getBitWidth(), 0);
651   MaxBitValue.setBit(DstTySize);
652 
653   APInt LowerDiv(Lower), UpperDiv(Upper);
654   ConstantRange Union(DstTySize, /*isFullSet=*/false);
655 
656   // Analyze wrapped sets in their two parts: [0, Upper) \/ [Lower, MaxValue]
657   // We use the non-wrapped set code to analyze the [Lower, MaxValue) part, and
658   // then we do the union with [MaxValue, Upper)
659   if (isWrappedSet()) {
660     // If Upper is greater than Max Value, it covers the whole truncated range.
661     if (Upper.uge(MaxValue))
662       return ConstantRange(DstTySize, /*isFullSet=*/true);
663 
664     Union = ConstantRange(APInt::getMaxValue(DstTySize),Upper.trunc(DstTySize));
665     UpperDiv = APInt::getMaxValue(getBitWidth());
666 
667     // Union covers the MaxValue case, so return if the remaining range is just
668     // MaxValue.
669     if (LowerDiv == UpperDiv)
670       return Union;
671   }
672 
673   // Chop off the most significant bits that are past the destination bitwidth.
674   if (LowerDiv.uge(MaxValue)) {
675     APInt Div(getBitWidth(), 0);
676     APInt::udivrem(LowerDiv, MaxBitValue, Div, LowerDiv);
677     UpperDiv = UpperDiv - MaxBitValue * Div;
678   }
679 
680   if (UpperDiv.ule(MaxValue))
681     return ConstantRange(LowerDiv.trunc(DstTySize),
682                          UpperDiv.trunc(DstTySize)).unionWith(Union);
683 
684   // The truncated value wraps around. Check if we can do better than fullset.
685   APInt UpperModulo = UpperDiv - MaxBitValue;
686   if (UpperModulo.ult(LowerDiv))
687     return ConstantRange(LowerDiv.trunc(DstTySize),
688                          UpperModulo.trunc(DstTySize)).unionWith(Union);
689 
690   return ConstantRange(DstTySize, /*isFullSet=*/true);
691 }
692 
693 /// zextOrTrunc - make this range have the bit width given by \p DstTySize. The
694 /// value is zero extended, truncated, or left alone to make it that width.
695 ConstantRange ConstantRange::zextOrTrunc(uint32_t DstTySize) const {
696   unsigned SrcTySize = getBitWidth();
697   if (SrcTySize > DstTySize)
698     return truncate(DstTySize);
699   if (SrcTySize < DstTySize)
700     return zeroExtend(DstTySize);
701   return *this;
702 }
703 
704 /// sextOrTrunc - make this range have the bit width given by \p DstTySize. The
705 /// value is sign extended, truncated, or left alone to make it that width.
706 ConstantRange ConstantRange::sextOrTrunc(uint32_t DstTySize) const {
707   unsigned SrcTySize = getBitWidth();
708   if (SrcTySize > DstTySize)
709     return truncate(DstTySize);
710   if (SrcTySize < DstTySize)
711     return signExtend(DstTySize);
712   return *this;
713 }
714 
715 ConstantRange ConstantRange::binaryOp(Instruction::BinaryOps BinOp,
716                                       const ConstantRange &Other) const {
717   assert(BinOp >= Instruction::BinaryOpsBegin &&
718          BinOp < Instruction::BinaryOpsEnd && "Binary operators only!");
719 
720   switch (BinOp) {
721   case Instruction::Add:
722     return add(Other);
723   case Instruction::Sub:
724     return sub(Other);
725   case Instruction::Mul:
726     return multiply(Other);
727   case Instruction::UDiv:
728     return udiv(Other);
729   case Instruction::Shl:
730     return shl(Other);
731   case Instruction::LShr:
732     return lshr(Other);
733   case Instruction::And:
734     return binaryAnd(Other);
735   case Instruction::Or:
736     return binaryOr(Other);
737   // Note: floating point operations applied to abstract ranges are just
738   // ideal integer operations with a lossy representation
739   case Instruction::FAdd:
740     return add(Other);
741   case Instruction::FSub:
742     return sub(Other);
743   case Instruction::FMul:
744     return multiply(Other);
745   default:
746     // Conservatively return full set.
747     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
748   }
749 }
750 
751 ConstantRange
752 ConstantRange::add(const ConstantRange &Other) const {
753   if (isEmptySet() || Other.isEmptySet())
754     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
755   if (isFullSet() || Other.isFullSet())
756     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
757 
758   APInt NewLower = getLower() + Other.getLower();
759   APInt NewUpper = getUpper() + Other.getUpper() - 1;
760   if (NewLower == NewUpper)
761     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
762 
763   ConstantRange X = ConstantRange(NewLower, NewUpper);
764   if (X.isSizeStrictlySmallerThanOf(*this) ||
765       X.isSizeStrictlySmallerThanOf(Other))
766     // We've wrapped, therefore, full set.
767     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
768   return X;
769 }
770 
771 ConstantRange ConstantRange::addWithNoSignedWrap(const APInt &Other) const {
772   // Calculate the subset of this range such that "X + Other" is
773   // guaranteed not to wrap (overflow) for all X in this subset.
774   // makeGuaranteedNoWrapRegion will produce an exact NSW range since we are
775   // passing a single element range.
776   auto NSWRange = ConstantRange::makeGuaranteedNoWrapRegion(BinaryOperator::Add,
777                                       ConstantRange(Other),
778                                       OverflowingBinaryOperator::NoSignedWrap);
779   auto NSWConstrainedRange = intersectWith(NSWRange);
780 
781   return NSWConstrainedRange.add(ConstantRange(Other));
782 }
783 
784 ConstantRange
785 ConstantRange::sub(const ConstantRange &Other) const {
786   if (isEmptySet() || Other.isEmptySet())
787     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
788   if (isFullSet() || Other.isFullSet())
789     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
790 
791   APInt NewLower = getLower() - Other.getUpper() + 1;
792   APInt NewUpper = getUpper() - Other.getLower();
793   if (NewLower == NewUpper)
794     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
795 
796   ConstantRange X = ConstantRange(NewLower, NewUpper);
797   if (X.isSizeStrictlySmallerThanOf(*this) ||
798       X.isSizeStrictlySmallerThanOf(Other))
799     // We've wrapped, therefore, full set.
800     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
801   return X;
802 }
803 
804 ConstantRange
805 ConstantRange::multiply(const ConstantRange &Other) const {
806   // TODO: If either operand is a single element and the multiply is known to
807   // be non-wrapping, round the result min and max value to the appropriate
808   // multiple of that element. If wrapping is possible, at least adjust the
809   // range according to the greatest power-of-two factor of the single element.
810 
811   if (isEmptySet() || Other.isEmptySet())
812     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
813 
814   // Multiplication is signedness-independent. However different ranges can be
815   // obtained depending on how the input ranges are treated. These different
816   // ranges are all conservatively correct, but one might be better than the
817   // other. We calculate two ranges; one treating the inputs as unsigned
818   // and the other signed, then return the smallest of these ranges.
819 
820   // Unsigned range first.
821   APInt this_min = getUnsignedMin().zext(getBitWidth() * 2);
822   APInt this_max = getUnsignedMax().zext(getBitWidth() * 2);
823   APInt Other_min = Other.getUnsignedMin().zext(getBitWidth() * 2);
824   APInt Other_max = Other.getUnsignedMax().zext(getBitWidth() * 2);
825 
826   ConstantRange Result_zext = ConstantRange(this_min * Other_min,
827                                             this_max * Other_max + 1);
828   ConstantRange UR = Result_zext.truncate(getBitWidth());
829 
830   // If the unsigned range doesn't wrap, and isn't negative then it's a range
831   // from one positive number to another which is as good as we can generate.
832   // In this case, skip the extra work of generating signed ranges which aren't
833   // going to be better than this range.
834   if (!UR.isWrappedSet() && UR.getLower().isNonNegative())
835     return UR;
836 
837   // Now the signed range. Because we could be dealing with negative numbers
838   // here, the lower bound is the smallest of the cartesian product of the
839   // lower and upper ranges; for example:
840   //   [-1,4) * [-2,3) = min(-1*-2, -1*2, 3*-2, 3*2) = -6.
841   // Similarly for the upper bound, swapping min for max.
842 
843   this_min = getSignedMin().sext(getBitWidth() * 2);
844   this_max = getSignedMax().sext(getBitWidth() * 2);
845   Other_min = Other.getSignedMin().sext(getBitWidth() * 2);
846   Other_max = Other.getSignedMax().sext(getBitWidth() * 2);
847 
848   auto L = {this_min * Other_min, this_min * Other_max,
849             this_max * Other_min, this_max * Other_max};
850   auto Compare = [](const APInt &A, const APInt &B) { return A.slt(B); };
851   ConstantRange Result_sext(std::min(L, Compare), std::max(L, Compare) + 1);
852   ConstantRange SR = Result_sext.truncate(getBitWidth());
853 
854   return UR.isSizeStrictlySmallerThanOf(SR) ? UR : SR;
855 }
856 
857 ConstantRange
858 ConstantRange::smax(const ConstantRange &Other) const {
859   // X smax Y is: range(smax(X_smin, Y_smin),
860   //                    smax(X_smax, Y_smax))
861   if (isEmptySet() || Other.isEmptySet())
862     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
863   APInt NewL = APIntOps::smax(getSignedMin(), Other.getSignedMin());
864   APInt NewU = APIntOps::smax(getSignedMax(), Other.getSignedMax()) + 1;
865   if (NewU == NewL)
866     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
867   return ConstantRange(NewL, NewU);
868 }
869 
870 ConstantRange
871 ConstantRange::umax(const ConstantRange &Other) const {
872   // X umax Y is: range(umax(X_umin, Y_umin),
873   //                    umax(X_umax, Y_umax))
874   if (isEmptySet() || Other.isEmptySet())
875     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
876   APInt NewL = APIntOps::umax(getUnsignedMin(), Other.getUnsignedMin());
877   APInt NewU = APIntOps::umax(getUnsignedMax(), Other.getUnsignedMax()) + 1;
878   if (NewU == NewL)
879     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
880   return ConstantRange(NewL, NewU);
881 }
882 
883 ConstantRange
884 ConstantRange::smin(const ConstantRange &Other) const {
885   // X smin Y is: range(smin(X_smin, Y_smin),
886   //                    smin(X_smax, Y_smax))
887   if (isEmptySet() || Other.isEmptySet())
888     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
889   APInt NewL = APIntOps::smin(getSignedMin(), Other.getSignedMin());
890   APInt NewU = APIntOps::smin(getSignedMax(), Other.getSignedMax()) + 1;
891   if (NewU == NewL)
892     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
893   return ConstantRange(NewL, NewU);
894 }
895 
896 ConstantRange
897 ConstantRange::umin(const ConstantRange &Other) const {
898   // X umin Y is: range(umin(X_umin, Y_umin),
899   //                    umin(X_umax, Y_umax))
900   if (isEmptySet() || Other.isEmptySet())
901     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
902   APInt NewL = APIntOps::umin(getUnsignedMin(), Other.getUnsignedMin());
903   APInt NewU = APIntOps::umin(getUnsignedMax(), Other.getUnsignedMax()) + 1;
904   if (NewU == NewL)
905     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
906   return ConstantRange(NewL, NewU);
907 }
908 
909 ConstantRange
910 ConstantRange::udiv(const ConstantRange &RHS) const {
911   if (isEmptySet() || RHS.isEmptySet() || RHS.getUnsignedMax() == 0)
912     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
913   if (RHS.isFullSet())
914     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
915 
916   APInt Lower = getUnsignedMin().udiv(RHS.getUnsignedMax());
917 
918   APInt RHS_umin = RHS.getUnsignedMin();
919   if (RHS_umin == 0) {
920     // We want the lowest value in RHS excluding zero. Usually that would be 1
921     // except for a range in the form of [X, 1) in which case it would be X.
922     if (RHS.getUpper() == 1)
923       RHS_umin = RHS.getLower();
924     else
925       RHS_umin = APInt(getBitWidth(), 1);
926   }
927 
928   APInt Upper = getUnsignedMax().udiv(RHS_umin) + 1;
929 
930   // If the LHS is Full and the RHS is a wrapped interval containing 1 then
931   // this could occur.
932   if (Lower == Upper)
933     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
934 
935   return ConstantRange(Lower, Upper);
936 }
937 
938 ConstantRange
939 ConstantRange::binaryAnd(const ConstantRange &Other) const {
940   if (isEmptySet() || Other.isEmptySet())
941     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
942 
943   // TODO: replace this with something less conservative
944 
945   APInt umin = APIntOps::umin(Other.getUnsignedMax(), getUnsignedMax());
946   if (umin.isAllOnesValue())
947     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
948   return ConstantRange(APInt::getNullValue(getBitWidth()), umin + 1);
949 }
950 
951 ConstantRange
952 ConstantRange::binaryOr(const ConstantRange &Other) const {
953   if (isEmptySet() || Other.isEmptySet())
954     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
955 
956   // TODO: replace this with something less conservative
957 
958   APInt umax = APIntOps::umax(getUnsignedMin(), Other.getUnsignedMin());
959   if (umax.isMinValue())
960     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
961   return ConstantRange(umax, APInt::getNullValue(getBitWidth()));
962 }
963 
964 ConstantRange
965 ConstantRange::shl(const ConstantRange &Other) const {
966   if (isEmptySet() || Other.isEmptySet())
967     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
968 
969   APInt min = getUnsignedMin().shl(Other.getUnsignedMin());
970   APInt max = getUnsignedMax().shl(Other.getUnsignedMax());
971 
972   // there's no overflow!
973   APInt Zeros(getBitWidth(), getUnsignedMax().countLeadingZeros());
974   if (Zeros.ugt(Other.getUnsignedMax()))
975     return ConstantRange(min, max + 1);
976 
977   // FIXME: implement the other tricky cases
978   return ConstantRange(getBitWidth(), /*isFullSet=*/true);
979 }
980 
981 ConstantRange
982 ConstantRange::lshr(const ConstantRange &Other) const {
983   if (isEmptySet() || Other.isEmptySet())
984     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
985 
986   APInt max = getUnsignedMax().lshr(Other.getUnsignedMin());
987   APInt min = getUnsignedMin().lshr(Other.getUnsignedMax());
988   if (min == max + 1)
989     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
990 
991   return ConstantRange(min, max + 1);
992 }
993 
994 ConstantRange ConstantRange::inverse() const {
995   if (isFullSet())
996     return ConstantRange(getBitWidth(), /*isFullSet=*/false);
997   if (isEmptySet())
998     return ConstantRange(getBitWidth(), /*isFullSet=*/true);
999   return ConstantRange(Upper, Lower);
1000 }
1001 
1002 /// print - Print out the bounds to a stream...
1003 ///
1004 void ConstantRange::print(raw_ostream &OS) const {
1005   if (isFullSet())
1006     OS << "full-set";
1007   else if (isEmptySet())
1008     OS << "empty-set";
1009   else
1010     OS << "[" << Lower << "," << Upper << ")";
1011 }
1012 
1013 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
1014 /// dump - Allow printing from a debugger easily...
1015 ///
1016 LLVM_DUMP_METHOD void ConstantRange::dump() const {
1017   print(dbgs());
1018 }
1019 #endif
1020 
1021 ConstantRange llvm::getConstantRangeFromMetadata(const MDNode &Ranges) {
1022   const unsigned NumRanges = Ranges.getNumOperands() / 2;
1023   assert(NumRanges >= 1 && "Must have at least one range!");
1024   assert(Ranges.getNumOperands() % 2 == 0 && "Must be a sequence of pairs");
1025 
1026   auto *FirstLow = mdconst::extract<ConstantInt>(Ranges.getOperand(0));
1027   auto *FirstHigh = mdconst::extract<ConstantInt>(Ranges.getOperand(1));
1028 
1029   ConstantRange CR(FirstLow->getValue(), FirstHigh->getValue());
1030 
1031   for (unsigned i = 1; i < NumRanges; ++i) {
1032     auto *Low = mdconst::extract<ConstantInt>(Ranges.getOperand(2 * i + 0));
1033     auto *High = mdconst::extract<ConstantInt>(Ranges.getOperand(2 * i + 1));
1034 
1035     // Note: unionWith will potentially create a range that contains values not
1036     // contained in any of the original N ranges.
1037     CR = CR.unionWith(ConstantRange(Low->getValue(), High->getValue()));
1038   }
1039 
1040   return CR;
1041 }
1042