xref: /llvm-project-15.0.7/mlir/lib/IR/Block.cpp (revision b7f93c28)
1 //===- Block.cpp - MLIR Block Class ---------------------------------------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 
9 #include "mlir/IR/Block.h"
10 #include "mlir/IR/Builders.h"
11 #include "mlir/IR/Operation.h"
12 #include "llvm/ADT/BitVector.h"
13 using namespace mlir;
14 
15 //===----------------------------------------------------------------------===//
16 // Block
17 //===----------------------------------------------------------------------===//
18 
~Block()19 Block::~Block() {
20   assert(!verifyOpOrder() && "Expected valid operation ordering.");
21   clear();
22   for (BlockArgument arg : arguments)
23     arg.destroy();
24 }
25 
getParent() const26 Region *Block::getParent() const { return parentValidOpOrderPair.getPointer(); }
27 
28 /// Returns the closest surrounding operation that contains this block or
29 /// nullptr if this block is unlinked.
getParentOp()30 Operation *Block::getParentOp() {
31   return getParent() ? getParent()->getParentOp() : nullptr;
32 }
33 
34 /// Return if this block is the entry block in the parent region.
isEntryBlock()35 bool Block::isEntryBlock() { return this == &getParent()->front(); }
36 
37 /// Insert this block (which must not already be in a region) right before the
38 /// specified block.
insertBefore(Block * block)39 void Block::insertBefore(Block *block) {
40   assert(!getParent() && "already inserted into a block!");
41   assert(block->getParent() && "cannot insert before a block without a parent");
42   block->getParent()->getBlocks().insert(block->getIterator(), this);
43 }
44 
45 /// Unlink this block from its current region and insert it right before the
46 /// specific block.
moveBefore(Block * block)47 void Block::moveBefore(Block *block) {
48   assert(block->getParent() && "cannot insert before a block without a parent");
49   block->getParent()->getBlocks().splice(
50       block->getIterator(), getParent()->getBlocks(), getIterator());
51 }
52 
53 /// Unlink this Block from its parent Region and delete it.
erase()54 void Block::erase() {
55   assert(getParent() && "Block has no parent");
56   getParent()->getBlocks().erase(this);
57 }
58 
59 /// Returns 'op' if 'op' lies in this block, or otherwise finds the
60 /// ancestor operation of 'op' that lies in this block. Returns nullptr if
61 /// the latter fails.
findAncestorOpInBlock(Operation & op)62 Operation *Block::findAncestorOpInBlock(Operation &op) {
63   // Traverse up the operation hierarchy starting from the owner of operand to
64   // find the ancestor operation that resides in the block of 'forOp'.
65   auto *currOp = &op;
66   while (currOp->getBlock() != this) {
67     currOp = currOp->getParentOp();
68     if (!currOp)
69       return nullptr;
70   }
71   return currOp;
72 }
73 
74 /// This drops all operand uses from operations within this block, which is
75 /// an essential step in breaking cyclic dependences between references when
76 /// they are to be deleted.
dropAllReferences()77 void Block::dropAllReferences() {
78   for (Operation &i : *this)
79     i.dropAllReferences();
80 }
81 
dropAllDefinedValueUses()82 void Block::dropAllDefinedValueUses() {
83   for (auto arg : getArguments())
84     arg.dropAllUses();
85   for (auto &op : *this)
86     op.dropAllDefinedValueUses();
87   dropAllUses();
88 }
89 
90 /// Returns true if the ordering of the child operations is valid, false
91 /// otherwise.
isOpOrderValid()92 bool Block::isOpOrderValid() { return parentValidOpOrderPair.getInt(); }
93 
94 /// Invalidates the current ordering of operations.
invalidateOpOrder()95 void Block::invalidateOpOrder() {
96   // Validate the current ordering.
97   assert(!verifyOpOrder());
98   parentValidOpOrderPair.setInt(false);
99 }
100 
101 /// Verifies the current ordering of child operations. Returns false if the
102 /// order is valid, true otherwise.
verifyOpOrder()103 bool Block::verifyOpOrder() {
104   // The order is already known to be invalid.
105   if (!isOpOrderValid())
106     return false;
107   // The order is valid if there are less than 2 operations.
108   if (operations.empty() || std::next(operations.begin()) == operations.end())
109     return false;
110 
111   Operation *prev = nullptr;
112   for (auto &i : *this) {
113     // The previous operation must have a smaller order index than the next as
114     // it appears earlier in the list.
115     if (prev && prev->orderIndex != Operation::kInvalidOrderIdx &&
116         prev->orderIndex >= i.orderIndex)
117       return true;
118     prev = &i;
119   }
120   return false;
121 }
122 
123 /// Recomputes the ordering of child operations within the block.
recomputeOpOrder()124 void Block::recomputeOpOrder() {
125   parentValidOpOrderPair.setInt(true);
126 
127   unsigned orderIndex = 0;
128   for (auto &op : *this)
129     op.orderIndex = (orderIndex += Operation::kOrderStride);
130 }
131 
132 //===----------------------------------------------------------------------===//
133 // Argument list management.
134 //===----------------------------------------------------------------------===//
135 
136 /// Return a range containing the types of the arguments for this block.
getArgumentTypes()137 auto Block::getArgumentTypes() -> ValueTypeRange<BlockArgListType> {
138   return ValueTypeRange<BlockArgListType>(getArguments());
139 }
140 
addArgument(Type type,Location loc)141 BlockArgument Block::addArgument(Type type, Location loc) {
142   BlockArgument arg = BlockArgument::create(type, this, arguments.size(), loc);
143   arguments.push_back(arg);
144   return arg;
145 }
146 
147 /// Add one argument to the argument list for each type specified in the list.
addArguments(TypeRange types,ArrayRef<Location> locs)148 auto Block::addArguments(TypeRange types, ArrayRef<Location> locs)
149     -> iterator_range<args_iterator> {
150   assert(types.size() == locs.size() &&
151          "incorrect number of block argument locations");
152   size_t initialSize = arguments.size();
153   arguments.reserve(initialSize + types.size());
154 
155   for (auto typeAndLoc : llvm::zip(types, locs))
156     addArgument(std::get<0>(typeAndLoc), std::get<1>(typeAndLoc));
157   return {arguments.data() + initialSize, arguments.data() + arguments.size()};
158 }
159 
insertArgument(unsigned index,Type type,Location loc)160 BlockArgument Block::insertArgument(unsigned index, Type type, Location loc) {
161   assert(index <= arguments.size() && "invalid insertion index");
162 
163   auto arg = BlockArgument::create(type, this, index, loc);
164   arguments.insert(arguments.begin() + index, arg);
165   // Update the cached position for all the arguments after the newly inserted
166   // one.
167   ++index;
168   for (BlockArgument arg : llvm::drop_begin(arguments, index))
169     arg.setArgNumber(index++);
170   return arg;
171 }
172 
173 /// Insert one value to the given position of the argument list. The existing
174 /// arguments are shifted. The block is expected not to have predecessors.
insertArgument(args_iterator it,Type type,Location loc)175 BlockArgument Block::insertArgument(args_iterator it, Type type, Location loc) {
176   assert(llvm::empty(getPredecessors()) &&
177          "cannot insert arguments to blocks with predecessors");
178   return insertArgument(it->getArgNumber(), type, loc);
179 }
180 
eraseArgument(unsigned index)181 void Block::eraseArgument(unsigned index) {
182   assert(index < arguments.size());
183   arguments[index].destroy();
184   arguments.erase(arguments.begin() + index);
185   for (BlockArgument arg : llvm::drop_begin(arguments, index))
186     arg.setArgNumber(index++);
187 }
188 
eraseArguments(ArrayRef<unsigned> argIndices)189 void Block::eraseArguments(ArrayRef<unsigned> argIndices) {
190   BitVector eraseIndices(getNumArguments());
191   for (unsigned i : argIndices)
192     eraseIndices.set(i);
193   eraseArguments(eraseIndices);
194 }
195 
eraseArguments(const BitVector & eraseIndices)196 void Block::eraseArguments(const BitVector &eraseIndices) {
197   eraseArguments(
198       [&](BlockArgument arg) { return eraseIndices.test(arg.getArgNumber()); });
199 }
200 
eraseArguments(function_ref<bool (BlockArgument)> shouldEraseFn)201 void Block::eraseArguments(function_ref<bool(BlockArgument)> shouldEraseFn) {
202   auto firstDead = llvm::find_if(arguments, shouldEraseFn);
203   if (firstDead == arguments.end())
204     return;
205 
206   // Destroy the first dead argument, this avoids reapplying the predicate to
207   // it.
208   unsigned index = firstDead->getArgNumber();
209   firstDead->destroy();
210 
211   // Iterate the remaining arguments to remove any that are now dead.
212   for (auto it = std::next(firstDead), e = arguments.end(); it != e; ++it) {
213     // Destroy dead arguments, and shift those that are still live.
214     if (shouldEraseFn(*it)) {
215       it->destroy();
216     } else {
217       it->setArgNumber(index++);
218       *firstDead++ = *it;
219     }
220   }
221   arguments.erase(firstDead, arguments.end());
222 }
223 
224 //===----------------------------------------------------------------------===//
225 // Terminator management
226 //===----------------------------------------------------------------------===//
227 
228 /// Get the terminator operation of this block. This function asserts that
229 /// the block has a valid terminator operation.
getTerminator()230 Operation *Block::getTerminator() {
231   assert(!empty() && back().mightHaveTrait<OpTrait::IsTerminator>());
232   return &back();
233 }
234 
235 // Indexed successor access.
getNumSuccessors()236 unsigned Block::getNumSuccessors() {
237   return empty() ? 0 : back().getNumSuccessors();
238 }
239 
getSuccessor(unsigned i)240 Block *Block::getSuccessor(unsigned i) {
241   assert(i < getNumSuccessors());
242   return getTerminator()->getSuccessor(i);
243 }
244 
245 /// If this block has exactly one predecessor, return it.  Otherwise, return
246 /// null.
247 ///
248 /// Note that multiple edges from a single block (e.g. if you have a cond
249 /// branch with the same block as the true/false destinations) is not
250 /// considered to be a single predecessor.
getSinglePredecessor()251 Block *Block::getSinglePredecessor() {
252   auto it = pred_begin();
253   if (it == pred_end())
254     return nullptr;
255   auto *firstPred = *it;
256   ++it;
257   return it == pred_end() ? firstPred : nullptr;
258 }
259 
260 /// If this block has a unique predecessor, i.e., all incoming edges originate
261 /// from one block, return it. Otherwise, return null.
getUniquePredecessor()262 Block *Block::getUniquePredecessor() {
263   auto it = pred_begin(), e = pred_end();
264   if (it == e)
265     return nullptr;
266 
267   // Check for any conflicting predecessors.
268   auto *firstPred = *it;
269   for (++it; it != e; ++it)
270     if (*it != firstPred)
271       return nullptr;
272   return firstPred;
273 }
274 
275 //===----------------------------------------------------------------------===//
276 // Other
277 //===----------------------------------------------------------------------===//
278 
279 /// Split the block into two blocks before the specified operation or
280 /// iterator.
281 ///
282 /// Note that all operations BEFORE the specified iterator stay as part of
283 /// the original basic block, and the rest of the operations in the original
284 /// block are moved to the new block, including the old terminator.  The
285 /// original block is left without a terminator.
286 ///
287 /// The newly formed Block is returned, and the specified iterator is
288 /// invalidated.
splitBlock(iterator splitBefore)289 Block *Block::splitBlock(iterator splitBefore) {
290   // Start by creating a new basic block, and insert it immediate after this
291   // one in the containing region.
292   auto *newBB = new Block();
293   getParent()->getBlocks().insert(std::next(Region::iterator(this)), newBB);
294 
295   // Move all of the operations from the split point to the end of the region
296   // into the new block.
297   newBB->getOperations().splice(newBB->end(), getOperations(), splitBefore,
298                                 end());
299   return newBB;
300 }
301 
302 //===----------------------------------------------------------------------===//
303 // Predecessors
304 //===----------------------------------------------------------------------===//
305 
unwrap(BlockOperand & value)306 Block *PredecessorIterator::unwrap(BlockOperand &value) {
307   return value.getOwner()->getBlock();
308 }
309 
310 /// Get the successor number in the predecessor terminator.
getSuccessorIndex() const311 unsigned PredecessorIterator::getSuccessorIndex() const {
312   return I->getOperandNumber();
313 }
314 
315 //===----------------------------------------------------------------------===//
316 // SuccessorRange
317 //===----------------------------------------------------------------------===//
318 
SuccessorRange()319 SuccessorRange::SuccessorRange() : SuccessorRange(nullptr, 0) {}
320 
SuccessorRange(Block * block)321 SuccessorRange::SuccessorRange(Block *block) : SuccessorRange() {
322   if (block->empty() || llvm::hasSingleElement(*block->getParent()))
323     return;
324   Operation *term = &block->back();
325   if ((count = term->getNumSuccessors()))
326     base = term->getBlockOperands().data();
327 }
328 
SuccessorRange(Operation * term)329 SuccessorRange::SuccessorRange(Operation *term) : SuccessorRange() {
330   if ((count = term->getNumSuccessors()))
331     base = term->getBlockOperands().data();
332 }
333 
334 //===----------------------------------------------------------------------===//
335 // BlockRange
336 //===----------------------------------------------------------------------===//
337 
BlockRange(ArrayRef<Block * > blocks)338 BlockRange::BlockRange(ArrayRef<Block *> blocks) : BlockRange(nullptr, 0) {
339   if ((count = blocks.size()))
340     base = blocks.data();
341 }
342 
BlockRange(SuccessorRange successors)343 BlockRange::BlockRange(SuccessorRange successors)
344     : BlockRange(successors.begin().getBase(), successors.size()) {}
345 
346 /// See `llvm::detail::indexed_accessor_range_base` for details.
offset_base(OwnerT object,ptrdiff_t index)347 BlockRange::OwnerT BlockRange::offset_base(OwnerT object, ptrdiff_t index) {
348   if (auto *operand = object.dyn_cast<BlockOperand *>())
349     return {operand + index};
350   return {object.dyn_cast<Block *const *>() + index};
351 }
352 
353 /// See `llvm::detail::indexed_accessor_range_base` for details.
dereference_iterator(OwnerT object,ptrdiff_t index)354 Block *BlockRange::dereference_iterator(OwnerT object, ptrdiff_t index) {
355   if (const auto *operand = object.dyn_cast<BlockOperand *>())
356     return operand[index].get();
357   return object.dyn_cast<Block *const *>()[index];
358 }
359