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