LLVM 23.0.0git
Instruction.h
Go to the documentation of this file.
1//===-- llvm/Instruction.h - Instruction class definition -------*- C++ -*-===//
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 contains the declaration of the Instruction class, which is the
10// base class for all of the LLVM instructions.
11//
12//===----------------------------------------------------------------------===//
13
14#ifndef LLVM_IR_INSTRUCTION_H
15#define LLVM_IR_INSTRUCTION_H
16
17#include "llvm/ADT/ArrayRef.h"
18#include "llvm/ADT/Bitfields.h"
19#include "llvm/ADT/StringRef.h"
20#include "llvm/ADT/ilist_node.h"
21#include "llvm/IR/DebugLoc.h"
23#include "llvm/IR/User.h"
24#include "llvm/IR/Value.h"
27#include <cstdint>
28#include <utility>
29
30namespace llvm {
31
32class BasicBlock;
33class DataLayout;
34class DbgMarker;
35class FastMathFlags;
36class MDNode;
37class Module;
38struct AAMDNodes;
39class DbgMarker;
40class DbgRecord;
41
42template <> struct ilist_alloc_traits<Instruction> {
43 static inline void deleteNode(Instruction *V);
44};
45
48
53
54public:
55 InsertPosition(std::nullptr_t) : InsertAt() {}
56 LLVM_ABI LLVM_DEPRECATED("Use BasicBlock::iterators for insertion instead",
57 "BasicBlock::iterator")
58 InsertPosition(Instruction *InsertBefore);
60 InsertPosition(InstListType::iterator InsertAt) : InsertAt(InsertAt) {}
61 operator InstListType::iterator() const { return InsertAt; }
62 bool isValid() const { return InsertAt.isValid(); }
63 BasicBlock *getBasicBlock() { return InsertAt.getNodeParent(); }
64};
65
66class Instruction : public User,
67 public ilist_node_with_parent<Instruction, BasicBlock,
68 ilist_iterator_bits<true>,
69 ilist_parent<BasicBlock>> {
70public:
73
74 /// Iterator type that casts an operand to a basic block.
75 ///
76 /// All terminators store successors as adjacent operands.
78 : iterator_adaptor_base<succ_iterator, op_iterator,
79 std::random_access_iterator_tag, BasicBlock *,
80 ptrdiff_t, BasicBlock *, BasicBlock *> {
81 succ_iterator() = default;
83
84 BasicBlock *operator*() const { return cast<BasicBlock>(*I); }
85 BasicBlock *operator->() const { return operator*(); }
86
87 op_iterator getUse() const { return I; }
88 };
89
90 /// The const version of `succ_iterator`.
92 : iterator_adaptor_base<const_succ_iterator, const_op_iterator,
93 std::random_access_iterator_tag,
94 const BasicBlock *, ptrdiff_t, const BasicBlock *,
95 const BasicBlock *> {
99
100 const BasicBlock *operator*() const { return cast<BasicBlock>(*I); }
101 const BasicBlock *operator->() const { return operator*(); }
102
103 const_op_iterator getUse() const { return I; }
104 };
105
106private:
107 DebugLoc DbgLoc; // 'dbg' Metadata cache.
108
109 friend class Value;
110 /// Index of first metadata attachment in context, or zero.
111 unsigned MetadataIndex = 0;
112
113 /// Relative order of this instruction in its parent basic block. Used for
114 /// O(1) local dominance checks between instructions.
115 mutable unsigned Order = 0;
116
117public:
118 /// Optional marker recording the position for debugging information that
119 /// takes effect immediately before this instruction. Null unless there is
120 /// debugging information present.
122
123 /// Clone any debug-info attached to \p From onto this instruction. Used to
124 /// copy debugging information from one block to another, when copying entire
125 /// blocks. \see DebugProgramInstruction.h , because the ordering of
126 /// DbgRecords is still important, fine grain control of which instructions
127 /// are moved and where they go is necessary.
128 /// \p From The instruction to clone debug-info from.
129 /// \p from_here Optional iterator to limit DbgRecords cloned to be a range
130 /// from
131 /// from_here to end().
132 /// \p InsertAtHead Whether the cloned DbgRecords should be placed at the end
133 /// or the beginning of existing DbgRecords attached to this.
134 /// \returns A range over the newly cloned DbgRecords.
136 const Instruction *From,
137 std::optional<simple_ilist<DbgRecord>::iterator> FromHere = std::nullopt,
138 bool InsertAtHead = false);
139
140 /// Return a range over the DbgRecords attached to this instruction.
144
145 /// Return an iterator to the position of the "Next" DbgRecord after this
146 /// instruction, or std::nullopt. This is the position to pass to
147 /// BasicBlock::reinsertInstInDbgRecords when re-inserting an instruction.
148 LLVM_ABI std::optional<simple_ilist<DbgRecord>::iterator>
149 getDbgReinsertionPosition();
150
151 /// Returns true if any DbgRecords are attached to this instruction.
152 LLVM_ABI bool hasDbgRecords() const;
153
154 /// Transfer any DbgRecords on the position \p It onto this instruction,
155 /// by simply adopting the sequence of DbgRecords (which is efficient) if
156 /// possible, by merging two sequences otherwise.
157 LLVM_ABI void adoptDbgRecords(BasicBlock *BB, InstListType::iterator It,
158 bool InsertAtHead);
159
160 /// Erase any DbgRecords attached to this instruction.
161 LLVM_ABI void dropDbgRecords();
162
163 /// Erase a single DbgRecord \p I that is attached to this instruction.
164 LLVM_ABI void dropOneDbgRecord(DbgRecord *I);
165
166 /// Handle the debug-info implications of this instruction being removed. Any
167 /// attached DbgRecords need to "fall" down onto the next instruction.
168 LLVM_ABI void handleMarkerRemoval();
169
170protected:
171 // The 15 first bits of `Value::SubclassData` are available for subclasses of
172 // `Instruction` to use.
174
175 // Template alias so that all Instruction storing alignment use the same
176 // definiton.
177 // Valid alignments are powers of two from 2^0 to 2^MaxAlignmentExponent =
178 // 2^32. We store them as Log2(Alignment), so we need 6 bits to encode the 33
179 // possible values.
180 template <unsigned Offset>
182 typename Bitfield::Element<unsigned, Offset, 6,
184
185 template <unsigned Offset>
187
188 template <unsigned Offset>
192
193private:
194 // The last bit is used to store whether the instruction has metadata attached
195 // or not.
196 using HasMetadataField = Bitfield::Element<bool, 15, 1>;
197
198protected:
199 LLVM_ABI ~Instruction(); // Use deleteValue() to delete a generic Instruction.
200
201public:
202 Instruction(const Instruction &) = delete;
204
205 /// Specialize the methods defined in Value, as we know that an instruction
206 /// can only be used by other instructions.
208 const Instruction *user_back() const { return cast<Instruction>(*user_begin());}
209
210 /// Return the module owning the function this instruction belongs to
211 /// or nullptr it the function does not have a module.
212 ///
213 /// Note: this is undefined behavior if the instruction does not have a
214 /// parent, or the parent basic block does not have a parent function.
215 LLVM_ABI const Module *getModule() const;
217 return const_cast<Module *>(
218 static_cast<const Instruction *>(this)->getModule());
219 }
220
221 /// Return the function this instruction belongs to.
222 ///
223 /// Note: it is undefined behavior to call this on an instruction not
224 /// currently inserted into a function.
225 LLVM_ABI const Function *getFunction() const;
227 return const_cast<Function *>(
228 static_cast<const Instruction *>(this)->getFunction());
229 }
230
231 /// Get the data layout of the module this instruction belongs to.
232 ///
233 /// Requires the instruction to have a parent module.
234 LLVM_ABI const DataLayout &getDataLayout() const;
235
236 /// This method unlinks 'this' from the containing basic block, but does not
237 /// delete it.
238 LLVM_ABI void removeFromParent();
239
240 /// This method unlinks 'this' from the containing basic block and deletes it.
241 ///
242 /// \returns an iterator pointing to the element after the erased one
243 LLVM_ABI InstListType::iterator eraseFromParent();
244
245 /// Insert an unlinked instruction into a basic block immediately before
246 /// the specified instruction.
247 ///
248 /// Deprecated in favour of the iterator-accepting flavour. Iterators at the
249 /// start of a block such as BasicBlock::getFirstNonPHIIt must be passed into
250 /// insertBefore without unwrapping/rewrapping. For all other positions, call
251 /// getIterator to fetch the instruction iterator.
252 LLVM_ABI LLVM_DEPRECATED("Use iterators as instruction positions",
253 "") void insertBefore(Instruction *InsertPos);
254
255 /// Insert an unlinked instruction into a basic block immediately before
256 /// the specified position.
258
259 /// Insert an unlinked instruction into a basic block immediately after the
260 /// specified instruction.
261 LLVM_ABI void insertAfter(Instruction *InsertPos);
262
263 /// Insert an unlinked instruction into a basic block immediately after the
264 /// specified position.
265 LLVM_ABI void insertAfter(InstListType::iterator InsertPos);
266
267 /// Inserts an unlinked instruction into \p ParentBB at position \p It and
268 /// returns the iterator of the inserted instruction.
271
273
274 /// Unlink this instruction from its current basic block and insert it into
275 /// the basic block that MovePos lives in, right before MovePos.
276 ///
277 /// Deprecated in favour of the iterator-accepting flavour. Iterators at the
278 /// start of a block such as BasicBlock::getFirstNonPHIIt must be passed into
279 /// moveBefore without unwrapping/rewrapping. For all other positions, call
280 /// getIterator to fetch the instruction iterator.
281 LLVM_ABI LLVM_DEPRECATED("Use iterators as instruction positions",
282 "") void moveBefore(Instruction *MovePos);
283
284 /// Unlink this instruction from its current basic block and insert it into
285 /// the basic block that MovePos lives in, right before MovePos.
286 LLVM_ABI void moveBefore(InstListType::iterator InsertPos);
287
288 /// Perform a \ref moveBefore operation, while signalling that the caller
289 /// intends to preserve the original ordering of instructions. This implicitly
290 /// means that any adjacent debug-info should move with this instruction.
292
293 /// Perform a \ref moveBefore operation, while signalling that the caller
294 /// intends to preserve the original ordering of instructions. This implicitly
295 /// means that any adjacent debug-info should move with this instruction.
297
298 /// Perform a \ref moveBefore operation, while signalling that the caller
299 /// intends to preserve the original ordering of instructions. This implicitly
300 /// means that any adjacent debug-info should move with this instruction.
301 ///
302 /// Deprecated in favour of the iterator-accepting flavour of
303 /// moveBeforePreserving, as all insertions should be at iterator positions.
304 LLVM_ABI LLVM_DEPRECATED("Use iterators as instruction positions",
305 "") void moveBeforePreserving(Instruction *MovePos);
306
307private:
308 /// RemoveDIs project: all other moves implemented with this method,
309 /// centralising debug-info updates into one place.
310 void moveBeforeImpl(BasicBlock &BB, InstListType::iterator I, bool Preserve);
311
312public:
313 /// Unlink this instruction and insert into BB before I.
314 ///
315 /// \pre I is a valid iterator into BB.
317
318 /// Unlink this instruction from its current basic block and insert it into
319 /// the basic block that MovePos lives in, right after MovePos.
320 LLVM_ABI void moveAfter(Instruction *MovePos);
321
322 /// Unlink this instruction from its current basic block and insert it into
323 /// the basic block that MovePos lives in, right after MovePos.
325
326 /// See \ref moveBeforePreserving .
328
329 /// Given an instruction Other in the same basic block as this instruction,
330 /// return true if this instruction comes before Other. In this worst case,
331 /// this takes linear time in the number of instructions in the block. The
332 /// results are cached, so in common cases when the block remains unmodified,
333 /// it takes constant time.
335
336 /// Get the first insertion point at which the result of this instruction
337 /// is defined. This is *not* the directly following instruction in a number
338 /// of cases, e.g. phi nodes or terminators that return values. This function
339 /// may return null if the insertion after the definition is not possible,
340 /// e.g. due to a catchswitch terminator.
342
343 //===--------------------------------------------------------------------===//
344 // Subclass classification.
345 //===--------------------------------------------------------------------===//
346
347 /// Returns a member of one of the enums like Instruction::Add.
348 unsigned getOpcode() const { return getValueID() - InstructionVal; }
349
350 const char *getOpcodeName() const { return getOpcodeName(getOpcode()); }
351 bool isTerminator() const { return isTerminator(getOpcode()); }
352 bool isUnaryOp() const { return isUnaryOp(getOpcode()); }
353 bool isBinaryOp() const { return isBinaryOp(getOpcode()); }
354 bool isIntDivRem() const { return isIntDivRem(getOpcode()); }
355 bool isFPDivRem() const { return isFPDivRem(getOpcode()); }
356 bool isShift() const { return isShift(getOpcode()); }
357 bool isCast() const { return isCast(getOpcode()); }
358 bool isFuncletPad() const { return isFuncletPad(getOpcode()); }
360
361 /// It checks if this instruction is the only user of at least one of
362 /// its operands.
363 LLVM_ABI bool isOnlyUserOfAnyOperand();
364
365 LLVM_ABI static const char *getOpcodeName(unsigned Opcode);
366
367 static inline bool isTerminator(unsigned Opcode) {
368 return Opcode >= TermOpsBegin && Opcode < TermOpsEnd;
369 }
370
371 static inline bool isUnaryOp(unsigned Opcode) {
372 return Opcode >= UnaryOpsBegin && Opcode < UnaryOpsEnd;
373 }
374 static inline bool isBinaryOp(unsigned Opcode) {
375 return Opcode >= BinaryOpsBegin && Opcode < BinaryOpsEnd;
376 }
377
378 static inline bool isIntDivRem(unsigned Opcode) {
379 return Opcode == UDiv || Opcode == SDiv || Opcode == URem || Opcode == SRem;
380 }
381
382 static inline bool isFPDivRem(unsigned Opcode) {
383 return Opcode == FDiv || Opcode == FRem;
384 }
385
386 /// Determine if the Opcode is one of the shift instructions.
387 static inline bool isShift(unsigned Opcode) {
388 return Opcode >= Shl && Opcode <= AShr;
389 }
390
391 /// Return true if this is a logical shift left or a logical shift right.
392 inline bool isLogicalShift() const {
393 return getOpcode() == Shl || getOpcode() == LShr;
394 }
395
396 /// Return true if this is an arithmetic shift right.
397 inline bool isArithmeticShift() const {
398 return getOpcode() == AShr;
399 }
400
401 /// Determine if the Opcode is and/or/xor.
402 static inline bool isBitwiseLogicOp(unsigned Opcode) {
403 return Opcode == And || Opcode == Or || Opcode == Xor;
404 }
405
406 /// Return true if this is and/or/xor.
407 inline bool isBitwiseLogicOp() const {
408 return isBitwiseLogicOp(getOpcode());
409 }
410
411 /// Determine if the Opcode is one of the CastInst instructions.
412 static inline bool isCast(unsigned Opcode) {
413 return Opcode >= CastOpsBegin && Opcode < CastOpsEnd;
414 }
415
416 /// Determine if the Opcode is one of the FuncletPadInst instructions.
417 static inline bool isFuncletPad(unsigned Opcode) {
418 return Opcode >= FuncletPadOpsBegin && Opcode < FuncletPadOpsEnd;
419 }
420
421 /// Returns true if the Opcode is a "special" terminator that does more than
422 /// branch to a successor (e.g. have a side effect or return a value).
423 static inline bool isSpecialTerminator(unsigned Opcode) {
424 switch (Opcode) {
425 case Instruction::CatchSwitch:
426 case Instruction::CatchRet:
427 case Instruction::CleanupRet:
428 case Instruction::Invoke:
429 case Instruction::Resume:
430 case Instruction::CallBr:
431 return true;
432 default:
433 return false;
434 }
435 }
436
437 //===--------------------------------------------------------------------===//
438 // Metadata manipulation.
439 //===--------------------------------------------------------------------===//
440
441 /// Return true if this instruction has any metadata attached to it.
442 bool hasMetadata() const { return DbgLoc || Value::hasMetadata(); }
443
444 // Return true if this instruction contains loop metadata other than
445 // a debug location
446 LLVM_ABI bool hasNonDebugLocLoopMetadata() const;
447
448 /// Return true if this instruction has metadata attached to it other than a
449 /// debug location.
451
452 /// Return true if this instruction has the given type of metadata attached.
453 bool hasMetadata(unsigned KindID) const {
454 return getMetadata(KindID) != nullptr;
455 }
456
457 /// Return true if this instruction has the given type of metadata attached.
458 bool hasMetadata(StringRef Kind) const {
459 return getMetadata(Kind) != nullptr;
460 }
461
462 /// Get the metadata of given kind attached to this Instruction.
463 /// If the metadata is not found then return null.
464 MDNode *getMetadata(unsigned KindID) const {
465 // Handle 'dbg' as a special case since it is not stored in the hash table.
466 if (KindID == LLVMContext::MD_dbg)
467 return DbgLoc.getAsMDNode();
468 return Value::getMetadata(KindID);
469 }
470
471 /// Get the metadata of given kind attached to this Instruction.
472 /// If the metadata is not found then return null.
474 if (!hasMetadata()) return nullptr;
475 return getMetadataImpl(Kind);
476 }
477
478 /// Get all metadata attached to this Instruction. The first element of each
479 /// pair returned is the KindID, the second element is the metadata value.
480 /// This list is returned sorted by the KindID.
481 void
482 getAllMetadata(SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs) const {
483 if (hasMetadata())
484 getAllMetadataImpl(MDs);
485 }
486
487 /// This does the same thing as getAllMetadata, except that it filters out the
488 /// debug location.
490 SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs) const {
492 }
493
494 /// Set the metadata of the specified kind to the specified node. This updates
495 /// or replaces metadata if already present, or removes it if Node is null.
496 LLVM_ABI void setMetadata(unsigned KindID, MDNode *Node);
497 LLVM_ABI void setMetadata(StringRef Kind, MDNode *Node);
498
499 /// Copy metadata from \p SrcInst to this instruction. \p WL, if not empty,
500 /// specifies the list of meta data that needs to be copied. If \p WL is
501 /// empty, all meta data will be copied.
502 LLVM_ABI void copyMetadata(const Instruction &SrcInst,
504
505 /// Erase all metadata that matches the predicate.
506 LLVM_ABI void eraseMetadataIf(function_ref<bool(unsigned, MDNode *)> Pred);
507
508 /// If the instruction has "branch_weights" MD_prof metadata and the MDNode
509 /// has three operands (including name string), swap the order of the
510 /// metadata.
511 LLVM_ABI void swapProfMetadata();
512
513 /// Drop all unknown metadata except for debug locations.
514 /// @{
515 /// Passes are required to drop metadata they don't understand. This is a
516 /// convenience method for passes to do so.
517 /// dropUBImplyingAttrsAndUnknownMetadata should be used instead of
518 /// this API if the Instruction being modified is a call.
519 LLVM_ABI void dropUnknownNonDebugMetadata(ArrayRef<unsigned> KnownIDs = {});
520 /// @}
521
522 /// Adds an !annotation metadata node with \p Annotation to this instruction.
523 /// If this instruction already has !annotation metadata, append \p Annotation
524 /// to the existing node.
525 LLVM_ABI void addAnnotationMetadata(StringRef Annotation);
526 /// Adds an !annotation metadata node with an array of \p Annotations
527 /// as a tuple to this instruction. If this instruction already has
528 /// !annotation metadata, append the tuple to
529 /// the existing node.
530 LLVM_ABI void addAnnotationMetadata(SmallVector<StringRef> Annotations);
531 /// Returns the AA metadata for this instruction.
532 LLVM_ABI AAMDNodes getAAMetadata() const;
533
534 /// Sets the AA metadata on this instruction from the AAMDNodes structure.
535 LLVM_ABI void setAAMetadata(const AAMDNodes &N);
536
537 /// Sets the nosanitize metadata on this instruction.
538 LLVM_ABI void setNoSanitizeMetadata();
539
540 /// Retrieve total raw weight values of a branch.
541 /// Returns true on success with profile total weights filled in.
542 /// Returns false if no metadata was found.
543 LLVM_ABI bool extractProfTotalWeight(uint64_t &TotalVal) const;
544
545 /// Set the debug location information for this instruction.
546 void setDebugLoc(DebugLoc Loc) { DbgLoc = std::move(Loc).getCopied(); }
547
548 /// Return the debug location for this node as a DebugLoc.
549 const DebugLoc &getDebugLoc() const { return DbgLoc; }
550
551 /// Fetch the debug location for this node, unless this is a debug intrinsic,
552 /// in which case fetch the debug location of the next non-debug node.
553 LLVM_ABI const DebugLoc &getStableDebugLoc() const;
554
555 /// Set or clear the nuw flag on this instruction, which must be an operator
556 /// which supports this flag. See LangRef.html for the meaning of this flag.
557 LLVM_ABI void setHasNoUnsignedWrap(bool b = true);
558
559 /// Set or clear the nsw flag on this instruction, which must be an operator
560 /// which supports this flag. See LangRef.html for the meaning of this flag.
561 LLVM_ABI void setHasNoSignedWrap(bool b = true);
562
563 /// Set or clear the exact flag on this instruction, which must be an operator
564 /// which supports this flag. See LangRef.html for the meaning of this flag.
565 LLVM_ABI void setIsExact(bool b = true);
566
567 /// Set or clear the nneg flag on this instruction, which must be a zext
568 /// instruction.
569 LLVM_ABI void setNonNeg(bool b = true);
570
571 /// Determine whether the no unsigned wrap flag is set.
573
574 /// Determine whether the no signed wrap flag is set.
576
577 /// Determine whether the the nneg flag is set.
578 LLVM_ABI bool hasNonNeg() const LLVM_READONLY;
579
580 /// Return true if this operator has flags which may cause this instruction
581 /// to evaluate to poison despite having non-poison inputs.
582 LLVM_ABI bool hasPoisonGeneratingFlags() const LLVM_READONLY;
583
584 /// Drops flags that may cause this instruction to evaluate to poison despite
585 /// having non-poison inputs.
586 LLVM_ABI void dropPoisonGeneratingFlags();
587
588 /// Return true if this instruction has poison-generating metadata.
589 LLVM_ABI bool hasPoisonGeneratingMetadata() const LLVM_READONLY;
590
591 /// Drops metadata that may generate poison.
592 LLVM_ABI void dropPoisonGeneratingMetadata();
593
594 /// Return true if this instruction has poison-generating attribute.
595 LLVM_ABI bool hasPoisonGeneratingReturnAttributes() const LLVM_READONLY;
596
597 /// Drops return attributes that may generate poison.
598 LLVM_ABI void dropPoisonGeneratingReturnAttributes();
599
600 /// Return true if this instruction has poison-generating flags,
601 /// return attributes or metadata.
607
608 /// Drops flags, return attributes and metadata that may generate poison.
614
615 /// This function drops non-debug unknown metadata (through
616 /// dropUnknownNonDebugMetadata). For calls, it also drops parameter and
617 /// return attributes that can cause undefined behaviour. Both of these should
618 /// be done by passes which move instructions in IR.
619 LLVM_ABI void
620 dropUBImplyingAttrsAndUnknownMetadata(ArrayRef<unsigned> KnownIDs = {});
621
622 /// Drop any attributes or metadata that can cause immediate undefined
623 /// behavior. Retain other attributes/metadata on a best-effort basis, as well
624 /// as those passed in `Keep`. This should be used when speculating
625 /// instructions.
626 LLVM_ABI void dropUBImplyingAttrsAndMetadata(ArrayRef<unsigned> Keep = {});
627
628 /// Return true if this instruction has UB-implying attributes
629 /// that can cause immediate undefined behavior.
630 LLVM_ABI bool hasUBImplyingAttrs() const LLVM_READONLY;
631
632 /// Determine whether the exact flag is set.
633 LLVM_ABI bool isExact() const LLVM_READONLY;
634
635 /// Set or clear all fast-math-flags on this instruction, which must be an
636 /// operator which supports this flag. See LangRef.html for the meaning of
637 /// this flag.
638 LLVM_ABI void setFast(bool B);
639
640 /// Set or clear the reassociation flag on this instruction, which must be
641 /// an operator which supports this flag. See LangRef.html for the meaning of
642 /// this flag.
643 LLVM_ABI void setHasAllowReassoc(bool B);
644
645 /// Set or clear the no-nans flag on this instruction, which must be an
646 /// operator which supports this flag. See LangRef.html for the meaning of
647 /// this flag.
648 LLVM_ABI void setHasNoNaNs(bool B);
649
650 /// Set or clear the no-infs flag on this instruction, which must be an
651 /// operator which supports this flag. See LangRef.html for the meaning of
652 /// this flag.
653 LLVM_ABI void setHasNoInfs(bool B);
654
655 /// Set or clear the no-signed-zeros flag on this instruction, which must be
656 /// an operator which supports this flag. See LangRef.html for the meaning of
657 /// this flag.
658 LLVM_ABI void setHasNoSignedZeros(bool B);
659
660 /// Set or clear the allow-reciprocal flag on this instruction, which must be
661 /// an operator which supports this flag. See LangRef.html for the meaning of
662 /// this flag.
663 LLVM_ABI void setHasAllowReciprocal(bool B);
664
665 /// Set or clear the allow-contract flag on this instruction, which must be
666 /// an operator which supports this flag. See LangRef.html for the meaning of
667 /// this flag.
668 LLVM_ABI void setHasAllowContract(bool B);
669
670 /// Set or clear the approximate-math-functions flag on this instruction,
671 /// which must be an operator which supports this flag. See LangRef.html for
672 /// the meaning of this flag.
673 LLVM_ABI void setHasApproxFunc(bool B);
674
675 /// Convenience function for setting multiple fast-math flags on this
676 /// instruction, which must be an operator which supports these flags. See
677 /// LangRef.html for the meaning of these flags.
678 LLVM_ABI void setFastMathFlags(FastMathFlags FMF);
679
680 /// Convenience function for transferring all fast-math flag values to this
681 /// instruction, which must be an operator which supports these flags. See
682 /// LangRef.html for the meaning of these flags.
683 LLVM_ABI void copyFastMathFlags(FastMathFlags FMF);
684
685 /// Determine whether all fast-math-flags are set.
686 LLVM_ABI bool isFast() const LLVM_READONLY;
687
688 /// Determine whether the allow-reassociation flag is set.
689 LLVM_ABI bool hasAllowReassoc() const LLVM_READONLY;
690
691 /// Determine whether the no-NaNs flag is set.
692 LLVM_ABI bool hasNoNaNs() const LLVM_READONLY;
693
694 /// Determine whether the no-infs flag is set.
695 LLVM_ABI bool hasNoInfs() const LLVM_READONLY;
696
697 /// Determine whether the no-signed-zeros flag is set.
698 LLVM_ABI bool hasNoSignedZeros() const LLVM_READONLY;
699
700 /// Determine whether the allow-reciprocal flag is set.
701 LLVM_ABI bool hasAllowReciprocal() const LLVM_READONLY;
702
703 /// Determine whether the allow-contract flag is set.
704 LLVM_ABI bool hasAllowContract() const LLVM_READONLY;
705
706 /// Determine whether the approximate-math-functions flag is set.
707 LLVM_ABI bool hasApproxFunc() const LLVM_READONLY;
708
709 /// Convenience function for getting all the fast-math flags, which must be an
710 /// operator which supports these flags. See LangRef.html for the meaning of
711 /// these flags.
712 LLVM_ABI FastMathFlags getFastMathFlags() const LLVM_READONLY;
713
714 /// Copy I's fast-math flags
715 LLVM_ABI void copyFastMathFlags(const Instruction *I);
716
717 /// Convenience method to copy supported exact, fast-math, and (optionally)
718 /// wrapping flags from V to this instruction.
719 LLVM_ABI void copyIRFlags(const Value *V, bool IncludeWrapFlags = true);
720
721 /// Logical 'and' of any supported wrapping, exact, and fast-math flags of
722 /// V and this instruction.
723 LLVM_ABI void andIRFlags(const Value *V);
724
725 /// Merge 2 debug locations and apply it to the Instruction. If the
726 /// instruction is a CallIns, we need to traverse the inline chain to find
727 /// the common scope. This is not efficient for N-way merging as each time
728 /// you merge 2 iterations, you need to rebuild the hashmap to find the
729 /// common scope. However, we still choose this API because:
730 /// 1) Simplicity: it takes 2 locations instead of a list of locations.
731 /// 2) In worst case, it increases the complexity from O(N*I) to
732 /// O(2*N*I), where N is # of Instructions to merge, and I is the
733 /// maximum level of inline stack. So it is still linear.
734 /// 3) Merging of call instructions should be extremely rare in real
735 /// applications, thus the N-way merging should be in code path.
736 /// The DebugLoc attached to this instruction will be overwritten by the
737 /// merged DebugLoc.
738 LLVM_ABI void applyMergedLocation(DebugLoc LocA, DebugLoc LocB);
739
740 /// Updates the debug location given that the instruction has been hoisted
741 /// from a block to a predecessor of that block.
742 /// Note: it is undefined behavior to call this on an instruction not
743 /// currently inserted into a function.
744 LLVM_ABI void updateLocationAfterHoist();
745
746 /// Drop the instruction's debug location. This does not guarantee removal
747 /// of the !dbg source location attachment, as it must set a line 0 location
748 /// with scope information attached on call instructions. To guarantee
749 /// removal of the !dbg attachment, use the \ref setDebugLoc() API.
750 /// Note: it is undefined behavior to call this on an instruction not
751 /// currently inserted into a function.
752 LLVM_ABI void dropLocation();
753
754 /// Merge the DIAssignID metadata from this instruction and those attached to
755 /// instructions in \p SourceInstructions. This process performs a RAUW on
756 /// the MetadataAsValue uses of the merged DIAssignID nodes. Not every
757 /// instruction in \p SourceInstructions needs to have DIAssignID
758 /// metadata. If none of them do then nothing happens. If this instruction
759 /// does not have a DIAssignID attachment but at least one in \p
760 /// SourceInstructions does then the merged one will be attached to
761 /// it. However, instructions without attachments in \p SourceInstructions
762 /// are not modified.
763 LLVM_ABI void
764 mergeDIAssignID(ArrayRef<const Instruction *> SourceInstructions);
765
766private:
767 // These are all implemented in Metadata.cpp.
768 LLVM_ABI MDNode *getMetadataImpl(StringRef Kind) const;
769 LLVM_ABI void
770 getAllMetadataImpl(SmallVectorImpl<std::pair<unsigned, MDNode *>> &) const;
771
772 /// Update the LLVMContext ID-to-Instruction(s) mapping. If \p ID is nullptr
773 /// then clear the mapping for this instruction.
774 void updateDIAssignIDMapping(DIAssignID *ID);
775
776public:
777 //===--------------------------------------------------------------------===//
778 // Predicates and helper methods.
779 //===--------------------------------------------------------------------===//
780
781 /// Return true if the instruction is associative:
782 ///
783 /// Associative operators satisfy: x op (y op z) === (x op y) op z
784 ///
785 /// In LLVM, the Add, Mul, And, Or, and Xor operators are associative.
786 ///
788 static bool isAssociative(unsigned Opcode) {
789 return Opcode == And || Opcode == Or || Opcode == Xor ||
790 Opcode == Add || Opcode == Mul;
791 }
792
793 /// Return true if the instruction is commutative:
794 ///
795 /// Commutative operators satisfy: (x op y) === (y op x)
796 ///
797 /// In LLVM, these are the commutative operators, plus SetEQ and SetNE, when
798 /// applied to any type.
799 ///
801
802 /// Checks if the operand is commutative. In commutative operations, not all
803 /// operands might commutable, e.g. for fmuladd only 2 first operands are
804 /// commutable.
806
807 static bool isCommutative(unsigned Opcode) {
808 switch (Opcode) {
809 case Add: case FAdd:
810 case Mul: case FMul:
811 case And: case Or: case Xor:
812 return true;
813 default:
814 return false;
815 }
816 }
817
818 /// Return true if the instruction is idempotent:
819 ///
820 /// Idempotent operators satisfy: x op x === x
821 ///
822 /// In LLVM, the And and Or operators are idempotent.
823 ///
824 bool isIdempotent() const { return isIdempotent(getOpcode()); }
825 static bool isIdempotent(unsigned Opcode) {
826 return Opcode == And || Opcode == Or;
827 }
828
829 /// Return true if the instruction is nilpotent:
830 ///
831 /// Nilpotent operators satisfy: x op x === Id,
832 ///
833 /// where Id is the identity for the operator, i.e. a constant such that
834 /// x op Id === x and Id op x === x for all x.
835 ///
836 /// In LLVM, the Xor operator is nilpotent.
837 ///
838 bool isNilpotent() const { return isNilpotent(getOpcode()); }
839 static bool isNilpotent(unsigned Opcode) {
840 return Opcode == Xor;
841 }
842
843 /// Return true if this instruction may modify memory.
844 LLVM_ABI bool mayWriteToMemory() const LLVM_READONLY;
845
846 /// Return true if this instruction may read memory.
847 LLVM_ABI bool mayReadFromMemory() const LLVM_READONLY;
848
849 /// Return true if this instruction may read or write memory.
850 bool mayReadOrWriteMemory() const {
852 }
853
854 /// Return true if this instruction has an AtomicOrdering of unordered or
855 /// higher.
856 LLVM_ABI bool isAtomic() const LLVM_READONLY;
857
858 /// Return true if this atomic instruction loads from memory.
859 LLVM_ABI bool hasAtomicLoad() const LLVM_READONLY;
860
861 /// Return true if this atomic instruction stores to memory.
862 LLVM_ABI bool hasAtomicStore() const LLVM_READONLY;
863
864 /// Return true if this instruction has a volatile memory access.
865 LLVM_ABI bool isVolatile() const LLVM_READONLY;
866
867 /// Return the type this instruction accesses in memory, if any.
869
870 /// Return true if this instruction may throw an exception.
871 ///
872 /// If IncludePhaseOneUnwind is set, this will also include cases where
873 /// phase one unwinding may unwind past this frame due to skipping of
874 /// cleanup landingpads.
875 LLVM_ABI bool
876 mayThrow(bool IncludePhaseOneUnwind = false) const LLVM_READONLY;
877
878 /// Return true if this instruction behaves like a memory fence: it can load
879 /// or store to memory location without being given a memory location.
880 bool isFenceLike() const {
881 switch (getOpcode()) {
882 default:
883 return false;
884 // This list should be kept in sync with the list in mayWriteToMemory for
885 // all opcodes which don't have a memory location.
886 case Instruction::Fence:
887 case Instruction::CatchPad:
888 case Instruction::CatchRet:
889 case Instruction::Call:
890 case Instruction::Invoke:
891 return true;
892 }
893 }
894
895 /// Return true if the instruction may have side effects.
896 ///
897 /// Side effects are:
898 /// * Writing to memory.
899 /// * Unwinding.
900 /// * Not returning (e.g. an infinite loop).
901 ///
902 /// Note that this does not consider malloc and alloca to have side
903 /// effects because the newly allocated memory is completely invisible to
904 /// instructions which don't use the returned value. For cases where this
905 /// matters, isSafeToSpeculativelyExecute may be more appropriate.
907
908 /// Return true if the instruction can be removed if the result is unused.
909 ///
910 /// When constant folding some instructions cannot be removed even if their
911 /// results are unused. Specifically terminator instructions and calls that
912 /// may have side effects cannot be removed without semantically changing the
913 /// generated program.
914 LLVM_ABI bool isSafeToRemove() const LLVM_READONLY;
915
916 /// Return true if the instruction will return (unwinding is considered as
917 /// a form of returning control flow here).
918 LLVM_ABI bool willReturn() const LLVM_READONLY;
919
920 /// Return true if the instruction is a variety of EH-block.
921 bool isEHPad() const {
922 switch (getOpcode()) {
923 case Instruction::CatchSwitch:
924 case Instruction::CatchPad:
925 case Instruction::CleanupPad:
926 case Instruction::LandingPad:
927 return true;
928 default:
929 return false;
930 }
931 }
932
933 /// Return true if the instruction is a llvm.lifetime.start or
934 /// llvm.lifetime.end marker.
935 LLVM_ABI bool isLifetimeStartOrEnd() const LLVM_READONLY;
936
937 /// Return true if the instruction is a llvm.launder.invariant.group or
938 /// llvm.strip.invariant.group.
939 LLVM_ABI bool isLaunderOrStripInvariantGroup() const LLVM_READONLY;
940
941 /// Return true if the instruction is a DbgInfoIntrinsic or PseudoProbeInst.
942 LLVM_ABI bool isDebugOrPseudoInst() const LLVM_READONLY;
943
944 /// Create a copy of 'this' instruction that is identical in all ways except
945 /// the following:
946 /// * The instruction has no parent
947 /// * The instruction has no name
948 ///
949 LLVM_ABI Instruction *clone() const;
950
951 /// Return true if the specified instruction is exactly identical to the
952 /// current one. This means that all operands match and any extra information
953 /// (e.g. load is volatile) agree.
954 LLVM_ABI bool isIdenticalTo(const Instruction *I) const LLVM_READONLY;
955
956 /// This is like isIdenticalTo, except that it ignores the
957 /// SubclassOptionalData flags, which may specify conditions under which the
958 /// instruction's result is undefined.
959 LLVM_ABI bool
960 isIdenticalToWhenDefined(const Instruction *I,
961 bool IntersectAttrs = false) const LLVM_READONLY;
962
963 /// When checking for operation equivalence (using isSameOperationAs) it is
964 /// sometimes useful to ignore certain attributes.
966 /// Check for equivalence ignoring load/store alignment.
968 /// Check for equivalence treating a type and a vector of that type
969 /// as equivalent.
971 /// Check for equivalence with intersected callbase attrs.
973 };
974
975 /// This function determines if the specified instruction executes the same
976 /// operation as the current one. This means that the opcodes, type, operand
977 /// types and any other factors affecting the operation must be the same. This
978 /// is similar to isIdenticalTo except the operands themselves don't have to
979 /// be identical.
980 /// @returns true if the specified instruction is the same operation as
981 /// the current one.
982 /// Determine if one instruction is the same operation as another.
983 LLVM_ABI bool isSameOperationAs(const Instruction *I,
984 unsigned flags = 0) const LLVM_READONLY;
985
986 /// This function determines if the speficied instruction has the same
987 /// "special" characteristics as the current one. This means that opcode
988 /// specific details are the same. As a common example, if we are comparing
989 /// loads, then hasSameSpecialState would compare the alignments (among
990 /// other things).
991 /// @returns true if the specific instruction has the same opcde specific
992 /// characteristics as the current one. Determine if one instruction has the
993 /// same state as another.
994 LLVM_ABI bool
995 hasSameSpecialState(const Instruction *I2, bool IgnoreAlignment = false,
996 bool IntersectAttrs = false) const LLVM_READONLY;
997
998 /// Return true if there are any uses of this instruction in blocks other than
999 /// the specified block. Note that PHI nodes are considered to evaluate their
1000 /// operands in the corresponding predecessor block.
1001 LLVM_ABI bool isUsedOutsideOfBlock(const BasicBlock *BB) const LLVM_READONLY;
1002
1003 /// Return the number of successors that this instruction has. The instruction
1004 /// must be a terminator.
1005 LLVM_ABI unsigned getNumSuccessors() const LLVM_READONLY;
1006
1007 /// Return the specified successor. This instruction must be a terminator.
1008 LLVM_ABI BasicBlock *getSuccessor(unsigned Idx) const LLVM_READONLY;
1009
1010 /// Update the specified successor to point at the provided block. This
1011 /// instruction must be a terminator.
1012 LLVM_ABI void setSuccessor(unsigned Idx, BasicBlock *BB);
1013
1016 auto Ops = static_cast<const Instruction *>(this)->successors();
1017 Use *Begin = const_cast<Use *>(Ops.begin().getUse());
1018 Use *End = const_cast<Use *>(Ops.end().getUse());
1019 return make_range(succ_iterator(Begin), succ_iterator(End));
1020 }
1021
1022 /// Replace specified successor OldBB to point at the provided block.
1023 /// This instruction must be a terminator.
1024 LLVM_ABI void replaceSuccessorWith(BasicBlock *OldBB, BasicBlock *NewBB);
1025
1026 /// Methods for support type inquiry through isa, cast, and dyn_cast:
1027 static bool classof(const Value *V) {
1028 return V->getValueID() >= Value::InstructionVal;
1029 }
1030
1031 //----------------------------------------------------------------------
1032 // Exported enumerations.
1033 //
1034 enum TermOps { // These terminate basic blocks
1035#define FIRST_TERM_INST(N) TermOpsBegin = N,
1036#define HANDLE_TERM_INST(N, OPC, CLASS) OPC = N,
1037#define LAST_TERM_INST(N) TermOpsEnd = N+1
1038#include "llvm/IR/Instruction.def"
1039 };
1040
1042#define FIRST_UNARY_INST(N) UnaryOpsBegin = N,
1043#define HANDLE_UNARY_INST(N, OPC, CLASS) OPC = N,
1044#define LAST_UNARY_INST(N) UnaryOpsEnd = N+1
1045#include "llvm/IR/Instruction.def"
1046 };
1047
1049#define FIRST_BINARY_INST(N) BinaryOpsBegin = N,
1050#define HANDLE_BINARY_INST(N, OPC, CLASS) OPC = N,
1051#define LAST_BINARY_INST(N) BinaryOpsEnd = N+1
1052#include "llvm/IR/Instruction.def"
1053 };
1054
1056#define FIRST_MEMORY_INST(N) MemoryOpsBegin = N,
1057#define HANDLE_MEMORY_INST(N, OPC, CLASS) OPC = N,
1058#define LAST_MEMORY_INST(N) MemoryOpsEnd = N+1
1059#include "llvm/IR/Instruction.def"
1060 };
1061
1062 enum CastOps {
1063#define FIRST_CAST_INST(N) CastOpsBegin = N,
1064#define HANDLE_CAST_INST(N, OPC, CLASS) OPC = N,
1065#define LAST_CAST_INST(N) CastOpsEnd = N+1
1066#include "llvm/IR/Instruction.def"
1067 };
1068
1070#define FIRST_FUNCLETPAD_INST(N) FuncletPadOpsBegin = N,
1071#define HANDLE_FUNCLETPAD_INST(N, OPC, CLASS) OPC = N,
1072#define LAST_FUNCLETPAD_INST(N) FuncletPadOpsEnd = N+1
1073#include "llvm/IR/Instruction.def"
1074 };
1075
1077#define FIRST_OTHER_INST(N) OtherOpsBegin = N,
1078#define HANDLE_OTHER_INST(N, OPC, CLASS) OPC = N,
1079#define LAST_OTHER_INST(N) OtherOpsEnd = N+1
1080#include "llvm/IR/Instruction.def"
1081 };
1082
1083private:
1084 friend class SymbolTableListTraits<Instruction, ilist_iterator_bits<true>,
1085 ilist_parent<BasicBlock>>;
1086 friend class BasicBlock; // For renumbering.
1087
1088 // Shadow Value::setValueSubclassData with a private forwarding method so that
1089 // subclasses cannot accidentally use it.
1090 void setValueSubclassData(unsigned short D) {
1092 }
1093
1094 unsigned short getSubclassDataFromValue() const {
1096 }
1097
1098protected:
1099 // Instruction subclasses can stick up to 15 bits of stuff into the
1100 // SubclassData field of instruction with these members.
1101
1102 template <typename BitfieldElement>
1103 typename BitfieldElement::Type getSubclassData() const {
1104 static_assert(
1105 std::is_same<BitfieldElement, HasMetadataField>::value ||
1107 "Must not overlap with the metadata bit");
1108 return Bitfield::get<BitfieldElement>(getSubclassDataFromValue());
1109 }
1110
1111 template <typename BitfieldElement>
1112 void setSubclassData(typename BitfieldElement::Type Value) {
1113 static_assert(
1114 std::is_same<BitfieldElement, HasMetadataField>::value ||
1116 "Must not overlap with the metadata bit");
1117 auto Storage = getSubclassDataFromValue();
1119 setValueSubclassData(Storage);
1120 }
1121
1122 LLVM_ABI Instruction(Type *Ty, unsigned iType, AllocInfo AllocInfo,
1123 InsertPosition InsertBefore = nullptr);
1124
1125private:
1126 /// Create a copy of this instruction.
1127 Instruction *cloneImpl() const;
1128};
1129
1131 V->deleteValue();
1132}
1133
1134} // end namespace llvm
1135
1136#endif // LLVM_IR_INSTRUCTION_H
aarch64 promote const
Atomic ordering constants.
basic Basic Alias true
This file implements methods to test, set and extract typed bits from packed unsigned integers.
static GCRegistry::Add< StatepointGC > D("statepoint-example", "an example strategy for statepoint")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
#define LLVM_ABI
Definition Compiler.h:213
#define LLVM_READONLY
Definition Compiler.h:322
static StringRef getOpcodeName(uint8_t Opcode, uint8_t OpcodeBase)
static bool hasNoSignedWrap(BinaryOperator &I)
static bool hasNoUnsignedWrap(BinaryOperator &I)
const AbstractManglingParser< Derived, Alloc >::OperatorInfo AbstractManglingParser< Derived, Alloc >::Ops[]
static MemAccessTy getAccessType(const TargetTransformInfo &TTI, Instruction *Inst, Value *OperandVal)
Return the type of the memory being accessed.
#define I(x, y, z)
Definition MD5.cpp:57
static bool mayHaveSideEffects(MachineInstr &MI)
static bool isCommutative(Instruction *I, Value *ValWithUses, bool IsCopyable=false)
static bool isCommutableOperand(Instruction *I, Value *ValWithUses, unsigned Op, bool IsCopyable=false)
Checks if the operand is commutative.
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 Function * getFunction(FunctionType *Ty, const Twine &Name, Module *M)
static bool isAssociative(const COFFSection &Section)
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:40
LLVM Basic Block Representation.
Definition BasicBlock.h:62
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.
Base class for non-instruction debug metadata records that have positions within IR.
A debug info location.
Definition DebugLoc.h:123
Convenience struct for specifying and reasoning about fast-math flags.
Definition FMF.h:23
bool isValid() const
Definition Instruction.h:62
BasicBlock * getBasicBlock()
Definition Instruction.h:63
InsertPosition(std::nullptr_t)
Definition Instruction.h:55
LLVM_ABI LLVM_DEPRECATED("Use BasicBlock::iterators for insertion instead", "BasicBlock::iterator") InsertPosition(Instruction *InsertBefore)
operator InstListType::iterator() const
Definition Instruction.h:61
DbgMarker * DebugMarker
Optional marker recording the position for debugging information that takes effect immediately before...
BitfieldElement::Type getSubclassData() const
typename Bitfield::Element< unsigned, Offset, 6, Value::MaxAlignmentExponent > AlignmentBitfieldElementT
bool hasMetadata(unsigned KindID) const
Return true if this instruction has the given type of metadata attached.
static bool isBinaryOp(unsigned Opcode)
bool isArithmeticShift() const
Return true if this is an arithmetic shift right.
typename Bitfield::Element< AtomicOrdering, Offset, 3, AtomicOrdering::LAST > AtomicOrderingBitfieldElementT
bool hasMetadata(StringRef Kind) const
Return true if this instruction has the given type of metadata attached.
LLVM_ABI LLVM_DEPRECATED("Use iterators as instruction positions", "") void insertBefore(Instruction *InsertPos)
Insert an unlinked instruction into a basic block immediately before the specified instruction.
static bool isFPDivRem(unsigned Opcode)
bool isCast() const
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.
static bool isBitwiseLogicOp(unsigned Opcode)
Determine if the Opcode is and/or/xor.
bool mayReadOrWriteMemory() const
Return true if this instruction may read or write memory.
LLVM_ABI bool hasPoisonGeneratingReturnAttributes() const LLVM_READONLY
Return true if this instruction has poison-generating attribute.
static bool isShift(unsigned Opcode)
Determine if the Opcode is one of the shift instructions.
Function * getFunction()
LLVM_ABI bool mayWriteToMemory() const LLVM_READONLY
Return true if this instruction may modify memory.
static bool isSpecialTerminator(unsigned Opcode)
Returns true if the Opcode is a "special" terminator that does more than branch to a successor (e....
iterator_range< simple_ilist< DbgRecord >::iterator > getDbgRecordRange() const
Return a range over the DbgRecords attached to this instruction.
static bool isCast(unsigned Opcode)
Determine if the Opcode is one of the CastInst instructions.
const DebugLoc & getDebugLoc() const
Return the debug location for this node as a DebugLoc.
LLVM_ABI bool isAssociative() const LLVM_READONLY
Return true if the instruction is associative:
Instruction & operator=(const Instruction &)=delete
LLVM_ABI void moveAfter(Instruction *MovePos)
Unlink this instruction from its current basic block and insert it into the basic block that MovePos ...
bool hasMetadataOtherThanDebugLoc() const
Return true if this instruction has metadata attached to it other than a debug location.
LLVM_ABI bool isCommutative() const LLVM_READONLY
Return true if the instruction is commutative:
typename Bitfield::Element< bool, Offset, 1 > BoolBitfieldElementT
bool hasMetadata() const
Return true if this instruction has any metadata attached to it.
LLVM_ABI void moveBefore(InstListType::iterator InsertPos)
Unlink this instruction from its current basic block and insert it into the basic block that MovePos ...
Module * getModule()
LLVM_ABI void insertBefore(InstListType::iterator InsertPos)
Insert an unlinked instruction into a basic block immediately before the specified position.
bool isBinaryOp() const
bool isEHPad() const
Return true if the instruction is a variety of EH-block.
LLVM_ABI void dropPoisonGeneratingReturnAttributes()
Drops return attributes that may generate poison.
static bool classof(const Value *V)
Methods for support type inquiry through isa, cast, and dyn_cast:
Instruction * user_back()
Specialize the methods defined in Value, as we know that an instruction can only be used by other ins...
static bool isIdempotent(unsigned Opcode)
MDNode * getMetadata(unsigned KindID) const
Get the metadata of given kind attached to this Instruction.
bool isFuncletPad() const
bool isTerminator() const
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...
bool hasPoisonGeneratingAnnotations() const
Return true if this instruction has poison-generating flags, return attributes or metadata.
LLVM_ABI bool hasPoisonGeneratingFlags() const LLVM_READONLY
Return true if this operator has flags which may cause this instruction to evaluate to poison despite...
bool isNilpotent() const
Return true if the instruction is nilpotent:
LLVM_ABI bool mayReadFromMemory() const LLVM_READONLY
Return true if this instruction may read memory.
LLVM_ABI iterator_range< const_succ_iterator > successors() const LLVM_READONLY
void dropPoisonGeneratingAnnotations()
Drops flags, return attributes and metadata that may generate poison.
const char * getOpcodeName() const
const Instruction * user_back() const
bool isFPDivRem() const
OperationEquivalenceFlags
When checking for operation equivalence (using isSameOperationAs) it is sometimes useful to ignore ce...
@ CompareIgnoringAlignment
Check for equivalence ignoring load/store alignment.
@ CompareUsingScalarTypes
Check for equivalence treating a type and a vector of that type as equivalent.
@ CompareUsingIntersectedAttrs
Check for equivalence with intersected callbase attrs.
MDNode * getMetadata(StringRef Kind) const
Get the metadata of given kind attached to this Instruction.
void getAllMetadata(SmallVectorImpl< std::pair< unsigned, MDNode * > > &MDs) const
Get all metadata attached to this Instruction.
bool isLogicalShift() const
Return true if this is a logical shift left or a logical shift right.
void getAllMetadataOtherThanDebugLoc(SmallVectorImpl< std::pair< unsigned, MDNode * > > &MDs) const
This does the same thing as getAllMetadata, except that it filters out the debug location.
static bool isFuncletPad(unsigned Opcode)
Determine if the Opcode is one of the FuncletPadInst instructions.
LLVM_ABI void moveAfterPreserving(Instruction *MovePos)
See moveBeforePreserving .
static bool isUnaryOp(unsigned Opcode)
unsigned getOpcode() const
Returns a member of one of the enums like Instruction::Add.
static bool isNilpotent(unsigned Opcode)
LLVM_ABI void dropPoisonGeneratingMetadata()
Drops metadata that may generate poison.
bool isBitwiseLogicOp() const
Return true if this is and/or/xor.
bool isShift() const
static bool isTerminator(unsigned Opcode)
Bitfield::Element< uint16_t, 0, 15 > OpaqueField
bool isFenceLike() const
Return true if this instruction behaves like a memory fence: it can load or store to memory location ...
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 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.
bool isUnaryOp() const
Instruction(const Instruction &)=delete
void setDebugLoc(DebugLoc Loc)
Set the debug location information for this instruction.
static bool isIntDivRem(unsigned Opcode)
bool isIdempotent() const
Return true if the instruction is idempotent:
friend class Value
LLVM_ABI void insertAfter(Instruction *InsertPos)
Insert an unlinked instruction into a basic block immediately after the specified instruction.
friend class BasicBlock
Various leaf nodes.
SymbolTableList< Instruction, ilist_iterator_bits< true >, ilist_parent< BasicBlock > > InstListType
Definition Instruction.h:71
bool isIntDivRem() const
void setSubclassData(typename BitfieldElement::Type Value)
bool isSpecialTerminator() const
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...
Metadata node.
Definition Metadata.h:1080
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
List that automatically updates parent links and symbol tables.
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
Use * op_iterator
Definition User.h:254
User(Type *ty, unsigned vty, AllocInfo AllocInfo)
Definition User.h:119
const Use * const_op_iterator
Definition User.h:255
unsigned short getSubclassDataFromValue() const
Definition Value.h:896
user_iterator user_begin()
Definition Value.h:403
bool hasMetadata() const
Return true if this value has any metadata attached to it.
Definition Value.h:608
LLVM_ABI void getAllMetadata(SmallVectorImpl< std::pair< unsigned, MDNode * > > &MDs) const
Appends all metadata attached to this value to MDs, sorting by KindID.
unsigned getValueID() const
Return an ID for the concrete type of this object.
Definition Value.h:544
void setValueSubclassData(unsigned short D)
Definition Value.h:897
static constexpr unsigned MaxAlignmentExponent
The maximum alignment for instructions.
Definition Value.h:836
MDNode * getMetadata(unsigned KindID) const
Get the current metadata attachments for the given kind, if any.
Definition Value.h:577
An efficient, type-erasing, non-owning reference to a callable.
typename base_list_type::iterator iterator
Definition ilist.h:121
A range adaptor for a pair of iterators.
ilist_select_iterator_type< OptionsT, false, false > iterator
This file defines the ilist_node class template, which is a convenient base class for creating classe...
@ BasicBlock
Various leaf nodes.
Definition ISDOpcodes.h:81
friend class Instruction
Iterator for Instructions in a `BasicBlock.
Definition BasicBlock.h:73
This is an optimization pass for GlobalISel generic memory operations.
@ Offset
Definition DWP.cpp:532
auto successors(const MachineBasicBlock *BB)
iterator_range< T > make_range(T x, T y)
Convenience function for iterating over sub-ranges.
iterator_range< simple_ilist< DbgRecord >::iterator > getDbgRecordRange(DbgMarker *DebugMarker)
Inline helper to return a range of DbgRecords attached to a marker.
AtomicOrdering
Atomic ordering for LLVM's memory model.
@ Other
Any other memory.
Definition ModRef.h:68
@ Mul
Product of integers.
@ Xor
Bitwise or logical XOR of integers.
@ FMul
Product of floats.
@ 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
Instruction::const_succ_iterator const_succ_iterator
Definition CFG.h:139
Implement std::hash so that hash_code can be used in STL containers.
Definition BitVector.h:870
#define N
A collection of metadata nodes that might be associated with a memory access used by the alias-analys...
Definition Metadata.h:763
Summary of memprof metadata on allocations.
Describes an element of a Bitfield.
Definition Bitfields.h:176
static Bitfield::Type get(StorageType Packed)
Unpacks the field from the Packed value.
Definition Bitfields.h:207
static constexpr bool isOverlapping()
Returns whether the two bitfields share common bits.
Definition Bitfields.h:229
static void set(StorageType &Packed, typename Bitfield::Type Value)
Sets the typed value in the provided Packed value.
Definition Bitfields.h:223
const BasicBlock * operator->() const
const BasicBlock * operator*() const
const_succ_iterator(const_op_iterator I)
Definition Instruction.h:97
const_op_iterator getUse() const
Iterator type that casts an operand to a basic block.
Definition Instruction.h:80
BasicBlock * operator->() const
Definition Instruction.h:85
BasicBlock * operator*() const
Definition Instruction.h:84
Matching combinators.
Use delete by default for iplist and ilist.
Definition ilist.h:41
static void deleteNode(NodeTy *V)
Definition ilist.h:42
Option to add a pointer to this list's owner in every node.