LLVM 23.0.0git
Instruction.cpp
Go to the documentation of this file.
1//===-- Instruction.cpp - Implement the Instruction class -----------------===//
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 the Instruction class for the IR library.
10//
11//===----------------------------------------------------------------------===//
12
13#include "llvm/IR/Instruction.h"
14#include "llvm/ADT/DenseSet.h"
15#include "llvm/ADT/STLExtras.h"
17#include "llvm/IR/Attributes.h"
18#include "llvm/IR/Constants.h"
19#include "llvm/IR/InstrTypes.h"
22#include "llvm/IR/Intrinsics.h"
23#include "llvm/IR/LLVMContext.h"
25#include "llvm/IR/Module.h"
26#include "llvm/IR/Operator.h"
28#include "llvm/IR/Type.h"
31using namespace llvm;
32
33namespace llvm {
34
35// FIXME: Flag used for an ablation performance test, Issue #147390. Placing it
36// here because referencing IR should be feasible from anywhere. Will be
37// removed after the ablation test.
39 "profcheck-disable-metadata-fixes", cl::Hidden, cl::init(false),
41 "Disable metadata propagation fixes discovered through Issue #147390"));
42
43} // end namespace llvm
44
46 : InsertAt(InsertBefore ? InsertBefore->getIterator()
47 : InstListType::iterator()) {}
49 : InsertAt(InsertAtEnd ? InsertAtEnd->end() : InstListType::iterator()) {}
50
51Instruction::Instruction(Type *ty, unsigned it, AllocInfo AllocInfo,
52 InsertPosition InsertBefore)
53 : User(ty, Value::InstructionVal + it, AllocInfo) {
54 // When called with an iterator, there must be a block to insert into.
55 if (InstListType::iterator InsertIt = InsertBefore; InsertIt.isValid()) {
56 BasicBlock *BB = InsertIt.getNodeParent();
57 assert(BB && "Instruction to insert before is not in a basic block!");
58 insertInto(BB, InsertBefore);
59 }
60}
61
63 assert(!getParent() && "Instruction still linked in the program!");
64
65 // Replace any extant metadata uses of this instruction with poison to
66 // preserve debug info accuracy. Some alternatives include:
67 // - Treat Instruction like any other Value, and point its extant metadata
68 // uses to an empty ValueAsMetadata node. This makes extant dbg.value uses
69 // trivially dead (i.e. fair game for deletion in many passes), leading to
70 // stale dbg.values being in effect for too long.
71 // - Call salvageDebugInfoOrMarkUndef. Not needed to make instruction removal
72 // correct. OTOH results in wasted work in some common cases (e.g. when all
73 // instructions in a BasicBlock are deleted).
74 if (isUsedByMetadata())
76
77 // Remove associated metadata from context.
78 if (hasMetadata()) {
79 // Explicitly remove DIAssignID metadata to clear up ID -> Instruction(s)
80 // mapping in LLVMContext.
81 updateDIAssignIDMapping(nullptr);
82 clearMetadata();
83 }
84}
85
86const Module *Instruction::getModule() const {
87 return getParent()->getModule();
88}
89
91 return getParent()->getParent();
92}
93
95 return getModule()->getDataLayout();
96}
97
99 // Perform any debug-info maintenence required.
100 handleMarkerRemoval();
101
102 getParent()->getInstList().remove(getIterator());
103}
104
106 if (!DebugMarker)
107 return;
108
109 DebugMarker->removeMarker();
110}
111
113 handleMarkerRemoval();
114 return getParent()->getInstList().erase(getIterator());
115}
116
117void Instruction::insertBefore(Instruction *InsertPos) {
118 insertBefore(InsertPos->getIterator());
119}
120
121/// Insert an unlinked instruction into a basic block immediately before the
122/// specified instruction.
124 insertBefore(*InsertPos->getParent(), InsertPos);
125}
126
127/// Insert an unlinked instruction into a basic block immediately after the
128/// specified instruction.
129void Instruction::insertAfter(Instruction *InsertPos) {
130 BasicBlock *DestParent = InsertPos->getParent();
131
132 DestParent->getInstList().insertAfter(InsertPos->getIterator(), this);
133}
134
136 BasicBlock *DestParent = InsertPos->getParent();
137
138 DestParent->getInstList().insertAfter(InsertPos, this);
139}
140
143 assert(getParent() == nullptr && "Expected detached instruction");
144 assert((It == ParentBB->end() || It->getParent() == ParentBB) &&
145 "It not in ParentBB");
146 insertBefore(*ParentBB, It);
147 return getIterator();
148}
149
151 InstListType::iterator InsertPos) {
152 assert(!DebugMarker);
153
154 BB.getInstList().insert(InsertPos, this);
155
156 // We've inserted "this": if InsertAtHead is set then it comes before any
157 // DbgVariableRecords attached to InsertPos. But if it's not set, then any
158 // DbgRecords should now come before "this".
159 bool InsertAtHead = InsertPos.getHeadBit();
160 if (!InsertAtHead) {
161 DbgMarker *SrcMarker = BB.getMarker(InsertPos);
162 if (SrcMarker && !SrcMarker->empty()) {
163 // If this assertion fires, the calling code is about to insert a PHI
164 // after debug-records, which would form a sequence like:
165 // %0 = PHI
166 // #dbg_value
167 // %1 = PHI
168 // Which is de-normalised and undesired -- hence the assertion. To avoid
169 // this, you must insert at that position using an iterator, and it must
170 // be aquired by calling getFirstNonPHIIt / begin or similar methods on
171 // the block. This will signal to this behind-the-scenes debug-info
172 // maintenence code that you intend the PHI to be ahead of everything,
173 // including any debug-info.
174 assert(!isa<PHINode>(this) && "Inserting PHI after debug-records!");
175 adoptDbgRecords(&BB, InsertPos, false);
176 }
177 }
178
179 // If we're inserting a terminator, check if we need to flush out
180 // TrailingDbgRecords. Inserting instructions at the end of an incomplete
181 // block is handled by the code block above.
182 if (isTerminator())
183 getParent()->flushTerminatorDbgRecords();
184}
185
186/// Unlink this instruction from its current basic block and insert it into the
187/// basic block that MovePos lives in, right before MovePos.
189 moveBeforeImpl(*MovePos->getParent(), MovePos->getIterator(), false);
190}
191
193 moveBeforeImpl(*MovePos->getParent(), MovePos, false);
194}
195
197 moveBeforeImpl(*MovePos->getParent(), MovePos->getIterator(), true);
198}
199
201 moveBeforeImpl(*MovePos->getParent(), MovePos, true);
202}
203
204void Instruction::moveAfter(Instruction *MovePos) {
205 auto NextIt = std::next(MovePos->getIterator());
206 // We want this instruction to be moved to after NextIt in the instruction
207 // list, but before NextIt's debug value range.
208 NextIt.setHeadBit(true);
209 moveBeforeImpl(*MovePos->getParent(), NextIt, false);
210}
211
212void Instruction::moveAfter(InstListType::iterator MovePos) {
213 // We want this instruction to be moved to after NextIt in the instruction
214 // list, but before NextIt's debug value range.
215 MovePos.setHeadBit(true);
216 moveBeforeImpl(*MovePos->getParent(), MovePos, false);
217}
218
220 auto NextIt = std::next(MovePos->getIterator());
221 // We want this instruction and its debug range to be moved to after NextIt
222 // in the instruction list, but before NextIt's debug value range.
223 NextIt.setHeadBit(true);
224 moveBeforeImpl(*MovePos->getParent(), NextIt, true);
225}
226
227void Instruction::moveBefore(BasicBlock &BB, InstListType::iterator I) {
228 moveBeforeImpl(BB, I, false);
229}
230
232 InstListType::iterator I) {
233 moveBeforeImpl(BB, I, true);
234}
235
236void Instruction::moveBeforeImpl(BasicBlock &BB, InstListType::iterator I,
237 bool Preserve) {
238 assert(I == BB.end() || I->getParent() == &BB);
239 bool InsertAtHead = I.getHeadBit();
240
241 // If we've been given the "Preserve" flag, then just move the DbgRecords with
242 // the instruction, no more special handling needed.
243 if (DebugMarker && !Preserve) {
244 if (I != this->getIterator() || InsertAtHead) {
245 // "this" is definitely moving in the list, or it's moving ahead of its
246 // attached DbgVariableRecords. Detach any existing DbgRecords.
247 handleMarkerRemoval();
248 }
249 }
250
251 // Move this single instruction. Use the list splice method directly, not
252 // the block splicer, which will do more debug-info things.
253 BB.getInstList().splice(I, getParent()->getInstList(), getIterator());
254
255 if (!Preserve) {
256 DbgMarker *NextMarker = getParent()->getNextMarker(this);
257
258 // If we're inserting at point I, and not in front of the DbgRecords
259 // attached there, then we should absorb the DbgRecords attached to I.
260 if (!InsertAtHead && NextMarker && !NextMarker->empty()) {
261 adoptDbgRecords(&BB, I, false);
262 }
263 }
264
265 if (isTerminator())
266 getParent()->flushTerminatorDbgRecords();
267}
268
270 const Instruction *From, std::optional<DbgRecord::self_iterator> FromHere,
271 bool InsertAtHead) {
272 if (!From->DebugMarker)
274
275 if (!DebugMarker)
276 getParent()->createMarker(this);
277
278 return DebugMarker->cloneDebugInfoFrom(From->DebugMarker, FromHere,
279 InsertAtHead);
280}
281
282std::optional<DbgRecord::self_iterator>
284 // Is there a marker on the next instruction?
285 DbgMarker *NextMarker = getParent()->getNextMarker(this);
286 if (!NextMarker)
287 return std::nullopt;
288
289 // Are there any DbgRecords in the next marker?
290 if (NextMarker->StoredDbgRecords.empty())
291 return std::nullopt;
292
293 return NextMarker->StoredDbgRecords.begin();
294}
295
296bool Instruction::hasDbgRecords() const { return !getDbgRecordRange().empty(); }
297
299 bool InsertAtHead) {
300 DbgMarker *SrcMarker = BB->getMarker(It);
301 auto ReleaseTrailingDbgRecords = [BB, It, SrcMarker]() {
302 if (BB->end() == It) {
303 SrcMarker->eraseFromParent();
305 }
306 };
307
308 if (!SrcMarker || SrcMarker->StoredDbgRecords.empty()) {
309 ReleaseTrailingDbgRecords();
310 return;
311 }
312
313 // If we have DbgMarkers attached to this instruction, we have to honour the
314 // ordering of DbgRecords between this and the other marker. Fall back to just
315 // absorbing from the source.
316 if (DebugMarker || It == BB->end()) {
317 // Ensure we _do_ have a marker.
318 getParent()->createMarker(this);
319 DebugMarker->absorbDebugValues(*SrcMarker, InsertAtHead);
320
321 // Having transferred everything out of SrcMarker, we _could_ clean it up
322 // and free the marker now. However, that's a lot of heap-accounting for a
323 // small amount of memory with a good chance of re-use. Leave it for the
324 // moment. It will be released when the Instruction is freed in the worst
325 // case.
326 // However: if we transferred from a trailing marker off the end of the
327 // block, it's important to not leave the empty marker trailing. It will
328 // give a misleading impression that some debug records have been left
329 // trailing.
330 ReleaseTrailingDbgRecords();
331 } else {
332 // Optimisation: we're transferring all the DbgRecords from the source
333 // marker onto this empty location: just adopt the other instructions
334 // marker.
335 DebugMarker = SrcMarker;
336 DebugMarker->MarkedInstr = this;
337 It->DebugMarker = nullptr;
338 }
339}
340
342 if (DebugMarker)
343 DebugMarker->dropDbgRecords();
344}
345
347 DebugMarker->dropOneDbgRecord(DVR);
348}
349
350bool Instruction::comesBefore(const Instruction *Other) const {
351 assert(getParent() && Other->getParent() &&
352 "instructions without BB parents have no order");
353 assert(getParent() == Other->getParent() &&
354 "cross-BB instruction order comparison");
355 if (!getParent()->isInstrOrderValid())
356 const_cast<BasicBlock *>(getParent())->renumberInstructions();
357 return Order < Other->Order;
358}
359
360std::optional<BasicBlock::iterator> Instruction::getInsertionPointAfterDef() {
361 assert(!getType()->isVoidTy() && "Instruction must define result");
362 BasicBlock *InsertBB;
363 BasicBlock::iterator InsertPt;
364 if (auto *PN = dyn_cast<PHINode>(this)) {
365 InsertBB = PN->getParent();
366 InsertPt = InsertBB->getFirstInsertionPt();
367 } else if (auto *II = dyn_cast<InvokeInst>(this)) {
368 InsertBB = II->getNormalDest();
369 InsertPt = InsertBB->getFirstInsertionPt();
370 } else if (isa<CallBrInst>(this)) {
371 // Def is available in multiple successors, there's no single dominating
372 // insertion point.
373 return std::nullopt;
374 } else {
375 assert(!isTerminator() && "Only invoke/callbr terminators return value");
376 InsertBB = getParent();
377 InsertPt = std::next(getIterator());
378 // Any instruction inserted immediately after "this" will come before any
379 // debug-info records take effect -- thus, set the head bit indicating that
380 // to debug-info-transfer code.
381 InsertPt.setHeadBit(true);
382 }
383
384 // catchswitch blocks don't have any legal insertion point (because they
385 // are both an exception pad and a terminator).
386 if (InsertPt == InsertBB->end())
387 return std::nullopt;
388 return InsertPt;
389}
390
392 return any_of(operands(), [](const Value *V) { return V->hasOneUser(); });
393}
394
396 if (auto *Inst = dyn_cast<OverflowingBinaryOperator>(this))
397 Inst->setHasNoUnsignedWrap(b);
398 else
399 cast<TruncInst>(this)->setHasNoUnsignedWrap(b);
400}
401
403 if (auto *Inst = dyn_cast<OverflowingBinaryOperator>(this))
404 Inst->setHasNoSignedWrap(b);
405 else
406 cast<TruncInst>(this)->setHasNoSignedWrap(b);
407}
408
409void Instruction::setIsExact(bool b) {
410 cast<PossiblyExactOperator>(this)->setIsExact(b);
411}
412
413void Instruction::setNonNeg(bool b) {
414 assert(isa<PossiblyNonNegInst>(this) && "Must be zext/uitofp");
415 SubclassOptionalData = (SubclassOptionalData & ~PossiblyNonNegInst::NonNeg) |
417}
418
420 if (auto *Inst = dyn_cast<OverflowingBinaryOperator>(this))
421 return Inst->hasNoUnsignedWrap();
422
423 return cast<TruncInst>(this)->hasNoUnsignedWrap();
424}
425
426bool Instruction::hasNoSignedWrap() const {
427 if (auto *Inst = dyn_cast<OverflowingBinaryOperator>(this))
428 return Inst->hasNoSignedWrap();
429
430 return cast<TruncInst>(this)->hasNoSignedWrap();
431}
432
433bool Instruction::hasNonNeg() const {
434 assert(isa<PossiblyNonNegInst>(this) && "Must be zext/uitofp");
435 return (SubclassOptionalData & PossiblyNonNegInst::NonNeg) != 0;
436}
437
439 return cast<Operator>(this)->hasPoisonGeneratingFlags();
440}
441
443 switch (getOpcode()) {
444 case Instruction::Add:
445 case Instruction::Sub:
446 case Instruction::Mul:
447 case Instruction::Shl:
448 cast<OverflowingBinaryOperator>(this)->setHasNoUnsignedWrap(false);
449 cast<OverflowingBinaryOperator>(this)->setHasNoSignedWrap(false);
450 break;
451
452 case Instruction::UDiv:
453 case Instruction::SDiv:
454 case Instruction::AShr:
455 case Instruction::LShr:
456 cast<PossiblyExactOperator>(this)->setIsExact(false);
457 break;
458
459 case Instruction::Or:
460 cast<PossiblyDisjointInst>(this)->setIsDisjoint(false);
461 break;
462
463 case Instruction::GetElementPtr:
464 cast<GetElementPtrInst>(this)->setNoWrapFlags(GEPNoWrapFlags::none());
465 break;
466
467 case Instruction::UIToFP:
468 case Instruction::ZExt:
469 setNonNeg(false);
470 break;
471
472 case Instruction::Trunc:
473 cast<TruncInst>(this)->setHasNoUnsignedWrap(false);
474 cast<TruncInst>(this)->setHasNoSignedWrap(false);
475 break;
476
477 case Instruction::ICmp:
478 cast<ICmpInst>(this)->setSameSign(false);
479 break;
480
481 case Instruction::Call: {
482 if (auto *II = dyn_cast<IntrinsicInst>(this)) {
483 switch (II->getIntrinsicID()) {
484 case Intrinsic::ctlz:
485 case Intrinsic::cttz:
486 case Intrinsic::abs:
487 II->setOperand(1, ConstantInt::getFalse(getContext()));
488 break;
489 }
490 }
491 break;
492 }
493 }
494
495 if (isa<FPMathOperator>(this)) {
496 setHasNoNaNs(false);
497 setHasNoInfs(false);
498 }
499
500 assert(!hasPoisonGeneratingFlags() && "must be kept in sync");
501}
502
505 [this](unsigned ID) { return hasMetadata(ID); });
506}
507
509 // If there is no loop metadata at all, we also don't have
510 // non-debug loop metadata, obviously.
511 if (!hasMetadata(LLVMContext::MD_loop))
512 return false;
513
514 // If we do have loop metadata, retrieve it.
515 MDNode *LoopMD = getMetadata(LLVMContext::MD_loop);
516
517 // Check if the existing operands are debug locations. This loop
518 // should terminate after at most three iterations. Skip
519 // the first item because it is a self-reference.
520 for (const MDOperand &Op : llvm::drop_begin(LoopMD->operands())) {
521 // check for debug location type by attempting a cast.
522 if (!isa<DILocation>(Op)) {
523 return true;
524 }
525 }
526
527 // If we get here, then all we have is debug locations in the loop metadata.
528 return false;
529}
530
532 for (unsigned ID : Metadata::PoisonGeneratingIDs)
533 eraseMetadata(ID);
534}
535
537 if (const auto *CB = dyn_cast<CallBase>(this)) {
538 AttributeSet RetAttrs = CB->getAttributes().getRetAttrs();
539 return RetAttrs.hasAttribute(Attribute::Range) ||
540 RetAttrs.hasAttribute(Attribute::Alignment) ||
541 RetAttrs.hasAttribute(Attribute::NonNull) ||
542 RetAttrs.hasAttribute(Attribute::NoFPClass);
543 }
544 return false;
545}
546
548 if (auto *CB = dyn_cast<CallBase>(this)) {
549 AttributeMask AM;
550 AM.addAttribute(Attribute::Range);
551 AM.addAttribute(Attribute::Alignment);
552 AM.addAttribute(Attribute::NonNull);
553 AM.addAttribute(Attribute::NoFPClass);
554 CB->removeRetAttrs(AM);
555 }
556 assert(!hasPoisonGeneratingReturnAttributes() && "must be kept in sync");
557}
558
560 ArrayRef<unsigned> KnownIDs) {
561 dropUnknownNonDebugMetadata(KnownIDs);
562 auto *CB = dyn_cast<CallBase>(this);
563 if (!CB)
564 return;
565 // For call instructions, we also need to drop parameter and return attributes
566 // that can cause UB if the call is moved to a location where the attribute is
567 // not valid.
568 AttributeList AL = CB->getAttributes();
569 if (AL.isEmpty())
570 return;
571 AttributeMask UBImplyingAttributes =
572 AttributeFuncs::getUBImplyingAttributes();
573 for (unsigned ArgNo = 0; ArgNo < CB->arg_size(); ArgNo++)
574 CB->removeParamAttrs(ArgNo, UBImplyingAttributes);
575 CB->removeRetAttrs(UBImplyingAttributes);
576}
577
579 // !annotation and !prof metadata does not impact semantics.
580 // !range, !nonnull and !align produce poison, so they are safe to speculate.
581 // !fpmath specifies floating-point precision and does not imply UB.
582 // !noundef and various AA metadata must be dropped, as it generally produces
583 // immediate undefined behavior.
584 static const unsigned KnownIDs[] = {
585 LLVMContext::MD_annotation, LLVMContext::MD_range,
586 LLVMContext::MD_nonnull, LLVMContext::MD_align,
587 LLVMContext::MD_fpmath, LLVMContext::MD_prof};
588 SmallVector<unsigned> KeepIDs;
589 KeepIDs.reserve(Keep.size() + std::size(KnownIDs));
590 append_range(KeepIDs, (!ProfcheckDisableMetadataFixes ? KnownIDs
591 : drop_end(KnownIDs)));
592 append_range(KeepIDs, Keep);
593 dropUBImplyingAttrsAndUnknownMetadata(KeepIDs);
594}
595
597 auto *CB = dyn_cast<CallBase>(this);
598 if (!CB)
599 return false;
600 // For call instructions, we also need to check parameter and return
601 // attributes that can cause UB.
602 for (unsigned ArgNo = 0; ArgNo < CB->arg_size(); ArgNo++)
603 if (CB->isPassingUndefUB(ArgNo))
604 return true;
605 return CB->hasRetAttr(Attribute::NoUndef) ||
606 CB->hasRetAttr(Attribute::Dereferenceable) ||
607 CB->hasRetAttr(Attribute::DereferenceableOrNull);
608}
609
610bool Instruction::isExact() const {
611 return cast<PossiblyExactOperator>(this)->isExact();
612}
613
614void Instruction::setFast(bool B) {
615 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
616 cast<FPMathOperator>(this)->setFast(B);
617}
618
620 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
621 cast<FPMathOperator>(this)->setHasAllowReassoc(B);
622}
623
624void Instruction::setHasNoNaNs(bool B) {
625 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
626 cast<FPMathOperator>(this)->setHasNoNaNs(B);
627}
628
629void Instruction::setHasNoInfs(bool B) {
630 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
631 cast<FPMathOperator>(this)->setHasNoInfs(B);
632}
633
635 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
636 cast<FPMathOperator>(this)->setHasNoSignedZeros(B);
637}
638
640 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
641 cast<FPMathOperator>(this)->setHasAllowReciprocal(B);
642}
643
645 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
646 cast<FPMathOperator>(this)->setHasAllowContract(B);
647}
648
650 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
651 cast<FPMathOperator>(this)->setHasApproxFunc(B);
652}
653
655 assert(isa<FPMathOperator>(this) && "setting fast-math flag on invalid op");
656 cast<FPMathOperator>(this)->setFastMathFlags(FMF);
657}
658
660 assert(isa<FPMathOperator>(this) && "copying fast-math flag on invalid op");
661 cast<FPMathOperator>(this)->copyFastMathFlags(FMF);
662}
663
664bool Instruction::isFast() const {
665 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
666 return cast<FPMathOperator>(this)->isFast();
667}
668
669bool Instruction::hasAllowReassoc() const {
670 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
671 return cast<FPMathOperator>(this)->hasAllowReassoc();
672}
673
674bool Instruction::hasNoNaNs() const {
675 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
676 return cast<FPMathOperator>(this)->hasNoNaNs();
677}
678
679bool Instruction::hasNoInfs() const {
680 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
681 return cast<FPMathOperator>(this)->hasNoInfs();
682}
683
685 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
686 return cast<FPMathOperator>(this)->hasNoSignedZeros();
687}
688
690 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
691 return cast<FPMathOperator>(this)->hasAllowReciprocal();
692}
693
695 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
696 return cast<FPMathOperator>(this)->hasAllowContract();
697}
698
699bool Instruction::hasApproxFunc() const {
700 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
701 return cast<FPMathOperator>(this)->hasApproxFunc();
702}
703
705 assert(isa<FPMathOperator>(this) && "getting fast-math flag on invalid op");
706 return cast<FPMathOperator>(this)->getFastMathFlags();
707}
708
710 copyFastMathFlags(I->getFastMathFlags());
711}
712
713void Instruction::copyIRFlags(const Value *V, bool IncludeWrapFlags) {
714 // Copy the wrapping flags.
715 if (IncludeWrapFlags && isa<OverflowingBinaryOperator>(this)) {
716 if (auto *OB = dyn_cast<OverflowingBinaryOperator>(V)) {
717 setHasNoSignedWrap(OB->hasNoSignedWrap());
718 setHasNoUnsignedWrap(OB->hasNoUnsignedWrap());
719 }
720 }
721
722 if (auto *TI = dyn_cast<TruncInst>(V)) {
723 if (isa<TruncInst>(this)) {
724 setHasNoSignedWrap(TI->hasNoSignedWrap());
725 setHasNoUnsignedWrap(TI->hasNoUnsignedWrap());
726 }
727 }
728
729 // Copy the exact flag.
730 if (auto *PE = dyn_cast<PossiblyExactOperator>(V))
732 setIsExact(PE->isExact());
733
734 if (auto *SrcPD = dyn_cast<PossiblyDisjointInst>(V))
735 if (auto *DestPD = dyn_cast<PossiblyDisjointInst>(this))
736 DestPD->setIsDisjoint(SrcPD->isDisjoint());
737
738 // Copy the fast-math flags.
739 if (auto *FP = dyn_cast<FPMathOperator>(V))
740 if (isa<FPMathOperator>(this))
741 copyFastMathFlags(FP->getFastMathFlags());
742
743 if (auto *SrcGEP = dyn_cast<GetElementPtrInst>(V))
744 if (auto *DestGEP = dyn_cast<GetElementPtrInst>(this))
745 DestGEP->setNoWrapFlags(SrcGEP->getNoWrapFlags() |
746 DestGEP->getNoWrapFlags());
747
748 if (auto *NNI = dyn_cast<PossiblyNonNegInst>(V))
749 if (isa<PossiblyNonNegInst>(this))
750 setNonNeg(NNI->hasNonNeg());
751
752 if (auto *SrcICmp = dyn_cast<ICmpInst>(V))
753 if (auto *DestICmp = dyn_cast<ICmpInst>(this))
754 DestICmp->setSameSign(SrcICmp->hasSameSign());
755}
756
757void Instruction::andIRFlags(const Value *V) {
758 if (auto *OB = dyn_cast<OverflowingBinaryOperator>(V)) {
760 setHasNoSignedWrap(hasNoSignedWrap() && OB->hasNoSignedWrap());
761 setHasNoUnsignedWrap(hasNoUnsignedWrap() && OB->hasNoUnsignedWrap());
762 }
763 }
764
765 if (auto *TI = dyn_cast<TruncInst>(V)) {
766 if (isa<TruncInst>(this)) {
767 setHasNoSignedWrap(hasNoSignedWrap() && TI->hasNoSignedWrap());
768 setHasNoUnsignedWrap(hasNoUnsignedWrap() && TI->hasNoUnsignedWrap());
769 }
770 }
771
772 if (auto *PE = dyn_cast<PossiblyExactOperator>(V))
774 setIsExact(isExact() && PE->isExact());
775
776 if (auto *SrcPD = dyn_cast<PossiblyDisjointInst>(V))
777 if (auto *DestPD = dyn_cast<PossiblyDisjointInst>(this))
778 DestPD->setIsDisjoint(DestPD->isDisjoint() && SrcPD->isDisjoint());
779
780 if (auto *FP = dyn_cast<FPMathOperator>(V)) {
781 if (isa<FPMathOperator>(this)) {
782 FastMathFlags FM = getFastMathFlags();
783 FM &= FP->getFastMathFlags();
784 copyFastMathFlags(FM);
785 }
786 }
787
788 if (auto *SrcGEP = dyn_cast<GetElementPtrInst>(V))
789 if (auto *DestGEP = dyn_cast<GetElementPtrInst>(this))
790 DestGEP->setNoWrapFlags(SrcGEP->getNoWrapFlags() &
791 DestGEP->getNoWrapFlags());
792
793 if (auto *NNI = dyn_cast<PossiblyNonNegInst>(V))
794 if (isa<PossiblyNonNegInst>(this))
795 setNonNeg(hasNonNeg() && NNI->hasNonNeg());
796
797 if (auto *SrcICmp = dyn_cast<ICmpInst>(V))
798 if (auto *DestICmp = dyn_cast<ICmpInst>(this))
799 DestICmp->setSameSign(DestICmp->hasSameSign() && SrcICmp->hasSameSign());
800}
801
802const char *Instruction::getOpcodeName(unsigned OpCode) {
803 switch (OpCode) {
804 // Terminators
805 case Ret: return "ret";
806 case UncondBr: return "br";
807 case CondBr: return "br";
808 case Switch: return "switch";
809 case IndirectBr: return "indirectbr";
810 case Invoke: return "invoke";
811 case Resume: return "resume";
812 case Unreachable: return "unreachable";
813 case CleanupRet: return "cleanupret";
814 case CatchRet: return "catchret";
815 case CatchPad: return "catchpad";
816 case CatchSwitch: return "catchswitch";
817 case CallBr: return "callbr";
818
819 // Standard unary operators...
820 case FNeg: return "fneg";
821
822 // Standard binary operators...
823 case Add: return "add";
824 case FAdd: return "fadd";
825 case Sub: return "sub";
826 case FSub: return "fsub";
827 case Mul: return "mul";
828 case FMul: return "fmul";
829 case UDiv: return "udiv";
830 case SDiv: return "sdiv";
831 case FDiv: return "fdiv";
832 case URem: return "urem";
833 case SRem: return "srem";
834 case FRem: return "frem";
835
836 // Logical operators...
837 case And: return "and";
838 case Or : return "or";
839 case Xor: return "xor";
840
841 // Memory instructions...
842 case Alloca: return "alloca";
843 case Load: return "load";
844 case Store: return "store";
845 case AtomicCmpXchg: return "cmpxchg";
846 case AtomicRMW: return "atomicrmw";
847 case Fence: return "fence";
848 case GetElementPtr: return "getelementptr";
849
850 // Convert instructions...
851 case Trunc: return "trunc";
852 case ZExt: return "zext";
853 case SExt: return "sext";
854 case FPTrunc: return "fptrunc";
855 case FPExt: return "fpext";
856 case FPToUI: return "fptoui";
857 case FPToSI: return "fptosi";
858 case UIToFP: return "uitofp";
859 case SIToFP: return "sitofp";
860 case IntToPtr: return "inttoptr";
861 case PtrToAddr: return "ptrtoaddr";
862 case PtrToInt: return "ptrtoint";
863 case BitCast: return "bitcast";
864 case AddrSpaceCast: return "addrspacecast";
865
866 // Other instructions...
867 case ICmp: return "icmp";
868 case FCmp: return "fcmp";
869 case PHI: return "phi";
870 case Select: return "select";
871 case Call: return "call";
872 case Shl: return "shl";
873 case LShr: return "lshr";
874 case AShr: return "ashr";
875 case VAArg: return "va_arg";
876 case ExtractElement: return "extractelement";
877 case InsertElement: return "insertelement";
878 case ShuffleVector: return "shufflevector";
879 case ExtractValue: return "extractvalue";
880 case InsertValue: return "insertvalue";
881 case LandingPad: return "landingpad";
882 case CleanupPad: return "cleanuppad";
883 case Freeze: return "freeze";
884
885 default: return "<Invalid operator> ";
886 }
887}
888
889/// This must be kept in sync with FunctionComparator::cmpOperations in
890/// lib/Transforms/Utils/FunctionComparator.cpp.
892 bool IgnoreAlignment,
893 bool IntersectAttrs) const {
894 const auto *I1 = this;
895 assert(I1->getOpcode() == I2->getOpcode() &&
896 "Can not compare special state of different instructions");
897
898 auto CheckAttrsSame = [IntersectAttrs](const CallBase *CB0,
899 const CallBase *CB1) {
900 return IntersectAttrs
901 ? CB0->getAttributes()
902 .intersectWith(CB0->getContext(), CB1->getAttributes())
903 .has_value()
904 : CB0->getAttributes() == CB1->getAttributes();
905 };
906
907 if (const AllocaInst *AI = dyn_cast<AllocaInst>(I1))
908 return AI->getAllocatedType() == cast<AllocaInst>(I2)->getAllocatedType() &&
909 (AI->getAlign() == cast<AllocaInst>(I2)->getAlign() ||
910 IgnoreAlignment);
911 if (const LoadInst *LI = dyn_cast<LoadInst>(I1))
912 return LI->isVolatile() == cast<LoadInst>(I2)->isVolatile() &&
913 (LI->getAlign() == cast<LoadInst>(I2)->getAlign() ||
914 IgnoreAlignment) &&
915 LI->getOrdering() == cast<LoadInst>(I2)->getOrdering() &&
916 LI->getSyncScopeID() == cast<LoadInst>(I2)->getSyncScopeID();
917 if (const StoreInst *SI = dyn_cast<StoreInst>(I1))
918 return SI->isVolatile() == cast<StoreInst>(I2)->isVolatile() &&
919 (SI->getAlign() == cast<StoreInst>(I2)->getAlign() ||
920 IgnoreAlignment) &&
921 SI->getOrdering() == cast<StoreInst>(I2)->getOrdering() &&
922 SI->getSyncScopeID() == cast<StoreInst>(I2)->getSyncScopeID();
923 if (const CmpInst *CI = dyn_cast<CmpInst>(I1))
924 return CI->getPredicate() == cast<CmpInst>(I2)->getPredicate();
925 if (const CallInst *CI = dyn_cast<CallInst>(I1))
926 return CI->isTailCall() == cast<CallInst>(I2)->isTailCall() &&
927 CI->getCallingConv() == cast<CallInst>(I2)->getCallingConv() &&
928 CheckAttrsSame(CI, cast<CallInst>(I2)) &&
929 CI->hasIdenticalOperandBundleSchema(*cast<CallInst>(I2));
930 if (const InvokeInst *CI = dyn_cast<InvokeInst>(I1))
931 return CI->getCallingConv() == cast<InvokeInst>(I2)->getCallingConv() &&
932 CheckAttrsSame(CI, cast<InvokeInst>(I2)) &&
933 CI->hasIdenticalOperandBundleSchema(*cast<InvokeInst>(I2));
934 if (const CallBrInst *CI = dyn_cast<CallBrInst>(I1))
935 return CI->getCallingConv() == cast<CallBrInst>(I2)->getCallingConv() &&
936 CheckAttrsSame(CI, cast<CallBrInst>(I2)) &&
937 CI->hasIdenticalOperandBundleSchema(*cast<CallBrInst>(I2));
938 if (const SwitchInst *SI = dyn_cast<SwitchInst>(I1)) {
939 for (auto [Case1, Case2] : zip(SI->cases(), cast<SwitchInst>(I2)->cases()))
940 if (Case1.getCaseValue() != Case2.getCaseValue())
941 return false;
942 return true;
943 }
944 if (const InsertValueInst *IVI = dyn_cast<InsertValueInst>(I1))
945 return IVI->getIndices() == cast<InsertValueInst>(I2)->getIndices();
946 if (const ExtractValueInst *EVI = dyn_cast<ExtractValueInst>(I1))
947 return EVI->getIndices() == cast<ExtractValueInst>(I2)->getIndices();
948 if (const FenceInst *FI = dyn_cast<FenceInst>(I1))
949 return FI->getOrdering() == cast<FenceInst>(I2)->getOrdering() &&
950 FI->getSyncScopeID() == cast<FenceInst>(I2)->getSyncScopeID();
952 return CXI->isVolatile() == cast<AtomicCmpXchgInst>(I2)->isVolatile() &&
953 (CXI->getAlign() == cast<AtomicCmpXchgInst>(I2)->getAlign() ||
954 IgnoreAlignment) &&
955 CXI->isWeak() == cast<AtomicCmpXchgInst>(I2)->isWeak() &&
956 CXI->getSuccessOrdering() ==
957 cast<AtomicCmpXchgInst>(I2)->getSuccessOrdering() &&
958 CXI->getFailureOrdering() ==
959 cast<AtomicCmpXchgInst>(I2)->getFailureOrdering() &&
960 CXI->getSyncScopeID() ==
961 cast<AtomicCmpXchgInst>(I2)->getSyncScopeID();
962 if (const AtomicRMWInst *RMWI = dyn_cast<AtomicRMWInst>(I1))
963 return RMWI->getOperation() == cast<AtomicRMWInst>(I2)->getOperation() &&
964 RMWI->isVolatile() == cast<AtomicRMWInst>(I2)->isVolatile() &&
965 (RMWI->getAlign() == cast<AtomicRMWInst>(I2)->getAlign() ||
966 IgnoreAlignment) &&
967 RMWI->getOrdering() == cast<AtomicRMWInst>(I2)->getOrdering() &&
968 RMWI->getSyncScopeID() == cast<AtomicRMWInst>(I2)->getSyncScopeID();
970 return SVI->getShuffleMask() ==
971 cast<ShuffleVectorInst>(I2)->getShuffleMask();
973 return GEP->getSourceElementType() ==
974 cast<GetElementPtrInst>(I2)->getSourceElementType();
975
976 return true;
977}
978
979bool Instruction::isIdenticalTo(const Instruction *I) const {
980 return isIdenticalToWhenDefined(I) &&
981 SubclassOptionalData == I->SubclassOptionalData;
982}
983
985 bool IntersectAttrs) const {
986 if (getOpcode() != I->getOpcode() ||
987 getNumOperands() != I->getNumOperands() || getType() != I->getType())
988 return false;
989
990 // If both instructions have no operands, they are identical.
991 if (getNumOperands() == 0 && I->getNumOperands() == 0)
992 return this->hasSameSpecialState(I, /*IgnoreAlignment=*/false,
993 IntersectAttrs);
994
995 // We have two instructions of identical opcode and #operands. Check to see
996 // if all operands are the same.
997 if (!equal(operands(), I->operands()))
998 return false;
999
1000 // WARNING: this logic must be kept in sync with EliminateDuplicatePHINodes()!
1001 if (const PHINode *Phi = dyn_cast<PHINode>(this)) {
1002 const PHINode *OtherPhi = cast<PHINode>(I);
1003 return equal(Phi->blocks(), OtherPhi->blocks());
1004 }
1005
1006 return this->hasSameSpecialState(I, /*IgnoreAlignment=*/false,
1007 IntersectAttrs);
1008}
1009
1010// Keep this in sync with FunctionComparator::cmpOperations in
1011// lib/Transforms/IPO/MergeFunctions.cpp.
1013 unsigned flags) const {
1014 bool IgnoreAlignment = flags & CompareIgnoringAlignment;
1015 bool UseScalarTypes = flags & CompareUsingScalarTypes;
1016 bool IntersectAttrs = flags & CompareUsingIntersectedAttrs;
1017
1018 if (getOpcode() != I->getOpcode() ||
1019 getNumOperands() != I->getNumOperands() ||
1020 (UseScalarTypes ?
1021 getType()->getScalarType() != I->getType()->getScalarType() :
1022 getType() != I->getType()))
1023 return false;
1024
1025 // We have two instructions of identical opcode and #operands. Check to see
1026 // if all operands are the same type
1027 for (unsigned i = 0, e = getNumOperands(); i != e; ++i)
1028 if (UseScalarTypes ?
1029 getOperand(i)->getType()->getScalarType() !=
1030 I->getOperand(i)->getType()->getScalarType() :
1031 getOperand(i)->getType() != I->getOperand(i)->getType())
1032 return false;
1033
1034 return this->hasSameSpecialState(I, IgnoreAlignment, IntersectAttrs);
1035}
1036
1037bool Instruction::isUsedOutsideOfBlock(const BasicBlock *BB) const {
1038 for (const Use &U : uses()) {
1039 // PHI nodes uses values in the corresponding predecessor block. For other
1040 // instructions, just check to see whether the parent of the use matches up.
1041 const Instruction *I = cast<Instruction>(U.getUser());
1042 const PHINode *PN = dyn_cast<PHINode>(I);
1043 if (!PN) {
1044 if (I->getParent() != BB)
1045 return true;
1046 continue;
1047 }
1048
1049 if (PN->getIncomingBlock(U) != BB)
1050 return true;
1051 }
1052 return false;
1053}
1054
1055bool Instruction::mayReadFromMemory() const {
1056 switch (getOpcode()) {
1057 default: return false;
1058 case Instruction::VAArg:
1059 case Instruction::Load:
1060 case Instruction::Fence: // FIXME: refine definition of mayReadFromMemory
1061 case Instruction::AtomicCmpXchg:
1062 case Instruction::AtomicRMW:
1063 case Instruction::CatchPad:
1064 case Instruction::CatchRet:
1065 return true;
1066 case Instruction::Call:
1067 case Instruction::Invoke:
1068 case Instruction::CallBr:
1069 return !cast<CallBase>(this)->onlyWritesMemory();
1070 case Instruction::Store:
1071 return !cast<StoreInst>(this)->isUnordered();
1072 }
1073}
1074
1075bool Instruction::mayWriteToMemory() const {
1076 switch (getOpcode()) {
1077 default: return false;
1078 case Instruction::Fence: // FIXME: refine definition of mayWriteToMemory
1079 case Instruction::Store:
1080 case Instruction::VAArg:
1081 case Instruction::AtomicCmpXchg:
1082 case Instruction::AtomicRMW:
1083 case Instruction::CatchPad:
1084 case Instruction::CatchRet:
1085 return true;
1086 case Instruction::Call:
1087 case Instruction::Invoke:
1088 case Instruction::CallBr:
1089 return !cast<CallBase>(this)->onlyReadsMemory();
1090 case Instruction::Load:
1091 return !cast<LoadInst>(this)->isUnordered();
1092 }
1093}
1094
1095bool Instruction::isAtomic() const {
1096 switch (getOpcode()) {
1097 default:
1098 return false;
1099 case Instruction::AtomicCmpXchg:
1100 case Instruction::AtomicRMW:
1101 case Instruction::Fence:
1102 return true;
1103 case Instruction::Load:
1104 return cast<LoadInst>(this)->getOrdering() != AtomicOrdering::NotAtomic;
1105 case Instruction::Store:
1106 return cast<StoreInst>(this)->getOrdering() != AtomicOrdering::NotAtomic;
1107 }
1108}
1109
1110bool Instruction::hasAtomicLoad() const {
1111 assert(isAtomic());
1112 switch (getOpcode()) {
1113 default:
1114 return false;
1115 case Instruction::AtomicCmpXchg:
1116 case Instruction::AtomicRMW:
1117 case Instruction::Load:
1118 return true;
1119 }
1120}
1121
1122bool Instruction::hasAtomicStore() const {
1123 assert(isAtomic());
1124 switch (getOpcode()) {
1125 default:
1126 return false;
1127 case Instruction::AtomicCmpXchg:
1128 case Instruction::AtomicRMW:
1129 case Instruction::Store:
1130 return true;
1131 }
1132}
1133
1134bool Instruction::isVolatile() const {
1135 switch (getOpcode()) {
1136 default:
1137 return false;
1138 case Instruction::AtomicRMW:
1139 return cast<AtomicRMWInst>(this)->isVolatile();
1140 case Instruction::Store:
1141 return cast<StoreInst>(this)->isVolatile();
1142 case Instruction::Load:
1143 return cast<LoadInst>(this)->isVolatile();
1144 case Instruction::AtomicCmpXchg:
1145 return cast<AtomicCmpXchgInst>(this)->isVolatile();
1146 case Instruction::Call:
1147 case Instruction::Invoke:
1148 // There are a very limited number of intrinsics with volatile flags.
1149 if (auto *II = dyn_cast<IntrinsicInst>(this)) {
1150 if (auto *MI = dyn_cast<MemIntrinsic>(II))
1151 return MI->isVolatile();
1152 switch (II->getIntrinsicID()) {
1153 default: break;
1154 case Intrinsic::matrix_column_major_load:
1155 return cast<ConstantInt>(II->getArgOperand(2))->isOne();
1156 case Intrinsic::matrix_column_major_store:
1157 return cast<ConstantInt>(II->getArgOperand(3))->isOne();
1158 }
1159 }
1160 return false;
1161 }
1162}
1163
1164Type *Instruction::getAccessType() const {
1165 switch (getOpcode()) {
1166 case Instruction::Store:
1167 return cast<StoreInst>(this)->getValueOperand()->getType();
1168 case Instruction::Load:
1169 case Instruction::AtomicRMW:
1170 return getType();
1171 case Instruction::AtomicCmpXchg:
1172 return cast<AtomicCmpXchgInst>(this)->getNewValOperand()->getType();
1173 case Instruction::Call:
1174 case Instruction::Invoke:
1175 if (const IntrinsicInst *II = dyn_cast<IntrinsicInst>(this)) {
1176 switch (II->getIntrinsicID()) {
1177 case Intrinsic::masked_load:
1178 case Intrinsic::masked_gather:
1179 case Intrinsic::masked_expandload:
1180 case Intrinsic::vp_load:
1181 case Intrinsic::vp_gather:
1182 case Intrinsic::experimental_vp_strided_load:
1183 return II->getType();
1184 case Intrinsic::masked_store:
1185 case Intrinsic::masked_scatter:
1186 case Intrinsic::masked_compressstore:
1187 case Intrinsic::vp_store:
1188 case Intrinsic::vp_scatter:
1189 case Intrinsic::experimental_vp_strided_store:
1190 return II->getOperand(0)->getType();
1191 default:
1192 break;
1193 }
1194 }
1195 }
1196
1197 return nullptr;
1198}
1199
1200static bool canUnwindPastLandingPad(const LandingPadInst *LP,
1201 bool IncludePhaseOneUnwind) {
1202 // Because phase one unwinding skips cleanup landingpads, we effectively
1203 // unwind past this frame, and callers need to have valid unwind info.
1204 if (LP->isCleanup())
1205 return IncludePhaseOneUnwind;
1206
1207 for (unsigned I = 0; I < LP->getNumClauses(); ++I) {
1208 Constant *Clause = LP->getClause(I);
1209 // catch ptr null catches all exceptions.
1210 if (LP->isCatch(I) && isa<ConstantPointerNull>(Clause))
1211 return false;
1212 // filter [0 x ptr] catches all exceptions.
1213 if (LP->isFilter(I) && Clause->getType()->getArrayNumElements() == 0)
1214 return false;
1215 }
1216
1217 // May catch only some subset of exceptions, in which case other exceptions
1218 // will continue unwinding.
1219 return true;
1220}
1221
1222bool Instruction::mayThrow(bool IncludePhaseOneUnwind) const {
1223 switch (getOpcode()) {
1224 case Instruction::Call:
1225 return !cast<CallInst>(this)->doesNotThrow();
1226 case Instruction::CleanupRet:
1227 return cast<CleanupReturnInst>(this)->unwindsToCaller();
1228 case Instruction::CatchSwitch:
1229 return cast<CatchSwitchInst>(this)->unwindsToCaller();
1230 case Instruction::Resume:
1231 return true;
1232 case Instruction::Invoke: {
1233 // Landingpads themselves don't unwind -- however, an invoke of a skipped
1234 // landingpad may continue unwinding.
1235 BasicBlock *UnwindDest = cast<InvokeInst>(this)->getUnwindDest();
1236 BasicBlock::iterator Pad = UnwindDest->getFirstNonPHIIt();
1237 if (auto *LP = dyn_cast<LandingPadInst>(Pad))
1238 return canUnwindPastLandingPad(LP, IncludePhaseOneUnwind);
1239 return false;
1240 }
1241 case Instruction::CleanupPad:
1242 // Treat the same as cleanup landingpad.
1243 return IncludePhaseOneUnwind;
1244 default:
1245 return false;
1246 }
1247}
1248
1250 return mayWriteToMemory() || mayThrow() || !willReturn();
1251}
1252
1253bool Instruction::isSafeToRemove() const {
1254 return (!isa<CallInst>(this) || !this->mayHaveSideEffects()) &&
1255 !this->isTerminator() && !this->isEHPad();
1256}
1257
1258bool Instruction::willReturn() const {
1259 // Volatile store isn't guaranteed to return; see LangRef.
1260 if (auto *SI = dyn_cast<StoreInst>(this))
1261 return !SI->isVolatile();
1262
1263 if (const auto *CB = dyn_cast<CallBase>(this))
1264 return CB->hasFnAttr(Attribute::WillReturn);
1265 return true;
1266}
1267
1269 auto *II = dyn_cast<IntrinsicInst>(this);
1270 if (!II)
1271 return false;
1272 Intrinsic::ID ID = II->getIntrinsicID();
1273 return ID == Intrinsic::lifetime_start || ID == Intrinsic::lifetime_end;
1274}
1275
1277 auto *II = dyn_cast<IntrinsicInst>(this);
1278 if (!II)
1279 return false;
1280 Intrinsic::ID ID = II->getIntrinsicID();
1281 return ID == Intrinsic::launder_invariant_group ||
1282 ID == Intrinsic::strip_invariant_group;
1283}
1284
1286 return isa<DbgInfoIntrinsic>(this) || isa<PseudoProbeInst>(this);
1287}
1288
1290 return getDebugLoc();
1291}
1292
1293bool Instruction::isAssociative() const {
1294 if (auto *II = dyn_cast<IntrinsicInst>(this))
1295 return II->isAssociative();
1296 unsigned Opcode = getOpcode();
1297 if (isAssociative(Opcode))
1298 return true;
1299
1300 switch (Opcode) {
1301 case FMul:
1302 return cast<FPMathOperator>(this)->hasAllowReassoc();
1303 case FAdd:
1304 return cast<FPMathOperator>(this)->hasAllowReassoc() &&
1305 cast<FPMathOperator>(this)->hasNoSignedZeros();
1306 default:
1307 return false;
1308 }
1309}
1310
1311bool Instruction::isCommutative() const {
1312 if (auto *II = dyn_cast<IntrinsicInst>(this))
1313 return II->isCommutative();
1314 // TODO: Should allow icmp/fcmp?
1315 return isCommutative(getOpcode());
1316}
1317
1318bool Instruction::isCommutableOperand(unsigned Op) const {
1319 if (auto *II = dyn_cast<IntrinsicInst>(this))
1320 return II->isCommutableOperand(Op);
1321 // TODO: Should allow icmp/fcmp?
1322 return isCommutative(getOpcode());
1323}
1324
1325unsigned Instruction::getNumSuccessors() const {
1326 switch (getOpcode()) {
1327#define HANDLE_TERM_INST(N, OPC, CLASS) \
1328 case Instruction::OPC: \
1329 return static_cast<const CLASS *>(this)->getNumSuccessors();
1330#include "llvm/IR/Instruction.def"
1331 default:
1332 break;
1333 }
1334 llvm_unreachable("not a terminator");
1335}
1336
1337BasicBlock *Instruction::getSuccessor(unsigned idx) const {
1338 switch (getOpcode()) {
1339#define HANDLE_TERM_INST(N, OPC, CLASS) \
1340 case Instruction::OPC: \
1341 return static_cast<const CLASS *>(this)->getSuccessor(idx);
1342#include "llvm/IR/Instruction.def"
1343 default:
1344 break;
1345 }
1346 llvm_unreachable("not a terminator");
1347}
1348
1349void Instruction::setSuccessor(unsigned idx, BasicBlock *B) {
1350 switch (getOpcode()) {
1351#define HANDLE_TERM_INST(N, OPC, CLASS) \
1352 case Instruction::OPC: \
1353 return static_cast<CLASS *>(this)->setSuccessor(idx, B);
1354#include "llvm/IR/Instruction.def"
1355 default:
1356 break;
1357 }
1358 llvm_unreachable("not a terminator");
1359}
1360
1363 switch (getOpcode()) {
1364#define HANDLE_TERM_INST(N, OPC, CLASS) \
1365 case Instruction::OPC: \
1366 return static_cast<const CLASS *>(this)->successors();
1367#include "llvm/IR/Instruction.def"
1368 default:
1369 break;
1370 }
1371 llvm_unreachable("not a terminator");
1372}
1373
1375 auto Succs = successors();
1376 for (auto I = Succs.begin(), E = Succs.end(); I != E; ++I)
1377 if (*I == OldBB)
1378 I.getUse()->set(NewBB);
1379}
1380
1381Instruction *Instruction::cloneImpl() const {
1382 llvm_unreachable("Subclass of Instruction failed to implement cloneImpl");
1383}
1384
1386 MDNode *ProfileData = getBranchWeightMDNode(*this);
1387 if (!ProfileData)
1388 return;
1389 unsigned FirstIdx = getBranchWeightOffset(ProfileData);
1390 if (ProfileData->getNumOperands() != 2 + FirstIdx)
1391 return;
1392
1393 unsigned SecondIdx = FirstIdx + 1;
1395 // If there are more weights past the second, we can't swap them
1396 if (ProfileData->getNumOperands() > SecondIdx + 1)
1397 return;
1398 for (unsigned Idx = 0; Idx < FirstIdx; ++Idx) {
1399 Ops.push_back(ProfileData->getOperand(Idx));
1400 }
1401 // Switch the order of the weights
1402 Ops.push_back(ProfileData->getOperand(SecondIdx));
1403 Ops.push_back(ProfileData->getOperand(FirstIdx));
1404 setMetadata(LLVMContext::MD_prof,
1405 MDNode::get(ProfileData->getContext(), Ops));
1406}
1407
1408void Instruction::copyMetadata(const Instruction &SrcInst,
1409 ArrayRef<unsigned> WL) {
1410 if (WL.empty() || is_contained(WL, LLVMContext::MD_dbg))
1411 setDebugLoc(SrcInst.getDebugLoc().orElse(getDebugLoc()));
1412
1413 if (!SrcInst.hasMetadata())
1414 return;
1415
1416 SmallDenseSet<unsigned, 4> WLS(WL.begin(), WL.end());
1417
1418 // Otherwise, enumerate and copy over metadata from the old instruction to the
1419 // new one.
1421 SrcInst.getAllMetadataOtherThanDebugLoc(TheMDs);
1422 for (const auto &MD : TheMDs) {
1423 if (WL.empty() || WLS.count(MD.first))
1424 setMetadata(MD.first, MD.second);
1425 }
1426}
1427
1429 Instruction *New = nullptr;
1430 switch (getOpcode()) {
1431 default:
1432 llvm_unreachable("Unhandled Opcode.");
1433#define HANDLE_INST(num, opc, clas) \
1434 case Instruction::opc: \
1435 New = cast<clas>(this)->cloneImpl(); \
1436 break;
1437#include "llvm/IR/Instruction.def"
1438#undef HANDLE_INST
1439 }
1440
1441 New->SubclassOptionalData = SubclassOptionalData;
1442 New->copyMetadata(*this);
1443 return New;
1444}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
AMDGPU Register Bank Select
Rewrite undef for PHI
This file contains the simple types necessary to represent the attributes associated with functions a...
static const Function * getParent(const Value *V)
static GCRegistry::Add< CoreCLRGC > E("coreclr", "CoreCLR-compatible GC")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
This file contains the declarations for the subclasses of Constant, which represent the different fla...
This file defines the DenseSet and SmallDenseSet classes.
Hexagon Common GEP
static MaybeAlign getAlign(Value *Ptr)
IRTranslator LLVM IR MI
Module.h This file contains the declarations for the Module class.
static bool hasNoSignedWrap(BinaryOperator &I)
static bool hasNoUnsignedWrap(BinaryOperator &I)
const AbstractManglingParser< Derived, Alloc >::OperatorInfo AbstractManglingParser< Derived, Alloc >::Ops[]
#define I(x, y, z)
Definition MD5.cpp:57
Machine Check Debug Module
static DebugLoc getDebugLoc(MachineBasicBlock::instr_iterator FirstMI, MachineBasicBlock::instr_iterator LastMI)
Return the first DebugLoc that has line number information, given a range of instructions.
This file provides utility for Memory Model Relaxation Annotations (MMRAs).
uint64_t IntrinsicInst * II
StandardInstrumentations SI(Mod->getContext(), Debug, VerifyEach)
This file contains the declarations for profiling metadata utility functions.
static bool mayHaveSideEffects(MachineInstr &MI)
static bool isCommutative(Instruction *I, Value *ValWithUses, bool IsCopyable=false)
This file contains some templates that are useful if you are working with the STL at all.
static bool canUnwindPastLandingPad(const LandingPadInst *LP, bool IncludePhaseOneUnwind)
static SymbolRef::Type getType(const Symbol *Sym)
Definition TapiFile.cpp:39
static std::optional< unsigned > getOpcode(ArrayRef< VPValue * > Values)
Returns the opcode of Values or ~0 if they do not all agree.
Definition VPlanSLP.cpp:247
static bool isAssociative(const COFFSection &Section)
BinaryOperator * Mul
an instruction to allocate memory on the stack
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:40
iterator end() const
Definition ArrayRef.h:131
iterator begin() const
Definition ArrayRef.h:130
bool empty() const
empty - Check if the array is empty.
Definition ArrayRef.h:137
An instruction that atomically checks whether a specified value is in a memory location,...
an instruction that atomically reads a memory location, combines it with another value,...
This class stores enough information to efficiently remove some attributes from an existing AttrBuild...
AttributeMask & addAttribute(Attribute::AttrKind Val)
Add an attribute to the mask.
This class holds the attributes for a particular argument, parameter, function, or return value.
Definition Attributes.h:407
LLVM_ABI bool hasAttribute(Attribute::AttrKind Kind) const
Return true if the attribute exists in this set.
LLVM Basic Block Representation.
Definition BasicBlock.h:62
iterator end()
Definition BasicBlock.h:474
LLVM_ABI void deleteTrailingDbgRecords()
Delete any trailing DbgRecords at the end of this block, see setTrailingDbgRecords.
LLVM_ABI const_iterator getFirstInsertionPt() const
Returns an iterator to the first instruction in this block that is suitable for inserting a non-PHI i...
const Function * getParent() const
Return the enclosing method, or null if none.
Definition BasicBlock.h:213
LLVM_ABI InstListType::const_iterator getFirstNonPHIIt() const
Returns an iterator to the first instruction in this block that is not a PHINode instruction.
LLVM_ABI DbgMarker * getMarker(InstListType::iterator It)
Return the DbgMarker for the position given by It, so that DbgRecords can be inserted there.
InstListType::iterator iterator
Instruction iterators...
Definition BasicBlock.h:170
Base class for all callable instructions (InvokeInst and CallInst) Holds everything related to callin...
AttributeList getAttributes() const
Return the attributes for this call.
CallBr instruction, tracking function calls that may not return control but instead transfer it to a ...
This class represents a function call, abstracting a target machine's calling convention.
This class is the base class for the comparison instructions.
Definition InstrTypes.h:664
static LLVM_ABI ConstantInt * getFalse(LLVMContext &Context)
This is an important base class in LLVM.
Definition Constant.h:43
A parsed version of the target data layout string in and methods for querying it.
Definition DataLayout.h:64
Per-instruction record of debug-info.
static iterator_range< simple_ilist< DbgRecord >::iterator > getEmptyDbgRecordRange()
Instruction * MarkedInstr
Link back to the Instruction that owns this marker.
LLVM_ABI void eraseFromParent()
simple_ilist< DbgRecord > StoredDbgRecords
List of DbgRecords, the non-instruction equivalent of llvm.dbg.
Base class for non-instruction debug metadata records that have positions within IR.
A debug info location.
Definition DebugLoc.h:123
DebugLoc orElse(DebugLoc Other) const
If this DebugLoc is non-empty, returns this DebugLoc; otherwise, selects Other.
Definition DebugLoc.h:195
This instruction extracts a struct member or array element value from an aggregate value.
Convenience struct for specifying and reasoning about fast-math flags.
Definition FMF.h:23
An instruction for ordering other memory operations.
static GEPNoWrapFlags none()
an instruction for type-safe pointer arithmetic to access elements of arrays and structs
InsertPosition(std::nullptr_t)
Definition Instruction.h:55
This instruction inserts a struct field of array element value into an aggregate value.
LLVM_ABI const DebugLoc & getStableDebugLoc() const
Fetch the debug location for this node, unless this is a debug intrinsic, in which case fetch the deb...
LLVM_ABI void dropUBImplyingAttrsAndMetadata(ArrayRef< unsigned > Keep={})
Drop any attributes or metadata that can cause immediate undefined behavior.
DbgMarker * DebugMarker
Optional marker recording the position for debugging information that takes effect immediately before...
LLVM_ABI bool mayThrow(bool IncludePhaseOneUnwind=false) const LLVM_READONLY
Return true if this instruction may throw an exception.
LLVM_ABI Instruction * clone() const
Create a copy of 'this' instruction that is identical in all ways except the following:
LLVM_ABI void setHasNoUnsignedWrap(bool b=true)
Set or clear the nuw flag on this instruction, which must be an operator which supports this flag.
LLVM_ABI bool hasNoNaNs() const LLVM_READONLY
Determine whether the no-NaNs flag is set.
LLVM_ABI void removeFromParent()
This method unlinks 'this' from the containing basic block, but does not delete it.
LLVM_ABI bool hasNoUnsignedWrap() const LLVM_READONLY
Determine whether the no unsigned wrap flag is set.
LLVM_ABI bool hasNoInfs() const LLVM_READONLY
Determine whether the no-infs flag is set.
LLVM_ABI bool isLifetimeStartOrEnd() const LLVM_READONLY
Return true if the instruction is a llvm.lifetime.start or llvm.lifetime.end marker.
LLVM_ABI void copyFastMathFlags(FastMathFlags FMF)
Convenience function for transferring all fast-math flag values to this instruction,...
LLVM_ABI bool isSameOperationAs(const Instruction *I, unsigned flags=0) const LLVM_READONLY
This function determines if the specified instruction executes the same operation as the current one.
LLVM_ABI ~Instruction()
LLVM_ABI void setHasNoSignedZeros(bool B)
Set or clear the no-signed-zeros flag on this instruction, which must be an operator which supports t...
LLVM_ABI bool hasNoSignedZeros() const LLVM_READONLY
Determine whether the no-signed-zeros flag is set.
LLVM_ABI iterator_range< simple_ilist< DbgRecord >::iterator > cloneDebugInfoFrom(const Instruction *From, std::optional< simple_ilist< DbgRecord >::iterator > FromHere=std::nullopt, bool InsertAtHead=false)
Clone any debug-info attached to From onto this instruction.
LLVM_ABI bool hasPoisonGeneratingReturnAttributes() const LLVM_READONLY
Return true if this instruction has poison-generating attribute.
LLVM_ABI bool isDebugOrPseudoInst() const LLVM_READONLY
Return true if the instruction is a DbgInfoIntrinsic or PseudoProbeInst.
LLVM_ABI unsigned getNumSuccessors() const LLVM_READONLY
Return the number of successors that this instruction has.
LLVM_ABI bool hasNoSignedWrap() const LLVM_READONLY
Determine whether the no signed wrap flag is set.
LLVM_ABI bool mayWriteToMemory() const LLVM_READONLY
Return true if this instruction may modify memory.
LLVM_ABI void copyIRFlags(const Value *V, bool IncludeWrapFlags=true)
Convenience method to copy supported exact, fast-math, and (optionally) wrapping flags from V to this...
LLVM_ABI void setHasAllowContract(bool B)
Set or clear the allow-contract flag on this instruction, which must be an operator which supports th...
LLVM_ABI bool hasAtomicStore() const LLVM_READONLY
Return true if this atomic instruction stores to memory.
LLVM_ABI void setHasNoSignedWrap(bool b=true)
Set or clear the nsw flag on this instruction, which must be an operator which supports this flag.
LLVM_ABI bool isOnlyUserOfAnyOperand()
It checks if this instruction is the only user of at least one of its operands.
const DebugLoc & getDebugLoc() const
Return the debug location for this node as a DebugLoc.
LLVM_ABI const Module * getModule() const
Return the module owning the function this instruction belongs to or nullptr it the function does not...
LLVM_ABI void andIRFlags(const Value *V)
Logical 'and' of any supported wrapping, exact, and fast-math flags of V and this instruction.
LLVM_ABI void setHasNoNaNs(bool B)
Set or clear the no-nans flag on this instruction, which must be an operator which supports this flag...
LLVM_ABI bool isAssociative() const LLVM_READONLY
Return true if the instruction is associative:
LLVM_ABI void setHasApproxFunc(bool B)
Set or clear the approximate-math-functions flag on this instruction, which must be an operator which...
LLVM_ABI void moveAfter(Instruction *MovePos)
Unlink this instruction from its current basic block and insert it into the basic block that MovePos ...
LLVM_ABI bool isCommutative() const LLVM_READONLY
Return true if the instruction is commutative:
bool hasMetadata() const
Return true if this instruction has any metadata attached to it.
LLVM_ABI bool hasSameSpecialState(const Instruction *I2, bool IgnoreAlignment=false, bool IntersectAttrs=false) const LLVM_READONLY
This function determines if the speficied instruction has the same "special" characteristics as the c...
LLVM_ABI void moveBefore(InstListType::iterator InsertPos)
Unlink this instruction from its current basic block and insert it into the basic block that MovePos ...
LLVM_ABI bool isAtomic() const LLVM_READONLY
Return true if this instruction has an AtomicOrdering of unordered or higher.
LLVM_ABI void setHasAllowReassoc(bool B)
Set or clear the reassociation flag on this instruction, which must be an operator which supports thi...
LLVM_ABI void insertBefore(InstListType::iterator InsertPos)
Insert an unlinked instruction into a basic block immediately before the specified position.
LLVM_ABI void setFastMathFlags(FastMathFlags FMF)
Convenience function for setting multiple fast-math flags on this instruction, which must be an opera...
LLVM_ABI void dropPoisonGeneratingReturnAttributes()
Drops return attributes that may generate poison.
LLVM_ABI InstListType::iterator eraseFromParent()
This method unlinks 'this' from the containing basic block and deletes it.
LLVM_ABI bool isIdenticalToWhenDefined(const Instruction *I, bool IntersectAttrs=false) const LLVM_READONLY
This is like isIdenticalTo, except that it ignores the SubclassOptionalData flags,...
LLVM_ABI bool isFast() const LLVM_READONLY
Determine whether all fast-math-flags are set.
LLVM_ABI void replaceSuccessorWith(BasicBlock *OldBB, BasicBlock *NewBB)
Replace specified successor OldBB to point at the provided block.
LLVM_ABI bool isExact() const LLVM_READONLY
Determine whether the exact flag is set.
LLVM_ABI const Function * getFunction() const
Return the function this instruction belongs to.
LLVM_ABI void swapProfMetadata()
If the instruction has "branch_weights" MD_prof metadata and the MDNode has three operands (including...
LLVM_ABI BasicBlock * getSuccessor(unsigned Idx) const LLVM_READONLY
Return the specified successor. This instruction must be a terminator.
LLVM_ABI bool mayHaveSideEffects() const LLVM_READONLY
Return true if the instruction may have side effects.
LLVM_ABI void dropOneDbgRecord(DbgRecord *I)
Erase a single DbgRecord I that is attached to this instruction.
LLVM_ABI void setNonNeg(bool b=true)
Set or clear the nneg flag on this instruction, which must be a zext instruction.
LLVM_ABI Type * getAccessType() const LLVM_READONLY
Return the type this instruction accesses in memory, if any.
LLVM_ABI bool hasAllowReciprocal() const LLVM_READONLY
Determine whether the allow-reciprocal flag is set.
LLVM_ABI bool comesBefore(const Instruction *Other) const
Given an instruction Other in the same basic block as this instruction, return true if this instructi...
LLVM_ABI bool hasNonNeg() const LLVM_READONLY
Determine whether the the nneg flag is set.
LLVM_ABI bool hasPoisonGeneratingFlags() const LLVM_READONLY
Return true if this operator has flags which may cause this instruction to evaluate to poison despite...
LLVM_ABI bool mayReadFromMemory() const LLVM_READONLY
Return true if this instruction may read memory.
LLVM_ABI bool isUsedOutsideOfBlock(const BasicBlock *BB) const LLVM_READONLY
Return true if there are any uses of this instruction in blocks other than the specified block.
LLVM_ABI bool isVolatile() const LLVM_READONLY
Return true if this instruction has a volatile memory access.
LLVM_ABI void setHasNoInfs(bool B)
Set or clear the no-infs flag on this instruction, which must be an operator which supports this flag...
LLVM_ABI iterator_range< const_succ_iterator > successors() const LLVM_READONLY
LLVM_ABI void adoptDbgRecords(BasicBlock *BB, InstListType::iterator It, bool InsertAtHead)
Transfer any DbgRecords on the position It onto this instruction, by simply adopting the sequence of ...
LLVM_ABI FastMathFlags getFastMathFlags() const LLVM_READONLY
Convenience function for getting all the fast-math flags, which must be an operator which supports th...
const char * getOpcodeName() const
LLVM_ABI bool willReturn() const LLVM_READONLY
Return true if the instruction will return (unwinding is considered as a form of returning control fl...
LLVM_ABI bool hasNonDebugLocLoopMetadata() const
LLVM_ABI bool hasApproxFunc() const LLVM_READONLY
Determine whether the approximate-math-functions flag is set.
void getAllMetadataOtherThanDebugLoc(SmallVectorImpl< std::pair< unsigned, MDNode * > > &MDs) const
This does the same thing as getAllMetadata, except that it filters out the debug location.
LLVM_ABI void moveAfterPreserving(Instruction *MovePos)
See moveBeforePreserving .
unsigned getOpcode() const
Returns a member of one of the enums like Instruction::Add.
LLVM_ABI bool hasAtomicLoad() const LLVM_READONLY
Return true if this atomic instruction loads from memory.
LLVM_ABI void setIsExact(bool b=true)
Set or clear the exact flag on this instruction, which must be an operator which supports this flag.
LLVM_ABI void dropPoisonGeneratingMetadata()
Drops metadata that may generate poison.
LLVM_ABI void setHasAllowReciprocal(bool B)
Set or clear the allow-reciprocal flag on this instruction, which must be an operator which supports ...
LLVM_ABI void handleMarkerRemoval()
Handle the debug-info implications of this instruction being removed.
LLVM_ABI bool hasUBImplyingAttrs() const LLVM_READONLY
Return true if this instruction has UB-implying attributes that can cause immediate undefined behavio...
LLVM_ABI std::optional< InstListType::iterator > getInsertionPointAfterDef()
Get the first insertion point at which the result of this instruction is defined.
LLVM_ABI void dropPoisonGeneratingFlags()
Drops flags that may cause this instruction to evaluate to poison despite having non-poison inputs.
LLVM_ABI void dropUBImplyingAttrsAndUnknownMetadata(ArrayRef< unsigned > KnownIDs={})
This function drops non-debug unknown metadata (through dropUnknownNonDebugMetadata).
LLVM_ABI bool isIdenticalTo(const Instruction *I) const LLVM_READONLY
Return true if the specified instruction is exactly identical to the current one.
LLVM_ABI std::optional< simple_ilist< DbgRecord >::iterator > getDbgReinsertionPosition()
Return an iterator to the position of the "Next" DbgRecord after this instruction,...
LLVM_ABI bool isLaunderOrStripInvariantGroup() const LLVM_READONLY
Return true if the instruction is a llvm.launder.invariant.group or llvm.strip.invariant....
LLVM_ABI bool hasAllowContract() const LLVM_READONLY
Determine whether the allow-contract flag is set.
LLVM_ABI void moveBeforePreserving(InstListType::iterator MovePos)
Perform a moveBefore operation, while signalling that the caller intends to preserve the original ord...
LLVM_ABI bool hasPoisonGeneratingMetadata() const LLVM_READONLY
Return true if this instruction has poison-generating metadata.
Instruction(const Instruction &)=delete
LLVM_ABI void setSuccessor(unsigned Idx, BasicBlock *BB)
Update the specified successor to point at the provided block.
LLVM_ABI bool isCommutableOperand(unsigned Op) const LLVM_READONLY
Checks if the operand is commutative.
LLVM_ABI void copyMetadata(const Instruction &SrcInst, ArrayRef< unsigned > WL=ArrayRef< unsigned >())
Copy metadata from SrcInst to this instruction.
LLVM_ABI void setFast(bool B)
Set or clear all fast-math-flags on this instruction, which must be an operator which supports this f...
LLVM_ABI bool hasAllowReassoc() const LLVM_READONLY
Determine whether the allow-reassociation flag is set.
LLVM_ABI void dropDbgRecords()
Erase any DbgRecords attached to this instruction.
LLVM_ABI void insertAfter(Instruction *InsertPos)
Insert an unlinked instruction into a basic block immediately after the specified instruction.
LLVM_ABI const DataLayout & getDataLayout() const
Get the data layout of the module this instruction belongs to.
LLVM_ABI bool isSafeToRemove() const LLVM_READONLY
Return true if the instruction can be removed if the result is unused.
LLVM_ABI InstListType::iterator insertInto(BasicBlock *ParentBB, InstListType::iterator It)
Inserts an unlinked instruction into ParentBB at position It and returns the iterator of the inserted...
LLVM_ABI bool hasDbgRecords() const
Returns true if any DbgRecords are attached to this instruction.
A wrapper class for inspecting calls to intrinsic functions.
Invoke instruction.
The landingpad instruction holds all of the information necessary to generate correct exception handl...
bool isCleanup() const
Return 'true' if this landingpad instruction is a cleanup.
unsigned getNumClauses() const
Get the number of clauses for this landing pad.
bool isCatch(unsigned Idx) const
Return 'true' if the clause and index Idx is a catch clause.
bool isFilter(unsigned Idx) const
Return 'true' if the clause and index Idx is a filter clause.
Constant * getClause(unsigned Idx) const
Get the value of the clause at index Idx.
An instruction for reading from memory.
Metadata node.
Definition Metadata.h:1080
const MDOperand & getOperand(unsigned I) const
Definition Metadata.h:1444
ArrayRef< MDOperand > operands() const
Definition Metadata.h:1442
static MDTuple * get(LLVMContext &Context, ArrayRef< Metadata * > MDs)
Definition Metadata.h:1572
unsigned getNumOperands() const
Return number of MDNode operands.
Definition Metadata.h:1450
LLVMContext & getContext() const
Definition Metadata.h:1244
Tracking metadata reference owned by Metadata.
Definition Metadata.h:902
static constexpr const unsigned PoisonGeneratingIDs[]
Metadata IDs that may generate poison.
Definition Metadata.h:146
iterator_range< const_block_iterator > blocks() const
BasicBlock * getIncomingBlock(unsigned i) const
Return incoming basic block number i.
static LLVM_ABI PoisonValue * get(Type *T)
Static factory methods - Return an 'poison' object of the specified type.
Instruction that can have a nneg flag (zext/uitofp).
Definition InstrTypes.h:639
This instruction constructs a fixed permutation of two input vectors.
Implements a dense probed hash-table based set with some number of buckets stored inline.
Definition DenseSet.h:291
void reserve(size_type N)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
An instruction for storing to memory.
Multiway switch.
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
static LLVM_ABI void handleRAUW(Value *From, Value *To)
Definition Metadata.cpp:552
LLVMContext & getContext() const
All values hold a context through their type.
Definition Value.h:258
const ParentTy * getParent() const
Definition ilist_node.h:34
self_iterator getIterator()
Definition ilist_node.h:123
void splice(iterator where, iplist_impl &L2)
Definition ilist.h:266
iterator insertAfter(iterator where, pointer New)
Definition ilist.h:174
iterator insert(iterator where, pointer New)
Definition ilist.h:165
A range adaptor for a pair of iterators.
CallInst * Call
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
bool mayThrow(const MachineInstr &MI)
@ OB
OB - OneByte - Set if this instruction has a one byte opcode.
initializer< Ty > init(const Ty &Val)
@ Switch
The "resume-switch" lowering, where there are separate resume and destroy functions that are shared b...
Definition CoroShape.h:31
constexpr double e
NodeAddr< PhiNode * > Phi
Definition RDFGraph.h:390
Context & getContext() const
Definition BasicBlock.h:99
iterator end() const
Definition BasicBlock.h:89
This is an optimization pass for GlobalISel generic memory operations.
auto drop_begin(T &&RangeOrContainer, size_t N=1)
Return a range covering RangeOrContainer with the first N elements excluded.
Definition STLExtras.h:316
detail::zippy< detail::zip_shortest, T, U, Args... > zip(T &&t, U &&u, Args &&...args)
zip iterator for two or more iteratable types.
Definition STLExtras.h:831
cl::opt< bool > ProfcheckDisableMetadataFixes
Definition LoopInfo.cpp:60
LLVM_ABI unsigned getBranchWeightOffset(const MDNode *ProfileData)
Return the offset to the first branch weight data.
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
auto successors(const MachineBasicBlock *BB)
LLVM_ABI MDNode * getBranchWeightMDNode(const Instruction &I)
Get the branch weights metadata node.
void append_range(Container &C, Range &&R)
Wrapper function to append range R to container C.
Definition STLExtras.h:2208
bool any_of(R &&range, UnaryPredicate P)
Provide wrappers to std::any_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1746
iterator_range< simple_ilist< DbgRecord >::iterator > getDbgRecordRange(DbgMarker *DebugMarker)
Inline helper to return a range of DbgRecords attached to a marker.
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
Definition Casting.h:547
auto drop_end(T &&RangeOrContainer, size_t N=1)
Return a range covering RangeOrContainer with the last N elements excluded.
Definition STLExtras.h:323
@ Other
Any other memory.
Definition ModRef.h:68
@ Xor
Bitwise or logical XOR of integers.
@ FMul
Product of floats.
@ Sub
Subtraction of integers.
@ Add
Sum of integers.
@ FAdd
Sum of floats.
DWARFExpression::Operation Op
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
bool is_contained(R &&Range, const E &Element)
Returns true if Element is found in Range.
Definition STLExtras.h:1947
bool equal(L &&LRange, R &&RRange)
Wrapper function around std::equal to detect if pair-wise elements between two ranges are the same.
Definition STLExtras.h:2146
@ Keep
No function return thunk.
Definition CodeGen.h:162
Summary of memprof metadata on allocations.
Matching combinators.