1 //===- Instructions.cpp - Implement the LLVM instructions -----------------===// 2 // 3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. 4 // See https://llvm.org/LICENSE.txt for license information. 5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception 6 // 7 //===----------------------------------------------------------------------===// 8 // 9 // This file implements all of the non-inline methods for the LLVM instruction 10 // classes. 11 // 12 //===----------------------------------------------------------------------===// 13 14 #include "llvm/IR/Instructions.h" 15 #include "LLVMContextImpl.h" 16 #include "llvm/ADT/None.h" 17 #include "llvm/ADT/SmallVector.h" 18 #include "llvm/ADT/Twine.h" 19 #include "llvm/IR/Attributes.h" 20 #include "llvm/IR/BasicBlock.h" 21 #include "llvm/IR/Constant.h" 22 #include "llvm/IR/Constants.h" 23 #include "llvm/IR/DataLayout.h" 24 #include "llvm/IR/DerivedTypes.h" 25 #include "llvm/IR/Function.h" 26 #include "llvm/IR/InstrTypes.h" 27 #include "llvm/IR/Instruction.h" 28 #include "llvm/IR/Intrinsics.h" 29 #include "llvm/IR/LLVMContext.h" 30 #include "llvm/IR/MDBuilder.h" 31 #include "llvm/IR/Metadata.h" 32 #include "llvm/IR/Module.h" 33 #include "llvm/IR/Operator.h" 34 #include "llvm/IR/Type.h" 35 #include "llvm/IR/Value.h" 36 #include "llvm/Support/AtomicOrdering.h" 37 #include "llvm/Support/Casting.h" 38 #include "llvm/Support/ErrorHandling.h" 39 #include "llvm/Support/MathExtras.h" 40 #include "llvm/Support/TypeSize.h" 41 #include <algorithm> 42 #include <cassert> 43 #include <cstdint> 44 #include <vector> 45 46 using namespace llvm; 47 48 //===----------------------------------------------------------------------===// 49 // AllocaInst Class 50 //===----------------------------------------------------------------------===// 51 52 Optional<TypeSize> 53 AllocaInst::getAllocationSizeInBits(const DataLayout &DL) const { 54 TypeSize Size = DL.getTypeAllocSizeInBits(getAllocatedType()); 55 if (isArrayAllocation()) { 56 auto *C = dyn_cast<ConstantInt>(getArraySize()); 57 if (!C) 58 return None; 59 assert(!Size.isScalable() && "Array elements cannot have a scalable size"); 60 Size *= C->getZExtValue(); 61 } 62 return Size; 63 } 64 65 //===----------------------------------------------------------------------===// 66 // SelectInst Class 67 //===----------------------------------------------------------------------===// 68 69 /// areInvalidOperands - Return a string if the specified operands are invalid 70 /// for a select operation, otherwise return null. 71 const char *SelectInst::areInvalidOperands(Value *Op0, Value *Op1, Value *Op2) { 72 if (Op1->getType() != Op2->getType()) 73 return "both values to select must have same type"; 74 75 if (Op1->getType()->isTokenTy()) 76 return "select values cannot have token type"; 77 78 if (VectorType *VT = dyn_cast<VectorType>(Op0->getType())) { 79 // Vector select. 80 if (VT->getElementType() != Type::getInt1Ty(Op0->getContext())) 81 return "vector select condition element type must be i1"; 82 VectorType *ET = dyn_cast<VectorType>(Op1->getType()); 83 if (!ET) 84 return "selected values for vector select must be vectors"; 85 if (ET->getElementCount() != VT->getElementCount()) 86 return "vector select requires selected vectors to have " 87 "the same vector length as select condition"; 88 } else if (Op0->getType() != Type::getInt1Ty(Op0->getContext())) { 89 return "select condition must be i1 or <n x i1>"; 90 } 91 return nullptr; 92 } 93 94 //===----------------------------------------------------------------------===// 95 // PHINode Class 96 //===----------------------------------------------------------------------===// 97 98 PHINode::PHINode(const PHINode &PN) 99 : Instruction(PN.getType(), Instruction::PHI, nullptr, PN.getNumOperands()), 100 ReservedSpace(PN.getNumOperands()) { 101 allocHungoffUses(PN.getNumOperands()); 102 std::copy(PN.op_begin(), PN.op_end(), op_begin()); 103 std::copy(PN.block_begin(), PN.block_end(), block_begin()); 104 SubclassOptionalData = PN.SubclassOptionalData; 105 } 106 107 // removeIncomingValue - Remove an incoming value. This is useful if a 108 // predecessor basic block is deleted. 109 Value *PHINode::removeIncomingValue(unsigned Idx, bool DeletePHIIfEmpty) { 110 Value *Removed = getIncomingValue(Idx); 111 112 // Move everything after this operand down. 113 // 114 // FIXME: we could just swap with the end of the list, then erase. However, 115 // clients might not expect this to happen. The code as it is thrashes the 116 // use/def lists, which is kinda lame. 117 std::copy(op_begin() + Idx + 1, op_end(), op_begin() + Idx); 118 std::copy(block_begin() + Idx + 1, block_end(), block_begin() + Idx); 119 120 // Nuke the last value. 121 Op<-1>().set(nullptr); 122 setNumHungOffUseOperands(getNumOperands() - 1); 123 124 // If the PHI node is dead, because it has zero entries, nuke it now. 125 if (getNumOperands() == 0 && DeletePHIIfEmpty) { 126 // If anyone is using this PHI, make them use a dummy value instead... 127 replaceAllUsesWith(UndefValue::get(getType())); 128 eraseFromParent(); 129 } 130 return Removed; 131 } 132 133 /// growOperands - grow operands - This grows the operand list in response 134 /// to a push_back style of operation. This grows the number of ops by 1.5 135 /// times. 136 /// 137 void PHINode::growOperands() { 138 unsigned e = getNumOperands(); 139 unsigned NumOps = e + e / 2; 140 if (NumOps < 2) NumOps = 2; // 2 op PHI nodes are VERY common. 141 142 ReservedSpace = NumOps; 143 growHungoffUses(ReservedSpace, /* IsPhi */ true); 144 } 145 146 /// hasConstantValue - If the specified PHI node always merges together the same 147 /// value, return the value, otherwise return null. 148 Value *PHINode::hasConstantValue() const { 149 // Exploit the fact that phi nodes always have at least one entry. 150 Value *ConstantValue = getIncomingValue(0); 151 for (unsigned i = 1, e = getNumIncomingValues(); i != e; ++i) 152 if (getIncomingValue(i) != ConstantValue && getIncomingValue(i) != this) { 153 if (ConstantValue != this) 154 return nullptr; // Incoming values not all the same. 155 // The case where the first value is this PHI. 156 ConstantValue = getIncomingValue(i); 157 } 158 if (ConstantValue == this) 159 return UndefValue::get(getType()); 160 return ConstantValue; 161 } 162 163 /// hasConstantOrUndefValue - Whether the specified PHI node always merges 164 /// together the same value, assuming that undefs result in the same value as 165 /// non-undefs. 166 /// Unlike \ref hasConstantValue, this does not return a value because the 167 /// unique non-undef incoming value need not dominate the PHI node. 168 bool PHINode::hasConstantOrUndefValue() const { 169 Value *ConstantValue = nullptr; 170 for (unsigned i = 0, e = getNumIncomingValues(); i != e; ++i) { 171 Value *Incoming = getIncomingValue(i); 172 if (Incoming != this && !isa<UndefValue>(Incoming)) { 173 if (ConstantValue && ConstantValue != Incoming) 174 return false; 175 ConstantValue = Incoming; 176 } 177 } 178 return true; 179 } 180 181 //===----------------------------------------------------------------------===// 182 // LandingPadInst Implementation 183 //===----------------------------------------------------------------------===// 184 185 LandingPadInst::LandingPadInst(Type *RetTy, unsigned NumReservedValues, 186 const Twine &NameStr, Instruction *InsertBefore) 187 : Instruction(RetTy, Instruction::LandingPad, nullptr, 0, InsertBefore) { 188 init(NumReservedValues, NameStr); 189 } 190 191 LandingPadInst::LandingPadInst(Type *RetTy, unsigned NumReservedValues, 192 const Twine &NameStr, BasicBlock *InsertAtEnd) 193 : Instruction(RetTy, Instruction::LandingPad, nullptr, 0, InsertAtEnd) { 194 init(NumReservedValues, NameStr); 195 } 196 197 LandingPadInst::LandingPadInst(const LandingPadInst &LP) 198 : Instruction(LP.getType(), Instruction::LandingPad, nullptr, 199 LP.getNumOperands()), 200 ReservedSpace(LP.getNumOperands()) { 201 allocHungoffUses(LP.getNumOperands()); 202 Use *OL = getOperandList(); 203 const Use *InOL = LP.getOperandList(); 204 for (unsigned I = 0, E = ReservedSpace; I != E; ++I) 205 OL[I] = InOL[I]; 206 207 setCleanup(LP.isCleanup()); 208 } 209 210 LandingPadInst *LandingPadInst::Create(Type *RetTy, unsigned NumReservedClauses, 211 const Twine &NameStr, 212 Instruction *InsertBefore) { 213 return new LandingPadInst(RetTy, NumReservedClauses, NameStr, InsertBefore); 214 } 215 216 LandingPadInst *LandingPadInst::Create(Type *RetTy, unsigned NumReservedClauses, 217 const Twine &NameStr, 218 BasicBlock *InsertAtEnd) { 219 return new LandingPadInst(RetTy, NumReservedClauses, NameStr, InsertAtEnd); 220 } 221 222 void LandingPadInst::init(unsigned NumReservedValues, const Twine &NameStr) { 223 ReservedSpace = NumReservedValues; 224 setNumHungOffUseOperands(0); 225 allocHungoffUses(ReservedSpace); 226 setName(NameStr); 227 setCleanup(false); 228 } 229 230 /// growOperands - grow operands - This grows the operand list in response to a 231 /// push_back style of operation. This grows the number of ops by 2 times. 232 void LandingPadInst::growOperands(unsigned Size) { 233 unsigned e = getNumOperands(); 234 if (ReservedSpace >= e + Size) return; 235 ReservedSpace = (std::max(e, 1U) + Size / 2) * 2; 236 growHungoffUses(ReservedSpace); 237 } 238 239 void LandingPadInst::addClause(Constant *Val) { 240 unsigned OpNo = getNumOperands(); 241 growOperands(1); 242 assert(OpNo < ReservedSpace && "Growing didn't work!"); 243 setNumHungOffUseOperands(getNumOperands() + 1); 244 getOperandList()[OpNo] = Val; 245 } 246 247 //===----------------------------------------------------------------------===// 248 // CallBase Implementation 249 //===----------------------------------------------------------------------===// 250 251 CallBase *CallBase::Create(CallBase *CB, ArrayRef<OperandBundleDef> Bundles, 252 Instruction *InsertPt) { 253 switch (CB->getOpcode()) { 254 case Instruction::Call: 255 return CallInst::Create(cast<CallInst>(CB), Bundles, InsertPt); 256 case Instruction::Invoke: 257 return InvokeInst::Create(cast<InvokeInst>(CB), Bundles, InsertPt); 258 case Instruction::CallBr: 259 return CallBrInst::Create(cast<CallBrInst>(CB), Bundles, InsertPt); 260 default: 261 llvm_unreachable("Unknown CallBase sub-class!"); 262 } 263 } 264 265 CallBase *CallBase::Create(CallBase *CI, OperandBundleDef OpB, 266 Instruction *InsertPt) { 267 SmallVector<OperandBundleDef, 2> OpDefs; 268 for (unsigned i = 0, e = CI->getNumOperandBundles(); i < e; ++i) { 269 auto ChildOB = CI->getOperandBundleAt(i); 270 if (ChildOB.getTagName() != OpB.getTag()) 271 OpDefs.emplace_back(ChildOB); 272 } 273 OpDefs.emplace_back(OpB); 274 return CallBase::Create(CI, OpDefs, InsertPt); 275 } 276 277 278 Function *CallBase::getCaller() { return getParent()->getParent(); } 279 280 unsigned CallBase::getNumSubclassExtraOperandsDynamic() const { 281 assert(getOpcode() == Instruction::CallBr && "Unexpected opcode!"); 282 return cast<CallBrInst>(this)->getNumIndirectDests() + 1; 283 } 284 285 bool CallBase::isIndirectCall() const { 286 const Value *V = getCalledOperand(); 287 if (isa<Function>(V) || isa<Constant>(V)) 288 return false; 289 return !isInlineAsm(); 290 } 291 292 /// Tests if this call site must be tail call optimized. Only a CallInst can 293 /// be tail call optimized. 294 bool CallBase::isMustTailCall() const { 295 if (auto *CI = dyn_cast<CallInst>(this)) 296 return CI->isMustTailCall(); 297 return false; 298 } 299 300 /// Tests if this call site is marked as a tail call. 301 bool CallBase::isTailCall() const { 302 if (auto *CI = dyn_cast<CallInst>(this)) 303 return CI->isTailCall(); 304 return false; 305 } 306 307 Intrinsic::ID CallBase::getIntrinsicID() const { 308 if (auto *F = getCalledFunction()) 309 return F->getIntrinsicID(); 310 return Intrinsic::not_intrinsic; 311 } 312 313 bool CallBase::isReturnNonNull() const { 314 if (hasRetAttr(Attribute::NonNull)) 315 return true; 316 317 if (getDereferenceableBytes(AttributeList::ReturnIndex) > 0 && 318 !NullPointerIsDefined(getCaller(), 319 getType()->getPointerAddressSpace())) 320 return true; 321 322 return false; 323 } 324 325 Value *CallBase::getReturnedArgOperand() const { 326 unsigned Index; 327 328 if (Attrs.hasAttrSomewhere(Attribute::Returned, &Index) && Index) 329 return getArgOperand(Index - AttributeList::FirstArgIndex); 330 if (const Function *F = getCalledFunction()) 331 if (F->getAttributes().hasAttrSomewhere(Attribute::Returned, &Index) && 332 Index) 333 return getArgOperand(Index - AttributeList::FirstArgIndex); 334 335 return nullptr; 336 } 337 338 /// Determine whether the argument or parameter has the given attribute. 339 bool CallBase::paramHasAttr(unsigned ArgNo, Attribute::AttrKind Kind) const { 340 assert(ArgNo < getNumArgOperands() && "Param index out of bounds!"); 341 342 if (Attrs.hasParamAttribute(ArgNo, Kind)) 343 return true; 344 if (const Function *F = getCalledFunction()) 345 return F->getAttributes().hasParamAttribute(ArgNo, Kind); 346 return false; 347 } 348 349 bool CallBase::hasFnAttrOnCalledFunction(Attribute::AttrKind Kind) const { 350 if (const Function *F = getCalledFunction()) 351 return F->getAttributes().hasFnAttribute(Kind); 352 return false; 353 } 354 355 bool CallBase::hasFnAttrOnCalledFunction(StringRef Kind) const { 356 if (const Function *F = getCalledFunction()) 357 return F->getAttributes().hasFnAttribute(Kind); 358 return false; 359 } 360 361 void CallBase::getOperandBundlesAsDefs( 362 SmallVectorImpl<OperandBundleDef> &Defs) const { 363 for (unsigned i = 0, e = getNumOperandBundles(); i != e; ++i) 364 Defs.emplace_back(getOperandBundleAt(i)); 365 } 366 367 CallBase::op_iterator 368 CallBase::populateBundleOperandInfos(ArrayRef<OperandBundleDef> Bundles, 369 const unsigned BeginIndex) { 370 auto It = op_begin() + BeginIndex; 371 for (auto &B : Bundles) 372 It = std::copy(B.input_begin(), B.input_end(), It); 373 374 auto *ContextImpl = getContext().pImpl; 375 auto BI = Bundles.begin(); 376 unsigned CurrentIndex = BeginIndex; 377 378 for (auto &BOI : bundle_op_infos()) { 379 assert(BI != Bundles.end() && "Incorrect allocation?"); 380 381 BOI.Tag = ContextImpl->getOrInsertBundleTag(BI->getTag()); 382 BOI.Begin = CurrentIndex; 383 BOI.End = CurrentIndex + BI->input_size(); 384 CurrentIndex = BOI.End; 385 BI++; 386 } 387 388 assert(BI == Bundles.end() && "Incorrect allocation?"); 389 390 return It; 391 } 392 393 CallBase::BundleOpInfo &CallBase::getBundleOpInfoForOperand(unsigned OpIdx) { 394 /// When there isn't many bundles, we do a simple linear search. 395 /// Else fallback to a binary-search that use the fact that bundles usually 396 /// have similar number of argument to get faster convergence. 397 if (bundle_op_info_end() - bundle_op_info_begin() < 8) { 398 for (auto &BOI : bundle_op_infos()) 399 if (BOI.Begin <= OpIdx && OpIdx < BOI.End) 400 return BOI; 401 402 llvm_unreachable("Did not find operand bundle for operand!"); 403 } 404 405 assert(OpIdx >= arg_size() && "the Idx is not in the operand bundles"); 406 assert(bundle_op_info_end() - bundle_op_info_begin() > 0 && 407 OpIdx < std::prev(bundle_op_info_end())->End && 408 "The Idx isn't in the operand bundle"); 409 410 /// We need a decimal number below and to prevent using floating point numbers 411 /// we use an intergal value multiplied by this constant. 412 constexpr unsigned NumberScaling = 1024; 413 414 bundle_op_iterator Begin = bundle_op_info_begin(); 415 bundle_op_iterator End = bundle_op_info_end(); 416 bundle_op_iterator Current = Begin; 417 418 while (Begin != End) { 419 unsigned ScaledOperandPerBundle = 420 NumberScaling * (std::prev(End)->End - Begin->Begin) / (End - Begin); 421 Current = Begin + (((OpIdx - Begin->Begin) * NumberScaling) / 422 ScaledOperandPerBundle); 423 if (Current >= End) 424 Current = std::prev(End); 425 assert(Current < End && Current >= Begin && 426 "the operand bundle doesn't cover every value in the range"); 427 if (OpIdx >= Current->Begin && OpIdx < Current->End) 428 break; 429 if (OpIdx >= Current->End) 430 Begin = Current + 1; 431 else 432 End = Current; 433 } 434 435 assert(OpIdx >= Current->Begin && OpIdx < Current->End && 436 "the operand bundle doesn't cover every value in the range"); 437 return *Current; 438 } 439 440 CallBase *CallBase::addOperandBundle(CallBase *CB, uint32_t ID, 441 OperandBundleDef OB, 442 Instruction *InsertPt) { 443 if (CB->getOperandBundle(ID)) 444 return CB; 445 446 SmallVector<OperandBundleDef, 1> Bundles; 447 CB->getOperandBundlesAsDefs(Bundles); 448 Bundles.push_back(OB); 449 return Create(CB, Bundles, InsertPt); 450 } 451 452 CallBase *CallBase::removeOperandBundle(CallBase *CB, uint32_t ID, 453 Instruction *InsertPt) { 454 SmallVector<OperandBundleDef, 1> Bundles; 455 bool CreateNew = false; 456 457 for (unsigned I = 0, E = CB->getNumOperandBundles(); I != E; ++I) { 458 auto Bundle = CB->getOperandBundleAt(I); 459 if (Bundle.getTagID() == ID) { 460 CreateNew = true; 461 continue; 462 } 463 Bundles.emplace_back(Bundle); 464 } 465 466 return CreateNew ? Create(CB, Bundles, InsertPt) : CB; 467 } 468 469 bool CallBase::hasReadingOperandBundles() const { 470 // Implementation note: this is a conservative implementation of operand 471 // bundle semantics, where *any* non-assume operand bundle forces a callsite 472 // to be at least readonly. 473 return hasOperandBundles() && getIntrinsicID() != Intrinsic::assume; 474 } 475 476 //===----------------------------------------------------------------------===// 477 // CallInst Implementation 478 //===----------------------------------------------------------------------===// 479 480 void CallInst::init(FunctionType *FTy, Value *Func, ArrayRef<Value *> Args, 481 ArrayRef<OperandBundleDef> Bundles, const Twine &NameStr) { 482 this->FTy = FTy; 483 assert(getNumOperands() == Args.size() + CountBundleInputs(Bundles) + 1 && 484 "NumOperands not set up?"); 485 setCalledOperand(Func); 486 487 #ifndef NDEBUG 488 assert((Args.size() == FTy->getNumParams() || 489 (FTy->isVarArg() && Args.size() > FTy->getNumParams())) && 490 "Calling a function with bad signature!"); 491 492 for (unsigned i = 0; i != Args.size(); ++i) 493 assert((i >= FTy->getNumParams() || 494 FTy->getParamType(i) == Args[i]->getType()) && 495 "Calling a function with a bad signature!"); 496 #endif 497 498 llvm::copy(Args, op_begin()); 499 500 auto It = populateBundleOperandInfos(Bundles, Args.size()); 501 (void)It; 502 assert(It + 1 == op_end() && "Should add up!"); 503 504 setName(NameStr); 505 } 506 507 void CallInst::init(FunctionType *FTy, Value *Func, const Twine &NameStr) { 508 this->FTy = FTy; 509 assert(getNumOperands() == 1 && "NumOperands not set up?"); 510 setCalledOperand(Func); 511 512 assert(FTy->getNumParams() == 0 && "Calling a function with bad signature"); 513 514 setName(NameStr); 515 } 516 517 CallInst::CallInst(FunctionType *Ty, Value *Func, const Twine &Name, 518 Instruction *InsertBefore) 519 : CallBase(Ty->getReturnType(), Instruction::Call, 520 OperandTraits<CallBase>::op_end(this) - 1, 1, InsertBefore) { 521 init(Ty, Func, Name); 522 } 523 524 CallInst::CallInst(FunctionType *Ty, Value *Func, const Twine &Name, 525 BasicBlock *InsertAtEnd) 526 : CallBase(Ty->getReturnType(), Instruction::Call, 527 OperandTraits<CallBase>::op_end(this) - 1, 1, InsertAtEnd) { 528 init(Ty, Func, Name); 529 } 530 531 CallInst::CallInst(const CallInst &CI) 532 : CallBase(CI.Attrs, CI.FTy, CI.getType(), Instruction::Call, 533 OperandTraits<CallBase>::op_end(this) - CI.getNumOperands(), 534 CI.getNumOperands()) { 535 setTailCallKind(CI.getTailCallKind()); 536 setCallingConv(CI.getCallingConv()); 537 538 std::copy(CI.op_begin(), CI.op_end(), op_begin()); 539 std::copy(CI.bundle_op_info_begin(), CI.bundle_op_info_end(), 540 bundle_op_info_begin()); 541 SubclassOptionalData = CI.SubclassOptionalData; 542 } 543 544 CallInst *CallInst::Create(CallInst *CI, ArrayRef<OperandBundleDef> OpB, 545 Instruction *InsertPt) { 546 std::vector<Value *> Args(CI->arg_begin(), CI->arg_end()); 547 548 auto *NewCI = CallInst::Create(CI->getFunctionType(), CI->getCalledOperand(), 549 Args, OpB, CI->getName(), InsertPt); 550 NewCI->setTailCallKind(CI->getTailCallKind()); 551 NewCI->setCallingConv(CI->getCallingConv()); 552 NewCI->SubclassOptionalData = CI->SubclassOptionalData; 553 NewCI->setAttributes(CI->getAttributes()); 554 NewCI->setDebugLoc(CI->getDebugLoc()); 555 return NewCI; 556 } 557 558 // Update profile weight for call instruction by scaling it using the ratio 559 // of S/T. The meaning of "branch_weights" meta data for call instruction is 560 // transfered to represent call count. 561 void CallInst::updateProfWeight(uint64_t S, uint64_t T) { 562 auto *ProfileData = getMetadata(LLVMContext::MD_prof); 563 if (ProfileData == nullptr) 564 return; 565 566 auto *ProfDataName = dyn_cast<MDString>(ProfileData->getOperand(0)); 567 if (!ProfDataName || (!ProfDataName->getString().equals("branch_weights") && 568 !ProfDataName->getString().equals("VP"))) 569 return; 570 571 if (T == 0) { 572 LLVM_DEBUG(dbgs() << "Attempting to update profile weights will result in " 573 "div by 0. Ignoring. Likely the function " 574 << getParent()->getParent()->getName() 575 << " has 0 entry count, and contains call instructions " 576 "with non-zero prof info."); 577 return; 578 } 579 580 MDBuilder MDB(getContext()); 581 SmallVector<Metadata *, 3> Vals; 582 Vals.push_back(ProfileData->getOperand(0)); 583 APInt APS(128, S), APT(128, T); 584 if (ProfDataName->getString().equals("branch_weights") && 585 ProfileData->getNumOperands() > 0) { 586 // Using APInt::div may be expensive, but most cases should fit 64 bits. 587 APInt Val(128, mdconst::dyn_extract<ConstantInt>(ProfileData->getOperand(1)) 588 ->getValue() 589 .getZExtValue()); 590 Val *= APS; 591 Vals.push_back(MDB.createConstant( 592 ConstantInt::get(Type::getInt32Ty(getContext()), 593 Val.udiv(APT).getLimitedValue(UINT32_MAX)))); 594 } else if (ProfDataName->getString().equals("VP")) 595 for (unsigned i = 1; i < ProfileData->getNumOperands(); i += 2) { 596 // The first value is the key of the value profile, which will not change. 597 Vals.push_back(ProfileData->getOperand(i)); 598 uint64_t Count = 599 mdconst::dyn_extract<ConstantInt>(ProfileData->getOperand(i + 1)) 600 ->getValue() 601 .getZExtValue(); 602 // Don't scale the magic number. 603 if (Count == NOMORE_ICP_MAGICNUM) { 604 Vals.push_back(ProfileData->getOperand(i + 1)); 605 continue; 606 } 607 // Using APInt::div may be expensive, but most cases should fit 64 bits. 608 APInt Val(128, Count); 609 Val *= APS; 610 Vals.push_back(MDB.createConstant( 611 ConstantInt::get(Type::getInt64Ty(getContext()), 612 Val.udiv(APT).getLimitedValue()))); 613 } 614 setMetadata(LLVMContext::MD_prof, MDNode::get(getContext(), Vals)); 615 } 616 617 /// IsConstantOne - Return true only if val is constant int 1 618 static bool IsConstantOne(Value *val) { 619 assert(val && "IsConstantOne does not work with nullptr val"); 620 const ConstantInt *CVal = dyn_cast<ConstantInt>(val); 621 return CVal && CVal->isOne(); 622 } 623 624 static Instruction *createMalloc(Instruction *InsertBefore, 625 BasicBlock *InsertAtEnd, Type *IntPtrTy, 626 Type *AllocTy, Value *AllocSize, 627 Value *ArraySize, 628 ArrayRef<OperandBundleDef> OpB, 629 Function *MallocF, const Twine &Name) { 630 assert(((!InsertBefore && InsertAtEnd) || (InsertBefore && !InsertAtEnd)) && 631 "createMalloc needs either InsertBefore or InsertAtEnd"); 632 633 // malloc(type) becomes: 634 // bitcast (i8* malloc(typeSize)) to type* 635 // malloc(type, arraySize) becomes: 636 // bitcast (i8* malloc(typeSize*arraySize)) to type* 637 if (!ArraySize) 638 ArraySize = ConstantInt::get(IntPtrTy, 1); 639 else if (ArraySize->getType() != IntPtrTy) { 640 if (InsertBefore) 641 ArraySize = CastInst::CreateIntegerCast(ArraySize, IntPtrTy, false, 642 "", InsertBefore); 643 else 644 ArraySize = CastInst::CreateIntegerCast(ArraySize, IntPtrTy, false, 645 "", InsertAtEnd); 646 } 647 648 if (!IsConstantOne(ArraySize)) { 649 if (IsConstantOne(AllocSize)) { 650 AllocSize = ArraySize; // Operand * 1 = Operand 651 } else if (Constant *CO = dyn_cast<Constant>(ArraySize)) { 652 Constant *Scale = ConstantExpr::getIntegerCast(CO, IntPtrTy, 653 false /*ZExt*/); 654 // Malloc arg is constant product of type size and array size 655 AllocSize = ConstantExpr::getMul(Scale, cast<Constant>(AllocSize)); 656 } else { 657 // Multiply type size by the array size... 658 if (InsertBefore) 659 AllocSize = BinaryOperator::CreateMul(ArraySize, AllocSize, 660 "mallocsize", InsertBefore); 661 else 662 AllocSize = BinaryOperator::CreateMul(ArraySize, AllocSize, 663 "mallocsize", InsertAtEnd); 664 } 665 } 666 667 assert(AllocSize->getType() == IntPtrTy && "malloc arg is wrong size"); 668 // Create the call to Malloc. 669 BasicBlock *BB = InsertBefore ? InsertBefore->getParent() : InsertAtEnd; 670 Module *M = BB->getParent()->getParent(); 671 Type *BPTy = Type::getInt8PtrTy(BB->getContext()); 672 FunctionCallee MallocFunc = MallocF; 673 if (!MallocFunc) 674 // prototype malloc as "void *malloc(size_t)" 675 MallocFunc = M->getOrInsertFunction("malloc", BPTy, IntPtrTy); 676 PointerType *AllocPtrType = PointerType::getUnqual(AllocTy); 677 CallInst *MCall = nullptr; 678 Instruction *Result = nullptr; 679 if (InsertBefore) { 680 MCall = CallInst::Create(MallocFunc, AllocSize, OpB, "malloccall", 681 InsertBefore); 682 Result = MCall; 683 if (Result->getType() != AllocPtrType) 684 // Create a cast instruction to convert to the right type... 685 Result = new BitCastInst(MCall, AllocPtrType, Name, InsertBefore); 686 } else { 687 MCall = CallInst::Create(MallocFunc, AllocSize, OpB, "malloccall"); 688 Result = MCall; 689 if (Result->getType() != AllocPtrType) { 690 InsertAtEnd->getInstList().push_back(MCall); 691 // Create a cast instruction to convert to the right type... 692 Result = new BitCastInst(MCall, AllocPtrType, Name); 693 } 694 } 695 MCall->setTailCall(); 696 if (Function *F = dyn_cast<Function>(MallocFunc.getCallee())) { 697 MCall->setCallingConv(F->getCallingConv()); 698 if (!F->returnDoesNotAlias()) 699 F->setReturnDoesNotAlias(); 700 } 701 assert(!MCall->getType()->isVoidTy() && "Malloc has void return type"); 702 703 return Result; 704 } 705 706 /// CreateMalloc - Generate the IR for a call to malloc: 707 /// 1. Compute the malloc call's argument as the specified type's size, 708 /// possibly multiplied by the array size if the array size is not 709 /// constant 1. 710 /// 2. Call malloc with that argument. 711 /// 3. Bitcast the result of the malloc call to the specified type. 712 Instruction *CallInst::CreateMalloc(Instruction *InsertBefore, 713 Type *IntPtrTy, Type *AllocTy, 714 Value *AllocSize, Value *ArraySize, 715 Function *MallocF, 716 const Twine &Name) { 717 return createMalloc(InsertBefore, nullptr, IntPtrTy, AllocTy, AllocSize, 718 ArraySize, None, MallocF, Name); 719 } 720 Instruction *CallInst::CreateMalloc(Instruction *InsertBefore, 721 Type *IntPtrTy, Type *AllocTy, 722 Value *AllocSize, Value *ArraySize, 723 ArrayRef<OperandBundleDef> OpB, 724 Function *MallocF, 725 const Twine &Name) { 726 return createMalloc(InsertBefore, nullptr, IntPtrTy, AllocTy, AllocSize, 727 ArraySize, OpB, MallocF, Name); 728 } 729 730 /// CreateMalloc - Generate the IR for a call to malloc: 731 /// 1. Compute the malloc call's argument as the specified type's size, 732 /// possibly multiplied by the array size if the array size is not 733 /// constant 1. 734 /// 2. Call malloc with that argument. 735 /// 3. Bitcast the result of the malloc call to the specified type. 736 /// Note: This function does not add the bitcast to the basic block, that is the 737 /// responsibility of the caller. 738 Instruction *CallInst::CreateMalloc(BasicBlock *InsertAtEnd, 739 Type *IntPtrTy, Type *AllocTy, 740 Value *AllocSize, Value *ArraySize, 741 Function *MallocF, const Twine &Name) { 742 return createMalloc(nullptr, InsertAtEnd, IntPtrTy, AllocTy, AllocSize, 743 ArraySize, None, MallocF, Name); 744 } 745 Instruction *CallInst::CreateMalloc(BasicBlock *InsertAtEnd, 746 Type *IntPtrTy, Type *AllocTy, 747 Value *AllocSize, Value *ArraySize, 748 ArrayRef<OperandBundleDef> OpB, 749 Function *MallocF, const Twine &Name) { 750 return createMalloc(nullptr, InsertAtEnd, IntPtrTy, AllocTy, AllocSize, 751 ArraySize, OpB, MallocF, Name); 752 } 753 754 static Instruction *createFree(Value *Source, 755 ArrayRef<OperandBundleDef> Bundles, 756 Instruction *InsertBefore, 757 BasicBlock *InsertAtEnd) { 758 assert(((!InsertBefore && InsertAtEnd) || (InsertBefore && !InsertAtEnd)) && 759 "createFree needs either InsertBefore or InsertAtEnd"); 760 assert(Source->getType()->isPointerTy() && 761 "Can not free something of nonpointer type!"); 762 763 BasicBlock *BB = InsertBefore ? InsertBefore->getParent() : InsertAtEnd; 764 Module *M = BB->getParent()->getParent(); 765 766 Type *VoidTy = Type::getVoidTy(M->getContext()); 767 Type *IntPtrTy = Type::getInt8PtrTy(M->getContext()); 768 // prototype free as "void free(void*)" 769 FunctionCallee FreeFunc = M->getOrInsertFunction("free", VoidTy, IntPtrTy); 770 CallInst *Result = nullptr; 771 Value *PtrCast = Source; 772 if (InsertBefore) { 773 if (Source->getType() != IntPtrTy) 774 PtrCast = new BitCastInst(Source, IntPtrTy, "", InsertBefore); 775 Result = CallInst::Create(FreeFunc, PtrCast, Bundles, "", InsertBefore); 776 } else { 777 if (Source->getType() != IntPtrTy) 778 PtrCast = new BitCastInst(Source, IntPtrTy, "", InsertAtEnd); 779 Result = CallInst::Create(FreeFunc, PtrCast, Bundles, ""); 780 } 781 Result->setTailCall(); 782 if (Function *F = dyn_cast<Function>(FreeFunc.getCallee())) 783 Result->setCallingConv(F->getCallingConv()); 784 785 return Result; 786 } 787 788 /// CreateFree - Generate the IR for a call to the builtin free function. 789 Instruction *CallInst::CreateFree(Value *Source, Instruction *InsertBefore) { 790 return createFree(Source, None, InsertBefore, nullptr); 791 } 792 Instruction *CallInst::CreateFree(Value *Source, 793 ArrayRef<OperandBundleDef> Bundles, 794 Instruction *InsertBefore) { 795 return createFree(Source, Bundles, InsertBefore, nullptr); 796 } 797 798 /// CreateFree - Generate the IR for a call to the builtin free function. 799 /// Note: This function does not add the call to the basic block, that is the 800 /// responsibility of the caller. 801 Instruction *CallInst::CreateFree(Value *Source, BasicBlock *InsertAtEnd) { 802 Instruction *FreeCall = createFree(Source, None, nullptr, InsertAtEnd); 803 assert(FreeCall && "CreateFree did not create a CallInst"); 804 return FreeCall; 805 } 806 Instruction *CallInst::CreateFree(Value *Source, 807 ArrayRef<OperandBundleDef> Bundles, 808 BasicBlock *InsertAtEnd) { 809 Instruction *FreeCall = createFree(Source, Bundles, nullptr, InsertAtEnd); 810 assert(FreeCall && "CreateFree did not create a CallInst"); 811 return FreeCall; 812 } 813 814 //===----------------------------------------------------------------------===// 815 // InvokeInst Implementation 816 //===----------------------------------------------------------------------===// 817 818 void InvokeInst::init(FunctionType *FTy, Value *Fn, BasicBlock *IfNormal, 819 BasicBlock *IfException, ArrayRef<Value *> Args, 820 ArrayRef<OperandBundleDef> Bundles, 821 const Twine &NameStr) { 822 this->FTy = FTy; 823 824 assert((int)getNumOperands() == 825 ComputeNumOperands(Args.size(), CountBundleInputs(Bundles)) && 826 "NumOperands not set up?"); 827 setNormalDest(IfNormal); 828 setUnwindDest(IfException); 829 setCalledOperand(Fn); 830 831 #ifndef NDEBUG 832 assert(((Args.size() == FTy->getNumParams()) || 833 (FTy->isVarArg() && Args.size() > FTy->getNumParams())) && 834 "Invoking a function with bad signature"); 835 836 for (unsigned i = 0, e = Args.size(); i != e; i++) 837 assert((i >= FTy->getNumParams() || 838 FTy->getParamType(i) == Args[i]->getType()) && 839 "Invoking a function with a bad signature!"); 840 #endif 841 842 llvm::copy(Args, op_begin()); 843 844 auto It = populateBundleOperandInfos(Bundles, Args.size()); 845 (void)It; 846 assert(It + 3 == op_end() && "Should add up!"); 847 848 setName(NameStr); 849 } 850 851 InvokeInst::InvokeInst(const InvokeInst &II) 852 : CallBase(II.Attrs, II.FTy, II.getType(), Instruction::Invoke, 853 OperandTraits<CallBase>::op_end(this) - II.getNumOperands(), 854 II.getNumOperands()) { 855 setCallingConv(II.getCallingConv()); 856 std::copy(II.op_begin(), II.op_end(), op_begin()); 857 std::copy(II.bundle_op_info_begin(), II.bundle_op_info_end(), 858 bundle_op_info_begin()); 859 SubclassOptionalData = II.SubclassOptionalData; 860 } 861 862 InvokeInst *InvokeInst::Create(InvokeInst *II, ArrayRef<OperandBundleDef> OpB, 863 Instruction *InsertPt) { 864 std::vector<Value *> Args(II->arg_begin(), II->arg_end()); 865 866 auto *NewII = InvokeInst::Create( 867 II->getFunctionType(), II->getCalledOperand(), II->getNormalDest(), 868 II->getUnwindDest(), Args, OpB, II->getName(), InsertPt); 869 NewII->setCallingConv(II->getCallingConv()); 870 NewII->SubclassOptionalData = II->SubclassOptionalData; 871 NewII->setAttributes(II->getAttributes()); 872 NewII->setDebugLoc(II->getDebugLoc()); 873 return NewII; 874 } 875 876 LandingPadInst *InvokeInst::getLandingPadInst() const { 877 return cast<LandingPadInst>(getUnwindDest()->getFirstNonPHI()); 878 } 879 880 //===----------------------------------------------------------------------===// 881 // CallBrInst Implementation 882 //===----------------------------------------------------------------------===// 883 884 void CallBrInst::init(FunctionType *FTy, Value *Fn, BasicBlock *Fallthrough, 885 ArrayRef<BasicBlock *> IndirectDests, 886 ArrayRef<Value *> Args, 887 ArrayRef<OperandBundleDef> Bundles, 888 const Twine &NameStr) { 889 this->FTy = FTy; 890 891 assert((int)getNumOperands() == 892 ComputeNumOperands(Args.size(), IndirectDests.size(), 893 CountBundleInputs(Bundles)) && 894 "NumOperands not set up?"); 895 NumIndirectDests = IndirectDests.size(); 896 setDefaultDest(Fallthrough); 897 for (unsigned i = 0; i != NumIndirectDests; ++i) 898 setIndirectDest(i, IndirectDests[i]); 899 setCalledOperand(Fn); 900 901 #ifndef NDEBUG 902 assert(((Args.size() == FTy->getNumParams()) || 903 (FTy->isVarArg() && Args.size() > FTy->getNumParams())) && 904 "Calling a function with bad signature"); 905 906 for (unsigned i = 0, e = Args.size(); i != e; i++) 907 assert((i >= FTy->getNumParams() || 908 FTy->getParamType(i) == Args[i]->getType()) && 909 "Calling a function with a bad signature!"); 910 #endif 911 912 std::copy(Args.begin(), Args.end(), op_begin()); 913 914 auto It = populateBundleOperandInfos(Bundles, Args.size()); 915 (void)It; 916 assert(It + 2 + IndirectDests.size() == op_end() && "Should add up!"); 917 918 setName(NameStr); 919 } 920 921 void CallBrInst::updateArgBlockAddresses(unsigned i, BasicBlock *B) { 922 assert(getNumIndirectDests() > i && "IndirectDest # out of range for callbr"); 923 if (BasicBlock *OldBB = getIndirectDest(i)) { 924 BlockAddress *Old = BlockAddress::get(OldBB); 925 BlockAddress *New = BlockAddress::get(B); 926 for (unsigned ArgNo = 0, e = getNumArgOperands(); ArgNo != e; ++ArgNo) 927 if (dyn_cast<BlockAddress>(getArgOperand(ArgNo)) == Old) 928 setArgOperand(ArgNo, New); 929 } 930 } 931 932 CallBrInst::CallBrInst(const CallBrInst &CBI) 933 : CallBase(CBI.Attrs, CBI.FTy, CBI.getType(), Instruction::CallBr, 934 OperandTraits<CallBase>::op_end(this) - CBI.getNumOperands(), 935 CBI.getNumOperands()) { 936 setCallingConv(CBI.getCallingConv()); 937 std::copy(CBI.op_begin(), CBI.op_end(), op_begin()); 938 std::copy(CBI.bundle_op_info_begin(), CBI.bundle_op_info_end(), 939 bundle_op_info_begin()); 940 SubclassOptionalData = CBI.SubclassOptionalData; 941 NumIndirectDests = CBI.NumIndirectDests; 942 } 943 944 CallBrInst *CallBrInst::Create(CallBrInst *CBI, ArrayRef<OperandBundleDef> OpB, 945 Instruction *InsertPt) { 946 std::vector<Value *> Args(CBI->arg_begin(), CBI->arg_end()); 947 948 auto *NewCBI = CallBrInst::Create( 949 CBI->getFunctionType(), CBI->getCalledOperand(), CBI->getDefaultDest(), 950 CBI->getIndirectDests(), Args, OpB, CBI->getName(), InsertPt); 951 NewCBI->setCallingConv(CBI->getCallingConv()); 952 NewCBI->SubclassOptionalData = CBI->SubclassOptionalData; 953 NewCBI->setAttributes(CBI->getAttributes()); 954 NewCBI->setDebugLoc(CBI->getDebugLoc()); 955 NewCBI->NumIndirectDests = CBI->NumIndirectDests; 956 return NewCBI; 957 } 958 959 //===----------------------------------------------------------------------===// 960 // ReturnInst Implementation 961 //===----------------------------------------------------------------------===// 962 963 ReturnInst::ReturnInst(const ReturnInst &RI) 964 : Instruction(Type::getVoidTy(RI.getContext()), Instruction::Ret, 965 OperandTraits<ReturnInst>::op_end(this) - RI.getNumOperands(), 966 RI.getNumOperands()) { 967 if (RI.getNumOperands()) 968 Op<0>() = RI.Op<0>(); 969 SubclassOptionalData = RI.SubclassOptionalData; 970 } 971 972 ReturnInst::ReturnInst(LLVMContext &C, Value *retVal, Instruction *InsertBefore) 973 : Instruction(Type::getVoidTy(C), Instruction::Ret, 974 OperandTraits<ReturnInst>::op_end(this) - !!retVal, !!retVal, 975 InsertBefore) { 976 if (retVal) 977 Op<0>() = retVal; 978 } 979 980 ReturnInst::ReturnInst(LLVMContext &C, Value *retVal, BasicBlock *InsertAtEnd) 981 : Instruction(Type::getVoidTy(C), Instruction::Ret, 982 OperandTraits<ReturnInst>::op_end(this) - !!retVal, !!retVal, 983 InsertAtEnd) { 984 if (retVal) 985 Op<0>() = retVal; 986 } 987 988 ReturnInst::ReturnInst(LLVMContext &Context, BasicBlock *InsertAtEnd) 989 : Instruction(Type::getVoidTy(Context), Instruction::Ret, 990 OperandTraits<ReturnInst>::op_end(this), 0, InsertAtEnd) {} 991 992 //===----------------------------------------------------------------------===// 993 // ResumeInst Implementation 994 //===----------------------------------------------------------------------===// 995 996 ResumeInst::ResumeInst(const ResumeInst &RI) 997 : Instruction(Type::getVoidTy(RI.getContext()), Instruction::Resume, 998 OperandTraits<ResumeInst>::op_begin(this), 1) { 999 Op<0>() = RI.Op<0>(); 1000 } 1001 1002 ResumeInst::ResumeInst(Value *Exn, Instruction *InsertBefore) 1003 : Instruction(Type::getVoidTy(Exn->getContext()), Instruction::Resume, 1004 OperandTraits<ResumeInst>::op_begin(this), 1, InsertBefore) { 1005 Op<0>() = Exn; 1006 } 1007 1008 ResumeInst::ResumeInst(Value *Exn, BasicBlock *InsertAtEnd) 1009 : Instruction(Type::getVoidTy(Exn->getContext()), Instruction::Resume, 1010 OperandTraits<ResumeInst>::op_begin(this), 1, InsertAtEnd) { 1011 Op<0>() = Exn; 1012 } 1013 1014 //===----------------------------------------------------------------------===// 1015 // CleanupReturnInst Implementation 1016 //===----------------------------------------------------------------------===// 1017 1018 CleanupReturnInst::CleanupReturnInst(const CleanupReturnInst &CRI) 1019 : Instruction(CRI.getType(), Instruction::CleanupRet, 1020 OperandTraits<CleanupReturnInst>::op_end(this) - 1021 CRI.getNumOperands(), 1022 CRI.getNumOperands()) { 1023 setSubclassData<Instruction::OpaqueField>( 1024 CRI.getSubclassData<Instruction::OpaqueField>()); 1025 Op<0>() = CRI.Op<0>(); 1026 if (CRI.hasUnwindDest()) 1027 Op<1>() = CRI.Op<1>(); 1028 } 1029 1030 void CleanupReturnInst::init(Value *CleanupPad, BasicBlock *UnwindBB) { 1031 if (UnwindBB) 1032 setSubclassData<UnwindDestField>(true); 1033 1034 Op<0>() = CleanupPad; 1035 if (UnwindBB) 1036 Op<1>() = UnwindBB; 1037 } 1038 1039 CleanupReturnInst::CleanupReturnInst(Value *CleanupPad, BasicBlock *UnwindBB, 1040 unsigned Values, Instruction *InsertBefore) 1041 : Instruction(Type::getVoidTy(CleanupPad->getContext()), 1042 Instruction::CleanupRet, 1043 OperandTraits<CleanupReturnInst>::op_end(this) - Values, 1044 Values, InsertBefore) { 1045 init(CleanupPad, UnwindBB); 1046 } 1047 1048 CleanupReturnInst::CleanupReturnInst(Value *CleanupPad, BasicBlock *UnwindBB, 1049 unsigned Values, BasicBlock *InsertAtEnd) 1050 : Instruction(Type::getVoidTy(CleanupPad->getContext()), 1051 Instruction::CleanupRet, 1052 OperandTraits<CleanupReturnInst>::op_end(this) - Values, 1053 Values, InsertAtEnd) { 1054 init(CleanupPad, UnwindBB); 1055 } 1056 1057 //===----------------------------------------------------------------------===// 1058 // CatchReturnInst Implementation 1059 //===----------------------------------------------------------------------===// 1060 void CatchReturnInst::init(Value *CatchPad, BasicBlock *BB) { 1061 Op<0>() = CatchPad; 1062 Op<1>() = BB; 1063 } 1064 1065 CatchReturnInst::CatchReturnInst(const CatchReturnInst &CRI) 1066 : Instruction(Type::getVoidTy(CRI.getContext()), Instruction::CatchRet, 1067 OperandTraits<CatchReturnInst>::op_begin(this), 2) { 1068 Op<0>() = CRI.Op<0>(); 1069 Op<1>() = CRI.Op<1>(); 1070 } 1071 1072 CatchReturnInst::CatchReturnInst(Value *CatchPad, BasicBlock *BB, 1073 Instruction *InsertBefore) 1074 : Instruction(Type::getVoidTy(BB->getContext()), Instruction::CatchRet, 1075 OperandTraits<CatchReturnInst>::op_begin(this), 2, 1076 InsertBefore) { 1077 init(CatchPad, BB); 1078 } 1079 1080 CatchReturnInst::CatchReturnInst(Value *CatchPad, BasicBlock *BB, 1081 BasicBlock *InsertAtEnd) 1082 : Instruction(Type::getVoidTy(BB->getContext()), Instruction::CatchRet, 1083 OperandTraits<CatchReturnInst>::op_begin(this), 2, 1084 InsertAtEnd) { 1085 init(CatchPad, BB); 1086 } 1087 1088 //===----------------------------------------------------------------------===// 1089 // CatchSwitchInst Implementation 1090 //===----------------------------------------------------------------------===// 1091 1092 CatchSwitchInst::CatchSwitchInst(Value *ParentPad, BasicBlock *UnwindDest, 1093 unsigned NumReservedValues, 1094 const Twine &NameStr, 1095 Instruction *InsertBefore) 1096 : Instruction(ParentPad->getType(), Instruction::CatchSwitch, nullptr, 0, 1097 InsertBefore) { 1098 if (UnwindDest) 1099 ++NumReservedValues; 1100 init(ParentPad, UnwindDest, NumReservedValues + 1); 1101 setName(NameStr); 1102 } 1103 1104 CatchSwitchInst::CatchSwitchInst(Value *ParentPad, BasicBlock *UnwindDest, 1105 unsigned NumReservedValues, 1106 const Twine &NameStr, BasicBlock *InsertAtEnd) 1107 : Instruction(ParentPad->getType(), Instruction::CatchSwitch, nullptr, 0, 1108 InsertAtEnd) { 1109 if (UnwindDest) 1110 ++NumReservedValues; 1111 init(ParentPad, UnwindDest, NumReservedValues + 1); 1112 setName(NameStr); 1113 } 1114 1115 CatchSwitchInst::CatchSwitchInst(const CatchSwitchInst &CSI) 1116 : Instruction(CSI.getType(), Instruction::CatchSwitch, nullptr, 1117 CSI.getNumOperands()) { 1118 init(CSI.getParentPad(), CSI.getUnwindDest(), CSI.getNumOperands()); 1119 setNumHungOffUseOperands(ReservedSpace); 1120 Use *OL = getOperandList(); 1121 const Use *InOL = CSI.getOperandList(); 1122 for (unsigned I = 1, E = ReservedSpace; I != E; ++I) 1123 OL[I] = InOL[I]; 1124 } 1125 1126 void CatchSwitchInst::init(Value *ParentPad, BasicBlock *UnwindDest, 1127 unsigned NumReservedValues) { 1128 assert(ParentPad && NumReservedValues); 1129 1130 ReservedSpace = NumReservedValues; 1131 setNumHungOffUseOperands(UnwindDest ? 2 : 1); 1132 allocHungoffUses(ReservedSpace); 1133 1134 Op<0>() = ParentPad; 1135 if (UnwindDest) { 1136 setSubclassData<UnwindDestField>(true); 1137 setUnwindDest(UnwindDest); 1138 } 1139 } 1140 1141 /// growOperands - grow operands - This grows the operand list in response to a 1142 /// push_back style of operation. This grows the number of ops by 2 times. 1143 void CatchSwitchInst::growOperands(unsigned Size) { 1144 unsigned NumOperands = getNumOperands(); 1145 assert(NumOperands >= 1); 1146 if (ReservedSpace >= NumOperands + Size) 1147 return; 1148 ReservedSpace = (NumOperands + Size / 2) * 2; 1149 growHungoffUses(ReservedSpace); 1150 } 1151 1152 void CatchSwitchInst::addHandler(BasicBlock *Handler) { 1153 unsigned OpNo = getNumOperands(); 1154 growOperands(1); 1155 assert(OpNo < ReservedSpace && "Growing didn't work!"); 1156 setNumHungOffUseOperands(getNumOperands() + 1); 1157 getOperandList()[OpNo] = Handler; 1158 } 1159 1160 void CatchSwitchInst::removeHandler(handler_iterator HI) { 1161 // Move all subsequent handlers up one. 1162 Use *EndDst = op_end() - 1; 1163 for (Use *CurDst = HI.getCurrent(); CurDst != EndDst; ++CurDst) 1164 *CurDst = *(CurDst + 1); 1165 // Null out the last handler use. 1166 *EndDst = nullptr; 1167 1168 setNumHungOffUseOperands(getNumOperands() - 1); 1169 } 1170 1171 //===----------------------------------------------------------------------===// 1172 // FuncletPadInst Implementation 1173 //===----------------------------------------------------------------------===// 1174 void FuncletPadInst::init(Value *ParentPad, ArrayRef<Value *> Args, 1175 const Twine &NameStr) { 1176 assert(getNumOperands() == 1 + Args.size() && "NumOperands not set up?"); 1177 llvm::copy(Args, op_begin()); 1178 setParentPad(ParentPad); 1179 setName(NameStr); 1180 } 1181 1182 FuncletPadInst::FuncletPadInst(const FuncletPadInst &FPI) 1183 : Instruction(FPI.getType(), FPI.getOpcode(), 1184 OperandTraits<FuncletPadInst>::op_end(this) - 1185 FPI.getNumOperands(), 1186 FPI.getNumOperands()) { 1187 std::copy(FPI.op_begin(), FPI.op_end(), op_begin()); 1188 setParentPad(FPI.getParentPad()); 1189 } 1190 1191 FuncletPadInst::FuncletPadInst(Instruction::FuncletPadOps Op, Value *ParentPad, 1192 ArrayRef<Value *> Args, unsigned Values, 1193 const Twine &NameStr, Instruction *InsertBefore) 1194 : Instruction(ParentPad->getType(), Op, 1195 OperandTraits<FuncletPadInst>::op_end(this) - Values, Values, 1196 InsertBefore) { 1197 init(ParentPad, Args, NameStr); 1198 } 1199 1200 FuncletPadInst::FuncletPadInst(Instruction::FuncletPadOps Op, Value *ParentPad, 1201 ArrayRef<Value *> Args, unsigned Values, 1202 const Twine &NameStr, BasicBlock *InsertAtEnd) 1203 : Instruction(ParentPad->getType(), Op, 1204 OperandTraits<FuncletPadInst>::op_end(this) - Values, Values, 1205 InsertAtEnd) { 1206 init(ParentPad, Args, NameStr); 1207 } 1208 1209 //===----------------------------------------------------------------------===// 1210 // UnreachableInst Implementation 1211 //===----------------------------------------------------------------------===// 1212 1213 UnreachableInst::UnreachableInst(LLVMContext &Context, 1214 Instruction *InsertBefore) 1215 : Instruction(Type::getVoidTy(Context), Instruction::Unreachable, nullptr, 1216 0, InsertBefore) {} 1217 UnreachableInst::UnreachableInst(LLVMContext &Context, BasicBlock *InsertAtEnd) 1218 : Instruction(Type::getVoidTy(Context), Instruction::Unreachable, nullptr, 1219 0, InsertAtEnd) {} 1220 1221 //===----------------------------------------------------------------------===// 1222 // BranchInst Implementation 1223 //===----------------------------------------------------------------------===// 1224 1225 void BranchInst::AssertOK() { 1226 if (isConditional()) 1227 assert(getCondition()->getType()->isIntegerTy(1) && 1228 "May only branch on boolean predicates!"); 1229 } 1230 1231 BranchInst::BranchInst(BasicBlock *IfTrue, Instruction *InsertBefore) 1232 : Instruction(Type::getVoidTy(IfTrue->getContext()), Instruction::Br, 1233 OperandTraits<BranchInst>::op_end(this) - 1, 1, 1234 InsertBefore) { 1235 assert(IfTrue && "Branch destination may not be null!"); 1236 Op<-1>() = IfTrue; 1237 } 1238 1239 BranchInst::BranchInst(BasicBlock *IfTrue, BasicBlock *IfFalse, Value *Cond, 1240 Instruction *InsertBefore) 1241 : Instruction(Type::getVoidTy(IfTrue->getContext()), Instruction::Br, 1242 OperandTraits<BranchInst>::op_end(this) - 3, 3, 1243 InsertBefore) { 1244 Op<-1>() = IfTrue; 1245 Op<-2>() = IfFalse; 1246 Op<-3>() = Cond; 1247 #ifndef NDEBUG 1248 AssertOK(); 1249 #endif 1250 } 1251 1252 BranchInst::BranchInst(BasicBlock *IfTrue, BasicBlock *InsertAtEnd) 1253 : Instruction(Type::getVoidTy(IfTrue->getContext()), Instruction::Br, 1254 OperandTraits<BranchInst>::op_end(this) - 1, 1, InsertAtEnd) { 1255 assert(IfTrue && "Branch destination may not be null!"); 1256 Op<-1>() = IfTrue; 1257 } 1258 1259 BranchInst::BranchInst(BasicBlock *IfTrue, BasicBlock *IfFalse, Value *Cond, 1260 BasicBlock *InsertAtEnd) 1261 : Instruction(Type::getVoidTy(IfTrue->getContext()), Instruction::Br, 1262 OperandTraits<BranchInst>::op_end(this) - 3, 3, InsertAtEnd) { 1263 Op<-1>() = IfTrue; 1264 Op<-2>() = IfFalse; 1265 Op<-3>() = Cond; 1266 #ifndef NDEBUG 1267 AssertOK(); 1268 #endif 1269 } 1270 1271 BranchInst::BranchInst(const BranchInst &BI) 1272 : Instruction(Type::getVoidTy(BI.getContext()), Instruction::Br, 1273 OperandTraits<BranchInst>::op_end(this) - BI.getNumOperands(), 1274 BI.getNumOperands()) { 1275 Op<-1>() = BI.Op<-1>(); 1276 if (BI.getNumOperands() != 1) { 1277 assert(BI.getNumOperands() == 3 && "BR can have 1 or 3 operands!"); 1278 Op<-3>() = BI.Op<-3>(); 1279 Op<-2>() = BI.Op<-2>(); 1280 } 1281 SubclassOptionalData = BI.SubclassOptionalData; 1282 } 1283 1284 void BranchInst::swapSuccessors() { 1285 assert(isConditional() && 1286 "Cannot swap successors of an unconditional branch"); 1287 Op<-1>().swap(Op<-2>()); 1288 1289 // Update profile metadata if present and it matches our structural 1290 // expectations. 1291 swapProfMetadata(); 1292 } 1293 1294 //===----------------------------------------------------------------------===// 1295 // AllocaInst Implementation 1296 //===----------------------------------------------------------------------===// 1297 1298 static Value *getAISize(LLVMContext &Context, Value *Amt) { 1299 if (!Amt) 1300 Amt = ConstantInt::get(Type::getInt32Ty(Context), 1); 1301 else { 1302 assert(!isa<BasicBlock>(Amt) && 1303 "Passed basic block into allocation size parameter! Use other ctor"); 1304 assert(Amt->getType()->isIntegerTy() && 1305 "Allocation array size is not an integer!"); 1306 } 1307 return Amt; 1308 } 1309 1310 static Align computeAllocaDefaultAlign(Type *Ty, BasicBlock *BB) { 1311 assert(BB && "Insertion BB cannot be null when alignment not provided!"); 1312 assert(BB->getParent() && 1313 "BB must be in a Function when alignment not provided!"); 1314 const DataLayout &DL = BB->getModule()->getDataLayout(); 1315 return DL.getPrefTypeAlign(Ty); 1316 } 1317 1318 static Align computeAllocaDefaultAlign(Type *Ty, Instruction *I) { 1319 assert(I && "Insertion position cannot be null when alignment not provided!"); 1320 return computeAllocaDefaultAlign(Ty, I->getParent()); 1321 } 1322 1323 AllocaInst::AllocaInst(Type *Ty, unsigned AddrSpace, const Twine &Name, 1324 Instruction *InsertBefore) 1325 : AllocaInst(Ty, AddrSpace, /*ArraySize=*/nullptr, Name, InsertBefore) {} 1326 1327 AllocaInst::AllocaInst(Type *Ty, unsigned AddrSpace, const Twine &Name, 1328 BasicBlock *InsertAtEnd) 1329 : AllocaInst(Ty, AddrSpace, /*ArraySize=*/nullptr, Name, InsertAtEnd) {} 1330 1331 AllocaInst::AllocaInst(Type *Ty, unsigned AddrSpace, Value *ArraySize, 1332 const Twine &Name, Instruction *InsertBefore) 1333 : AllocaInst(Ty, AddrSpace, ArraySize, 1334 computeAllocaDefaultAlign(Ty, InsertBefore), Name, 1335 InsertBefore) {} 1336 1337 AllocaInst::AllocaInst(Type *Ty, unsigned AddrSpace, Value *ArraySize, 1338 const Twine &Name, BasicBlock *InsertAtEnd) 1339 : AllocaInst(Ty, AddrSpace, ArraySize, 1340 computeAllocaDefaultAlign(Ty, InsertAtEnd), Name, 1341 InsertAtEnd) {} 1342 1343 AllocaInst::AllocaInst(Type *Ty, unsigned AddrSpace, Value *ArraySize, 1344 Align Align, const Twine &Name, 1345 Instruction *InsertBefore) 1346 : UnaryInstruction(PointerType::get(Ty, AddrSpace), Alloca, 1347 getAISize(Ty->getContext(), ArraySize), InsertBefore), 1348 AllocatedType(Ty) { 1349 setAlignment(Align); 1350 assert(!Ty->isVoidTy() && "Cannot allocate void!"); 1351 setName(Name); 1352 } 1353 1354 AllocaInst::AllocaInst(Type *Ty, unsigned AddrSpace, Value *ArraySize, 1355 Align Align, const Twine &Name, BasicBlock *InsertAtEnd) 1356 : UnaryInstruction(PointerType::get(Ty, AddrSpace), Alloca, 1357 getAISize(Ty->getContext(), ArraySize), InsertAtEnd), 1358 AllocatedType(Ty) { 1359 setAlignment(Align); 1360 assert(!Ty->isVoidTy() && "Cannot allocate void!"); 1361 setName(Name); 1362 } 1363 1364 1365 bool AllocaInst::isArrayAllocation() const { 1366 if (ConstantInt *CI = dyn_cast<ConstantInt>(getOperand(0))) 1367 return !CI->isOne(); 1368 return true; 1369 } 1370 1371 /// isStaticAlloca - Return true if this alloca is in the entry block of the 1372 /// function and is a constant size. If so, the code generator will fold it 1373 /// into the prolog/epilog code, so it is basically free. 1374 bool AllocaInst::isStaticAlloca() const { 1375 // Must be constant size. 1376 if (!isa<ConstantInt>(getArraySize())) return false; 1377 1378 // Must be in the entry block. 1379 const BasicBlock *Parent = getParent(); 1380 return Parent == &Parent->getParent()->front() && !isUsedWithInAlloca(); 1381 } 1382 1383 //===----------------------------------------------------------------------===// 1384 // LoadInst Implementation 1385 //===----------------------------------------------------------------------===// 1386 1387 void LoadInst::AssertOK() { 1388 assert(getOperand(0)->getType()->isPointerTy() && 1389 "Ptr must have pointer type."); 1390 assert(!(isAtomic() && getAlignment() == 0) && 1391 "Alignment required for atomic load"); 1392 } 1393 1394 static Align computeLoadStoreDefaultAlign(Type *Ty, BasicBlock *BB) { 1395 assert(BB && "Insertion BB cannot be null when alignment not provided!"); 1396 assert(BB->getParent() && 1397 "BB must be in a Function when alignment not provided!"); 1398 const DataLayout &DL = BB->getModule()->getDataLayout(); 1399 return DL.getABITypeAlign(Ty); 1400 } 1401 1402 static Align computeLoadStoreDefaultAlign(Type *Ty, Instruction *I) { 1403 assert(I && "Insertion position cannot be null when alignment not provided!"); 1404 return computeLoadStoreDefaultAlign(Ty, I->getParent()); 1405 } 1406 1407 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, 1408 Instruction *InsertBef) 1409 : LoadInst(Ty, Ptr, Name, /*isVolatile=*/false, InsertBef) {} 1410 1411 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, 1412 BasicBlock *InsertAE) 1413 : LoadInst(Ty, Ptr, Name, /*isVolatile=*/false, InsertAE) {} 1414 1415 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, bool isVolatile, 1416 Instruction *InsertBef) 1417 : LoadInst(Ty, Ptr, Name, isVolatile, 1418 computeLoadStoreDefaultAlign(Ty, InsertBef), InsertBef) {} 1419 1420 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, bool isVolatile, 1421 BasicBlock *InsertAE) 1422 : LoadInst(Ty, Ptr, Name, isVolatile, 1423 computeLoadStoreDefaultAlign(Ty, InsertAE), InsertAE) {} 1424 1425 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, bool isVolatile, 1426 Align Align, Instruction *InsertBef) 1427 : LoadInst(Ty, Ptr, Name, isVolatile, Align, AtomicOrdering::NotAtomic, 1428 SyncScope::System, InsertBef) {} 1429 1430 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, bool isVolatile, 1431 Align Align, BasicBlock *InsertAE) 1432 : LoadInst(Ty, Ptr, Name, isVolatile, Align, AtomicOrdering::NotAtomic, 1433 SyncScope::System, InsertAE) {} 1434 1435 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, bool isVolatile, 1436 Align Align, AtomicOrdering Order, SyncScope::ID SSID, 1437 Instruction *InsertBef) 1438 : UnaryInstruction(Ty, Load, Ptr, InsertBef) { 1439 assert(Ty == cast<PointerType>(Ptr->getType())->getElementType()); 1440 setVolatile(isVolatile); 1441 setAlignment(Align); 1442 setAtomic(Order, SSID); 1443 AssertOK(); 1444 setName(Name); 1445 } 1446 1447 LoadInst::LoadInst(Type *Ty, Value *Ptr, const Twine &Name, bool isVolatile, 1448 Align Align, AtomicOrdering Order, SyncScope::ID SSID, 1449 BasicBlock *InsertAE) 1450 : UnaryInstruction(Ty, Load, Ptr, InsertAE) { 1451 assert(Ty == cast<PointerType>(Ptr->getType())->getElementType()); 1452 setVolatile(isVolatile); 1453 setAlignment(Align); 1454 setAtomic(Order, SSID); 1455 AssertOK(); 1456 setName(Name); 1457 } 1458 1459 //===----------------------------------------------------------------------===// 1460 // StoreInst Implementation 1461 //===----------------------------------------------------------------------===// 1462 1463 void StoreInst::AssertOK() { 1464 assert(getOperand(0) && getOperand(1) && "Both operands must be non-null!"); 1465 assert(getOperand(1)->getType()->isPointerTy() && 1466 "Ptr must have pointer type!"); 1467 assert(getOperand(0)->getType() == 1468 cast<PointerType>(getOperand(1)->getType())->getElementType() 1469 && "Ptr must be a pointer to Val type!"); 1470 assert(!(isAtomic() && getAlignment() == 0) && 1471 "Alignment required for atomic store"); 1472 } 1473 1474 StoreInst::StoreInst(Value *val, Value *addr, Instruction *InsertBefore) 1475 : StoreInst(val, addr, /*isVolatile=*/false, InsertBefore) {} 1476 1477 StoreInst::StoreInst(Value *val, Value *addr, BasicBlock *InsertAtEnd) 1478 : StoreInst(val, addr, /*isVolatile=*/false, InsertAtEnd) {} 1479 1480 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile, 1481 Instruction *InsertBefore) 1482 : StoreInst(val, addr, isVolatile, 1483 computeLoadStoreDefaultAlign(val->getType(), InsertBefore), 1484 InsertBefore) {} 1485 1486 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile, 1487 BasicBlock *InsertAtEnd) 1488 : StoreInst(val, addr, isVolatile, 1489 computeLoadStoreDefaultAlign(val->getType(), InsertAtEnd), 1490 InsertAtEnd) {} 1491 1492 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile, Align Align, 1493 Instruction *InsertBefore) 1494 : StoreInst(val, addr, isVolatile, Align, AtomicOrdering::NotAtomic, 1495 SyncScope::System, InsertBefore) {} 1496 1497 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile, Align Align, 1498 BasicBlock *InsertAtEnd) 1499 : StoreInst(val, addr, isVolatile, Align, AtomicOrdering::NotAtomic, 1500 SyncScope::System, InsertAtEnd) {} 1501 1502 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile, Align Align, 1503 AtomicOrdering Order, SyncScope::ID SSID, 1504 Instruction *InsertBefore) 1505 : Instruction(Type::getVoidTy(val->getContext()), Store, 1506 OperandTraits<StoreInst>::op_begin(this), 1507 OperandTraits<StoreInst>::operands(this), InsertBefore) { 1508 Op<0>() = val; 1509 Op<1>() = addr; 1510 setVolatile(isVolatile); 1511 setAlignment(Align); 1512 setAtomic(Order, SSID); 1513 AssertOK(); 1514 } 1515 1516 StoreInst::StoreInst(Value *val, Value *addr, bool isVolatile, Align Align, 1517 AtomicOrdering Order, SyncScope::ID SSID, 1518 BasicBlock *InsertAtEnd) 1519 : Instruction(Type::getVoidTy(val->getContext()), Store, 1520 OperandTraits<StoreInst>::op_begin(this), 1521 OperandTraits<StoreInst>::operands(this), InsertAtEnd) { 1522 Op<0>() = val; 1523 Op<1>() = addr; 1524 setVolatile(isVolatile); 1525 setAlignment(Align); 1526 setAtomic(Order, SSID); 1527 AssertOK(); 1528 } 1529 1530 1531 //===----------------------------------------------------------------------===// 1532 // AtomicCmpXchgInst Implementation 1533 //===----------------------------------------------------------------------===// 1534 1535 void AtomicCmpXchgInst::Init(Value *Ptr, Value *Cmp, Value *NewVal, 1536 Align Alignment, AtomicOrdering SuccessOrdering, 1537 AtomicOrdering FailureOrdering, 1538 SyncScope::ID SSID) { 1539 Op<0>() = Ptr; 1540 Op<1>() = Cmp; 1541 Op<2>() = NewVal; 1542 setSuccessOrdering(SuccessOrdering); 1543 setFailureOrdering(FailureOrdering); 1544 setSyncScopeID(SSID); 1545 setAlignment(Alignment); 1546 1547 assert(getOperand(0) && getOperand(1) && getOperand(2) && 1548 "All operands must be non-null!"); 1549 assert(getOperand(0)->getType()->isPointerTy() && 1550 "Ptr must have pointer type!"); 1551 assert(getOperand(1)->getType() == 1552 cast<PointerType>(getOperand(0)->getType())->getElementType() 1553 && "Ptr must be a pointer to Cmp type!"); 1554 assert(getOperand(2)->getType() == 1555 cast<PointerType>(getOperand(0)->getType())->getElementType() 1556 && "Ptr must be a pointer to NewVal type!"); 1557 assert(SuccessOrdering != AtomicOrdering::NotAtomic && 1558 "AtomicCmpXchg instructions must be atomic!"); 1559 assert(FailureOrdering != AtomicOrdering::NotAtomic && 1560 "AtomicCmpXchg instructions must be atomic!"); 1561 assert(!isStrongerThan(FailureOrdering, SuccessOrdering) && 1562 "AtomicCmpXchg failure argument shall be no stronger than the success " 1563 "argument"); 1564 assert(FailureOrdering != AtomicOrdering::Release && 1565 FailureOrdering != AtomicOrdering::AcquireRelease && 1566 "AtomicCmpXchg failure ordering cannot include release semantics"); 1567 } 1568 1569 AtomicCmpXchgInst::AtomicCmpXchgInst(Value *Ptr, Value *Cmp, Value *NewVal, 1570 Align Alignment, 1571 AtomicOrdering SuccessOrdering, 1572 AtomicOrdering FailureOrdering, 1573 SyncScope::ID SSID, 1574 Instruction *InsertBefore) 1575 : Instruction( 1576 StructType::get(Cmp->getType(), Type::getInt1Ty(Cmp->getContext())), 1577 AtomicCmpXchg, OperandTraits<AtomicCmpXchgInst>::op_begin(this), 1578 OperandTraits<AtomicCmpXchgInst>::operands(this), InsertBefore) { 1579 Init(Ptr, Cmp, NewVal, Alignment, SuccessOrdering, FailureOrdering, SSID); 1580 } 1581 1582 AtomicCmpXchgInst::AtomicCmpXchgInst(Value *Ptr, Value *Cmp, Value *NewVal, 1583 Align Alignment, 1584 AtomicOrdering SuccessOrdering, 1585 AtomicOrdering FailureOrdering, 1586 SyncScope::ID SSID, 1587 BasicBlock *InsertAtEnd) 1588 : Instruction( 1589 StructType::get(Cmp->getType(), Type::getInt1Ty(Cmp->getContext())), 1590 AtomicCmpXchg, OperandTraits<AtomicCmpXchgInst>::op_begin(this), 1591 OperandTraits<AtomicCmpXchgInst>::operands(this), InsertAtEnd) { 1592 Init(Ptr, Cmp, NewVal, Alignment, SuccessOrdering, FailureOrdering, SSID); 1593 } 1594 1595 //===----------------------------------------------------------------------===// 1596 // AtomicRMWInst Implementation 1597 //===----------------------------------------------------------------------===// 1598 1599 void AtomicRMWInst::Init(BinOp Operation, Value *Ptr, Value *Val, 1600 Align Alignment, AtomicOrdering Ordering, 1601 SyncScope::ID SSID) { 1602 Op<0>() = Ptr; 1603 Op<1>() = Val; 1604 setOperation(Operation); 1605 setOrdering(Ordering); 1606 setSyncScopeID(SSID); 1607 setAlignment(Alignment); 1608 1609 assert(getOperand(0) && getOperand(1) && 1610 "All operands must be non-null!"); 1611 assert(getOperand(0)->getType()->isPointerTy() && 1612 "Ptr must have pointer type!"); 1613 assert(getOperand(1)->getType() == 1614 cast<PointerType>(getOperand(0)->getType())->getElementType() 1615 && "Ptr must be a pointer to Val type!"); 1616 assert(Ordering != AtomicOrdering::NotAtomic && 1617 "AtomicRMW instructions must be atomic!"); 1618 } 1619 1620 AtomicRMWInst::AtomicRMWInst(BinOp Operation, Value *Ptr, Value *Val, 1621 Align Alignment, AtomicOrdering Ordering, 1622 SyncScope::ID SSID, Instruction *InsertBefore) 1623 : Instruction(Val->getType(), AtomicRMW, 1624 OperandTraits<AtomicRMWInst>::op_begin(this), 1625 OperandTraits<AtomicRMWInst>::operands(this), InsertBefore) { 1626 Init(Operation, Ptr, Val, Alignment, Ordering, SSID); 1627 } 1628 1629 AtomicRMWInst::AtomicRMWInst(BinOp Operation, Value *Ptr, Value *Val, 1630 Align Alignment, AtomicOrdering Ordering, 1631 SyncScope::ID SSID, BasicBlock *InsertAtEnd) 1632 : Instruction(Val->getType(), AtomicRMW, 1633 OperandTraits<AtomicRMWInst>::op_begin(this), 1634 OperandTraits<AtomicRMWInst>::operands(this), InsertAtEnd) { 1635 Init(Operation, Ptr, Val, Alignment, Ordering, SSID); 1636 } 1637 1638 StringRef AtomicRMWInst::getOperationName(BinOp Op) { 1639 switch (Op) { 1640 case AtomicRMWInst::Xchg: 1641 return "xchg"; 1642 case AtomicRMWInst::Add: 1643 return "add"; 1644 case AtomicRMWInst::Sub: 1645 return "sub"; 1646 case AtomicRMWInst::And: 1647 return "and"; 1648 case AtomicRMWInst::Nand: 1649 return "nand"; 1650 case AtomicRMWInst::Or: 1651 return "or"; 1652 case AtomicRMWInst::Xor: 1653 return "xor"; 1654 case AtomicRMWInst::Max: 1655 return "max"; 1656 case AtomicRMWInst::Min: 1657 return "min"; 1658 case AtomicRMWInst::UMax: 1659 return "umax"; 1660 case AtomicRMWInst::UMin: 1661 return "umin"; 1662 case AtomicRMWInst::FAdd: 1663 return "fadd"; 1664 case AtomicRMWInst::FSub: 1665 return "fsub"; 1666 case AtomicRMWInst::BAD_BINOP: 1667 return "<invalid operation>"; 1668 } 1669 1670 llvm_unreachable("invalid atomicrmw operation"); 1671 } 1672 1673 //===----------------------------------------------------------------------===// 1674 // FenceInst Implementation 1675 //===----------------------------------------------------------------------===// 1676 1677 FenceInst::FenceInst(LLVMContext &C, AtomicOrdering Ordering, 1678 SyncScope::ID SSID, 1679 Instruction *InsertBefore) 1680 : Instruction(Type::getVoidTy(C), Fence, nullptr, 0, InsertBefore) { 1681 setOrdering(Ordering); 1682 setSyncScopeID(SSID); 1683 } 1684 1685 FenceInst::FenceInst(LLVMContext &C, AtomicOrdering Ordering, 1686 SyncScope::ID SSID, 1687 BasicBlock *InsertAtEnd) 1688 : Instruction(Type::getVoidTy(C), Fence, nullptr, 0, InsertAtEnd) { 1689 setOrdering(Ordering); 1690 setSyncScopeID(SSID); 1691 } 1692 1693 //===----------------------------------------------------------------------===// 1694 // GetElementPtrInst Implementation 1695 //===----------------------------------------------------------------------===// 1696 1697 void GetElementPtrInst::init(Value *Ptr, ArrayRef<Value *> IdxList, 1698 const Twine &Name) { 1699 assert(getNumOperands() == 1 + IdxList.size() && 1700 "NumOperands not initialized?"); 1701 Op<0>() = Ptr; 1702 llvm::copy(IdxList, op_begin() + 1); 1703 setName(Name); 1704 } 1705 1706 GetElementPtrInst::GetElementPtrInst(const GetElementPtrInst &GEPI) 1707 : Instruction(GEPI.getType(), GetElementPtr, 1708 OperandTraits<GetElementPtrInst>::op_end(this) - 1709 GEPI.getNumOperands(), 1710 GEPI.getNumOperands()), 1711 SourceElementType(GEPI.SourceElementType), 1712 ResultElementType(GEPI.ResultElementType) { 1713 std::copy(GEPI.op_begin(), GEPI.op_end(), op_begin()); 1714 SubclassOptionalData = GEPI.SubclassOptionalData; 1715 } 1716 1717 Type *GetElementPtrInst::getTypeAtIndex(Type *Ty, Value *Idx) { 1718 if (auto *Struct = dyn_cast<StructType>(Ty)) { 1719 if (!Struct->indexValid(Idx)) 1720 return nullptr; 1721 return Struct->getTypeAtIndex(Idx); 1722 } 1723 if (!Idx->getType()->isIntOrIntVectorTy()) 1724 return nullptr; 1725 if (auto *Array = dyn_cast<ArrayType>(Ty)) 1726 return Array->getElementType(); 1727 if (auto *Vector = dyn_cast<VectorType>(Ty)) 1728 return Vector->getElementType(); 1729 return nullptr; 1730 } 1731 1732 Type *GetElementPtrInst::getTypeAtIndex(Type *Ty, uint64_t Idx) { 1733 if (auto *Struct = dyn_cast<StructType>(Ty)) { 1734 if (Idx >= Struct->getNumElements()) 1735 return nullptr; 1736 return Struct->getElementType(Idx); 1737 } 1738 if (auto *Array = dyn_cast<ArrayType>(Ty)) 1739 return Array->getElementType(); 1740 if (auto *Vector = dyn_cast<VectorType>(Ty)) 1741 return Vector->getElementType(); 1742 return nullptr; 1743 } 1744 1745 template <typename IndexTy> 1746 static Type *getIndexedTypeInternal(Type *Ty, ArrayRef<IndexTy> IdxList) { 1747 if (IdxList.empty()) 1748 return Ty; 1749 for (IndexTy V : IdxList.slice(1)) { 1750 Ty = GetElementPtrInst::getTypeAtIndex(Ty, V); 1751 if (!Ty) 1752 return Ty; 1753 } 1754 return Ty; 1755 } 1756 1757 Type *GetElementPtrInst::getIndexedType(Type *Ty, ArrayRef<Value *> IdxList) { 1758 return getIndexedTypeInternal(Ty, IdxList); 1759 } 1760 1761 Type *GetElementPtrInst::getIndexedType(Type *Ty, 1762 ArrayRef<Constant *> IdxList) { 1763 return getIndexedTypeInternal(Ty, IdxList); 1764 } 1765 1766 Type *GetElementPtrInst::getIndexedType(Type *Ty, ArrayRef<uint64_t> IdxList) { 1767 return getIndexedTypeInternal(Ty, IdxList); 1768 } 1769 1770 /// hasAllZeroIndices - Return true if all of the indices of this GEP are 1771 /// zeros. If so, the result pointer and the first operand have the same 1772 /// value, just potentially different types. 1773 bool GetElementPtrInst::hasAllZeroIndices() const { 1774 for (unsigned i = 1, e = getNumOperands(); i != e; ++i) { 1775 if (ConstantInt *CI = dyn_cast<ConstantInt>(getOperand(i))) { 1776 if (!CI->isZero()) return false; 1777 } else { 1778 return false; 1779 } 1780 } 1781 return true; 1782 } 1783 1784 /// hasAllConstantIndices - Return true if all of the indices of this GEP are 1785 /// constant integers. If so, the result pointer and the first operand have 1786 /// a constant offset between them. 1787 bool GetElementPtrInst::hasAllConstantIndices() const { 1788 for (unsigned i = 1, e = getNumOperands(); i != e; ++i) { 1789 if (!isa<ConstantInt>(getOperand(i))) 1790 return false; 1791 } 1792 return true; 1793 } 1794 1795 void GetElementPtrInst::setIsInBounds(bool B) { 1796 cast<GEPOperator>(this)->setIsInBounds(B); 1797 } 1798 1799 bool GetElementPtrInst::isInBounds() const { 1800 return cast<GEPOperator>(this)->isInBounds(); 1801 } 1802 1803 bool GetElementPtrInst::accumulateConstantOffset(const DataLayout &DL, 1804 APInt &Offset) const { 1805 // Delegate to the generic GEPOperator implementation. 1806 return cast<GEPOperator>(this)->accumulateConstantOffset(DL, Offset); 1807 } 1808 1809 bool GetElementPtrInst::collectOffset( 1810 const DataLayout &DL, unsigned BitWidth, 1811 SmallDenseMap<Value *, APInt, 8> &VariableOffsets, 1812 APInt &ConstantOffset) const { 1813 // Delegate to the generic GEPOperator implementation. 1814 return cast<GEPOperator>(this)->collectOffset(DL, BitWidth, VariableOffsets, 1815 ConstantOffset); 1816 } 1817 1818 //===----------------------------------------------------------------------===// 1819 // ExtractElementInst Implementation 1820 //===----------------------------------------------------------------------===// 1821 1822 ExtractElementInst::ExtractElementInst(Value *Val, Value *Index, 1823 const Twine &Name, 1824 Instruction *InsertBef) 1825 : Instruction(cast<VectorType>(Val->getType())->getElementType(), 1826 ExtractElement, 1827 OperandTraits<ExtractElementInst>::op_begin(this), 1828 2, InsertBef) { 1829 assert(isValidOperands(Val, Index) && 1830 "Invalid extractelement instruction operands!"); 1831 Op<0>() = Val; 1832 Op<1>() = Index; 1833 setName(Name); 1834 } 1835 1836 ExtractElementInst::ExtractElementInst(Value *Val, Value *Index, 1837 const Twine &Name, 1838 BasicBlock *InsertAE) 1839 : Instruction(cast<VectorType>(Val->getType())->getElementType(), 1840 ExtractElement, 1841 OperandTraits<ExtractElementInst>::op_begin(this), 1842 2, InsertAE) { 1843 assert(isValidOperands(Val, Index) && 1844 "Invalid extractelement instruction operands!"); 1845 1846 Op<0>() = Val; 1847 Op<1>() = Index; 1848 setName(Name); 1849 } 1850 1851 bool ExtractElementInst::isValidOperands(const Value *Val, const Value *Index) { 1852 if (!Val->getType()->isVectorTy() || !Index->getType()->isIntegerTy()) 1853 return false; 1854 return true; 1855 } 1856 1857 //===----------------------------------------------------------------------===// 1858 // InsertElementInst Implementation 1859 //===----------------------------------------------------------------------===// 1860 1861 InsertElementInst::InsertElementInst(Value *Vec, Value *Elt, Value *Index, 1862 const Twine &Name, 1863 Instruction *InsertBef) 1864 : Instruction(Vec->getType(), InsertElement, 1865 OperandTraits<InsertElementInst>::op_begin(this), 1866 3, InsertBef) { 1867 assert(isValidOperands(Vec, Elt, Index) && 1868 "Invalid insertelement instruction operands!"); 1869 Op<0>() = Vec; 1870 Op<1>() = Elt; 1871 Op<2>() = Index; 1872 setName(Name); 1873 } 1874 1875 InsertElementInst::InsertElementInst(Value *Vec, Value *Elt, Value *Index, 1876 const Twine &Name, 1877 BasicBlock *InsertAE) 1878 : Instruction(Vec->getType(), InsertElement, 1879 OperandTraits<InsertElementInst>::op_begin(this), 1880 3, InsertAE) { 1881 assert(isValidOperands(Vec, Elt, Index) && 1882 "Invalid insertelement instruction operands!"); 1883 1884 Op<0>() = Vec; 1885 Op<1>() = Elt; 1886 Op<2>() = Index; 1887 setName(Name); 1888 } 1889 1890 bool InsertElementInst::isValidOperands(const Value *Vec, const Value *Elt, 1891 const Value *Index) { 1892 if (!Vec->getType()->isVectorTy()) 1893 return false; // First operand of insertelement must be vector type. 1894 1895 if (Elt->getType() != cast<VectorType>(Vec->getType())->getElementType()) 1896 return false;// Second operand of insertelement must be vector element type. 1897 1898 if (!Index->getType()->isIntegerTy()) 1899 return false; // Third operand of insertelement must be i32. 1900 return true; 1901 } 1902 1903 //===----------------------------------------------------------------------===// 1904 // ShuffleVectorInst Implementation 1905 //===----------------------------------------------------------------------===// 1906 1907 ShuffleVectorInst::ShuffleVectorInst(Value *V1, Value *V2, Value *Mask, 1908 const Twine &Name, 1909 Instruction *InsertBefore) 1910 : Instruction( 1911 VectorType::get(cast<VectorType>(V1->getType())->getElementType(), 1912 cast<VectorType>(Mask->getType())->getElementCount()), 1913 ShuffleVector, OperandTraits<ShuffleVectorInst>::op_begin(this), 1914 OperandTraits<ShuffleVectorInst>::operands(this), InsertBefore) { 1915 assert(isValidOperands(V1, V2, Mask) && 1916 "Invalid shuffle vector instruction operands!"); 1917 1918 Op<0>() = V1; 1919 Op<1>() = V2; 1920 SmallVector<int, 16> MaskArr; 1921 getShuffleMask(cast<Constant>(Mask), MaskArr); 1922 setShuffleMask(MaskArr); 1923 setName(Name); 1924 } 1925 1926 ShuffleVectorInst::ShuffleVectorInst(Value *V1, Value *V2, Value *Mask, 1927 const Twine &Name, BasicBlock *InsertAtEnd) 1928 : Instruction( 1929 VectorType::get(cast<VectorType>(V1->getType())->getElementType(), 1930 cast<VectorType>(Mask->getType())->getElementCount()), 1931 ShuffleVector, OperandTraits<ShuffleVectorInst>::op_begin(this), 1932 OperandTraits<ShuffleVectorInst>::operands(this), InsertAtEnd) { 1933 assert(isValidOperands(V1, V2, Mask) && 1934 "Invalid shuffle vector instruction operands!"); 1935 1936 Op<0>() = V1; 1937 Op<1>() = V2; 1938 SmallVector<int, 16> MaskArr; 1939 getShuffleMask(cast<Constant>(Mask), MaskArr); 1940 setShuffleMask(MaskArr); 1941 setName(Name); 1942 } 1943 1944 ShuffleVectorInst::ShuffleVectorInst(Value *V1, Value *V2, ArrayRef<int> Mask, 1945 const Twine &Name, 1946 Instruction *InsertBefore) 1947 : Instruction( 1948 VectorType::get(cast<VectorType>(V1->getType())->getElementType(), 1949 Mask.size(), isa<ScalableVectorType>(V1->getType())), 1950 ShuffleVector, OperandTraits<ShuffleVectorInst>::op_begin(this), 1951 OperandTraits<ShuffleVectorInst>::operands(this), InsertBefore) { 1952 assert(isValidOperands(V1, V2, Mask) && 1953 "Invalid shuffle vector instruction operands!"); 1954 Op<0>() = V1; 1955 Op<1>() = V2; 1956 setShuffleMask(Mask); 1957 setName(Name); 1958 } 1959 1960 ShuffleVectorInst::ShuffleVectorInst(Value *V1, Value *V2, ArrayRef<int> Mask, 1961 const Twine &Name, BasicBlock *InsertAtEnd) 1962 : Instruction( 1963 VectorType::get(cast<VectorType>(V1->getType())->getElementType(), 1964 Mask.size(), isa<ScalableVectorType>(V1->getType())), 1965 ShuffleVector, OperandTraits<ShuffleVectorInst>::op_begin(this), 1966 OperandTraits<ShuffleVectorInst>::operands(this), InsertAtEnd) { 1967 assert(isValidOperands(V1, V2, Mask) && 1968 "Invalid shuffle vector instruction operands!"); 1969 1970 Op<0>() = V1; 1971 Op<1>() = V2; 1972 setShuffleMask(Mask); 1973 setName(Name); 1974 } 1975 1976 void ShuffleVectorInst::commute() { 1977 int NumOpElts = cast<FixedVectorType>(Op<0>()->getType())->getNumElements(); 1978 int NumMaskElts = ShuffleMask.size(); 1979 SmallVector<int, 16> NewMask(NumMaskElts); 1980 for (int i = 0; i != NumMaskElts; ++i) { 1981 int MaskElt = getMaskValue(i); 1982 if (MaskElt == UndefMaskElem) { 1983 NewMask[i] = UndefMaskElem; 1984 continue; 1985 } 1986 assert(MaskElt >= 0 && MaskElt < 2 * NumOpElts && "Out-of-range mask"); 1987 MaskElt = (MaskElt < NumOpElts) ? MaskElt + NumOpElts : MaskElt - NumOpElts; 1988 NewMask[i] = MaskElt; 1989 } 1990 setShuffleMask(NewMask); 1991 Op<0>().swap(Op<1>()); 1992 } 1993 1994 bool ShuffleVectorInst::isValidOperands(const Value *V1, const Value *V2, 1995 ArrayRef<int> Mask) { 1996 // V1 and V2 must be vectors of the same type. 1997 if (!isa<VectorType>(V1->getType()) || V1->getType() != V2->getType()) 1998 return false; 1999 2000 // Make sure the mask elements make sense. 2001 int V1Size = 2002 cast<VectorType>(V1->getType())->getElementCount().getKnownMinValue(); 2003 for (int Elem : Mask) 2004 if (Elem != UndefMaskElem && Elem >= V1Size * 2) 2005 return false; 2006 2007 if (isa<ScalableVectorType>(V1->getType())) 2008 if ((Mask[0] != 0 && Mask[0] != UndefMaskElem) || !is_splat(Mask)) 2009 return false; 2010 2011 return true; 2012 } 2013 2014 bool ShuffleVectorInst::isValidOperands(const Value *V1, const Value *V2, 2015 const Value *Mask) { 2016 // V1 and V2 must be vectors of the same type. 2017 if (!V1->getType()->isVectorTy() || V1->getType() != V2->getType()) 2018 return false; 2019 2020 // Mask must be vector of i32, and must be the same kind of vector as the 2021 // input vectors 2022 auto *MaskTy = dyn_cast<VectorType>(Mask->getType()); 2023 if (!MaskTy || !MaskTy->getElementType()->isIntegerTy(32) || 2024 isa<ScalableVectorType>(MaskTy) != isa<ScalableVectorType>(V1->getType())) 2025 return false; 2026 2027 // Check to see if Mask is valid. 2028 if (isa<UndefValue>(Mask) || isa<ConstantAggregateZero>(Mask)) 2029 return true; 2030 2031 if (const auto *MV = dyn_cast<ConstantVector>(Mask)) { 2032 unsigned V1Size = cast<FixedVectorType>(V1->getType())->getNumElements(); 2033 for (Value *Op : MV->operands()) { 2034 if (auto *CI = dyn_cast<ConstantInt>(Op)) { 2035 if (CI->uge(V1Size*2)) 2036 return false; 2037 } else if (!isa<UndefValue>(Op)) { 2038 return false; 2039 } 2040 } 2041 return true; 2042 } 2043 2044 if (const auto *CDS = dyn_cast<ConstantDataSequential>(Mask)) { 2045 unsigned V1Size = cast<FixedVectorType>(V1->getType())->getNumElements(); 2046 for (unsigned i = 0, e = cast<FixedVectorType>(MaskTy)->getNumElements(); 2047 i != e; ++i) 2048 if (CDS->getElementAsInteger(i) >= V1Size*2) 2049 return false; 2050 return true; 2051 } 2052 2053 return false; 2054 } 2055 2056 void ShuffleVectorInst::getShuffleMask(const Constant *Mask, 2057 SmallVectorImpl<int> &Result) { 2058 ElementCount EC = cast<VectorType>(Mask->getType())->getElementCount(); 2059 2060 if (isa<ConstantAggregateZero>(Mask)) { 2061 Result.resize(EC.getKnownMinValue(), 0); 2062 return; 2063 } 2064 2065 Result.reserve(EC.getKnownMinValue()); 2066 2067 if (EC.isScalable()) { 2068 assert((isa<ConstantAggregateZero>(Mask) || isa<UndefValue>(Mask)) && 2069 "Scalable vector shuffle mask must be undef or zeroinitializer"); 2070 int MaskVal = isa<UndefValue>(Mask) ? -1 : 0; 2071 for (unsigned I = 0; I < EC.getKnownMinValue(); ++I) 2072 Result.emplace_back(MaskVal); 2073 return; 2074 } 2075 2076 unsigned NumElts = EC.getKnownMinValue(); 2077 2078 if (auto *CDS = dyn_cast<ConstantDataSequential>(Mask)) { 2079 for (unsigned i = 0; i != NumElts; ++i) 2080 Result.push_back(CDS->getElementAsInteger(i)); 2081 return; 2082 } 2083 for (unsigned i = 0; i != NumElts; ++i) { 2084 Constant *C = Mask->getAggregateElement(i); 2085 Result.push_back(isa<UndefValue>(C) ? -1 : 2086 cast<ConstantInt>(C)->getZExtValue()); 2087 } 2088 } 2089 2090 void ShuffleVectorInst::setShuffleMask(ArrayRef<int> Mask) { 2091 ShuffleMask.assign(Mask.begin(), Mask.end()); 2092 ShuffleMaskForBitcode = convertShuffleMaskForBitcode(Mask, getType()); 2093 } 2094 Constant *ShuffleVectorInst::convertShuffleMaskForBitcode(ArrayRef<int> Mask, 2095 Type *ResultTy) { 2096 Type *Int32Ty = Type::getInt32Ty(ResultTy->getContext()); 2097 if (isa<ScalableVectorType>(ResultTy)) { 2098 assert(is_splat(Mask) && "Unexpected shuffle"); 2099 Type *VecTy = VectorType::get(Int32Ty, Mask.size(), true); 2100 if (Mask[0] == 0) 2101 return Constant::getNullValue(VecTy); 2102 return UndefValue::get(VecTy); 2103 } 2104 SmallVector<Constant *, 16> MaskConst; 2105 for (int Elem : Mask) { 2106 if (Elem == UndefMaskElem) 2107 MaskConst.push_back(UndefValue::get(Int32Ty)); 2108 else 2109 MaskConst.push_back(ConstantInt::get(Int32Ty, Elem)); 2110 } 2111 return ConstantVector::get(MaskConst); 2112 } 2113 2114 static bool isSingleSourceMaskImpl(ArrayRef<int> Mask, int NumOpElts) { 2115 assert(!Mask.empty() && "Shuffle mask must contain elements"); 2116 bool UsesLHS = false; 2117 bool UsesRHS = false; 2118 for (int I : Mask) { 2119 if (I == -1) 2120 continue; 2121 assert(I >= 0 && I < (NumOpElts * 2) && 2122 "Out-of-bounds shuffle mask element"); 2123 UsesLHS |= (I < NumOpElts); 2124 UsesRHS |= (I >= NumOpElts); 2125 if (UsesLHS && UsesRHS) 2126 return false; 2127 } 2128 // Allow for degenerate case: completely undef mask means neither source is used. 2129 return UsesLHS || UsesRHS; 2130 } 2131 2132 bool ShuffleVectorInst::isSingleSourceMask(ArrayRef<int> Mask) { 2133 // We don't have vector operand size information, so assume operands are the 2134 // same size as the mask. 2135 return isSingleSourceMaskImpl(Mask, Mask.size()); 2136 } 2137 2138 static bool isIdentityMaskImpl(ArrayRef<int> Mask, int NumOpElts) { 2139 if (!isSingleSourceMaskImpl(Mask, NumOpElts)) 2140 return false; 2141 for (int i = 0, NumMaskElts = Mask.size(); i < NumMaskElts; ++i) { 2142 if (Mask[i] == -1) 2143 continue; 2144 if (Mask[i] != i && Mask[i] != (NumOpElts + i)) 2145 return false; 2146 } 2147 return true; 2148 } 2149 2150 bool ShuffleVectorInst::isIdentityMask(ArrayRef<int> Mask) { 2151 // We don't have vector operand size information, so assume operands are the 2152 // same size as the mask. 2153 return isIdentityMaskImpl(Mask, Mask.size()); 2154 } 2155 2156 bool ShuffleVectorInst::isReverseMask(ArrayRef<int> Mask) { 2157 if (!isSingleSourceMask(Mask)) 2158 return false; 2159 for (int i = 0, NumElts = Mask.size(); i < NumElts; ++i) { 2160 if (Mask[i] == -1) 2161 continue; 2162 if (Mask[i] != (NumElts - 1 - i) && Mask[i] != (NumElts + NumElts - 1 - i)) 2163 return false; 2164 } 2165 return true; 2166 } 2167 2168 bool ShuffleVectorInst::isZeroEltSplatMask(ArrayRef<int> Mask) { 2169 if (!isSingleSourceMask(Mask)) 2170 return false; 2171 for (int i = 0, NumElts = Mask.size(); i < NumElts; ++i) { 2172 if (Mask[i] == -1) 2173 continue; 2174 if (Mask[i] != 0 && Mask[i] != NumElts) 2175 return false; 2176 } 2177 return true; 2178 } 2179 2180 bool ShuffleVectorInst::isSelectMask(ArrayRef<int> Mask) { 2181 // Select is differentiated from identity. It requires using both sources. 2182 if (isSingleSourceMask(Mask)) 2183 return false; 2184 for (int i = 0, NumElts = Mask.size(); i < NumElts; ++i) { 2185 if (Mask[i] == -1) 2186 continue; 2187 if (Mask[i] != i && Mask[i] != (NumElts + i)) 2188 return false; 2189 } 2190 return true; 2191 } 2192 2193 bool ShuffleVectorInst::isTransposeMask(ArrayRef<int> Mask) { 2194 // Example masks that will return true: 2195 // v1 = <a, b, c, d> 2196 // v2 = <e, f, g, h> 2197 // trn1 = shufflevector v1, v2 <0, 4, 2, 6> = <a, e, c, g> 2198 // trn2 = shufflevector v1, v2 <1, 5, 3, 7> = <b, f, d, h> 2199 2200 // 1. The number of elements in the mask must be a power-of-2 and at least 2. 2201 int NumElts = Mask.size(); 2202 if (NumElts < 2 || !isPowerOf2_32(NumElts)) 2203 return false; 2204 2205 // 2. The first element of the mask must be either a 0 or a 1. 2206 if (Mask[0] != 0 && Mask[0] != 1) 2207 return false; 2208 2209 // 3. The difference between the first 2 elements must be equal to the 2210 // number of elements in the mask. 2211 if ((Mask[1] - Mask[0]) != NumElts) 2212 return false; 2213 2214 // 4. The difference between consecutive even-numbered and odd-numbered 2215 // elements must be equal to 2. 2216 for (int i = 2; i < NumElts; ++i) { 2217 int MaskEltVal = Mask[i]; 2218 if (MaskEltVal == -1) 2219 return false; 2220 int MaskEltPrevVal = Mask[i - 2]; 2221 if (MaskEltVal - MaskEltPrevVal != 2) 2222 return false; 2223 } 2224 return true; 2225 } 2226 2227 bool ShuffleVectorInst::isExtractSubvectorMask(ArrayRef<int> Mask, 2228 int NumSrcElts, int &Index) { 2229 // Must extract from a single source. 2230 if (!isSingleSourceMaskImpl(Mask, NumSrcElts)) 2231 return false; 2232 2233 // Must be smaller (else this is an Identity shuffle). 2234 if (NumSrcElts <= (int)Mask.size()) 2235 return false; 2236 2237 // Find start of extraction, accounting that we may start with an UNDEF. 2238 int SubIndex = -1; 2239 for (int i = 0, e = Mask.size(); i != e; ++i) { 2240 int M = Mask[i]; 2241 if (M < 0) 2242 continue; 2243 int Offset = (M % NumSrcElts) - i; 2244 if (0 <= SubIndex && SubIndex != Offset) 2245 return false; 2246 SubIndex = Offset; 2247 } 2248 2249 if (0 <= SubIndex && SubIndex + (int)Mask.size() <= NumSrcElts) { 2250 Index = SubIndex; 2251 return true; 2252 } 2253 return false; 2254 } 2255 2256 bool ShuffleVectorInst::isIdentityWithPadding() const { 2257 if (isa<UndefValue>(Op<2>())) 2258 return false; 2259 2260 // FIXME: Not currently possible to express a shuffle mask for a scalable 2261 // vector for this case. 2262 if (isa<ScalableVectorType>(getType())) 2263 return false; 2264 2265 int NumOpElts = cast<FixedVectorType>(Op<0>()->getType())->getNumElements(); 2266 int NumMaskElts = cast<FixedVectorType>(getType())->getNumElements(); 2267 if (NumMaskElts <= NumOpElts) 2268 return false; 2269 2270 // The first part of the mask must choose elements from exactly 1 source op. 2271 ArrayRef<int> Mask = getShuffleMask(); 2272 if (!isIdentityMaskImpl(Mask, NumOpElts)) 2273 return false; 2274 2275 // All extending must be with undef elements. 2276 for (int i = NumOpElts; i < NumMaskElts; ++i) 2277 if (Mask[i] != -1) 2278 return false; 2279 2280 return true; 2281 } 2282 2283 bool ShuffleVectorInst::isIdentityWithExtract() const { 2284 if (isa<UndefValue>(Op<2>())) 2285 return false; 2286 2287 // FIXME: Not currently possible to express a shuffle mask for a scalable 2288 // vector for this case. 2289 if (isa<ScalableVectorType>(getType())) 2290 return false; 2291 2292 int NumOpElts = cast<FixedVectorType>(Op<0>()->getType())->getNumElements(); 2293 int NumMaskElts = cast<FixedVectorType>(getType())->getNumElements(); 2294 if (NumMaskElts >= NumOpElts) 2295 return false; 2296 2297 return isIdentityMaskImpl(getShuffleMask(), NumOpElts); 2298 } 2299 2300 bool ShuffleVectorInst::isConcat() const { 2301 // Vector concatenation is differentiated from identity with padding. 2302 if (isa<UndefValue>(Op<0>()) || isa<UndefValue>(Op<1>()) || 2303 isa<UndefValue>(Op<2>())) 2304 return false; 2305 2306 // FIXME: Not currently possible to express a shuffle mask for a scalable 2307 // vector for this case. 2308 if (isa<ScalableVectorType>(getType())) 2309 return false; 2310 2311 int NumOpElts = cast<FixedVectorType>(Op<0>()->getType())->getNumElements(); 2312 int NumMaskElts = cast<FixedVectorType>(getType())->getNumElements(); 2313 if (NumMaskElts != NumOpElts * 2) 2314 return false; 2315 2316 // Use the mask length rather than the operands' vector lengths here. We 2317 // already know that the shuffle returns a vector twice as long as the inputs, 2318 // and neither of the inputs are undef vectors. If the mask picks consecutive 2319 // elements from both inputs, then this is a concatenation of the inputs. 2320 return isIdentityMaskImpl(getShuffleMask(), NumMaskElts); 2321 } 2322 2323 //===----------------------------------------------------------------------===// 2324 // InsertValueInst Class 2325 //===----------------------------------------------------------------------===// 2326 2327 void InsertValueInst::init(Value *Agg, Value *Val, ArrayRef<unsigned> Idxs, 2328 const Twine &Name) { 2329 assert(getNumOperands() == 2 && "NumOperands not initialized?"); 2330 2331 // There's no fundamental reason why we require at least one index 2332 // (other than weirdness with &*IdxBegin being invalid; see 2333 // getelementptr's init routine for example). But there's no 2334 // present need to support it. 2335 assert(!Idxs.empty() && "InsertValueInst must have at least one index"); 2336 2337 assert(ExtractValueInst::getIndexedType(Agg->getType(), Idxs) == 2338 Val->getType() && "Inserted value must match indexed type!"); 2339 Op<0>() = Agg; 2340 Op<1>() = Val; 2341 2342 Indices.append(Idxs.begin(), Idxs.end()); 2343 setName(Name); 2344 } 2345 2346 InsertValueInst::InsertValueInst(const InsertValueInst &IVI) 2347 : Instruction(IVI.getType(), InsertValue, 2348 OperandTraits<InsertValueInst>::op_begin(this), 2), 2349 Indices(IVI.Indices) { 2350 Op<0>() = IVI.getOperand(0); 2351 Op<1>() = IVI.getOperand(1); 2352 SubclassOptionalData = IVI.SubclassOptionalData; 2353 } 2354 2355 //===----------------------------------------------------------------------===// 2356 // ExtractValueInst Class 2357 //===----------------------------------------------------------------------===// 2358 2359 void ExtractValueInst::init(ArrayRef<unsigned> Idxs, const Twine &Name) { 2360 assert(getNumOperands() == 1 && "NumOperands not initialized?"); 2361 2362 // There's no fundamental reason why we require at least one index. 2363 // But there's no present need to support it. 2364 assert(!Idxs.empty() && "ExtractValueInst must have at least one index"); 2365 2366 Indices.append(Idxs.begin(), Idxs.end()); 2367 setName(Name); 2368 } 2369 2370 ExtractValueInst::ExtractValueInst(const ExtractValueInst &EVI) 2371 : UnaryInstruction(EVI.getType(), ExtractValue, EVI.getOperand(0)), 2372 Indices(EVI.Indices) { 2373 SubclassOptionalData = EVI.SubclassOptionalData; 2374 } 2375 2376 // getIndexedType - Returns the type of the element that would be extracted 2377 // with an extractvalue instruction with the specified parameters. 2378 // 2379 // A null type is returned if the indices are invalid for the specified 2380 // pointer type. 2381 // 2382 Type *ExtractValueInst::getIndexedType(Type *Agg, 2383 ArrayRef<unsigned> Idxs) { 2384 for (unsigned Index : Idxs) { 2385 // We can't use CompositeType::indexValid(Index) here. 2386 // indexValid() always returns true for arrays because getelementptr allows 2387 // out-of-bounds indices. Since we don't allow those for extractvalue and 2388 // insertvalue we need to check array indexing manually. 2389 // Since the only other types we can index into are struct types it's just 2390 // as easy to check those manually as well. 2391 if (ArrayType *AT = dyn_cast<ArrayType>(Agg)) { 2392 if (Index >= AT->getNumElements()) 2393 return nullptr; 2394 Agg = AT->getElementType(); 2395 } else if (StructType *ST = dyn_cast<StructType>(Agg)) { 2396 if (Index >= ST->getNumElements()) 2397 return nullptr; 2398 Agg = ST->getElementType(Index); 2399 } else { 2400 // Not a valid type to index into. 2401 return nullptr; 2402 } 2403 } 2404 return const_cast<Type*>(Agg); 2405 } 2406 2407 //===----------------------------------------------------------------------===// 2408 // UnaryOperator Class 2409 //===----------------------------------------------------------------------===// 2410 2411 UnaryOperator::UnaryOperator(UnaryOps iType, Value *S, 2412 Type *Ty, const Twine &Name, 2413 Instruction *InsertBefore) 2414 : UnaryInstruction(Ty, iType, S, InsertBefore) { 2415 Op<0>() = S; 2416 setName(Name); 2417 AssertOK(); 2418 } 2419 2420 UnaryOperator::UnaryOperator(UnaryOps iType, Value *S, 2421 Type *Ty, const Twine &Name, 2422 BasicBlock *InsertAtEnd) 2423 : UnaryInstruction(Ty, iType, S, InsertAtEnd) { 2424 Op<0>() = S; 2425 setName(Name); 2426 AssertOK(); 2427 } 2428 2429 UnaryOperator *UnaryOperator::Create(UnaryOps Op, Value *S, 2430 const Twine &Name, 2431 Instruction *InsertBefore) { 2432 return new UnaryOperator(Op, S, S->getType(), Name, InsertBefore); 2433 } 2434 2435 UnaryOperator *UnaryOperator::Create(UnaryOps Op, Value *S, 2436 const Twine &Name, 2437 BasicBlock *InsertAtEnd) { 2438 UnaryOperator *Res = Create(Op, S, Name); 2439 InsertAtEnd->getInstList().push_back(Res); 2440 return Res; 2441 } 2442 2443 void UnaryOperator::AssertOK() { 2444 Value *LHS = getOperand(0); 2445 (void)LHS; // Silence warnings. 2446 #ifndef NDEBUG 2447 switch (getOpcode()) { 2448 case FNeg: 2449 assert(getType() == LHS->getType() && 2450 "Unary operation should return same type as operand!"); 2451 assert(getType()->isFPOrFPVectorTy() && 2452 "Tried to create a floating-point operation on a " 2453 "non-floating-point type!"); 2454 break; 2455 default: llvm_unreachable("Invalid opcode provided"); 2456 } 2457 #endif 2458 } 2459 2460 //===----------------------------------------------------------------------===// 2461 // BinaryOperator Class 2462 //===----------------------------------------------------------------------===// 2463 2464 BinaryOperator::BinaryOperator(BinaryOps iType, Value *S1, Value *S2, 2465 Type *Ty, const Twine &Name, 2466 Instruction *InsertBefore) 2467 : Instruction(Ty, iType, 2468 OperandTraits<BinaryOperator>::op_begin(this), 2469 OperandTraits<BinaryOperator>::operands(this), 2470 InsertBefore) { 2471 Op<0>() = S1; 2472 Op<1>() = S2; 2473 setName(Name); 2474 AssertOK(); 2475 } 2476 2477 BinaryOperator::BinaryOperator(BinaryOps iType, Value *S1, Value *S2, 2478 Type *Ty, const Twine &Name, 2479 BasicBlock *InsertAtEnd) 2480 : Instruction(Ty, iType, 2481 OperandTraits<BinaryOperator>::op_begin(this), 2482 OperandTraits<BinaryOperator>::operands(this), 2483 InsertAtEnd) { 2484 Op<0>() = S1; 2485 Op<1>() = S2; 2486 setName(Name); 2487 AssertOK(); 2488 } 2489 2490 void BinaryOperator::AssertOK() { 2491 Value *LHS = getOperand(0), *RHS = getOperand(1); 2492 (void)LHS; (void)RHS; // Silence warnings. 2493 assert(LHS->getType() == RHS->getType() && 2494 "Binary operator operand types must match!"); 2495 #ifndef NDEBUG 2496 switch (getOpcode()) { 2497 case Add: case Sub: 2498 case Mul: 2499 assert(getType() == LHS->getType() && 2500 "Arithmetic operation should return same type as operands!"); 2501 assert(getType()->isIntOrIntVectorTy() && 2502 "Tried to create an integer operation on a non-integer type!"); 2503 break; 2504 case FAdd: case FSub: 2505 case FMul: 2506 assert(getType() == LHS->getType() && 2507 "Arithmetic operation should return same type as operands!"); 2508 assert(getType()->isFPOrFPVectorTy() && 2509 "Tried to create a floating-point operation on a " 2510 "non-floating-point type!"); 2511 break; 2512 case UDiv: 2513 case SDiv: 2514 assert(getType() == LHS->getType() && 2515 "Arithmetic operation should return same type as operands!"); 2516 assert(getType()->isIntOrIntVectorTy() && 2517 "Incorrect operand type (not integer) for S/UDIV"); 2518 break; 2519 case FDiv: 2520 assert(getType() == LHS->getType() && 2521 "Arithmetic operation should return same type as operands!"); 2522 assert(getType()->isFPOrFPVectorTy() && 2523 "Incorrect operand type (not floating point) for FDIV"); 2524 break; 2525 case URem: 2526 case SRem: 2527 assert(getType() == LHS->getType() && 2528 "Arithmetic operation should return same type as operands!"); 2529 assert(getType()->isIntOrIntVectorTy() && 2530 "Incorrect operand type (not integer) for S/UREM"); 2531 break; 2532 case FRem: 2533 assert(getType() == LHS->getType() && 2534 "Arithmetic operation should return same type as operands!"); 2535 assert(getType()->isFPOrFPVectorTy() && 2536 "Incorrect operand type (not floating point) for FREM"); 2537 break; 2538 case Shl: 2539 case LShr: 2540 case AShr: 2541 assert(getType() == LHS->getType() && 2542 "Shift operation should return same type as operands!"); 2543 assert(getType()->isIntOrIntVectorTy() && 2544 "Tried to create a shift operation on a non-integral type!"); 2545 break; 2546 case And: case Or: 2547 case Xor: 2548 assert(getType() == LHS->getType() && 2549 "Logical operation should return same type as operands!"); 2550 assert(getType()->isIntOrIntVectorTy() && 2551 "Tried to create a logical operation on a non-integral type!"); 2552 break; 2553 default: llvm_unreachable("Invalid opcode provided"); 2554 } 2555 #endif 2556 } 2557 2558 BinaryOperator *BinaryOperator::Create(BinaryOps Op, Value *S1, Value *S2, 2559 const Twine &Name, 2560 Instruction *InsertBefore) { 2561 assert(S1->getType() == S2->getType() && 2562 "Cannot create binary operator with two operands of differing type!"); 2563 return new BinaryOperator(Op, S1, S2, S1->getType(), Name, InsertBefore); 2564 } 2565 2566 BinaryOperator *BinaryOperator::Create(BinaryOps Op, Value *S1, Value *S2, 2567 const Twine &Name, 2568 BasicBlock *InsertAtEnd) { 2569 BinaryOperator *Res = Create(Op, S1, S2, Name); 2570 InsertAtEnd->getInstList().push_back(Res); 2571 return Res; 2572 } 2573 2574 BinaryOperator *BinaryOperator::CreateNeg(Value *Op, const Twine &Name, 2575 Instruction *InsertBefore) { 2576 Value *zero = ConstantFP::getZeroValueForNegation(Op->getType()); 2577 return new BinaryOperator(Instruction::Sub, 2578 zero, Op, 2579 Op->getType(), Name, InsertBefore); 2580 } 2581 2582 BinaryOperator *BinaryOperator::CreateNeg(Value *Op, const Twine &Name, 2583 BasicBlock *InsertAtEnd) { 2584 Value *zero = ConstantFP::getZeroValueForNegation(Op->getType()); 2585 return new BinaryOperator(Instruction::Sub, 2586 zero, Op, 2587 Op->getType(), Name, InsertAtEnd); 2588 } 2589 2590 BinaryOperator *BinaryOperator::CreateNSWNeg(Value *Op, const Twine &Name, 2591 Instruction *InsertBefore) { 2592 Value *zero = ConstantFP::getZeroValueForNegation(Op->getType()); 2593 return BinaryOperator::CreateNSWSub(zero, Op, Name, InsertBefore); 2594 } 2595 2596 BinaryOperator *BinaryOperator::CreateNSWNeg(Value *Op, const Twine &Name, 2597 BasicBlock *InsertAtEnd) { 2598 Value *zero = ConstantFP::getZeroValueForNegation(Op->getType()); 2599 return BinaryOperator::CreateNSWSub(zero, Op, Name, InsertAtEnd); 2600 } 2601 2602 BinaryOperator *BinaryOperator::CreateNUWNeg(Value *Op, const Twine &Name, 2603 Instruction *InsertBefore) { 2604 Value *zero = ConstantFP::getZeroValueForNegation(Op->getType()); 2605 return BinaryOperator::CreateNUWSub(zero, Op, Name, InsertBefore); 2606 } 2607 2608 BinaryOperator *BinaryOperator::CreateNUWNeg(Value *Op, const Twine &Name, 2609 BasicBlock *InsertAtEnd) { 2610 Value *zero = ConstantFP::getZeroValueForNegation(Op->getType()); 2611 return BinaryOperator::CreateNUWSub(zero, Op, Name, InsertAtEnd); 2612 } 2613 2614 BinaryOperator *BinaryOperator::CreateNot(Value *Op, const Twine &Name, 2615 Instruction *InsertBefore) { 2616 Constant *C = Constant::getAllOnesValue(Op->getType()); 2617 return new BinaryOperator(Instruction::Xor, Op, C, 2618 Op->getType(), Name, InsertBefore); 2619 } 2620 2621 BinaryOperator *BinaryOperator::CreateNot(Value *Op, const Twine &Name, 2622 BasicBlock *InsertAtEnd) { 2623 Constant *AllOnes = Constant::getAllOnesValue(Op->getType()); 2624 return new BinaryOperator(Instruction::Xor, Op, AllOnes, 2625 Op->getType(), Name, InsertAtEnd); 2626 } 2627 2628 // Exchange the two operands to this instruction. This instruction is safe to 2629 // use on any binary instruction and does not modify the semantics of the 2630 // instruction. If the instruction is order-dependent (SetLT f.e.), the opcode 2631 // is changed. 2632 bool BinaryOperator::swapOperands() { 2633 if (!isCommutative()) 2634 return true; // Can't commute operands 2635 Op<0>().swap(Op<1>()); 2636 return false; 2637 } 2638 2639 //===----------------------------------------------------------------------===// 2640 // FPMathOperator Class 2641 //===----------------------------------------------------------------------===// 2642 2643 float FPMathOperator::getFPAccuracy() const { 2644 const MDNode *MD = 2645 cast<Instruction>(this)->getMetadata(LLVMContext::MD_fpmath); 2646 if (!MD) 2647 return 0.0; 2648 ConstantFP *Accuracy = mdconst::extract<ConstantFP>(MD->getOperand(0)); 2649 return Accuracy->getValueAPF().convertToFloat(); 2650 } 2651 2652 //===----------------------------------------------------------------------===// 2653 // CastInst Class 2654 //===----------------------------------------------------------------------===// 2655 2656 // Just determine if this cast only deals with integral->integral conversion. 2657 bool CastInst::isIntegerCast() const { 2658 switch (getOpcode()) { 2659 default: return false; 2660 case Instruction::ZExt: 2661 case Instruction::SExt: 2662 case Instruction::Trunc: 2663 return true; 2664 case Instruction::BitCast: 2665 return getOperand(0)->getType()->isIntegerTy() && 2666 getType()->isIntegerTy(); 2667 } 2668 } 2669 2670 bool CastInst::isLosslessCast() const { 2671 // Only BitCast can be lossless, exit fast if we're not BitCast 2672 if (getOpcode() != Instruction::BitCast) 2673 return false; 2674 2675 // Identity cast is always lossless 2676 Type *SrcTy = getOperand(0)->getType(); 2677 Type *DstTy = getType(); 2678 if (SrcTy == DstTy) 2679 return true; 2680 2681 // Pointer to pointer is always lossless. 2682 if (SrcTy->isPointerTy()) 2683 return DstTy->isPointerTy(); 2684 return false; // Other types have no identity values 2685 } 2686 2687 /// This function determines if the CastInst does not require any bits to be 2688 /// changed in order to effect the cast. Essentially, it identifies cases where 2689 /// no code gen is necessary for the cast, hence the name no-op cast. For 2690 /// example, the following are all no-op casts: 2691 /// # bitcast i32* %x to i8* 2692 /// # bitcast <2 x i32> %x to <4 x i16> 2693 /// # ptrtoint i32* %x to i32 ; on 32-bit plaforms only 2694 /// Determine if the described cast is a no-op. 2695 bool CastInst::isNoopCast(Instruction::CastOps Opcode, 2696 Type *SrcTy, 2697 Type *DestTy, 2698 const DataLayout &DL) { 2699 assert(castIsValid(Opcode, SrcTy, DestTy) && "method precondition"); 2700 switch (Opcode) { 2701 default: llvm_unreachable("Invalid CastOp"); 2702 case Instruction::Trunc: 2703 case Instruction::ZExt: 2704 case Instruction::SExt: 2705 case Instruction::FPTrunc: 2706 case Instruction::FPExt: 2707 case Instruction::UIToFP: 2708 case Instruction::SIToFP: 2709 case Instruction::FPToUI: 2710 case Instruction::FPToSI: 2711 case Instruction::AddrSpaceCast: 2712 // TODO: Target informations may give a more accurate answer here. 2713 return false; 2714 case Instruction::BitCast: 2715 return true; // BitCast never modifies bits. 2716 case Instruction::PtrToInt: 2717 return DL.getIntPtrType(SrcTy)->getScalarSizeInBits() == 2718 DestTy->getScalarSizeInBits(); 2719 case Instruction::IntToPtr: 2720 return DL.getIntPtrType(DestTy)->getScalarSizeInBits() == 2721 SrcTy->getScalarSizeInBits(); 2722 } 2723 } 2724 2725 bool CastInst::isNoopCast(const DataLayout &DL) const { 2726 return isNoopCast(getOpcode(), getOperand(0)->getType(), getType(), DL); 2727 } 2728 2729 /// This function determines if a pair of casts can be eliminated and what 2730 /// opcode should be used in the elimination. This assumes that there are two 2731 /// instructions like this: 2732 /// * %F = firstOpcode SrcTy %x to MidTy 2733 /// * %S = secondOpcode MidTy %F to DstTy 2734 /// The function returns a resultOpcode so these two casts can be replaced with: 2735 /// * %Replacement = resultOpcode %SrcTy %x to DstTy 2736 /// If no such cast is permitted, the function returns 0. 2737 unsigned CastInst::isEliminableCastPair( 2738 Instruction::CastOps firstOp, Instruction::CastOps secondOp, 2739 Type *SrcTy, Type *MidTy, Type *DstTy, Type *SrcIntPtrTy, Type *MidIntPtrTy, 2740 Type *DstIntPtrTy) { 2741 // Define the 144 possibilities for these two cast instructions. The values 2742 // in this matrix determine what to do in a given situation and select the 2743 // case in the switch below. The rows correspond to firstOp, the columns 2744 // correspond to secondOp. In looking at the table below, keep in mind 2745 // the following cast properties: 2746 // 2747 // Size Compare Source Destination 2748 // Operator Src ? Size Type Sign Type Sign 2749 // -------- ------------ ------------------- --------------------- 2750 // TRUNC > Integer Any Integral Any 2751 // ZEXT < Integral Unsigned Integer Any 2752 // SEXT < Integral Signed Integer Any 2753 // FPTOUI n/a FloatPt n/a Integral Unsigned 2754 // FPTOSI n/a FloatPt n/a Integral Signed 2755 // UITOFP n/a Integral Unsigned FloatPt n/a 2756 // SITOFP n/a Integral Signed FloatPt n/a 2757 // FPTRUNC > FloatPt n/a FloatPt n/a 2758 // FPEXT < FloatPt n/a FloatPt n/a 2759 // PTRTOINT n/a Pointer n/a Integral Unsigned 2760 // INTTOPTR n/a Integral Unsigned Pointer n/a 2761 // BITCAST = FirstClass n/a FirstClass n/a 2762 // ADDRSPCST n/a Pointer n/a Pointer n/a 2763 // 2764 // NOTE: some transforms are safe, but we consider them to be non-profitable. 2765 // For example, we could merge "fptoui double to i32" + "zext i32 to i64", 2766 // into "fptoui double to i64", but this loses information about the range 2767 // of the produced value (we no longer know the top-part is all zeros). 2768 // Further this conversion is often much more expensive for typical hardware, 2769 // and causes issues when building libgcc. We disallow fptosi+sext for the 2770 // same reason. 2771 const unsigned numCastOps = 2772 Instruction::CastOpsEnd - Instruction::CastOpsBegin; 2773 static const uint8_t CastResults[numCastOps][numCastOps] = { 2774 // T F F U S F F P I B A -+ 2775 // R Z S P P I I T P 2 N T S | 2776 // U E E 2 2 2 2 R E I T C C +- secondOp 2777 // N X X U S F F N X N 2 V V | 2778 // C T T I I P P C T T P T T -+ 2779 { 1, 0, 0,99,99, 0, 0,99,99,99, 0, 3, 0}, // Trunc -+ 2780 { 8, 1, 9,99,99, 2,17,99,99,99, 2, 3, 0}, // ZExt | 2781 { 8, 0, 1,99,99, 0, 2,99,99,99, 0, 3, 0}, // SExt | 2782 { 0, 0, 0,99,99, 0, 0,99,99,99, 0, 3, 0}, // FPToUI | 2783 { 0, 0, 0,99,99, 0, 0,99,99,99, 0, 3, 0}, // FPToSI | 2784 { 99,99,99, 0, 0,99,99, 0, 0,99,99, 4, 0}, // UIToFP +- firstOp 2785 { 99,99,99, 0, 0,99,99, 0, 0,99,99, 4, 0}, // SIToFP | 2786 { 99,99,99, 0, 0,99,99, 0, 0,99,99, 4, 0}, // FPTrunc | 2787 { 99,99,99, 2, 2,99,99, 8, 2,99,99, 4, 0}, // FPExt | 2788 { 1, 0, 0,99,99, 0, 0,99,99,99, 7, 3, 0}, // PtrToInt | 2789 { 99,99,99,99,99,99,99,99,99,11,99,15, 0}, // IntToPtr | 2790 { 5, 5, 5, 6, 6, 5, 5, 6, 6,16, 5, 1,14}, // BitCast | 2791 { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,13,12}, // AddrSpaceCast -+ 2792 }; 2793 2794 // TODO: This logic could be encoded into the table above and handled in the 2795 // switch below. 2796 // If either of the casts are a bitcast from scalar to vector, disallow the 2797 // merging. However, any pair of bitcasts are allowed. 2798 bool IsFirstBitcast = (firstOp == Instruction::BitCast); 2799 bool IsSecondBitcast = (secondOp == Instruction::BitCast); 2800 bool AreBothBitcasts = IsFirstBitcast && IsSecondBitcast; 2801 2802 // Check if any of the casts convert scalars <-> vectors. 2803 if ((IsFirstBitcast && isa<VectorType>(SrcTy) != isa<VectorType>(MidTy)) || 2804 (IsSecondBitcast && isa<VectorType>(MidTy) != isa<VectorType>(DstTy))) 2805 if (!AreBothBitcasts) 2806 return 0; 2807 2808 int ElimCase = CastResults[firstOp-Instruction::CastOpsBegin] 2809 [secondOp-Instruction::CastOpsBegin]; 2810 switch (ElimCase) { 2811 case 0: 2812 // Categorically disallowed. 2813 return 0; 2814 case 1: 2815 // Allowed, use first cast's opcode. 2816 return firstOp; 2817 case 2: 2818 // Allowed, use second cast's opcode. 2819 return secondOp; 2820 case 3: 2821 // No-op cast in second op implies firstOp as long as the DestTy 2822 // is integer and we are not converting between a vector and a 2823 // non-vector type. 2824 if (!SrcTy->isVectorTy() && DstTy->isIntegerTy()) 2825 return firstOp; 2826 return 0; 2827 case 4: 2828 // No-op cast in second op implies firstOp as long as the DestTy 2829 // is floating point. 2830 if (DstTy->isFloatingPointTy()) 2831 return firstOp; 2832 return 0; 2833 case 5: 2834 // No-op cast in first op implies secondOp as long as the SrcTy 2835 // is an integer. 2836 if (SrcTy->isIntegerTy()) 2837 return secondOp; 2838 return 0; 2839 case 6: 2840 // No-op cast in first op implies secondOp as long as the SrcTy 2841 // is a floating point. 2842 if (SrcTy->isFloatingPointTy()) 2843 return secondOp; 2844 return 0; 2845 case 7: { 2846 // Cannot simplify if address spaces are different! 2847 if (SrcTy->getPointerAddressSpace() != DstTy->getPointerAddressSpace()) 2848 return 0; 2849 2850 unsigned MidSize = MidTy->getScalarSizeInBits(); 2851 // We can still fold this without knowing the actual sizes as long we 2852 // know that the intermediate pointer is the largest possible 2853 // pointer size. 2854 // FIXME: Is this always true? 2855 if (MidSize == 64) 2856 return Instruction::BitCast; 2857 2858 // ptrtoint, inttoptr -> bitcast (ptr -> ptr) if int size is >= ptr size. 2859 if (!SrcIntPtrTy || DstIntPtrTy != SrcIntPtrTy) 2860 return 0; 2861 unsigned PtrSize = SrcIntPtrTy->getScalarSizeInBits(); 2862 if (MidSize >= PtrSize) 2863 return Instruction::BitCast; 2864 return 0; 2865 } 2866 case 8: { 2867 // ext, trunc -> bitcast, if the SrcTy and DstTy are same size 2868 // ext, trunc -> ext, if sizeof(SrcTy) < sizeof(DstTy) 2869 // ext, trunc -> trunc, if sizeof(SrcTy) > sizeof(DstTy) 2870 unsigned SrcSize = SrcTy->getScalarSizeInBits(); 2871 unsigned DstSize = DstTy->getScalarSizeInBits(); 2872 if (SrcSize == DstSize) 2873 return Instruction::BitCast; 2874 else if (SrcSize < DstSize) 2875 return firstOp; 2876 return secondOp; 2877 } 2878 case 9: 2879 // zext, sext -> zext, because sext can't sign extend after zext 2880 return Instruction::ZExt; 2881 case 11: { 2882 // inttoptr, ptrtoint -> bitcast if SrcSize<=PtrSize and SrcSize==DstSize 2883 if (!MidIntPtrTy) 2884 return 0; 2885 unsigned PtrSize = MidIntPtrTy->getScalarSizeInBits(); 2886 unsigned SrcSize = SrcTy->getScalarSizeInBits(); 2887 unsigned DstSize = DstTy->getScalarSizeInBits(); 2888 if (SrcSize <= PtrSize && SrcSize == DstSize) 2889 return Instruction::BitCast; 2890 return 0; 2891 } 2892 case 12: 2893 // addrspacecast, addrspacecast -> bitcast, if SrcAS == DstAS 2894 // addrspacecast, addrspacecast -> addrspacecast, if SrcAS != DstAS 2895 if (SrcTy->getPointerAddressSpace() != DstTy->getPointerAddressSpace()) 2896 return Instruction::AddrSpaceCast; 2897 return Instruction::BitCast; 2898 case 13: 2899 // FIXME: this state can be merged with (1), but the following assert 2900 // is useful to check the correcteness of the sequence due to semantic 2901 // change of bitcast. 2902 assert( 2903 SrcTy->isPtrOrPtrVectorTy() && 2904 MidTy->isPtrOrPtrVectorTy() && 2905 DstTy->isPtrOrPtrVectorTy() && 2906 SrcTy->getPointerAddressSpace() != MidTy->getPointerAddressSpace() && 2907 MidTy->getPointerAddressSpace() == DstTy->getPointerAddressSpace() && 2908 "Illegal addrspacecast, bitcast sequence!"); 2909 // Allowed, use first cast's opcode 2910 return firstOp; 2911 case 14: 2912 // bitcast, addrspacecast -> addrspacecast if the element type of 2913 // bitcast's source is the same as that of addrspacecast's destination. 2914 if (SrcTy->getScalarType()->getPointerElementType() == 2915 DstTy->getScalarType()->getPointerElementType()) 2916 return Instruction::AddrSpaceCast; 2917 return 0; 2918 case 15: 2919 // FIXME: this state can be merged with (1), but the following assert 2920 // is useful to check the correcteness of the sequence due to semantic 2921 // change of bitcast. 2922 assert( 2923 SrcTy->isIntOrIntVectorTy() && 2924 MidTy->isPtrOrPtrVectorTy() && 2925 DstTy->isPtrOrPtrVectorTy() && 2926 MidTy->getPointerAddressSpace() == DstTy->getPointerAddressSpace() && 2927 "Illegal inttoptr, bitcast sequence!"); 2928 // Allowed, use first cast's opcode 2929 return firstOp; 2930 case 16: 2931 // FIXME: this state can be merged with (2), but the following assert 2932 // is useful to check the correcteness of the sequence due to semantic 2933 // change of bitcast. 2934 assert( 2935 SrcTy->isPtrOrPtrVectorTy() && 2936 MidTy->isPtrOrPtrVectorTy() && 2937 DstTy->isIntOrIntVectorTy() && 2938 SrcTy->getPointerAddressSpace() == MidTy->getPointerAddressSpace() && 2939 "Illegal bitcast, ptrtoint sequence!"); 2940 // Allowed, use second cast's opcode 2941 return secondOp; 2942 case 17: 2943 // (sitofp (zext x)) -> (uitofp x) 2944 return Instruction::UIToFP; 2945 case 99: 2946 // Cast combination can't happen (error in input). This is for all cases 2947 // where the MidTy is not the same for the two cast instructions. 2948 llvm_unreachable("Invalid Cast Combination"); 2949 default: 2950 llvm_unreachable("Error in CastResults table!!!"); 2951 } 2952 } 2953 2954 CastInst *CastInst::Create(Instruction::CastOps op, Value *S, Type *Ty, 2955 const Twine &Name, Instruction *InsertBefore) { 2956 assert(castIsValid(op, S, Ty) && "Invalid cast!"); 2957 // Construct and return the appropriate CastInst subclass 2958 switch (op) { 2959 case Trunc: return new TruncInst (S, Ty, Name, InsertBefore); 2960 case ZExt: return new ZExtInst (S, Ty, Name, InsertBefore); 2961 case SExt: return new SExtInst (S, Ty, Name, InsertBefore); 2962 case FPTrunc: return new FPTruncInst (S, Ty, Name, InsertBefore); 2963 case FPExt: return new FPExtInst (S, Ty, Name, InsertBefore); 2964 case UIToFP: return new UIToFPInst (S, Ty, Name, InsertBefore); 2965 case SIToFP: return new SIToFPInst (S, Ty, Name, InsertBefore); 2966 case FPToUI: return new FPToUIInst (S, Ty, Name, InsertBefore); 2967 case FPToSI: return new FPToSIInst (S, Ty, Name, InsertBefore); 2968 case PtrToInt: return new PtrToIntInst (S, Ty, Name, InsertBefore); 2969 case IntToPtr: return new IntToPtrInst (S, Ty, Name, InsertBefore); 2970 case BitCast: return new BitCastInst (S, Ty, Name, InsertBefore); 2971 case AddrSpaceCast: return new AddrSpaceCastInst (S, Ty, Name, InsertBefore); 2972 default: llvm_unreachable("Invalid opcode provided"); 2973 } 2974 } 2975 2976 CastInst *CastInst::Create(Instruction::CastOps op, Value *S, Type *Ty, 2977 const Twine &Name, BasicBlock *InsertAtEnd) { 2978 assert(castIsValid(op, S, Ty) && "Invalid cast!"); 2979 // Construct and return the appropriate CastInst subclass 2980 switch (op) { 2981 case Trunc: return new TruncInst (S, Ty, Name, InsertAtEnd); 2982 case ZExt: return new ZExtInst (S, Ty, Name, InsertAtEnd); 2983 case SExt: return new SExtInst (S, Ty, Name, InsertAtEnd); 2984 case FPTrunc: return new FPTruncInst (S, Ty, Name, InsertAtEnd); 2985 case FPExt: return new FPExtInst (S, Ty, Name, InsertAtEnd); 2986 case UIToFP: return new UIToFPInst (S, Ty, Name, InsertAtEnd); 2987 case SIToFP: return new SIToFPInst (S, Ty, Name, InsertAtEnd); 2988 case FPToUI: return new FPToUIInst (S, Ty, Name, InsertAtEnd); 2989 case FPToSI: return new FPToSIInst (S, Ty, Name, InsertAtEnd); 2990 case PtrToInt: return new PtrToIntInst (S, Ty, Name, InsertAtEnd); 2991 case IntToPtr: return new IntToPtrInst (S, Ty, Name, InsertAtEnd); 2992 case BitCast: return new BitCastInst (S, Ty, Name, InsertAtEnd); 2993 case AddrSpaceCast: return new AddrSpaceCastInst (S, Ty, Name, InsertAtEnd); 2994 default: llvm_unreachable("Invalid opcode provided"); 2995 } 2996 } 2997 2998 CastInst *CastInst::CreateZExtOrBitCast(Value *S, Type *Ty, 2999 const Twine &Name, 3000 Instruction *InsertBefore) { 3001 if (S->getType()->getScalarSizeInBits() == Ty->getScalarSizeInBits()) 3002 return Create(Instruction::BitCast, S, Ty, Name, InsertBefore); 3003 return Create(Instruction::ZExt, S, Ty, Name, InsertBefore); 3004 } 3005 3006 CastInst *CastInst::CreateZExtOrBitCast(Value *S, Type *Ty, 3007 const Twine &Name, 3008 BasicBlock *InsertAtEnd) { 3009 if (S->getType()->getScalarSizeInBits() == Ty->getScalarSizeInBits()) 3010 return Create(Instruction::BitCast, S, Ty, Name, InsertAtEnd); 3011 return Create(Instruction::ZExt, S, Ty, Name, InsertAtEnd); 3012 } 3013 3014 CastInst *CastInst::CreateSExtOrBitCast(Value *S, Type *Ty, 3015 const Twine &Name, 3016 Instruction *InsertBefore) { 3017 if (S->getType()->getScalarSizeInBits() == Ty->getScalarSizeInBits()) 3018 return Create(Instruction::BitCast, S, Ty, Name, InsertBefore); 3019 return Create(Instruction::SExt, S, Ty, Name, InsertBefore); 3020 } 3021 3022 CastInst *CastInst::CreateSExtOrBitCast(Value *S, Type *Ty, 3023 const Twine &Name, 3024 BasicBlock *InsertAtEnd) { 3025 if (S->getType()->getScalarSizeInBits() == Ty->getScalarSizeInBits()) 3026 return Create(Instruction::BitCast, S, Ty, Name, InsertAtEnd); 3027 return Create(Instruction::SExt, S, Ty, Name, InsertAtEnd); 3028 } 3029 3030 CastInst *CastInst::CreateTruncOrBitCast(Value *S, Type *Ty, 3031 const Twine &Name, 3032 Instruction *InsertBefore) { 3033 if (S->getType()->getScalarSizeInBits() == Ty->getScalarSizeInBits()) 3034 return Create(Instruction::BitCast, S, Ty, Name, InsertBefore); 3035 return Create(Instruction::Trunc, S, Ty, Name, InsertBefore); 3036 } 3037 3038 CastInst *CastInst::CreateTruncOrBitCast(Value *S, Type *Ty, 3039 const Twine &Name, 3040 BasicBlock *InsertAtEnd) { 3041 if (S->getType()->getScalarSizeInBits() == Ty->getScalarSizeInBits()) 3042 return Create(Instruction::BitCast, S, Ty, Name, InsertAtEnd); 3043 return Create(Instruction::Trunc, S, Ty, Name, InsertAtEnd); 3044 } 3045 3046 CastInst *CastInst::CreatePointerCast(Value *S, Type *Ty, 3047 const Twine &Name, 3048 BasicBlock *InsertAtEnd) { 3049 assert(S->getType()->isPtrOrPtrVectorTy() && "Invalid cast"); 3050 assert((Ty->isIntOrIntVectorTy() || Ty->isPtrOrPtrVectorTy()) && 3051 "Invalid cast"); 3052 assert(Ty->isVectorTy() == S->getType()->isVectorTy() && "Invalid cast"); 3053 assert((!Ty->isVectorTy() || 3054 cast<VectorType>(Ty)->getElementCount() == 3055 cast<VectorType>(S->getType())->getElementCount()) && 3056 "Invalid cast"); 3057 3058 if (Ty->isIntOrIntVectorTy()) 3059 return Create(Instruction::PtrToInt, S, Ty, Name, InsertAtEnd); 3060 3061 return CreatePointerBitCastOrAddrSpaceCast(S, Ty, Name, InsertAtEnd); 3062 } 3063 3064 /// Create a BitCast or a PtrToInt cast instruction 3065 CastInst *CastInst::CreatePointerCast(Value *S, Type *Ty, 3066 const Twine &Name, 3067 Instruction *InsertBefore) { 3068 assert(S->getType()->isPtrOrPtrVectorTy() && "Invalid cast"); 3069 assert((Ty->isIntOrIntVectorTy() || Ty->isPtrOrPtrVectorTy()) && 3070 "Invalid cast"); 3071 assert(Ty->isVectorTy() == S->getType()->isVectorTy() && "Invalid cast"); 3072 assert((!Ty->isVectorTy() || 3073 cast<VectorType>(Ty)->getElementCount() == 3074 cast<VectorType>(S->getType())->getElementCount()) && 3075 "Invalid cast"); 3076 3077 if (Ty->isIntOrIntVectorTy()) 3078 return Create(Instruction::PtrToInt, S, Ty, Name, InsertBefore); 3079 3080 return CreatePointerBitCastOrAddrSpaceCast(S, Ty, Name, InsertBefore); 3081 } 3082 3083 CastInst *CastInst::CreatePointerBitCastOrAddrSpaceCast( 3084 Value *S, Type *Ty, 3085 const Twine &Name, 3086 BasicBlock *InsertAtEnd) { 3087 assert(S->getType()->isPtrOrPtrVectorTy() && "Invalid cast"); 3088 assert(Ty->isPtrOrPtrVectorTy() && "Invalid cast"); 3089 3090 if (S->getType()->getPointerAddressSpace() != Ty->getPointerAddressSpace()) 3091 return Create(Instruction::AddrSpaceCast, S, Ty, Name, InsertAtEnd); 3092 3093 return Create(Instruction::BitCast, S, Ty, Name, InsertAtEnd); 3094 } 3095 3096 CastInst *CastInst::CreatePointerBitCastOrAddrSpaceCast( 3097 Value *S, Type *Ty, 3098 const Twine &Name, 3099 Instruction *InsertBefore) { 3100 assert(S->getType()->isPtrOrPtrVectorTy() && "Invalid cast"); 3101 assert(Ty->isPtrOrPtrVectorTy() && "Invalid cast"); 3102 3103 if (S->getType()->getPointerAddressSpace() != Ty->getPointerAddressSpace()) 3104 return Create(Instruction::AddrSpaceCast, S, Ty, Name, InsertBefore); 3105 3106 return Create(Instruction::BitCast, S, Ty, Name, InsertBefore); 3107 } 3108 3109 CastInst *CastInst::CreateBitOrPointerCast(Value *S, Type *Ty, 3110 const Twine &Name, 3111 Instruction *InsertBefore) { 3112 if (S->getType()->isPointerTy() && Ty->isIntegerTy()) 3113 return Create(Instruction::PtrToInt, S, Ty, Name, InsertBefore); 3114 if (S->getType()->isIntegerTy() && Ty->isPointerTy()) 3115 return Create(Instruction::IntToPtr, S, Ty, Name, InsertBefore); 3116 3117 return Create(Instruction::BitCast, S, Ty, Name, InsertBefore); 3118 } 3119 3120 CastInst *CastInst::CreateIntegerCast(Value *C, Type *Ty, 3121 bool isSigned, const Twine &Name, 3122 Instruction *InsertBefore) { 3123 assert(C->getType()->isIntOrIntVectorTy() && Ty->isIntOrIntVectorTy() && 3124 "Invalid integer cast"); 3125 unsigned SrcBits = C->getType()->getScalarSizeInBits(); 3126 unsigned DstBits = Ty->getScalarSizeInBits(); 3127 Instruction::CastOps opcode = 3128 (SrcBits == DstBits ? Instruction::BitCast : 3129 (SrcBits > DstBits ? Instruction::Trunc : 3130 (isSigned ? Instruction::SExt : Instruction::ZExt))); 3131 return Create(opcode, C, Ty, Name, InsertBefore); 3132 } 3133 3134 CastInst *CastInst::CreateIntegerCast(Value *C, Type *Ty, 3135 bool isSigned, const Twine &Name, 3136 BasicBlock *InsertAtEnd) { 3137 assert(C->getType()->isIntOrIntVectorTy() && Ty->isIntOrIntVectorTy() && 3138 "Invalid cast"); 3139 unsigned SrcBits = C->getType()->getScalarSizeInBits(); 3140 unsigned DstBits = Ty->getScalarSizeInBits(); 3141 Instruction::CastOps opcode = 3142 (SrcBits == DstBits ? Instruction::BitCast : 3143 (SrcBits > DstBits ? Instruction::Trunc : 3144 (isSigned ? Instruction::SExt : Instruction::ZExt))); 3145 return Create(opcode, C, Ty, Name, InsertAtEnd); 3146 } 3147 3148 CastInst *CastInst::CreateFPCast(Value *C, Type *Ty, 3149 const Twine &Name, 3150 Instruction *InsertBefore) { 3151 assert(C->getType()->isFPOrFPVectorTy() && Ty->isFPOrFPVectorTy() && 3152 "Invalid cast"); 3153 unsigned SrcBits = C->getType()->getScalarSizeInBits(); 3154 unsigned DstBits = Ty->getScalarSizeInBits(); 3155 Instruction::CastOps opcode = 3156 (SrcBits == DstBits ? Instruction::BitCast : 3157 (SrcBits > DstBits ? Instruction::FPTrunc : Instruction::FPExt)); 3158 return Create(opcode, C, Ty, Name, InsertBefore); 3159 } 3160 3161 CastInst *CastInst::CreateFPCast(Value *C, Type *Ty, 3162 const Twine &Name, 3163 BasicBlock *InsertAtEnd) { 3164 assert(C->getType()->isFPOrFPVectorTy() && Ty->isFPOrFPVectorTy() && 3165 "Invalid cast"); 3166 unsigned SrcBits = C->getType()->getScalarSizeInBits(); 3167 unsigned DstBits = Ty->getScalarSizeInBits(); 3168 Instruction::CastOps opcode = 3169 (SrcBits == DstBits ? Instruction::BitCast : 3170 (SrcBits > DstBits ? Instruction::FPTrunc : Instruction::FPExt)); 3171 return Create(opcode, C, Ty, Name, InsertAtEnd); 3172 } 3173 3174 bool CastInst::isBitCastable(Type *SrcTy, Type *DestTy) { 3175 if (!SrcTy->isFirstClassType() || !DestTy->isFirstClassType()) 3176 return false; 3177 3178 if (SrcTy == DestTy) 3179 return true; 3180 3181 if (VectorType *SrcVecTy = dyn_cast<VectorType>(SrcTy)) { 3182 if (VectorType *DestVecTy = dyn_cast<VectorType>(DestTy)) { 3183 if (SrcVecTy->getElementCount() == DestVecTy->getElementCount()) { 3184 // An element by element cast. Valid if casting the elements is valid. 3185 SrcTy = SrcVecTy->getElementType(); 3186 DestTy = DestVecTy->getElementType(); 3187 } 3188 } 3189 } 3190 3191 if (PointerType *DestPtrTy = dyn_cast<PointerType>(DestTy)) { 3192 if (PointerType *SrcPtrTy = dyn_cast<PointerType>(SrcTy)) { 3193 return SrcPtrTy->getAddressSpace() == DestPtrTy->getAddressSpace(); 3194 } 3195 } 3196 3197 TypeSize SrcBits = SrcTy->getPrimitiveSizeInBits(); // 0 for ptr 3198 TypeSize DestBits = DestTy->getPrimitiveSizeInBits(); // 0 for ptr 3199 3200 // Could still have vectors of pointers if the number of elements doesn't 3201 // match 3202 if (SrcBits.getKnownMinSize() == 0 || DestBits.getKnownMinSize() == 0) 3203 return false; 3204 3205 if (SrcBits != DestBits) 3206 return false; 3207 3208 if (DestTy->isX86_MMXTy() || SrcTy->isX86_MMXTy()) 3209 return false; 3210 3211 return true; 3212 } 3213 3214 bool CastInst::isBitOrNoopPointerCastable(Type *SrcTy, Type *DestTy, 3215 const DataLayout &DL) { 3216 // ptrtoint and inttoptr are not allowed on non-integral pointers 3217 if (auto *PtrTy = dyn_cast<PointerType>(SrcTy)) 3218 if (auto *IntTy = dyn_cast<IntegerType>(DestTy)) 3219 return (IntTy->getBitWidth() == DL.getPointerTypeSizeInBits(PtrTy) && 3220 !DL.isNonIntegralPointerType(PtrTy)); 3221 if (auto *PtrTy = dyn_cast<PointerType>(DestTy)) 3222 if (auto *IntTy = dyn_cast<IntegerType>(SrcTy)) 3223 return (IntTy->getBitWidth() == DL.getPointerTypeSizeInBits(PtrTy) && 3224 !DL.isNonIntegralPointerType(PtrTy)); 3225 3226 return isBitCastable(SrcTy, DestTy); 3227 } 3228 3229 // Provide a way to get a "cast" where the cast opcode is inferred from the 3230 // types and size of the operand. This, basically, is a parallel of the 3231 // logic in the castIsValid function below. This axiom should hold: 3232 // castIsValid( getCastOpcode(Val, Ty), Val, Ty) 3233 // should not assert in castIsValid. In other words, this produces a "correct" 3234 // casting opcode for the arguments passed to it. 3235 Instruction::CastOps 3236 CastInst::getCastOpcode( 3237 const Value *Src, bool SrcIsSigned, Type *DestTy, bool DestIsSigned) { 3238 Type *SrcTy = Src->getType(); 3239 3240 assert(SrcTy->isFirstClassType() && DestTy->isFirstClassType() && 3241 "Only first class types are castable!"); 3242 3243 if (SrcTy == DestTy) 3244 return BitCast; 3245 3246 // FIXME: Check address space sizes here 3247 if (VectorType *SrcVecTy = dyn_cast<VectorType>(SrcTy)) 3248 if (VectorType *DestVecTy = dyn_cast<VectorType>(DestTy)) 3249 if (SrcVecTy->getElementCount() == DestVecTy->getElementCount()) { 3250 // An element by element cast. Find the appropriate opcode based on the 3251 // element types. 3252 SrcTy = SrcVecTy->getElementType(); 3253 DestTy = DestVecTy->getElementType(); 3254 } 3255 3256 // Get the bit sizes, we'll need these 3257 unsigned SrcBits = SrcTy->getPrimitiveSizeInBits(); // 0 for ptr 3258 unsigned DestBits = DestTy->getPrimitiveSizeInBits(); // 0 for ptr 3259 3260 // Run through the possibilities ... 3261 if (DestTy->isIntegerTy()) { // Casting to integral 3262 if (SrcTy->isIntegerTy()) { // Casting from integral 3263 if (DestBits < SrcBits) 3264 return Trunc; // int -> smaller int 3265 else if (DestBits > SrcBits) { // its an extension 3266 if (SrcIsSigned) 3267 return SExt; // signed -> SEXT 3268 else 3269 return ZExt; // unsigned -> ZEXT 3270 } else { 3271 return BitCast; // Same size, No-op cast 3272 } 3273 } else if (SrcTy->isFloatingPointTy()) { // Casting from floating pt 3274 if (DestIsSigned) 3275 return FPToSI; // FP -> sint 3276 else 3277 return FPToUI; // FP -> uint 3278 } else if (SrcTy->isVectorTy()) { 3279 assert(DestBits == SrcBits && 3280 "Casting vector to integer of different width"); 3281 return BitCast; // Same size, no-op cast 3282 } else { 3283 assert(SrcTy->isPointerTy() && 3284 "Casting from a value that is not first-class type"); 3285 return PtrToInt; // ptr -> int 3286 } 3287 } else if (DestTy->isFloatingPointTy()) { // Casting to floating pt 3288 if (SrcTy->isIntegerTy()) { // Casting from integral 3289 if (SrcIsSigned) 3290 return SIToFP; // sint -> FP 3291 else 3292 return UIToFP; // uint -> FP 3293 } else if (SrcTy->isFloatingPointTy()) { // Casting from floating pt 3294 if (DestBits < SrcBits) { 3295 return FPTrunc; // FP -> smaller FP 3296 } else if (DestBits > SrcBits) { 3297 return FPExt; // FP -> larger FP 3298 } else { 3299 return BitCast; // same size, no-op cast 3300 } 3301 } else if (SrcTy->isVectorTy()) { 3302 assert(DestBits == SrcBits && 3303 "Casting vector to floating point of different width"); 3304 return BitCast; // same size, no-op cast 3305 } 3306 llvm_unreachable("Casting pointer or non-first class to float"); 3307 } else if (DestTy->isVectorTy()) { 3308 assert(DestBits == SrcBits && 3309 "Illegal cast to vector (wrong type or size)"); 3310 return BitCast; 3311 } else if (DestTy->isPointerTy()) { 3312 if (SrcTy->isPointerTy()) { 3313 if (DestTy->getPointerAddressSpace() != SrcTy->getPointerAddressSpace()) 3314 return AddrSpaceCast; 3315 return BitCast; // ptr -> ptr 3316 } else if (SrcTy->isIntegerTy()) { 3317 return IntToPtr; // int -> ptr 3318 } 3319 llvm_unreachable("Casting pointer to other than pointer or int"); 3320 } else if (DestTy->isX86_MMXTy()) { 3321 if (SrcTy->isVectorTy()) { 3322 assert(DestBits == SrcBits && "Casting vector of wrong width to X86_MMX"); 3323 return BitCast; // 64-bit vector to MMX 3324 } 3325 llvm_unreachable("Illegal cast to X86_MMX"); 3326 } 3327 llvm_unreachable("Casting to type that is not first-class"); 3328 } 3329 3330 //===----------------------------------------------------------------------===// 3331 // CastInst SubClass Constructors 3332 //===----------------------------------------------------------------------===// 3333 3334 /// Check that the construction parameters for a CastInst are correct. This 3335 /// could be broken out into the separate constructors but it is useful to have 3336 /// it in one place and to eliminate the redundant code for getting the sizes 3337 /// of the types involved. 3338 bool 3339 CastInst::castIsValid(Instruction::CastOps op, Type *SrcTy, Type *DstTy) { 3340 if (!SrcTy->isFirstClassType() || !DstTy->isFirstClassType() || 3341 SrcTy->isAggregateType() || DstTy->isAggregateType()) 3342 return false; 3343 3344 // Get the size of the types in bits, and whether we are dealing 3345 // with vector types, we'll need this later. 3346 bool SrcIsVec = isa<VectorType>(SrcTy); 3347 bool DstIsVec = isa<VectorType>(DstTy); 3348 unsigned SrcScalarBitSize = SrcTy->getScalarSizeInBits(); 3349 unsigned DstScalarBitSize = DstTy->getScalarSizeInBits(); 3350 3351 // If these are vector types, get the lengths of the vectors (using zero for 3352 // scalar types means that checking that vector lengths match also checks that 3353 // scalars are not being converted to vectors or vectors to scalars). 3354 ElementCount SrcEC = SrcIsVec ? cast<VectorType>(SrcTy)->getElementCount() 3355 : ElementCount::getFixed(0); 3356 ElementCount DstEC = DstIsVec ? cast<VectorType>(DstTy)->getElementCount() 3357 : ElementCount::getFixed(0); 3358 3359 // Switch on the opcode provided 3360 switch (op) { 3361 default: return false; // This is an input error 3362 case Instruction::Trunc: 3363 return SrcTy->isIntOrIntVectorTy() && DstTy->isIntOrIntVectorTy() && 3364 SrcEC == DstEC && SrcScalarBitSize > DstScalarBitSize; 3365 case Instruction::ZExt: 3366 return SrcTy->isIntOrIntVectorTy() && DstTy->isIntOrIntVectorTy() && 3367 SrcEC == DstEC && SrcScalarBitSize < DstScalarBitSize; 3368 case Instruction::SExt: 3369 return SrcTy->isIntOrIntVectorTy() && DstTy->isIntOrIntVectorTy() && 3370 SrcEC == DstEC && SrcScalarBitSize < DstScalarBitSize; 3371 case Instruction::FPTrunc: 3372 return SrcTy->isFPOrFPVectorTy() && DstTy->isFPOrFPVectorTy() && 3373 SrcEC == DstEC && SrcScalarBitSize > DstScalarBitSize; 3374 case Instruction::FPExt: 3375 return SrcTy->isFPOrFPVectorTy() && DstTy->isFPOrFPVectorTy() && 3376 SrcEC == DstEC && SrcScalarBitSize < DstScalarBitSize; 3377 case Instruction::UIToFP: 3378 case Instruction::SIToFP: 3379 return SrcTy->isIntOrIntVectorTy() && DstTy->isFPOrFPVectorTy() && 3380 SrcEC == DstEC; 3381 case Instruction::FPToUI: 3382 case Instruction::FPToSI: 3383 return SrcTy->isFPOrFPVectorTy() && DstTy->isIntOrIntVectorTy() && 3384 SrcEC == DstEC; 3385 case Instruction::PtrToInt: 3386 if (SrcEC != DstEC) 3387 return false; 3388 return SrcTy->isPtrOrPtrVectorTy() && DstTy->isIntOrIntVectorTy(); 3389 case Instruction::IntToPtr: 3390 if (SrcEC != DstEC) 3391 return false; 3392 return SrcTy->isIntOrIntVectorTy() && DstTy->isPtrOrPtrVectorTy(); 3393 case Instruction::BitCast: { 3394 PointerType *SrcPtrTy = dyn_cast<PointerType>(SrcTy->getScalarType()); 3395 PointerType *DstPtrTy = dyn_cast<PointerType>(DstTy->getScalarType()); 3396 3397 // BitCast implies a no-op cast of type only. No bits change. 3398 // However, you can't cast pointers to anything but pointers. 3399 if (!SrcPtrTy != !DstPtrTy) 3400 return false; 3401 3402 // For non-pointer cases, the cast is okay if the source and destination bit 3403 // widths are identical. 3404 if (!SrcPtrTy) 3405 return SrcTy->getPrimitiveSizeInBits() == DstTy->getPrimitiveSizeInBits(); 3406 3407 // If both are pointers then the address spaces must match. 3408 if (SrcPtrTy->getAddressSpace() != DstPtrTy->getAddressSpace()) 3409 return false; 3410 3411 // A vector of pointers must have the same number of elements. 3412 if (SrcIsVec && DstIsVec) 3413 return SrcEC == DstEC; 3414 if (SrcIsVec) 3415 return SrcEC == ElementCount::getFixed(1); 3416 if (DstIsVec) 3417 return DstEC == ElementCount::getFixed(1); 3418 3419 return true; 3420 } 3421 case Instruction::AddrSpaceCast: { 3422 PointerType *SrcPtrTy = dyn_cast<PointerType>(SrcTy->getScalarType()); 3423 if (!SrcPtrTy) 3424 return false; 3425 3426 PointerType *DstPtrTy = dyn_cast<PointerType>(DstTy->getScalarType()); 3427 if (!DstPtrTy) 3428 return false; 3429 3430 if (SrcPtrTy->getAddressSpace() == DstPtrTy->getAddressSpace()) 3431 return false; 3432 3433 return SrcEC == DstEC; 3434 } 3435 } 3436 } 3437 3438 TruncInst::TruncInst( 3439 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3440 ) : CastInst(Ty, Trunc, S, Name, InsertBefore) { 3441 assert(castIsValid(getOpcode(), S, Ty) && "Illegal Trunc"); 3442 } 3443 3444 TruncInst::TruncInst( 3445 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3446 ) : CastInst(Ty, Trunc, S, Name, InsertAtEnd) { 3447 assert(castIsValid(getOpcode(), S, Ty) && "Illegal Trunc"); 3448 } 3449 3450 ZExtInst::ZExtInst( 3451 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3452 ) : CastInst(Ty, ZExt, S, Name, InsertBefore) { 3453 assert(castIsValid(getOpcode(), S, Ty) && "Illegal ZExt"); 3454 } 3455 3456 ZExtInst::ZExtInst( 3457 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3458 ) : CastInst(Ty, ZExt, S, Name, InsertAtEnd) { 3459 assert(castIsValid(getOpcode(), S, Ty) && "Illegal ZExt"); 3460 } 3461 SExtInst::SExtInst( 3462 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3463 ) : CastInst(Ty, SExt, S, Name, InsertBefore) { 3464 assert(castIsValid(getOpcode(), S, Ty) && "Illegal SExt"); 3465 } 3466 3467 SExtInst::SExtInst( 3468 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3469 ) : CastInst(Ty, SExt, S, Name, InsertAtEnd) { 3470 assert(castIsValid(getOpcode(), S, Ty) && "Illegal SExt"); 3471 } 3472 3473 FPTruncInst::FPTruncInst( 3474 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3475 ) : CastInst(Ty, FPTrunc, S, Name, InsertBefore) { 3476 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPTrunc"); 3477 } 3478 3479 FPTruncInst::FPTruncInst( 3480 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3481 ) : CastInst(Ty, FPTrunc, S, Name, InsertAtEnd) { 3482 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPTrunc"); 3483 } 3484 3485 FPExtInst::FPExtInst( 3486 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3487 ) : CastInst(Ty, FPExt, S, Name, InsertBefore) { 3488 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPExt"); 3489 } 3490 3491 FPExtInst::FPExtInst( 3492 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3493 ) : CastInst(Ty, FPExt, S, Name, InsertAtEnd) { 3494 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPExt"); 3495 } 3496 3497 UIToFPInst::UIToFPInst( 3498 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3499 ) : CastInst(Ty, UIToFP, S, Name, InsertBefore) { 3500 assert(castIsValid(getOpcode(), S, Ty) && "Illegal UIToFP"); 3501 } 3502 3503 UIToFPInst::UIToFPInst( 3504 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3505 ) : CastInst(Ty, UIToFP, S, Name, InsertAtEnd) { 3506 assert(castIsValid(getOpcode(), S, Ty) && "Illegal UIToFP"); 3507 } 3508 3509 SIToFPInst::SIToFPInst( 3510 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3511 ) : CastInst(Ty, SIToFP, S, Name, InsertBefore) { 3512 assert(castIsValid(getOpcode(), S, Ty) && "Illegal SIToFP"); 3513 } 3514 3515 SIToFPInst::SIToFPInst( 3516 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3517 ) : CastInst(Ty, SIToFP, S, Name, InsertAtEnd) { 3518 assert(castIsValid(getOpcode(), S, Ty) && "Illegal SIToFP"); 3519 } 3520 3521 FPToUIInst::FPToUIInst( 3522 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3523 ) : CastInst(Ty, FPToUI, S, Name, InsertBefore) { 3524 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPToUI"); 3525 } 3526 3527 FPToUIInst::FPToUIInst( 3528 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3529 ) : CastInst(Ty, FPToUI, S, Name, InsertAtEnd) { 3530 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPToUI"); 3531 } 3532 3533 FPToSIInst::FPToSIInst( 3534 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3535 ) : CastInst(Ty, FPToSI, S, Name, InsertBefore) { 3536 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPToSI"); 3537 } 3538 3539 FPToSIInst::FPToSIInst( 3540 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3541 ) : CastInst(Ty, FPToSI, S, Name, InsertAtEnd) { 3542 assert(castIsValid(getOpcode(), S, Ty) && "Illegal FPToSI"); 3543 } 3544 3545 PtrToIntInst::PtrToIntInst( 3546 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3547 ) : CastInst(Ty, PtrToInt, S, Name, InsertBefore) { 3548 assert(castIsValid(getOpcode(), S, Ty) && "Illegal PtrToInt"); 3549 } 3550 3551 PtrToIntInst::PtrToIntInst( 3552 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3553 ) : CastInst(Ty, PtrToInt, S, Name, InsertAtEnd) { 3554 assert(castIsValid(getOpcode(), S, Ty) && "Illegal PtrToInt"); 3555 } 3556 3557 IntToPtrInst::IntToPtrInst( 3558 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3559 ) : CastInst(Ty, IntToPtr, S, Name, InsertBefore) { 3560 assert(castIsValid(getOpcode(), S, Ty) && "Illegal IntToPtr"); 3561 } 3562 3563 IntToPtrInst::IntToPtrInst( 3564 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3565 ) : CastInst(Ty, IntToPtr, S, Name, InsertAtEnd) { 3566 assert(castIsValid(getOpcode(), S, Ty) && "Illegal IntToPtr"); 3567 } 3568 3569 BitCastInst::BitCastInst( 3570 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3571 ) : CastInst(Ty, BitCast, S, Name, InsertBefore) { 3572 assert(castIsValid(getOpcode(), S, Ty) && "Illegal BitCast"); 3573 } 3574 3575 BitCastInst::BitCastInst( 3576 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3577 ) : CastInst(Ty, BitCast, S, Name, InsertAtEnd) { 3578 assert(castIsValid(getOpcode(), S, Ty) && "Illegal BitCast"); 3579 } 3580 3581 AddrSpaceCastInst::AddrSpaceCastInst( 3582 Value *S, Type *Ty, const Twine &Name, Instruction *InsertBefore 3583 ) : CastInst(Ty, AddrSpaceCast, S, Name, InsertBefore) { 3584 assert(castIsValid(getOpcode(), S, Ty) && "Illegal AddrSpaceCast"); 3585 } 3586 3587 AddrSpaceCastInst::AddrSpaceCastInst( 3588 Value *S, Type *Ty, const Twine &Name, BasicBlock *InsertAtEnd 3589 ) : CastInst(Ty, AddrSpaceCast, S, Name, InsertAtEnd) { 3590 assert(castIsValid(getOpcode(), S, Ty) && "Illegal AddrSpaceCast"); 3591 } 3592 3593 //===----------------------------------------------------------------------===// 3594 // CmpInst Classes 3595 //===----------------------------------------------------------------------===// 3596 3597 CmpInst::CmpInst(Type *ty, OtherOps op, Predicate predicate, Value *LHS, 3598 Value *RHS, const Twine &Name, Instruction *InsertBefore, 3599 Instruction *FlagsSource) 3600 : Instruction(ty, op, 3601 OperandTraits<CmpInst>::op_begin(this), 3602 OperandTraits<CmpInst>::operands(this), 3603 InsertBefore) { 3604 Op<0>() = LHS; 3605 Op<1>() = RHS; 3606 setPredicate((Predicate)predicate); 3607 setName(Name); 3608 if (FlagsSource) 3609 copyIRFlags(FlagsSource); 3610 } 3611 3612 CmpInst::CmpInst(Type *ty, OtherOps op, Predicate predicate, Value *LHS, 3613 Value *RHS, const Twine &Name, BasicBlock *InsertAtEnd) 3614 : Instruction(ty, op, 3615 OperandTraits<CmpInst>::op_begin(this), 3616 OperandTraits<CmpInst>::operands(this), 3617 InsertAtEnd) { 3618 Op<0>() = LHS; 3619 Op<1>() = RHS; 3620 setPredicate((Predicate)predicate); 3621 setName(Name); 3622 } 3623 3624 CmpInst * 3625 CmpInst::Create(OtherOps Op, Predicate predicate, Value *S1, Value *S2, 3626 const Twine &Name, Instruction *InsertBefore) { 3627 if (Op == Instruction::ICmp) { 3628 if (InsertBefore) 3629 return new ICmpInst(InsertBefore, CmpInst::Predicate(predicate), 3630 S1, S2, Name); 3631 else 3632 return new ICmpInst(CmpInst::Predicate(predicate), 3633 S1, S2, Name); 3634 } 3635 3636 if (InsertBefore) 3637 return new FCmpInst(InsertBefore, CmpInst::Predicate(predicate), 3638 S1, S2, Name); 3639 else 3640 return new FCmpInst(CmpInst::Predicate(predicate), 3641 S1, S2, Name); 3642 } 3643 3644 CmpInst * 3645 CmpInst::Create(OtherOps Op, Predicate predicate, Value *S1, Value *S2, 3646 const Twine &Name, BasicBlock *InsertAtEnd) { 3647 if (Op == Instruction::ICmp) { 3648 return new ICmpInst(*InsertAtEnd, CmpInst::Predicate(predicate), 3649 S1, S2, Name); 3650 } 3651 return new FCmpInst(*InsertAtEnd, CmpInst::Predicate(predicate), 3652 S1, S2, Name); 3653 } 3654 3655 void CmpInst::swapOperands() { 3656 if (ICmpInst *IC = dyn_cast<ICmpInst>(this)) 3657 IC->swapOperands(); 3658 else 3659 cast<FCmpInst>(this)->swapOperands(); 3660 } 3661 3662 bool CmpInst::isCommutative() const { 3663 if (const ICmpInst *IC = dyn_cast<ICmpInst>(this)) 3664 return IC->isCommutative(); 3665 return cast<FCmpInst>(this)->isCommutative(); 3666 } 3667 3668 bool CmpInst::isEquality(Predicate P) { 3669 if (ICmpInst::isIntPredicate(P)) 3670 return ICmpInst::isEquality(P); 3671 if (FCmpInst::isFPPredicate(P)) 3672 return FCmpInst::isEquality(P); 3673 llvm_unreachable("Unsupported predicate kind"); 3674 } 3675 3676 CmpInst::Predicate CmpInst::getInversePredicate(Predicate pred) { 3677 switch (pred) { 3678 default: llvm_unreachable("Unknown cmp predicate!"); 3679 case ICMP_EQ: return ICMP_NE; 3680 case ICMP_NE: return ICMP_EQ; 3681 case ICMP_UGT: return ICMP_ULE; 3682 case ICMP_ULT: return ICMP_UGE; 3683 case ICMP_UGE: return ICMP_ULT; 3684 case ICMP_ULE: return ICMP_UGT; 3685 case ICMP_SGT: return ICMP_SLE; 3686 case ICMP_SLT: return ICMP_SGE; 3687 case ICMP_SGE: return ICMP_SLT; 3688 case ICMP_SLE: return ICMP_SGT; 3689 3690 case FCMP_OEQ: return FCMP_UNE; 3691 case FCMP_ONE: return FCMP_UEQ; 3692 case FCMP_OGT: return FCMP_ULE; 3693 case FCMP_OLT: return FCMP_UGE; 3694 case FCMP_OGE: return FCMP_ULT; 3695 case FCMP_OLE: return FCMP_UGT; 3696 case FCMP_UEQ: return FCMP_ONE; 3697 case FCMP_UNE: return FCMP_OEQ; 3698 case FCMP_UGT: return FCMP_OLE; 3699 case FCMP_ULT: return FCMP_OGE; 3700 case FCMP_UGE: return FCMP_OLT; 3701 case FCMP_ULE: return FCMP_OGT; 3702 case FCMP_ORD: return FCMP_UNO; 3703 case FCMP_UNO: return FCMP_ORD; 3704 case FCMP_TRUE: return FCMP_FALSE; 3705 case FCMP_FALSE: return FCMP_TRUE; 3706 } 3707 } 3708 3709 StringRef CmpInst::getPredicateName(Predicate Pred) { 3710 switch (Pred) { 3711 default: return "unknown"; 3712 case FCmpInst::FCMP_FALSE: return "false"; 3713 case FCmpInst::FCMP_OEQ: return "oeq"; 3714 case FCmpInst::FCMP_OGT: return "ogt"; 3715 case FCmpInst::FCMP_OGE: return "oge"; 3716 case FCmpInst::FCMP_OLT: return "olt"; 3717 case FCmpInst::FCMP_OLE: return "ole"; 3718 case FCmpInst::FCMP_ONE: return "one"; 3719 case FCmpInst::FCMP_ORD: return "ord"; 3720 case FCmpInst::FCMP_UNO: return "uno"; 3721 case FCmpInst::FCMP_UEQ: return "ueq"; 3722 case FCmpInst::FCMP_UGT: return "ugt"; 3723 case FCmpInst::FCMP_UGE: return "uge"; 3724 case FCmpInst::FCMP_ULT: return "ult"; 3725 case FCmpInst::FCMP_ULE: return "ule"; 3726 case FCmpInst::FCMP_UNE: return "une"; 3727 case FCmpInst::FCMP_TRUE: return "true"; 3728 case ICmpInst::ICMP_EQ: return "eq"; 3729 case ICmpInst::ICMP_NE: return "ne"; 3730 case ICmpInst::ICMP_SGT: return "sgt"; 3731 case ICmpInst::ICMP_SGE: return "sge"; 3732 case ICmpInst::ICMP_SLT: return "slt"; 3733 case ICmpInst::ICMP_SLE: return "sle"; 3734 case ICmpInst::ICMP_UGT: return "ugt"; 3735 case ICmpInst::ICMP_UGE: return "uge"; 3736 case ICmpInst::ICMP_ULT: return "ult"; 3737 case ICmpInst::ICMP_ULE: return "ule"; 3738 } 3739 } 3740 3741 ICmpInst::Predicate ICmpInst::getSignedPredicate(Predicate pred) { 3742 switch (pred) { 3743 default: llvm_unreachable("Unknown icmp predicate!"); 3744 case ICMP_EQ: case ICMP_NE: 3745 case ICMP_SGT: case ICMP_SLT: case ICMP_SGE: case ICMP_SLE: 3746 return pred; 3747 case ICMP_UGT: return ICMP_SGT; 3748 case ICMP_ULT: return ICMP_SLT; 3749 case ICMP_UGE: return ICMP_SGE; 3750 case ICMP_ULE: return ICMP_SLE; 3751 } 3752 } 3753 3754 ICmpInst::Predicate ICmpInst::getUnsignedPredicate(Predicate pred) { 3755 switch (pred) { 3756 default: llvm_unreachable("Unknown icmp predicate!"); 3757 case ICMP_EQ: case ICMP_NE: 3758 case ICMP_UGT: case ICMP_ULT: case ICMP_UGE: case ICMP_ULE: 3759 return pred; 3760 case ICMP_SGT: return ICMP_UGT; 3761 case ICMP_SLT: return ICMP_ULT; 3762 case ICMP_SGE: return ICMP_UGE; 3763 case ICMP_SLE: return ICMP_ULE; 3764 } 3765 } 3766 3767 CmpInst::Predicate CmpInst::getSwappedPredicate(Predicate pred) { 3768 switch (pred) { 3769 default: llvm_unreachable("Unknown cmp predicate!"); 3770 case ICMP_EQ: case ICMP_NE: 3771 return pred; 3772 case ICMP_SGT: return ICMP_SLT; 3773 case ICMP_SLT: return ICMP_SGT; 3774 case ICMP_SGE: return ICMP_SLE; 3775 case ICMP_SLE: return ICMP_SGE; 3776 case ICMP_UGT: return ICMP_ULT; 3777 case ICMP_ULT: return ICMP_UGT; 3778 case ICMP_UGE: return ICMP_ULE; 3779 case ICMP_ULE: return ICMP_UGE; 3780 3781 case FCMP_FALSE: case FCMP_TRUE: 3782 case FCMP_OEQ: case FCMP_ONE: 3783 case FCMP_UEQ: case FCMP_UNE: 3784 case FCMP_ORD: case FCMP_UNO: 3785 return pred; 3786 case FCMP_OGT: return FCMP_OLT; 3787 case FCMP_OLT: return FCMP_OGT; 3788 case FCMP_OGE: return FCMP_OLE; 3789 case FCMP_OLE: return FCMP_OGE; 3790 case FCMP_UGT: return FCMP_ULT; 3791 case FCMP_ULT: return FCMP_UGT; 3792 case FCMP_UGE: return FCMP_ULE; 3793 case FCMP_ULE: return FCMP_UGE; 3794 } 3795 } 3796 3797 bool CmpInst::isNonStrictPredicate(Predicate pred) { 3798 switch (pred) { 3799 case ICMP_SGE: 3800 case ICMP_SLE: 3801 case ICMP_UGE: 3802 case ICMP_ULE: 3803 case FCMP_OGE: 3804 case FCMP_OLE: 3805 case FCMP_UGE: 3806 case FCMP_ULE: 3807 return true; 3808 default: 3809 return false; 3810 } 3811 } 3812 3813 bool CmpInst::isStrictPredicate(Predicate pred) { 3814 switch (pred) { 3815 case ICMP_SGT: 3816 case ICMP_SLT: 3817 case ICMP_UGT: 3818 case ICMP_ULT: 3819 case FCMP_OGT: 3820 case FCMP_OLT: 3821 case FCMP_UGT: 3822 case FCMP_ULT: 3823 return true; 3824 default: 3825 return false; 3826 } 3827 } 3828 3829 CmpInst::Predicate CmpInst::getStrictPredicate(Predicate pred) { 3830 switch (pred) { 3831 case ICMP_SGE: 3832 return ICMP_SGT; 3833 case ICMP_SLE: 3834 return ICMP_SLT; 3835 case ICMP_UGE: 3836 return ICMP_UGT; 3837 case ICMP_ULE: 3838 return ICMP_ULT; 3839 case FCMP_OGE: 3840 return FCMP_OGT; 3841 case FCMP_OLE: 3842 return FCMP_OLT; 3843 case FCMP_UGE: 3844 return FCMP_UGT; 3845 case FCMP_ULE: 3846 return FCMP_ULT; 3847 default: 3848 return pred; 3849 } 3850 } 3851 3852 CmpInst::Predicate CmpInst::getNonStrictPredicate(Predicate pred) { 3853 switch (pred) { 3854 case ICMP_SGT: 3855 return ICMP_SGE; 3856 case ICMP_SLT: 3857 return ICMP_SLE; 3858 case ICMP_UGT: 3859 return ICMP_UGE; 3860 case ICMP_ULT: 3861 return ICMP_ULE; 3862 case FCMP_OGT: 3863 return FCMP_OGE; 3864 case FCMP_OLT: 3865 return FCMP_OLE; 3866 case FCMP_UGT: 3867 return FCMP_UGE; 3868 case FCMP_ULT: 3869 return FCMP_ULE; 3870 default: 3871 return pred; 3872 } 3873 } 3874 3875 CmpInst::Predicate CmpInst::getFlippedStrictnessPredicate(Predicate pred) { 3876 assert(CmpInst::isRelational(pred) && "Call only with relational predicate!"); 3877 3878 if (isStrictPredicate(pred)) 3879 return getNonStrictPredicate(pred); 3880 if (isNonStrictPredicate(pred)) 3881 return getStrictPredicate(pred); 3882 3883 llvm_unreachable("Unknown predicate!"); 3884 } 3885 3886 CmpInst::Predicate CmpInst::getSignedPredicate(Predicate pred) { 3887 assert(CmpInst::isUnsigned(pred) && "Call only with unsigned predicates!"); 3888 3889 switch (pred) { 3890 default: 3891 llvm_unreachable("Unknown predicate!"); 3892 case CmpInst::ICMP_ULT: 3893 return CmpInst::ICMP_SLT; 3894 case CmpInst::ICMP_ULE: 3895 return CmpInst::ICMP_SLE; 3896 case CmpInst::ICMP_UGT: 3897 return CmpInst::ICMP_SGT; 3898 case CmpInst::ICMP_UGE: 3899 return CmpInst::ICMP_SGE; 3900 } 3901 } 3902 3903 CmpInst::Predicate CmpInst::getUnsignedPredicate(Predicate pred) { 3904 assert(CmpInst::isSigned(pred) && "Call only with signed predicates!"); 3905 3906 switch (pred) { 3907 default: 3908 llvm_unreachable("Unknown predicate!"); 3909 case CmpInst::ICMP_SLT: 3910 return CmpInst::ICMP_ULT; 3911 case CmpInst::ICMP_SLE: 3912 return CmpInst::ICMP_ULE; 3913 case CmpInst::ICMP_SGT: 3914 return CmpInst::ICMP_UGT; 3915 case CmpInst::ICMP_SGE: 3916 return CmpInst::ICMP_UGE; 3917 } 3918 } 3919 3920 bool CmpInst::isUnsigned(Predicate predicate) { 3921 switch (predicate) { 3922 default: return false; 3923 case ICmpInst::ICMP_ULT: case ICmpInst::ICMP_ULE: case ICmpInst::ICMP_UGT: 3924 case ICmpInst::ICMP_UGE: return true; 3925 } 3926 } 3927 3928 bool CmpInst::isSigned(Predicate predicate) { 3929 switch (predicate) { 3930 default: return false; 3931 case ICmpInst::ICMP_SLT: case ICmpInst::ICMP_SLE: case ICmpInst::ICMP_SGT: 3932 case ICmpInst::ICMP_SGE: return true; 3933 } 3934 } 3935 3936 CmpInst::Predicate CmpInst::getFlippedSignednessPredicate(Predicate pred) { 3937 assert(CmpInst::isRelational(pred) && 3938 "Call only with non-equality predicates!"); 3939 3940 if (isSigned(pred)) 3941 return getUnsignedPredicate(pred); 3942 if (isUnsigned(pred)) 3943 return getSignedPredicate(pred); 3944 3945 llvm_unreachable("Unknown predicate!"); 3946 } 3947 3948 bool CmpInst::isOrdered(Predicate predicate) { 3949 switch (predicate) { 3950 default: return false; 3951 case FCmpInst::FCMP_OEQ: case FCmpInst::FCMP_ONE: case FCmpInst::FCMP_OGT: 3952 case FCmpInst::FCMP_OLT: case FCmpInst::FCMP_OGE: case FCmpInst::FCMP_OLE: 3953 case FCmpInst::FCMP_ORD: return true; 3954 } 3955 } 3956 3957 bool CmpInst::isUnordered(Predicate predicate) { 3958 switch (predicate) { 3959 default: return false; 3960 case FCmpInst::FCMP_UEQ: case FCmpInst::FCMP_UNE: case FCmpInst::FCMP_UGT: 3961 case FCmpInst::FCMP_ULT: case FCmpInst::FCMP_UGE: case FCmpInst::FCMP_ULE: 3962 case FCmpInst::FCMP_UNO: return true; 3963 } 3964 } 3965 3966 bool CmpInst::isTrueWhenEqual(Predicate predicate) { 3967 switch(predicate) { 3968 default: return false; 3969 case ICMP_EQ: case ICMP_UGE: case ICMP_ULE: case ICMP_SGE: case ICMP_SLE: 3970 case FCMP_TRUE: case FCMP_UEQ: case FCMP_UGE: case FCMP_ULE: return true; 3971 } 3972 } 3973 3974 bool CmpInst::isFalseWhenEqual(Predicate predicate) { 3975 switch(predicate) { 3976 case ICMP_NE: case ICMP_UGT: case ICMP_ULT: case ICMP_SGT: case ICMP_SLT: 3977 case FCMP_FALSE: case FCMP_ONE: case FCMP_OGT: case FCMP_OLT: return true; 3978 default: return false; 3979 } 3980 } 3981 3982 bool CmpInst::isImpliedTrueByMatchingCmp(Predicate Pred1, Predicate Pred2) { 3983 // If the predicates match, then we know the first condition implies the 3984 // second is true. 3985 if (Pred1 == Pred2) 3986 return true; 3987 3988 switch (Pred1) { 3989 default: 3990 break; 3991 case ICMP_EQ: 3992 // A == B implies A >=u B, A <=u B, A >=s B, and A <=s B are true. 3993 return Pred2 == ICMP_UGE || Pred2 == ICMP_ULE || Pred2 == ICMP_SGE || 3994 Pred2 == ICMP_SLE; 3995 case ICMP_UGT: // A >u B implies A != B and A >=u B are true. 3996 return Pred2 == ICMP_NE || Pred2 == ICMP_UGE; 3997 case ICMP_ULT: // A <u B implies A != B and A <=u B are true. 3998 return Pred2 == ICMP_NE || Pred2 == ICMP_ULE; 3999 case ICMP_SGT: // A >s B implies A != B and A >=s B are true. 4000 return Pred2 == ICMP_NE || Pred2 == ICMP_SGE; 4001 case ICMP_SLT: // A <s B implies A != B and A <=s B are true. 4002 return Pred2 == ICMP_NE || Pred2 == ICMP_SLE; 4003 } 4004 return false; 4005 } 4006 4007 bool CmpInst::isImpliedFalseByMatchingCmp(Predicate Pred1, Predicate Pred2) { 4008 return isImpliedTrueByMatchingCmp(Pred1, getInversePredicate(Pred2)); 4009 } 4010 4011 //===----------------------------------------------------------------------===// 4012 // SwitchInst Implementation 4013 //===----------------------------------------------------------------------===// 4014 4015 void SwitchInst::init(Value *Value, BasicBlock *Default, unsigned NumReserved) { 4016 assert(Value && Default && NumReserved); 4017 ReservedSpace = NumReserved; 4018 setNumHungOffUseOperands(2); 4019 allocHungoffUses(ReservedSpace); 4020 4021 Op<0>() = Value; 4022 Op<1>() = Default; 4023 } 4024 4025 /// SwitchInst ctor - Create a new switch instruction, specifying a value to 4026 /// switch on and a default destination. The number of additional cases can 4027 /// be specified here to make memory allocation more efficient. This 4028 /// constructor can also autoinsert before another instruction. 4029 SwitchInst::SwitchInst(Value *Value, BasicBlock *Default, unsigned NumCases, 4030 Instruction *InsertBefore) 4031 : Instruction(Type::getVoidTy(Value->getContext()), Instruction::Switch, 4032 nullptr, 0, InsertBefore) { 4033 init(Value, Default, 2+NumCases*2); 4034 } 4035 4036 /// SwitchInst ctor - Create a new switch instruction, specifying a value to 4037 /// switch on and a default destination. The number of additional cases can 4038 /// be specified here to make memory allocation more efficient. This 4039 /// constructor also autoinserts at the end of the specified BasicBlock. 4040 SwitchInst::SwitchInst(Value *Value, BasicBlock *Default, unsigned NumCases, 4041 BasicBlock *InsertAtEnd) 4042 : Instruction(Type::getVoidTy(Value->getContext()), Instruction::Switch, 4043 nullptr, 0, InsertAtEnd) { 4044 init(Value, Default, 2+NumCases*2); 4045 } 4046 4047 SwitchInst::SwitchInst(const SwitchInst &SI) 4048 : Instruction(SI.getType(), Instruction::Switch, nullptr, 0) { 4049 init(SI.getCondition(), SI.getDefaultDest(), SI.getNumOperands()); 4050 setNumHungOffUseOperands(SI.getNumOperands()); 4051 Use *OL = getOperandList(); 4052 const Use *InOL = SI.getOperandList(); 4053 for (unsigned i = 2, E = SI.getNumOperands(); i != E; i += 2) { 4054 OL[i] = InOL[i]; 4055 OL[i+1] = InOL[i+1]; 4056 } 4057 SubclassOptionalData = SI.SubclassOptionalData; 4058 } 4059 4060 /// addCase - Add an entry to the switch instruction... 4061 /// 4062 void SwitchInst::addCase(ConstantInt *OnVal, BasicBlock *Dest) { 4063 unsigned NewCaseIdx = getNumCases(); 4064 unsigned OpNo = getNumOperands(); 4065 if (OpNo+2 > ReservedSpace) 4066 growOperands(); // Get more space! 4067 // Initialize some new operands. 4068 assert(OpNo+1 < ReservedSpace && "Growing didn't work!"); 4069 setNumHungOffUseOperands(OpNo+2); 4070 CaseHandle Case(this, NewCaseIdx); 4071 Case.setValue(OnVal); 4072 Case.setSuccessor(Dest); 4073 } 4074 4075 /// removeCase - This method removes the specified case and its successor 4076 /// from the switch instruction. 4077 SwitchInst::CaseIt SwitchInst::removeCase(CaseIt I) { 4078 unsigned idx = I->getCaseIndex(); 4079 4080 assert(2 + idx*2 < getNumOperands() && "Case index out of range!!!"); 4081 4082 unsigned NumOps = getNumOperands(); 4083 Use *OL = getOperandList(); 4084 4085 // Overwrite this case with the end of the list. 4086 if (2 + (idx + 1) * 2 != NumOps) { 4087 OL[2 + idx * 2] = OL[NumOps - 2]; 4088 OL[2 + idx * 2 + 1] = OL[NumOps - 1]; 4089 } 4090 4091 // Nuke the last value. 4092 OL[NumOps-2].set(nullptr); 4093 OL[NumOps-2+1].set(nullptr); 4094 setNumHungOffUseOperands(NumOps-2); 4095 4096 return CaseIt(this, idx); 4097 } 4098 4099 /// growOperands - grow operands - This grows the operand list in response 4100 /// to a push_back style of operation. This grows the number of ops by 3 times. 4101 /// 4102 void SwitchInst::growOperands() { 4103 unsigned e = getNumOperands(); 4104 unsigned NumOps = e*3; 4105 4106 ReservedSpace = NumOps; 4107 growHungoffUses(ReservedSpace); 4108 } 4109 4110 MDNode * 4111 SwitchInstProfUpdateWrapper::getProfBranchWeightsMD(const SwitchInst &SI) { 4112 if (MDNode *ProfileData = SI.getMetadata(LLVMContext::MD_prof)) 4113 if (auto *MDName = dyn_cast<MDString>(ProfileData->getOperand(0))) 4114 if (MDName->getString() == "branch_weights") 4115 return ProfileData; 4116 return nullptr; 4117 } 4118 4119 MDNode *SwitchInstProfUpdateWrapper::buildProfBranchWeightsMD() { 4120 assert(Changed && "called only if metadata has changed"); 4121 4122 if (!Weights) 4123 return nullptr; 4124 4125 assert(SI.getNumSuccessors() == Weights->size() && 4126 "num of prof branch_weights must accord with num of successors"); 4127 4128 bool AllZeroes = 4129 all_of(Weights.getValue(), [](uint32_t W) { return W == 0; }); 4130 4131 if (AllZeroes || Weights.getValue().size() < 2) 4132 return nullptr; 4133 4134 return MDBuilder(SI.getParent()->getContext()).createBranchWeights(*Weights); 4135 } 4136 4137 void SwitchInstProfUpdateWrapper::init() { 4138 MDNode *ProfileData = getProfBranchWeightsMD(SI); 4139 if (!ProfileData) 4140 return; 4141 4142 if (ProfileData->getNumOperands() != SI.getNumSuccessors() + 1) { 4143 llvm_unreachable("number of prof branch_weights metadata operands does " 4144 "not correspond to number of succesors"); 4145 } 4146 4147 SmallVector<uint32_t, 8> Weights; 4148 for (unsigned CI = 1, CE = SI.getNumSuccessors(); CI <= CE; ++CI) { 4149 ConstantInt *C = mdconst::extract<ConstantInt>(ProfileData->getOperand(CI)); 4150 uint32_t CW = C->getValue().getZExtValue(); 4151 Weights.push_back(CW); 4152 } 4153 this->Weights = std::move(Weights); 4154 } 4155 4156 SwitchInst::CaseIt 4157 SwitchInstProfUpdateWrapper::removeCase(SwitchInst::CaseIt I) { 4158 if (Weights) { 4159 assert(SI.getNumSuccessors() == Weights->size() && 4160 "num of prof branch_weights must accord with num of successors"); 4161 Changed = true; 4162 // Copy the last case to the place of the removed one and shrink. 4163 // This is tightly coupled with the way SwitchInst::removeCase() removes 4164 // the cases in SwitchInst::removeCase(CaseIt). 4165 Weights.getValue()[I->getCaseIndex() + 1] = Weights.getValue().back(); 4166 Weights.getValue().pop_back(); 4167 } 4168 return SI.removeCase(I); 4169 } 4170 4171 void SwitchInstProfUpdateWrapper::addCase( 4172 ConstantInt *OnVal, BasicBlock *Dest, 4173 SwitchInstProfUpdateWrapper::CaseWeightOpt W) { 4174 SI.addCase(OnVal, Dest); 4175 4176 if (!Weights && W && *W) { 4177 Changed = true; 4178 Weights = SmallVector<uint32_t, 8>(SI.getNumSuccessors(), 0); 4179 Weights.getValue()[SI.getNumSuccessors() - 1] = *W; 4180 } else if (Weights) { 4181 Changed = true; 4182 Weights.getValue().push_back(W ? *W : 0); 4183 } 4184 if (Weights) 4185 assert(SI.getNumSuccessors() == Weights->size() && 4186 "num of prof branch_weights must accord with num of successors"); 4187 } 4188 4189 SymbolTableList<Instruction>::iterator 4190 SwitchInstProfUpdateWrapper::eraseFromParent() { 4191 // Instruction is erased. Mark as unchanged to not touch it in the destructor. 4192 Changed = false; 4193 if (Weights) 4194 Weights->resize(0); 4195 return SI.eraseFromParent(); 4196 } 4197 4198 SwitchInstProfUpdateWrapper::CaseWeightOpt 4199 SwitchInstProfUpdateWrapper::getSuccessorWeight(unsigned idx) { 4200 if (!Weights) 4201 return None; 4202 return Weights.getValue()[idx]; 4203 } 4204 4205 void SwitchInstProfUpdateWrapper::setSuccessorWeight( 4206 unsigned idx, SwitchInstProfUpdateWrapper::CaseWeightOpt W) { 4207 if (!W) 4208 return; 4209 4210 if (!Weights && *W) 4211 Weights = SmallVector<uint32_t, 8>(SI.getNumSuccessors(), 0); 4212 4213 if (Weights) { 4214 auto &OldW = Weights.getValue()[idx]; 4215 if (*W != OldW) { 4216 Changed = true; 4217 OldW = *W; 4218 } 4219 } 4220 } 4221 4222 SwitchInstProfUpdateWrapper::CaseWeightOpt 4223 SwitchInstProfUpdateWrapper::getSuccessorWeight(const SwitchInst &SI, 4224 unsigned idx) { 4225 if (MDNode *ProfileData = getProfBranchWeightsMD(SI)) 4226 if (ProfileData->getNumOperands() == SI.getNumSuccessors() + 1) 4227 return mdconst::extract<ConstantInt>(ProfileData->getOperand(idx + 1)) 4228 ->getValue() 4229 .getZExtValue(); 4230 4231 return None; 4232 } 4233 4234 //===----------------------------------------------------------------------===// 4235 // IndirectBrInst Implementation 4236 //===----------------------------------------------------------------------===// 4237 4238 void IndirectBrInst::init(Value *Address, unsigned NumDests) { 4239 assert(Address && Address->getType()->isPointerTy() && 4240 "Address of indirectbr must be a pointer"); 4241 ReservedSpace = 1+NumDests; 4242 setNumHungOffUseOperands(1); 4243 allocHungoffUses(ReservedSpace); 4244 4245 Op<0>() = Address; 4246 } 4247 4248 4249 /// growOperands - grow operands - This grows the operand list in response 4250 /// to a push_back style of operation. This grows the number of ops by 2 times. 4251 /// 4252 void IndirectBrInst::growOperands() { 4253 unsigned e = getNumOperands(); 4254 unsigned NumOps = e*2; 4255 4256 ReservedSpace = NumOps; 4257 growHungoffUses(ReservedSpace); 4258 } 4259 4260 IndirectBrInst::IndirectBrInst(Value *Address, unsigned NumCases, 4261 Instruction *InsertBefore) 4262 : Instruction(Type::getVoidTy(Address->getContext()), 4263 Instruction::IndirectBr, nullptr, 0, InsertBefore) { 4264 init(Address, NumCases); 4265 } 4266 4267 IndirectBrInst::IndirectBrInst(Value *Address, unsigned NumCases, 4268 BasicBlock *InsertAtEnd) 4269 : Instruction(Type::getVoidTy(Address->getContext()), 4270 Instruction::IndirectBr, nullptr, 0, InsertAtEnd) { 4271 init(Address, NumCases); 4272 } 4273 4274 IndirectBrInst::IndirectBrInst(const IndirectBrInst &IBI) 4275 : Instruction(Type::getVoidTy(IBI.getContext()), Instruction::IndirectBr, 4276 nullptr, IBI.getNumOperands()) { 4277 allocHungoffUses(IBI.getNumOperands()); 4278 Use *OL = getOperandList(); 4279 const Use *InOL = IBI.getOperandList(); 4280 for (unsigned i = 0, E = IBI.getNumOperands(); i != E; ++i) 4281 OL[i] = InOL[i]; 4282 SubclassOptionalData = IBI.SubclassOptionalData; 4283 } 4284 4285 /// addDestination - Add a destination. 4286 /// 4287 void IndirectBrInst::addDestination(BasicBlock *DestBB) { 4288 unsigned OpNo = getNumOperands(); 4289 if (OpNo+1 > ReservedSpace) 4290 growOperands(); // Get more space! 4291 // Initialize some new operands. 4292 assert(OpNo < ReservedSpace && "Growing didn't work!"); 4293 setNumHungOffUseOperands(OpNo+1); 4294 getOperandList()[OpNo] = DestBB; 4295 } 4296 4297 /// removeDestination - This method removes the specified successor from the 4298 /// indirectbr instruction. 4299 void IndirectBrInst::removeDestination(unsigned idx) { 4300 assert(idx < getNumOperands()-1 && "Successor index out of range!"); 4301 4302 unsigned NumOps = getNumOperands(); 4303 Use *OL = getOperandList(); 4304 4305 // Replace this value with the last one. 4306 OL[idx+1] = OL[NumOps-1]; 4307 4308 // Nuke the last value. 4309 OL[NumOps-1].set(nullptr); 4310 setNumHungOffUseOperands(NumOps-1); 4311 } 4312 4313 //===----------------------------------------------------------------------===// 4314 // FreezeInst Implementation 4315 //===----------------------------------------------------------------------===// 4316 4317 FreezeInst::FreezeInst(Value *S, 4318 const Twine &Name, Instruction *InsertBefore) 4319 : UnaryInstruction(S->getType(), Freeze, S, InsertBefore) { 4320 setName(Name); 4321 } 4322 4323 FreezeInst::FreezeInst(Value *S, 4324 const Twine &Name, BasicBlock *InsertAtEnd) 4325 : UnaryInstruction(S->getType(), Freeze, S, InsertAtEnd) { 4326 setName(Name); 4327 } 4328 4329 //===----------------------------------------------------------------------===// 4330 // cloneImpl() implementations 4331 //===----------------------------------------------------------------------===// 4332 4333 // Define these methods here so vtables don't get emitted into every translation 4334 // unit that uses these classes. 4335 4336 GetElementPtrInst *GetElementPtrInst::cloneImpl() const { 4337 return new (getNumOperands()) GetElementPtrInst(*this); 4338 } 4339 4340 UnaryOperator *UnaryOperator::cloneImpl() const { 4341 return Create(getOpcode(), Op<0>()); 4342 } 4343 4344 BinaryOperator *BinaryOperator::cloneImpl() const { 4345 return Create(getOpcode(), Op<0>(), Op<1>()); 4346 } 4347 4348 FCmpInst *FCmpInst::cloneImpl() const { 4349 return new FCmpInst(getPredicate(), Op<0>(), Op<1>()); 4350 } 4351 4352 ICmpInst *ICmpInst::cloneImpl() const { 4353 return new ICmpInst(getPredicate(), Op<0>(), Op<1>()); 4354 } 4355 4356 ExtractValueInst *ExtractValueInst::cloneImpl() const { 4357 return new ExtractValueInst(*this); 4358 } 4359 4360 InsertValueInst *InsertValueInst::cloneImpl() const { 4361 return new InsertValueInst(*this); 4362 } 4363 4364 AllocaInst *AllocaInst::cloneImpl() const { 4365 AllocaInst *Result = 4366 new AllocaInst(getAllocatedType(), getType()->getAddressSpace(), 4367 getOperand(0), getAlign()); 4368 Result->setUsedWithInAlloca(isUsedWithInAlloca()); 4369 Result->setSwiftError(isSwiftError()); 4370 return Result; 4371 } 4372 4373 LoadInst *LoadInst::cloneImpl() const { 4374 return new LoadInst(getType(), getOperand(0), Twine(), isVolatile(), 4375 getAlign(), getOrdering(), getSyncScopeID()); 4376 } 4377 4378 StoreInst *StoreInst::cloneImpl() const { 4379 return new StoreInst(getOperand(0), getOperand(1), isVolatile(), getAlign(), 4380 getOrdering(), getSyncScopeID()); 4381 } 4382 4383 AtomicCmpXchgInst *AtomicCmpXchgInst::cloneImpl() const { 4384 AtomicCmpXchgInst *Result = new AtomicCmpXchgInst( 4385 getOperand(0), getOperand(1), getOperand(2), getAlign(), 4386 getSuccessOrdering(), getFailureOrdering(), getSyncScopeID()); 4387 Result->setVolatile(isVolatile()); 4388 Result->setWeak(isWeak()); 4389 return Result; 4390 } 4391 4392 AtomicRMWInst *AtomicRMWInst::cloneImpl() const { 4393 AtomicRMWInst *Result = 4394 new AtomicRMWInst(getOperation(), getOperand(0), getOperand(1), 4395 getAlign(), getOrdering(), getSyncScopeID()); 4396 Result->setVolatile(isVolatile()); 4397 return Result; 4398 } 4399 4400 FenceInst *FenceInst::cloneImpl() const { 4401 return new FenceInst(getContext(), getOrdering(), getSyncScopeID()); 4402 } 4403 4404 TruncInst *TruncInst::cloneImpl() const { 4405 return new TruncInst(getOperand(0), getType()); 4406 } 4407 4408 ZExtInst *ZExtInst::cloneImpl() const { 4409 return new ZExtInst(getOperand(0), getType()); 4410 } 4411 4412 SExtInst *SExtInst::cloneImpl() const { 4413 return new SExtInst(getOperand(0), getType()); 4414 } 4415 4416 FPTruncInst *FPTruncInst::cloneImpl() const { 4417 return new FPTruncInst(getOperand(0), getType()); 4418 } 4419 4420 FPExtInst *FPExtInst::cloneImpl() const { 4421 return new FPExtInst(getOperand(0), getType()); 4422 } 4423 4424 UIToFPInst *UIToFPInst::cloneImpl() const { 4425 return new UIToFPInst(getOperand(0), getType()); 4426 } 4427 4428 SIToFPInst *SIToFPInst::cloneImpl() const { 4429 return new SIToFPInst(getOperand(0), getType()); 4430 } 4431 4432 FPToUIInst *FPToUIInst::cloneImpl() const { 4433 return new FPToUIInst(getOperand(0), getType()); 4434 } 4435 4436 FPToSIInst *FPToSIInst::cloneImpl() const { 4437 return new FPToSIInst(getOperand(0), getType()); 4438 } 4439 4440 PtrToIntInst *PtrToIntInst::cloneImpl() const { 4441 return new PtrToIntInst(getOperand(0), getType()); 4442 } 4443 4444 IntToPtrInst *IntToPtrInst::cloneImpl() const { 4445 return new IntToPtrInst(getOperand(0), getType()); 4446 } 4447 4448 BitCastInst *BitCastInst::cloneImpl() const { 4449 return new BitCastInst(getOperand(0), getType()); 4450 } 4451 4452 AddrSpaceCastInst *AddrSpaceCastInst::cloneImpl() const { 4453 return new AddrSpaceCastInst(getOperand(0), getType()); 4454 } 4455 4456 CallInst *CallInst::cloneImpl() const { 4457 if (hasOperandBundles()) { 4458 unsigned DescriptorBytes = getNumOperandBundles() * sizeof(BundleOpInfo); 4459 return new(getNumOperands(), DescriptorBytes) CallInst(*this); 4460 } 4461 return new(getNumOperands()) CallInst(*this); 4462 } 4463 4464 SelectInst *SelectInst::cloneImpl() const { 4465 return SelectInst::Create(getOperand(0), getOperand(1), getOperand(2)); 4466 } 4467 4468 VAArgInst *VAArgInst::cloneImpl() const { 4469 return new VAArgInst(getOperand(0), getType()); 4470 } 4471 4472 ExtractElementInst *ExtractElementInst::cloneImpl() const { 4473 return ExtractElementInst::Create(getOperand(0), getOperand(1)); 4474 } 4475 4476 InsertElementInst *InsertElementInst::cloneImpl() const { 4477 return InsertElementInst::Create(getOperand(0), getOperand(1), getOperand(2)); 4478 } 4479 4480 ShuffleVectorInst *ShuffleVectorInst::cloneImpl() const { 4481 return new ShuffleVectorInst(getOperand(0), getOperand(1), getShuffleMask()); 4482 } 4483 4484 PHINode *PHINode::cloneImpl() const { return new PHINode(*this); } 4485 4486 LandingPadInst *LandingPadInst::cloneImpl() const { 4487 return new LandingPadInst(*this); 4488 } 4489 4490 ReturnInst *ReturnInst::cloneImpl() const { 4491 return new(getNumOperands()) ReturnInst(*this); 4492 } 4493 4494 BranchInst *BranchInst::cloneImpl() const { 4495 return new(getNumOperands()) BranchInst(*this); 4496 } 4497 4498 SwitchInst *SwitchInst::cloneImpl() const { return new SwitchInst(*this); } 4499 4500 IndirectBrInst *IndirectBrInst::cloneImpl() const { 4501 return new IndirectBrInst(*this); 4502 } 4503 4504 InvokeInst *InvokeInst::cloneImpl() const { 4505 if (hasOperandBundles()) { 4506 unsigned DescriptorBytes = getNumOperandBundles() * sizeof(BundleOpInfo); 4507 return new(getNumOperands(), DescriptorBytes) InvokeInst(*this); 4508 } 4509 return new(getNumOperands()) InvokeInst(*this); 4510 } 4511 4512 CallBrInst *CallBrInst::cloneImpl() const { 4513 if (hasOperandBundles()) { 4514 unsigned DescriptorBytes = getNumOperandBundles() * sizeof(BundleOpInfo); 4515 return new (getNumOperands(), DescriptorBytes) CallBrInst(*this); 4516 } 4517 return new (getNumOperands()) CallBrInst(*this); 4518 } 4519 4520 ResumeInst *ResumeInst::cloneImpl() const { return new (1) ResumeInst(*this); } 4521 4522 CleanupReturnInst *CleanupReturnInst::cloneImpl() const { 4523 return new (getNumOperands()) CleanupReturnInst(*this); 4524 } 4525 4526 CatchReturnInst *CatchReturnInst::cloneImpl() const { 4527 return new (getNumOperands()) CatchReturnInst(*this); 4528 } 4529 4530 CatchSwitchInst *CatchSwitchInst::cloneImpl() const { 4531 return new CatchSwitchInst(*this); 4532 } 4533 4534 FuncletPadInst *FuncletPadInst::cloneImpl() const { 4535 return new (getNumOperands()) FuncletPadInst(*this); 4536 } 4537 4538 UnreachableInst *UnreachableInst::cloneImpl() const { 4539 LLVMContext &Context = getContext(); 4540 return new UnreachableInst(Context); 4541 } 4542 4543 FreezeInst *FreezeInst::cloneImpl() const { 4544 return new FreezeInst(getOperand(0)); 4545 } 4546