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 || MetadataIndex != 0; }
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.
450 bool hasMetadataOtherThanDebugLoc() const { return MetadataIndex != 0; }
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();
469 : nullptr;
470 }
471
472 /// Get the metadata of given kind attached to this Instruction.
473 /// If the metadata is not found then return null.
475 if (!hasMetadata()) return nullptr;
476 return getMetadataImpl(Kind);
477 }
478
479 /// Get all metadata attached to this Instruction. The first element of each
480 /// pair returned is the KindID, the second element is the metadata value.
481 /// This list is returned sorted by the KindID.
482 void
483 getAllMetadata(SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs) const {
484 if (hasMetadata())
485 getAllMetadataImpl(MDs);
486 }
487
488 /// This does the same thing as getAllMetadata, except that it filters out the
489 /// debug location.
491 SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs) const {
493 }
494
495 /// Set the metadata of the specified kind to the specified node. This updates
496 /// or replaces metadata if already present, or removes it if Node is null.
497 LLVM_ABI void setMetadata(unsigned KindID, MDNode *Node);
498 LLVM_ABI void setMetadata(StringRef Kind, MDNode *Node);
499
500 /// Copy metadata from \p SrcInst to this instruction. \p WL, if not empty,
501 /// specifies the list of meta data that needs to be copied. If \p WL is
502 /// empty, all meta data will be copied.
503 LLVM_ABI void copyMetadata(const Instruction &SrcInst,
505
506 /// Erase all metadata that matches the predicate.
507 LLVM_ABI void eraseMetadataIf(function_ref<bool(unsigned, MDNode *)> Pred);
508
509 /// If the instruction has "branch_weights" MD_prof metadata and the MDNode
510 /// has three operands (including name string), swap the order of the
511 /// metadata.
512 LLVM_ABI void swapProfMetadata();
513
514 /// Drop all unknown metadata except for debug locations.
515 /// @{
516 /// Passes are required to drop metadata they don't understand. This is a
517 /// convenience method for passes to do so.
518 /// dropUBImplyingAttrsAndUnknownMetadata should be used instead of
519 /// this API if the Instruction being modified is a call.
520 LLVM_ABI void dropUnknownNonDebugMetadata(ArrayRef<unsigned> KnownIDs = {});
521 /// @}
522
523 /// Adds an !annotation metadata node with \p Annotation to this instruction.
524 /// If this instruction already has !annotation metadata, append \p Annotation
525 /// to the existing node.
526 LLVM_ABI void addAnnotationMetadata(StringRef Annotation);
527 /// Adds an !annotation metadata node with an array of \p Annotations
528 /// as a tuple to this instruction. If this instruction already has
529 /// !annotation metadata, append the tuple to
530 /// the existing node.
531 LLVM_ABI void addAnnotationMetadata(SmallVector<StringRef> Annotations);
532 /// Returns the AA metadata for this instruction.
533 LLVM_ABI AAMDNodes getAAMetadata() const;
534
535 /// Sets the AA metadata on this instruction from the AAMDNodes structure.
536 LLVM_ABI void setAAMetadata(const AAMDNodes &N);
537
538 /// Sets the nosanitize metadata on this instruction.
539 LLVM_ABI void setNoSanitizeMetadata();
540
541 /// Retrieve total raw weight values of a branch.
542 /// Returns true on success with profile total weights filled in.
543 /// Returns false if no metadata was found.
544 LLVM_ABI bool extractProfTotalWeight(uint64_t &TotalVal) const;
545
546 /// Set the debug location information for this instruction.
547 void setDebugLoc(DebugLoc Loc) { DbgLoc = std::move(Loc).getCopied(); }
548
549 /// Return the debug location for this node as a DebugLoc.
550 const DebugLoc &getDebugLoc() const { return DbgLoc; }
551
552 /// Fetch the debug location for this node, unless this is a debug intrinsic,
553 /// in which case fetch the debug location of the next non-debug node.
554 LLVM_ABI const DebugLoc &getStableDebugLoc() const;
555
556 /// Set or clear the nuw flag on this instruction, which must be an operator
557 /// which supports this flag. See LangRef.html for the meaning of this flag.
558 LLVM_ABI void setHasNoUnsignedWrap(bool b = true);
559
560 /// Set or clear the nsw flag on this instruction, which must be an operator
561 /// which supports this flag. See LangRef.html for the meaning of this flag.
562 LLVM_ABI void setHasNoSignedWrap(bool b = true);
563
564 /// Set or clear the exact flag on this instruction, which must be an operator
565 /// which supports this flag. See LangRef.html for the meaning of this flag.
566 LLVM_ABI void setIsExact(bool b = true);
567
568 /// Set or clear the nneg flag on this instruction, which must be a zext
569 /// instruction.
570 LLVM_ABI void setNonNeg(bool b = true);
571
572 /// Determine whether the no unsigned wrap flag is set.
574
575 /// Determine whether the no signed wrap flag is set.
577
578 /// Determine whether the the nneg flag is set.
579 LLVM_ABI bool hasNonNeg() const LLVM_READONLY;
580
581 /// Return true if this operator has flags which may cause this instruction
582 /// to evaluate to poison despite having non-poison inputs.
583 LLVM_ABI bool hasPoisonGeneratingFlags() const LLVM_READONLY;
584
585 /// Drops flags that may cause this instruction to evaluate to poison despite
586 /// having non-poison inputs.
587 LLVM_ABI void dropPoisonGeneratingFlags();
588
589 /// Return true if this instruction has poison-generating metadata.
590 LLVM_ABI bool hasPoisonGeneratingMetadata() const LLVM_READONLY;
591
592 /// Drops metadata that may generate poison.
593 LLVM_ABI void dropPoisonGeneratingMetadata();
594
595 /// Return true if this instruction has poison-generating attribute.
596 LLVM_ABI bool hasPoisonGeneratingReturnAttributes() const LLVM_READONLY;
597
598 /// Drops return attributes that may generate poison.
599 LLVM_ABI void dropPoisonGeneratingReturnAttributes();
600
601 /// Return true if this instruction has poison-generating flags,
602 /// return attributes or metadata.
608
609 /// Drops flags, return attributes and metadata that may generate poison.
615
616 /// This function drops non-debug unknown metadata (through
617 /// dropUnknownNonDebugMetadata). For calls, it also drops parameter and
618 /// return attributes that can cause undefined behaviour. Both of these should
619 /// be done by passes which move instructions in IR.
620 LLVM_ABI void
621 dropUBImplyingAttrsAndUnknownMetadata(ArrayRef<unsigned> KnownIDs = {});
622
623 /// Drop any attributes or metadata that can cause immediate undefined
624 /// behavior. Retain other attributes/metadata on a best-effort basis, as well
625 /// as those passed in `Keep`. This should be used when speculating
626 /// instructions.
627 LLVM_ABI void dropUBImplyingAttrsAndMetadata(ArrayRef<unsigned> Keep = {});
628
629 /// Return true if this instruction has UB-implying attributes
630 /// that can cause immediate undefined behavior.
631 LLVM_ABI bool hasUBImplyingAttrs() const LLVM_READONLY;
632
633 /// Determine whether the exact flag is set.
634 LLVM_ABI bool isExact() const LLVM_READONLY;
635
636 /// Set or clear all fast-math-flags on this instruction, which must be an
637 /// operator which supports this flag. See LangRef.html for the meaning of
638 /// this flag.
639 LLVM_ABI void setFast(bool B);
640
641 /// Set or clear the reassociation flag on this instruction, which must be
642 /// an operator which supports this flag. See LangRef.html for the meaning of
643 /// this flag.
644 LLVM_ABI void setHasAllowReassoc(bool B);
645
646 /// Set or clear the no-nans flag on this instruction, which must be an
647 /// operator which supports this flag. See LangRef.html for the meaning of
648 /// this flag.
649 LLVM_ABI void setHasNoNaNs(bool B);
650
651 /// Set or clear the no-infs flag on this instruction, which must be an
652 /// operator which supports this flag. See LangRef.html for the meaning of
653 /// this flag.
654 LLVM_ABI void setHasNoInfs(bool B);
655
656 /// Set or clear the no-signed-zeros flag on this instruction, which must be
657 /// an operator which supports this flag. See LangRef.html for the meaning of
658 /// this flag.
659 LLVM_ABI void setHasNoSignedZeros(bool B);
660
661 /// Set or clear the allow-reciprocal flag on this instruction, which must be
662 /// an operator which supports this flag. See LangRef.html for the meaning of
663 /// this flag.
664 LLVM_ABI void setHasAllowReciprocal(bool B);
665
666 /// Set or clear the allow-contract flag on this instruction, which must be
667 /// an operator which supports this flag. See LangRef.html for the meaning of
668 /// this flag.
669 LLVM_ABI void setHasAllowContract(bool B);
670
671 /// Set or clear the approximate-math-functions flag on this instruction,
672 /// which must be an operator which supports this flag. See LangRef.html for
673 /// the meaning of this flag.
674 LLVM_ABI void setHasApproxFunc(bool B);
675
676 /// Convenience function for setting multiple fast-math flags on this
677 /// instruction, which must be an operator which supports these flags. See
678 /// LangRef.html for the meaning of these flags.
679 LLVM_ABI void setFastMathFlags(FastMathFlags FMF);
680
681 /// Convenience function for transferring all fast-math flag values to this
682 /// instruction, which must be an operator which supports these flags. See
683 /// LangRef.html for the meaning of these flags.
684 LLVM_ABI void copyFastMathFlags(FastMathFlags FMF);
685
686 /// Determine whether all fast-math-flags are set.
687 LLVM_ABI bool isFast() const LLVM_READONLY;
688
689 /// Determine whether the allow-reassociation flag is set.
690 LLVM_ABI bool hasAllowReassoc() const LLVM_READONLY;
691
692 /// Determine whether the no-NaNs flag is set.
693 LLVM_ABI bool hasNoNaNs() const LLVM_READONLY;
694
695 /// Determine whether the no-infs flag is set.
696 LLVM_ABI bool hasNoInfs() const LLVM_READONLY;
697
698 /// Determine whether the no-signed-zeros flag is set.
699 LLVM_ABI bool hasNoSignedZeros() const LLVM_READONLY;
700
701 /// Determine whether the allow-reciprocal flag is set.
702 LLVM_ABI bool hasAllowReciprocal() const LLVM_READONLY;
703
704 /// Determine whether the allow-contract flag is set.
705 LLVM_ABI bool hasAllowContract() const LLVM_READONLY;
706
707 /// Determine whether the approximate-math-functions flag is set.
708 LLVM_ABI bool hasApproxFunc() const LLVM_READONLY;
709
710 /// Convenience function for getting all the fast-math flags, which must be an
711 /// operator which supports these flags. See LangRef.html for the meaning of
712 /// these flags.
713 LLVM_ABI FastMathFlags getFastMathFlags() const LLVM_READONLY;
714
715 /// Copy I's fast-math flags
716 LLVM_ABI void copyFastMathFlags(const Instruction *I);
717
718 /// Convenience method to copy supported exact, fast-math, and (optionally)
719 /// wrapping flags from V to this instruction.
720 LLVM_ABI void copyIRFlags(const Value *V, bool IncludeWrapFlags = true);
721
722 /// Logical 'and' of any supported wrapping, exact, and fast-math flags of
723 /// V and this instruction.
724 LLVM_ABI void andIRFlags(const Value *V);
725
726 /// Merge 2 debug locations and apply it to the Instruction. If the
727 /// instruction is a CallIns, we need to traverse the inline chain to find
728 /// the common scope. This is not efficient for N-way merging as each time
729 /// you merge 2 iterations, you need to rebuild the hashmap to find the
730 /// common scope. However, we still choose this API because:
731 /// 1) Simplicity: it takes 2 locations instead of a list of locations.
732 /// 2) In worst case, it increases the complexity from O(N*I) to
733 /// O(2*N*I), where N is # of Instructions to merge, and I is the
734 /// maximum level of inline stack. So it is still linear.
735 /// 3) Merging of call instructions should be extremely rare in real
736 /// applications, thus the N-way merging should be in code path.
737 /// The DebugLoc attached to this instruction will be overwritten by the
738 /// merged DebugLoc.
739 LLVM_ABI void applyMergedLocation(DebugLoc LocA, DebugLoc LocB);
740
741 /// Updates the debug location given that the instruction has been hoisted
742 /// from a block to a predecessor of that block.
743 /// Note: it is undefined behavior to call this on an instruction not
744 /// currently inserted into a function.
745 LLVM_ABI void updateLocationAfterHoist();
746
747 /// Drop the instruction's debug location. This does not guarantee removal
748 /// of the !dbg source location attachment, as it must set a line 0 location
749 /// with scope information attached on call instructions. To guarantee
750 /// removal of the !dbg attachment, use the \ref setDebugLoc() API.
751 /// Note: it is undefined behavior to call this on an instruction not
752 /// currently inserted into a function.
753 LLVM_ABI void dropLocation();
754
755 /// Merge the DIAssignID metadata from this instruction and those attached to
756 /// instructions in \p SourceInstructions. This process performs a RAUW on
757 /// the MetadataAsValue uses of the merged DIAssignID nodes. Not every
758 /// instruction in \p SourceInstructions needs to have DIAssignID
759 /// metadata. If none of them do then nothing happens. If this instruction
760 /// does not have a DIAssignID attachment but at least one in \p
761 /// SourceInstructions does then the merged one will be attached to
762 /// it. However, instructions without attachments in \p SourceInstructions
763 /// are not modified.
764 LLVM_ABI void
765 mergeDIAssignID(ArrayRef<const Instruction *> SourceInstructions);
766
767private:
768 // These are all implemented in Metadata.cpp.
769 LLVM_ABI MDNode *getMetadataImpl(StringRef Kind) const;
770 LLVM_ABI void
771 getAllMetadataImpl(SmallVectorImpl<std::pair<unsigned, MDNode *>> &) const;
772
773 /// Update the LLVMContext ID-to-Instruction(s) mapping. If \p ID is nullptr
774 /// then clear the mapping for this instruction.
775 void updateDIAssignIDMapping(DIAssignID *ID);
776
777public:
778 //===--------------------------------------------------------------------===//
779 // Predicates and helper methods.
780 //===--------------------------------------------------------------------===//
781
782 /// Return true if the instruction is associative:
783 ///
784 /// Associative operators satisfy: x op (y op z) === (x op y) op z
785 ///
786 /// In LLVM, the Add, Mul, And, Or, and Xor operators are associative.
787 ///
789 static bool isAssociative(unsigned Opcode) {
790 return Opcode == And || Opcode == Or || Opcode == Xor ||
791 Opcode == Add || Opcode == Mul;
792 }
793
794 /// Return true if the instruction is commutative:
795 ///
796 /// Commutative operators satisfy: (x op y) === (y op x)
797 ///
798 /// In LLVM, these are the commutative operators, plus SetEQ and SetNE, when
799 /// applied to any type.
800 ///
802
803 /// Checks if the operand is commutative. In commutative operations, not all
804 /// operands might commutable, e.g. for fmuladd only 2 first operands are
805 /// commutable.
807
808 static bool isCommutative(unsigned Opcode) {
809 switch (Opcode) {
810 case Add: case FAdd:
811 case Mul: case FMul:
812 case And: case Or: case Xor:
813 return true;
814 default:
815 return false;
816 }
817 }
818
819 /// Return true if the instruction is idempotent:
820 ///
821 /// Idempotent operators satisfy: x op x === x
822 ///
823 /// In LLVM, the And and Or operators are idempotent.
824 ///
825 bool isIdempotent() const { return isIdempotent(getOpcode()); }
826 static bool isIdempotent(unsigned Opcode) {
827 return Opcode == And || Opcode == Or;
828 }
829
830 /// Return true if the instruction is nilpotent:
831 ///
832 /// Nilpotent operators satisfy: x op x === Id,
833 ///
834 /// where Id is the identity for the operator, i.e. a constant such that
835 /// x op Id === x and Id op x === x for all x.
836 ///
837 /// In LLVM, the Xor operator is nilpotent.
838 ///
839 bool isNilpotent() const { return isNilpotent(getOpcode()); }
840 static bool isNilpotent(unsigned Opcode) {
841 return Opcode == Xor;
842 }
843
844 /// Return true if this instruction may modify memory.
845 LLVM_ABI bool mayWriteToMemory() const LLVM_READONLY;
846
847 /// Return true if this instruction may read memory.
848 LLVM_ABI bool mayReadFromMemory() const LLVM_READONLY;
849
850 /// Return true if this instruction may read or write memory.
851 bool mayReadOrWriteMemory() const {
853 }
854
855 /// Return true if this instruction has an AtomicOrdering of unordered or
856 /// higher.
857 LLVM_ABI bool isAtomic() const LLVM_READONLY;
858
859 /// Return true if this atomic instruction loads from memory.
860 LLVM_ABI bool hasAtomicLoad() const LLVM_READONLY;
861
862 /// Return true if this atomic instruction stores to memory.
863 LLVM_ABI bool hasAtomicStore() const LLVM_READONLY;
864
865 /// Return true if this instruction has a volatile memory access.
866 LLVM_ABI bool isVolatile() const LLVM_READONLY;
867
868 /// Return the type this instruction accesses in memory, if any.
870
871 /// Return true if this instruction may throw an exception.
872 ///
873 /// If IncludePhaseOneUnwind is set, this will also include cases where
874 /// phase one unwinding may unwind past this frame due to skipping of
875 /// cleanup landingpads.
876 LLVM_ABI bool
877 mayThrow(bool IncludePhaseOneUnwind = false) const LLVM_READONLY;
878
879 /// Return true if this instruction behaves like a memory fence: it can load
880 /// or store to memory location without being given a memory location.
881 bool isFenceLike() const {
882 switch (getOpcode()) {
883 default:
884 return false;
885 // This list should be kept in sync with the list in mayWriteToMemory for
886 // all opcodes which don't have a memory location.
887 case Instruction::Fence:
888 case Instruction::CatchPad:
889 case Instruction::CatchRet:
890 case Instruction::Call:
891 case Instruction::Invoke:
892 return true;
893 }
894 }
895
896 /// Return true if the instruction may have side effects.
897 ///
898 /// Side effects are:
899 /// * Writing to memory.
900 /// * Unwinding.
901 /// * Not returning (e.g. an infinite loop).
902 ///
903 /// Note that this does not consider malloc and alloca to have side
904 /// effects because the newly allocated memory is completely invisible to
905 /// instructions which don't use the returned value. For cases where this
906 /// matters, isSafeToSpeculativelyExecute may be more appropriate.
908
909 /// Return true if the instruction can be removed if the result is unused.
910 ///
911 /// When constant folding some instructions cannot be removed even if their
912 /// results are unused. Specifically terminator instructions and calls that
913 /// may have side effects cannot be removed without semantically changing the
914 /// generated program.
915 LLVM_ABI bool isSafeToRemove() const LLVM_READONLY;
916
917 /// Return true if the instruction will return (unwinding is considered as
918 /// a form of returning control flow here).
919 LLVM_ABI bool willReturn() const LLVM_READONLY;
920
921 /// Return true if the instruction is a variety of EH-block.
922 bool isEHPad() const {
923 switch (getOpcode()) {
924 case Instruction::CatchSwitch:
925 case Instruction::CatchPad:
926 case Instruction::CleanupPad:
927 case Instruction::LandingPad:
928 return true;
929 default:
930 return false;
931 }
932 }
933
934 /// Return true if the instruction is a llvm.lifetime.start or
935 /// llvm.lifetime.end marker.
936 LLVM_ABI bool isLifetimeStartOrEnd() const LLVM_READONLY;
937
938 /// Return true if the instruction is a llvm.launder.invariant.group or
939 /// llvm.strip.invariant.group.
940 LLVM_ABI bool isLaunderOrStripInvariantGroup() const LLVM_READONLY;
941
942 /// Return true if the instruction is a DbgInfoIntrinsic or PseudoProbeInst.
943 LLVM_ABI bool isDebugOrPseudoInst() const LLVM_READONLY;
944
945 /// Create a copy of 'this' instruction that is identical in all ways except
946 /// the following:
947 /// * The instruction has no parent
948 /// * The instruction has no name
949 ///
950 LLVM_ABI Instruction *clone() const;
951
952 /// Return true if the specified instruction is exactly identical to the
953 /// current one. This means that all operands match and any extra information
954 /// (e.g. load is volatile) agree.
955 LLVM_ABI bool isIdenticalTo(const Instruction *I) const LLVM_READONLY;
956
957 /// This is like isIdenticalTo, except that it ignores the
958 /// SubclassOptionalData flags, which may specify conditions under which the
959 /// instruction's result is undefined.
960 LLVM_ABI bool
961 isIdenticalToWhenDefined(const Instruction *I,
962 bool IntersectAttrs = false) const LLVM_READONLY;
963
964 /// When checking for operation equivalence (using isSameOperationAs) it is
965 /// sometimes useful to ignore certain attributes.
967 /// Check for equivalence ignoring load/store alignment.
969 /// Check for equivalence treating a type and a vector of that type
970 /// as equivalent.
972 /// Check for equivalence with intersected callbase attrs.
974 };
975
976 /// This function determines if the specified instruction executes the same
977 /// operation as the current one. This means that the opcodes, type, operand
978 /// types and any other factors affecting the operation must be the same. This
979 /// is similar to isIdenticalTo except the operands themselves don't have to
980 /// be identical.
981 /// @returns true if the specified instruction is the same operation as
982 /// the current one.
983 /// Determine if one instruction is the same operation as another.
984 LLVM_ABI bool isSameOperationAs(const Instruction *I,
985 unsigned flags = 0) const LLVM_READONLY;
986
987 /// This function determines if the speficied instruction has the same
988 /// "special" characteristics as the current one. This means that opcode
989 /// specific details are the same. As a common example, if we are comparing
990 /// loads, then hasSameSpecialState would compare the alignments (among
991 /// other things).
992 /// @returns true if the specific instruction has the same opcde specific
993 /// characteristics as the current one. Determine if one instruction has the
994 /// same state as another.
995 LLVM_ABI bool
996 hasSameSpecialState(const Instruction *I2, bool IgnoreAlignment = false,
997 bool IntersectAttrs = false) const LLVM_READONLY;
998
999 /// Return true if there are any uses of this instruction in blocks other than
1000 /// the specified block. Note that PHI nodes are considered to evaluate their
1001 /// operands in the corresponding predecessor block.
1002 LLVM_ABI bool isUsedOutsideOfBlock(const BasicBlock *BB) const LLVM_READONLY;
1003
1004 /// Return the number of successors that this instruction has. The instruction
1005 /// must be a terminator.
1006 LLVM_ABI unsigned getNumSuccessors() const LLVM_READONLY;
1007
1008 /// Return the specified successor. This instruction must be a terminator.
1009 LLVM_ABI BasicBlock *getSuccessor(unsigned Idx) const LLVM_READONLY;
1010
1011 /// Update the specified successor to point at the provided block. This
1012 /// instruction must be a terminator.
1013 LLVM_ABI void setSuccessor(unsigned Idx, BasicBlock *BB);
1014
1017 auto Ops = static_cast<const Instruction *>(this)->successors();
1018 Use *Begin = const_cast<Use *>(Ops.begin().getUse());
1019 Use *End = const_cast<Use *>(Ops.end().getUse());
1020 return make_range(succ_iterator(Begin), succ_iterator(End));
1021 }
1022
1023 /// Replace specified successor OldBB to point at the provided block.
1024 /// This instruction must be a terminator.
1025 LLVM_ABI void replaceSuccessorWith(BasicBlock *OldBB, BasicBlock *NewBB);
1026
1027 /// Methods for support type inquiry through isa, cast, and dyn_cast:
1028 static bool classof(const Value *V) {
1029 return V->getValueID() >= Value::InstructionVal;
1030 }
1031
1032 //----------------------------------------------------------------------
1033 // Exported enumerations.
1034 //
1035 enum TermOps { // These terminate basic blocks
1036#define FIRST_TERM_INST(N) TermOpsBegin = N,
1037#define HANDLE_TERM_INST(N, OPC, CLASS) OPC = N,
1038#define LAST_TERM_INST(N) TermOpsEnd = N+1
1039#include "llvm/IR/Instruction.def"
1040 };
1041
1043#define FIRST_UNARY_INST(N) UnaryOpsBegin = N,
1044#define HANDLE_UNARY_INST(N, OPC, CLASS) OPC = N,
1045#define LAST_UNARY_INST(N) UnaryOpsEnd = N+1
1046#include "llvm/IR/Instruction.def"
1047 };
1048
1050#define FIRST_BINARY_INST(N) BinaryOpsBegin = N,
1051#define HANDLE_BINARY_INST(N, OPC, CLASS) OPC = N,
1052#define LAST_BINARY_INST(N) BinaryOpsEnd = N+1
1053#include "llvm/IR/Instruction.def"
1054 };
1055
1057#define FIRST_MEMORY_INST(N) MemoryOpsBegin = N,
1058#define HANDLE_MEMORY_INST(N, OPC, CLASS) OPC = N,
1059#define LAST_MEMORY_INST(N) MemoryOpsEnd = N+1
1060#include "llvm/IR/Instruction.def"
1061 };
1062
1063 enum CastOps {
1064#define FIRST_CAST_INST(N) CastOpsBegin = N,
1065#define HANDLE_CAST_INST(N, OPC, CLASS) OPC = N,
1066#define LAST_CAST_INST(N) CastOpsEnd = N+1
1067#include "llvm/IR/Instruction.def"
1068 };
1069
1071#define FIRST_FUNCLETPAD_INST(N) FuncletPadOpsBegin = N,
1072#define HANDLE_FUNCLETPAD_INST(N, OPC, CLASS) OPC = N,
1073#define LAST_FUNCLETPAD_INST(N) FuncletPadOpsEnd = N+1
1074#include "llvm/IR/Instruction.def"
1075 };
1076
1078#define FIRST_OTHER_INST(N) OtherOpsBegin = N,
1079#define HANDLE_OTHER_INST(N, OPC, CLASS) OPC = N,
1080#define LAST_OTHER_INST(N) OtherOpsEnd = N+1
1081#include "llvm/IR/Instruction.def"
1082 };
1083
1084private:
1085 friend class SymbolTableListTraits<Instruction, ilist_iterator_bits<true>,
1086 ilist_parent<BasicBlock>>;
1087 friend class BasicBlock; // For renumbering.
1088
1089 // Shadow Value::setValueSubclassData with a private forwarding method so that
1090 // subclasses cannot accidentally use it.
1091 void setValueSubclassData(unsigned short D) {
1093 }
1094
1095 unsigned short getSubclassDataFromValue() const {
1097 }
1098
1099protected:
1100 // Instruction subclasses can stick up to 15 bits of stuff into the
1101 // SubclassData field of instruction with these members.
1102
1103 template <typename BitfieldElement>
1104 typename BitfieldElement::Type getSubclassData() const {
1105 static_assert(
1106 std::is_same<BitfieldElement, HasMetadataField>::value ||
1108 "Must not overlap with the metadata bit");
1109 return Bitfield::get<BitfieldElement>(getSubclassDataFromValue());
1110 }
1111
1112 template <typename BitfieldElement>
1113 void setSubclassData(typename BitfieldElement::Type Value) {
1114 static_assert(
1115 std::is_same<BitfieldElement, HasMetadataField>::value ||
1117 "Must not overlap with the metadata bit");
1118 auto Storage = getSubclassDataFromValue();
1120 setValueSubclassData(Storage);
1121 }
1122
1123 LLVM_ABI Instruction(Type *Ty, unsigned iType, AllocInfo AllocInfo,
1124 InsertPosition InsertBefore = nullptr);
1125
1126private:
1127 /// Create a copy of this instruction.
1128 Instruction *cloneImpl() const;
1129};
1130
1132 V->deleteValue();
1133}
1134
1135} // end namespace llvm
1136
1137#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:867
user_iterator user_begin()
Definition Value.h:402
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:543
LLVM_ABI MDNode * getMetadataImpl(unsigned KindID) const LLVM_READONLY
Get metadata for the given kind, if any.
void setValueSubclassData(unsigned short D)
Definition Value.h:868
static constexpr unsigned MaxAlignmentExponent
The maximum alignment for instructions.
Definition Value.h:807
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.