xref: /llvm-project/mlir/lib/Dialect/ControlFlow/IR/ControlFlowOps.cpp (revision 0c789db541c236abf47265331a2f2b0945aa7b93)
1 //===- ControlFlowOps.cpp - ControlFlow Operations ------------------------===//
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/Dialect/ControlFlow/IR/ControlFlowOps.h"
10 
11 #include "mlir/Dialect/Arithmetic/IR/Arithmetic.h"
12 #include "mlir/Dialect/CommonFolders.h"
13 #include "mlir/IR/AffineExpr.h"
14 #include "mlir/IR/AffineMap.h"
15 #include "mlir/IR/BlockAndValueMapping.h"
16 #include "mlir/IR/Builders.h"
17 #include "mlir/IR/BuiltinOps.h"
18 #include "mlir/IR/BuiltinTypes.h"
19 #include "mlir/IR/Matchers.h"
20 #include "mlir/IR/OpImplementation.h"
21 #include "mlir/IR/PatternMatch.h"
22 #include "mlir/IR/TypeUtilities.h"
23 #include "mlir/IR/Value.h"
24 #include "mlir/Support/MathExtras.h"
25 #include "mlir/Transforms/InliningUtils.h"
26 #include "llvm/ADT/APFloat.h"
27 #include "llvm/ADT/STLExtras.h"
28 #include "llvm/ADT/StringSwitch.h"
29 #include "llvm/Support/FormatVariadic.h"
30 #include "llvm/Support/raw_ostream.h"
31 #include <numeric>
32 
33 #include "mlir/Dialect/ControlFlow/IR/ControlFlowOpsDialect.cpp.inc"
34 
35 using namespace mlir;
36 using namespace mlir::cf;
37 
38 //===----------------------------------------------------------------------===//
39 // ControlFlowDialect Interfaces
40 //===----------------------------------------------------------------------===//
41 namespace {
42 /// This class defines the interface for handling inlining with control flow
43 /// operations.
44 struct ControlFlowInlinerInterface : public DialectInlinerInterface {
45   using DialectInlinerInterface::DialectInlinerInterface;
46   ~ControlFlowInlinerInterface() override = default;
47 
48   /// All control flow operations can be inlined.
49   bool isLegalToInline(Operation *call, Operation *callable,
50                        bool wouldBeCloned) const final {
51     return true;
52   }
53   bool isLegalToInline(Operation *, Region *, bool,
54                        BlockAndValueMapping &) const final {
55     return true;
56   }
57 
58   /// ControlFlow terminator operations don't really need any special handing.
59   void handleTerminator(Operation *op, Block *newDest) const final {}
60 };
61 } // namespace
62 
63 //===----------------------------------------------------------------------===//
64 // ControlFlowDialect
65 //===----------------------------------------------------------------------===//
66 
67 void ControlFlowDialect::initialize() {
68   addOperations<
69 #define GET_OP_LIST
70 #include "mlir/Dialect/ControlFlow/IR/ControlFlowOps.cpp.inc"
71       >();
72   addInterfaces<ControlFlowInlinerInterface>();
73 }
74 
75 //===----------------------------------------------------------------------===//
76 // AssertOp
77 //===----------------------------------------------------------------------===//
78 
79 LogicalResult AssertOp::canonicalize(AssertOp op, PatternRewriter &rewriter) {
80   // Erase assertion if argument is constant true.
81   if (matchPattern(op.getArg(), m_One())) {
82     rewriter.eraseOp(op);
83     return success();
84   }
85   return failure();
86 }
87 
88 //===----------------------------------------------------------------------===//
89 // BranchOp
90 //===----------------------------------------------------------------------===//
91 
92 /// Given a successor, try to collapse it to a new destination if it only
93 /// contains a passthrough unconditional branch. If the successor is
94 /// collapsable, `successor` and `successorOperands` are updated to reference
95 /// the new destination and values. `argStorage` is used as storage if operands
96 /// to the collapsed successor need to be remapped. It must outlive uses of
97 /// successorOperands.
98 static LogicalResult collapseBranch(Block *&successor,
99                                     ValueRange &successorOperands,
100                                     SmallVectorImpl<Value> &argStorage) {
101   // Check that the successor only contains a unconditional branch.
102   if (std::next(successor->begin()) != successor->end())
103     return failure();
104   // Check that the terminator is an unconditional branch.
105   BranchOp successorBranch = dyn_cast<BranchOp>(successor->getTerminator());
106   if (!successorBranch)
107     return failure();
108   // Check that the arguments are only used within the terminator.
109   for (BlockArgument arg : successor->getArguments()) {
110     for (Operation *user : arg.getUsers())
111       if (user != successorBranch)
112         return failure();
113   }
114   // Don't try to collapse branches to infinite loops.
115   Block *successorDest = successorBranch.getDest();
116   if (successorDest == successor)
117     return failure();
118 
119   // Update the operands to the successor. If the branch parent has no
120   // arguments, we can use the branch operands directly.
121   OperandRange operands = successorBranch.getOperands();
122   if (successor->args_empty()) {
123     successor = successorDest;
124     successorOperands = operands;
125     return success();
126   }
127 
128   // Otherwise, we need to remap any argument operands.
129   for (Value operand : operands) {
130     BlockArgument argOperand = operand.dyn_cast<BlockArgument>();
131     if (argOperand && argOperand.getOwner() == successor)
132       argStorage.push_back(successorOperands[argOperand.getArgNumber()]);
133     else
134       argStorage.push_back(operand);
135   }
136   successor = successorDest;
137   successorOperands = argStorage;
138   return success();
139 }
140 
141 /// Simplify a branch to a block that has a single predecessor. This effectively
142 /// merges the two blocks.
143 static LogicalResult
144 simplifyBrToBlockWithSinglePred(BranchOp op, PatternRewriter &rewriter) {
145   // Check that the successor block has a single predecessor.
146   Block *succ = op.getDest();
147   Block *opParent = op->getBlock();
148   if (succ == opParent || !llvm::hasSingleElement(succ->getPredecessors()))
149     return failure();
150 
151   // Merge the successor into the current block and erase the branch.
152   rewriter.mergeBlocks(succ, opParent, op.getOperands());
153   rewriter.eraseOp(op);
154   return success();
155 }
156 
157 ///   br ^bb1
158 /// ^bb1
159 ///   br ^bbN(...)
160 ///
161 ///  -> br ^bbN(...)
162 ///
163 static LogicalResult simplifyPassThroughBr(BranchOp op,
164                                            PatternRewriter &rewriter) {
165   Block *dest = op.getDest();
166   ValueRange destOperands = op.getOperands();
167   SmallVector<Value, 4> destOperandStorage;
168 
169   // Try to collapse the successor if it points somewhere other than this
170   // block.
171   if (dest == op->getBlock() ||
172       failed(collapseBranch(dest, destOperands, destOperandStorage)))
173     return failure();
174 
175   // Create a new branch with the collapsed successor.
176   rewriter.replaceOpWithNewOp<BranchOp>(op, dest, destOperands);
177   return success();
178 }
179 
180 LogicalResult BranchOp::canonicalize(BranchOp op, PatternRewriter &rewriter) {
181   return success(succeeded(simplifyBrToBlockWithSinglePred(op, rewriter)) ||
182                  succeeded(simplifyPassThroughBr(op, rewriter)));
183 }
184 
185 void BranchOp::setDest(Block *block) { return setSuccessor(block); }
186 
187 void BranchOp::eraseOperand(unsigned index) { (*this)->eraseOperand(index); }
188 
189 SuccessorOperands BranchOp::getSuccessorOperands(unsigned index) {
190   assert(index == 0 && "invalid successor index");
191   return SuccessorOperands(getDestOperandsMutable());
192 }
193 
194 Block *BranchOp::getSuccessorForOperands(ArrayRef<Attribute>) {
195   return getDest();
196 }
197 
198 //===----------------------------------------------------------------------===//
199 // CondBranchOp
200 //===----------------------------------------------------------------------===//
201 
202 namespace {
203 /// cf.cond_br true, ^bb1, ^bb2
204 ///  -> br ^bb1
205 /// cf.cond_br false, ^bb1, ^bb2
206 ///  -> br ^bb2
207 ///
208 struct SimplifyConstCondBranchPred : public OpRewritePattern<CondBranchOp> {
209   using OpRewritePattern<CondBranchOp>::OpRewritePattern;
210 
211   LogicalResult matchAndRewrite(CondBranchOp condbr,
212                                 PatternRewriter &rewriter) const override {
213     if (matchPattern(condbr.getCondition(), m_NonZero())) {
214       // True branch taken.
215       rewriter.replaceOpWithNewOp<BranchOp>(condbr, condbr.getTrueDest(),
216                                             condbr.getTrueOperands());
217       return success();
218     }
219     if (matchPattern(condbr.getCondition(), m_Zero())) {
220       // False branch taken.
221       rewriter.replaceOpWithNewOp<BranchOp>(condbr, condbr.getFalseDest(),
222                                             condbr.getFalseOperands());
223       return success();
224     }
225     return failure();
226   }
227 };
228 
229 ///   cf.cond_br %cond, ^bb1, ^bb2
230 /// ^bb1
231 ///   br ^bbN(...)
232 /// ^bb2
233 ///   br ^bbK(...)
234 ///
235 ///  -> cf.cond_br %cond, ^bbN(...), ^bbK(...)
236 ///
237 struct SimplifyPassThroughCondBranch : public OpRewritePattern<CondBranchOp> {
238   using OpRewritePattern<CondBranchOp>::OpRewritePattern;
239 
240   LogicalResult matchAndRewrite(CondBranchOp condbr,
241                                 PatternRewriter &rewriter) const override {
242     Block *trueDest = condbr.getTrueDest(), *falseDest = condbr.getFalseDest();
243     ValueRange trueDestOperands = condbr.getTrueOperands();
244     ValueRange falseDestOperands = condbr.getFalseOperands();
245     SmallVector<Value, 4> trueDestOperandStorage, falseDestOperandStorage;
246 
247     // Try to collapse one of the current successors.
248     LogicalResult collapsedTrue =
249         collapseBranch(trueDest, trueDestOperands, trueDestOperandStorage);
250     LogicalResult collapsedFalse =
251         collapseBranch(falseDest, falseDestOperands, falseDestOperandStorage);
252     if (failed(collapsedTrue) && failed(collapsedFalse))
253       return failure();
254 
255     // Create a new branch with the collapsed successors.
256     rewriter.replaceOpWithNewOp<CondBranchOp>(condbr, condbr.getCondition(),
257                                               trueDest, trueDestOperands,
258                                               falseDest, falseDestOperands);
259     return success();
260   }
261 };
262 
263 /// cf.cond_br %cond, ^bb1(A, ..., N), ^bb1(A, ..., N)
264 ///  -> br ^bb1(A, ..., N)
265 ///
266 /// cf.cond_br %cond, ^bb1(A), ^bb1(B)
267 ///  -> %select = arith.select %cond, A, B
268 ///     br ^bb1(%select)
269 ///
270 struct SimplifyCondBranchIdenticalSuccessors
271     : public OpRewritePattern<CondBranchOp> {
272   using OpRewritePattern<CondBranchOp>::OpRewritePattern;
273 
274   LogicalResult matchAndRewrite(CondBranchOp condbr,
275                                 PatternRewriter &rewriter) const override {
276     // Check that the true and false destinations are the same and have the same
277     // operands.
278     Block *trueDest = condbr.getTrueDest();
279     if (trueDest != condbr.getFalseDest())
280       return failure();
281 
282     // If all of the operands match, no selects need to be generated.
283     OperandRange trueOperands = condbr.getTrueOperands();
284     OperandRange falseOperands = condbr.getFalseOperands();
285     if (trueOperands == falseOperands) {
286       rewriter.replaceOpWithNewOp<BranchOp>(condbr, trueDest, trueOperands);
287       return success();
288     }
289 
290     // Otherwise, if the current block is the only predecessor insert selects
291     // for any mismatched branch operands.
292     if (trueDest->getUniquePredecessor() != condbr->getBlock())
293       return failure();
294 
295     // Generate a select for any operands that differ between the two.
296     SmallVector<Value, 8> mergedOperands;
297     mergedOperands.reserve(trueOperands.size());
298     Value condition = condbr.getCondition();
299     for (auto it : llvm::zip(trueOperands, falseOperands)) {
300       if (std::get<0>(it) == std::get<1>(it))
301         mergedOperands.push_back(std::get<0>(it));
302       else
303         mergedOperands.push_back(rewriter.create<arith::SelectOp>(
304             condbr.getLoc(), condition, std::get<0>(it), std::get<1>(it)));
305     }
306 
307     rewriter.replaceOpWithNewOp<BranchOp>(condbr, trueDest, mergedOperands);
308     return success();
309   }
310 };
311 
312 ///   ...
313 ///   cf.cond_br %cond, ^bb1(...), ^bb2(...)
314 /// ...
315 /// ^bb1: // has single predecessor
316 ///   ...
317 ///   cf.cond_br %cond, ^bb3(...), ^bb4(...)
318 ///
319 /// ->
320 ///
321 ///   ...
322 ///   cf.cond_br %cond, ^bb1(...), ^bb2(...)
323 /// ...
324 /// ^bb1: // has single predecessor
325 ///   ...
326 ///   br ^bb3(...)
327 ///
328 struct SimplifyCondBranchFromCondBranchOnSameCondition
329     : public OpRewritePattern<CondBranchOp> {
330   using OpRewritePattern<CondBranchOp>::OpRewritePattern;
331 
332   LogicalResult matchAndRewrite(CondBranchOp condbr,
333                                 PatternRewriter &rewriter) const override {
334     // Check that we have a single distinct predecessor.
335     Block *currentBlock = condbr->getBlock();
336     Block *predecessor = currentBlock->getSinglePredecessor();
337     if (!predecessor)
338       return failure();
339 
340     // Check that the predecessor terminates with a conditional branch to this
341     // block and that it branches on the same condition.
342     auto predBranch = dyn_cast<CondBranchOp>(predecessor->getTerminator());
343     if (!predBranch || condbr.getCondition() != predBranch.getCondition())
344       return failure();
345 
346     // Fold this branch to an unconditional branch.
347     if (currentBlock == predBranch.getTrueDest())
348       rewriter.replaceOpWithNewOp<BranchOp>(condbr, condbr.getTrueDest(),
349                                             condbr.getTrueDestOperands());
350     else
351       rewriter.replaceOpWithNewOp<BranchOp>(condbr, condbr.getFalseDest(),
352                                             condbr.getFalseDestOperands());
353     return success();
354   }
355 };
356 
357 ///   cf.cond_br %arg0, ^trueB, ^falseB
358 ///
359 /// ^trueB:
360 ///   "test.consumer1"(%arg0) : (i1) -> ()
361 ///    ...
362 ///
363 /// ^falseB:
364 ///   "test.consumer2"(%arg0) : (i1) -> ()
365 ///   ...
366 ///
367 /// ->
368 ///
369 ///   cf.cond_br %arg0, ^trueB, ^falseB
370 /// ^trueB:
371 ///   "test.consumer1"(%true) : (i1) -> ()
372 ///   ...
373 ///
374 /// ^falseB:
375 ///   "test.consumer2"(%false) : (i1) -> ()
376 ///   ...
377 struct CondBranchTruthPropagation : public OpRewritePattern<CondBranchOp> {
378   using OpRewritePattern<CondBranchOp>::OpRewritePattern;
379 
380   LogicalResult matchAndRewrite(CondBranchOp condbr,
381                                 PatternRewriter &rewriter) const override {
382     // Check that we have a single distinct predecessor.
383     bool replaced = false;
384     Type ty = rewriter.getI1Type();
385 
386     // These variables serve to prevent creating duplicate constants
387     // and hold constant true or false values.
388     Value constantTrue = nullptr;
389     Value constantFalse = nullptr;
390 
391     // TODO These checks can be expanded to encompas any use with only
392     // either the true of false edge as a predecessor. For now, we fall
393     // back to checking the single predecessor is given by the true/fasle
394     // destination, thereby ensuring that only that edge can reach the
395     // op.
396     if (condbr.getTrueDest()->getSinglePredecessor()) {
397       for (OpOperand &use :
398            llvm::make_early_inc_range(condbr.getCondition().getUses())) {
399         if (use.getOwner()->getBlock() == condbr.getTrueDest()) {
400           replaced = true;
401 
402           if (!constantTrue)
403             constantTrue = rewriter.create<arith::ConstantOp>(
404                 condbr.getLoc(), ty, rewriter.getBoolAttr(true));
405 
406           rewriter.updateRootInPlace(use.getOwner(),
407                                      [&] { use.set(constantTrue); });
408         }
409       }
410     }
411     if (condbr.getFalseDest()->getSinglePredecessor()) {
412       for (OpOperand &use :
413            llvm::make_early_inc_range(condbr.getCondition().getUses())) {
414         if (use.getOwner()->getBlock() == condbr.getFalseDest()) {
415           replaced = true;
416 
417           if (!constantFalse)
418             constantFalse = rewriter.create<arith::ConstantOp>(
419                 condbr.getLoc(), ty, rewriter.getBoolAttr(false));
420 
421           rewriter.updateRootInPlace(use.getOwner(),
422                                      [&] { use.set(constantFalse); });
423         }
424       }
425     }
426     return success(replaced);
427   }
428 };
429 } // namespace
430 
431 void CondBranchOp::getCanonicalizationPatterns(RewritePatternSet &results,
432                                                MLIRContext *context) {
433   results.add<SimplifyConstCondBranchPred, SimplifyPassThroughCondBranch,
434               SimplifyCondBranchIdenticalSuccessors,
435               SimplifyCondBranchFromCondBranchOnSameCondition,
436               CondBranchTruthPropagation>(context);
437 }
438 
439 SuccessorOperands CondBranchOp::getSuccessorOperands(unsigned index) {
440   assert(index < getNumSuccessors() && "invalid successor index");
441   return SuccessorOperands(index == trueIndex ? getTrueDestOperandsMutable()
442                                               : getFalseDestOperandsMutable());
443 }
444 
445 Block *CondBranchOp::getSuccessorForOperands(ArrayRef<Attribute> operands) {
446   if (IntegerAttr condAttr = operands.front().dyn_cast_or_null<IntegerAttr>())
447     return condAttr.getValue().isOneValue() ? getTrueDest() : getFalseDest();
448   return nullptr;
449 }
450 
451 //===----------------------------------------------------------------------===//
452 // SwitchOp
453 //===----------------------------------------------------------------------===//
454 
455 void SwitchOp::build(OpBuilder &builder, OperationState &result, Value value,
456                      Block *defaultDestination, ValueRange defaultOperands,
457                      DenseIntElementsAttr caseValues,
458                      BlockRange caseDestinations,
459                      ArrayRef<ValueRange> caseOperands) {
460   build(builder, result, value, defaultOperands, caseOperands, caseValues,
461         defaultDestination, caseDestinations);
462 }
463 
464 void SwitchOp::build(OpBuilder &builder, OperationState &result, Value value,
465                      Block *defaultDestination, ValueRange defaultOperands,
466                      ArrayRef<APInt> caseValues, BlockRange caseDestinations,
467                      ArrayRef<ValueRange> caseOperands) {
468   DenseIntElementsAttr caseValuesAttr;
469   if (!caseValues.empty()) {
470     ShapedType caseValueType = VectorType::get(
471         static_cast<int64_t>(caseValues.size()), value.getType());
472     caseValuesAttr = DenseIntElementsAttr::get(caseValueType, caseValues);
473   }
474   build(builder, result, value, defaultDestination, defaultOperands,
475         caseValuesAttr, caseDestinations, caseOperands);
476 }
477 
478 /// <cases> ::= `default` `:` bb-id (`(` ssa-use-and-type-list `)`)?
479 ///             ( `,` integer `:` bb-id (`(` ssa-use-and-type-list `)`)? )*
480 static ParseResult parseSwitchOpCases(
481     OpAsmParser &parser, Type &flagType, Block *&defaultDestination,
482     SmallVectorImpl<OpAsmParser::UnresolvedOperand> &defaultOperands,
483     SmallVectorImpl<Type> &defaultOperandTypes,
484     DenseIntElementsAttr &caseValues,
485     SmallVectorImpl<Block *> &caseDestinations,
486     SmallVectorImpl<SmallVector<OpAsmParser::UnresolvedOperand>> &caseOperands,
487     SmallVectorImpl<SmallVector<Type>> &caseOperandTypes) {
488   if (parser.parseKeyword("default") || parser.parseColon() ||
489       parser.parseSuccessor(defaultDestination))
490     return failure();
491   if (succeeded(parser.parseOptionalLParen())) {
492     if (parser.parseRegionArgumentList(defaultOperands) ||
493         parser.parseColonTypeList(defaultOperandTypes) || parser.parseRParen())
494       return failure();
495   }
496 
497   SmallVector<APInt> values;
498   unsigned bitWidth = flagType.getIntOrFloatBitWidth();
499   while (succeeded(parser.parseOptionalComma())) {
500     int64_t value = 0;
501     if (failed(parser.parseInteger(value)))
502       return failure();
503     values.push_back(APInt(bitWidth, value));
504 
505     Block *destination;
506     SmallVector<OpAsmParser::UnresolvedOperand> operands;
507     SmallVector<Type> operandTypes;
508     if (failed(parser.parseColon()) ||
509         failed(parser.parseSuccessor(destination)))
510       return failure();
511     if (succeeded(parser.parseOptionalLParen())) {
512       if (failed(parser.parseRegionArgumentList(operands)) ||
513           failed(parser.parseColonTypeList(operandTypes)) ||
514           failed(parser.parseRParen()))
515         return failure();
516     }
517     caseDestinations.push_back(destination);
518     caseOperands.emplace_back(operands);
519     caseOperandTypes.emplace_back(operandTypes);
520   }
521 
522   if (!values.empty()) {
523     ShapedType caseValueType =
524         VectorType::get(static_cast<int64_t>(values.size()), flagType);
525     caseValues = DenseIntElementsAttr::get(caseValueType, values);
526   }
527   return success();
528 }
529 
530 static void printSwitchOpCases(
531     OpAsmPrinter &p, SwitchOp op, Type flagType, Block *defaultDestination,
532     OperandRange defaultOperands, TypeRange defaultOperandTypes,
533     DenseIntElementsAttr caseValues, SuccessorRange caseDestinations,
534     OperandRangeRange caseOperands, const TypeRangeRange &caseOperandTypes) {
535   p << "  default: ";
536   p.printSuccessorAndUseList(defaultDestination, defaultOperands);
537 
538   if (!caseValues)
539     return;
540 
541   for (const auto &it : llvm::enumerate(caseValues.getValues<APInt>())) {
542     p << ',';
543     p.printNewline();
544     p << "  ";
545     p << it.value().getLimitedValue();
546     p << ": ";
547     p.printSuccessorAndUseList(caseDestinations[it.index()],
548                                caseOperands[it.index()]);
549   }
550   p.printNewline();
551 }
552 
553 LogicalResult SwitchOp::verify() {
554   auto caseValues = getCaseValues();
555   auto caseDestinations = getCaseDestinations();
556 
557   if (!caseValues && caseDestinations.empty())
558     return success();
559 
560   Type flagType = getFlag().getType();
561   Type caseValueType = caseValues->getType().getElementType();
562   if (caseValueType != flagType)
563     return emitOpError() << "'flag' type (" << flagType
564                          << ") should match case value type (" << caseValueType
565                          << ")";
566 
567   if (caseValues &&
568       caseValues->size() != static_cast<int64_t>(caseDestinations.size()))
569     return emitOpError() << "number of case values (" << caseValues->size()
570                          << ") should match number of "
571                             "case destinations ("
572                          << caseDestinations.size() << ")";
573   return success();
574 }
575 
576 SuccessorOperands SwitchOp::getSuccessorOperands(unsigned index) {
577   assert(index < getNumSuccessors() && "invalid successor index");
578   return SuccessorOperands(index == 0 ? getDefaultOperandsMutable()
579                                       : getCaseOperandsMutable(index - 1));
580 }
581 
582 Block *SwitchOp::getSuccessorForOperands(ArrayRef<Attribute> operands) {
583   Optional<DenseIntElementsAttr> caseValues = getCaseValues();
584 
585   if (!caseValues)
586     return getDefaultDestination();
587 
588   SuccessorRange caseDests = getCaseDestinations();
589   if (auto value = operands.front().dyn_cast_or_null<IntegerAttr>()) {
590     for (const auto &it : llvm::enumerate(caseValues->getValues<APInt>()))
591       if (it.value() == value.getValue())
592         return caseDests[it.index()];
593     return getDefaultDestination();
594   }
595   return nullptr;
596 }
597 
598 /// switch %flag : i32, [
599 ///   default:  ^bb1
600 /// ]
601 ///  -> br ^bb1
602 static LogicalResult simplifySwitchWithOnlyDefault(SwitchOp op,
603                                                    PatternRewriter &rewriter) {
604   if (!op.getCaseDestinations().empty())
605     return failure();
606 
607   rewriter.replaceOpWithNewOp<BranchOp>(op, op.getDefaultDestination(),
608                                         op.getDefaultOperands());
609   return success();
610 }
611 
612 /// switch %flag : i32, [
613 ///   default: ^bb1,
614 ///   42: ^bb1,
615 ///   43: ^bb2
616 /// ]
617 /// ->
618 /// switch %flag : i32, [
619 ///   default: ^bb1,
620 ///   43: ^bb2
621 /// ]
622 static LogicalResult
623 dropSwitchCasesThatMatchDefault(SwitchOp op, PatternRewriter &rewriter) {
624   SmallVector<Block *> newCaseDestinations;
625   SmallVector<ValueRange> newCaseOperands;
626   SmallVector<APInt> newCaseValues;
627   bool requiresChange = false;
628   auto caseValues = op.getCaseValues();
629   auto caseDests = op.getCaseDestinations();
630 
631   for (const auto &it : llvm::enumerate(caseValues->getValues<APInt>())) {
632     if (caseDests[it.index()] == op.getDefaultDestination() &&
633         op.getCaseOperands(it.index()) == op.getDefaultOperands()) {
634       requiresChange = true;
635       continue;
636     }
637     newCaseDestinations.push_back(caseDests[it.index()]);
638     newCaseOperands.push_back(op.getCaseOperands(it.index()));
639     newCaseValues.push_back(it.value());
640   }
641 
642   if (!requiresChange)
643     return failure();
644 
645   rewriter.replaceOpWithNewOp<SwitchOp>(
646       op, op.getFlag(), op.getDefaultDestination(), op.getDefaultOperands(),
647       newCaseValues, newCaseDestinations, newCaseOperands);
648   return success();
649 }
650 
651 /// Helper for folding a switch with a constant value.
652 /// switch %c_42 : i32, [
653 ///   default: ^bb1 ,
654 ///   42: ^bb2,
655 ///   43: ^bb3
656 /// ]
657 /// -> br ^bb2
658 static void foldSwitch(SwitchOp op, PatternRewriter &rewriter,
659                        const APInt &caseValue) {
660   auto caseValues = op.getCaseValues();
661   for (const auto &it : llvm::enumerate(caseValues->getValues<APInt>())) {
662     if (it.value() == caseValue) {
663       rewriter.replaceOpWithNewOp<BranchOp>(
664           op, op.getCaseDestinations()[it.index()],
665           op.getCaseOperands(it.index()));
666       return;
667     }
668   }
669   rewriter.replaceOpWithNewOp<BranchOp>(op, op.getDefaultDestination(),
670                                         op.getDefaultOperands());
671 }
672 
673 /// switch %c_42 : i32, [
674 ///   default: ^bb1,
675 ///   42: ^bb2,
676 ///   43: ^bb3
677 /// ]
678 /// -> br ^bb2
679 static LogicalResult simplifyConstSwitchValue(SwitchOp op,
680                                               PatternRewriter &rewriter) {
681   APInt caseValue;
682   if (!matchPattern(op.getFlag(), m_ConstantInt(&caseValue)))
683     return failure();
684 
685   foldSwitch(op, rewriter, caseValue);
686   return success();
687 }
688 
689 /// switch %c_42 : i32, [
690 ///   default: ^bb1,
691 ///   42: ^bb2,
692 /// ]
693 /// ^bb2:
694 ///   br ^bb3
695 /// ->
696 /// switch %c_42 : i32, [
697 ///   default: ^bb1,
698 ///   42: ^bb3,
699 /// ]
700 static LogicalResult simplifyPassThroughSwitch(SwitchOp op,
701                                                PatternRewriter &rewriter) {
702   SmallVector<Block *> newCaseDests;
703   SmallVector<ValueRange> newCaseOperands;
704   SmallVector<SmallVector<Value>> argStorage;
705   auto caseValues = op.getCaseValues();
706   auto caseDests = op.getCaseDestinations();
707   bool requiresChange = false;
708   for (int64_t i = 0, size = caseValues->size(); i < size; ++i) {
709     Block *caseDest = caseDests[i];
710     ValueRange caseOperands = op.getCaseOperands(i);
711     argStorage.emplace_back();
712     if (succeeded(collapseBranch(caseDest, caseOperands, argStorage.back())))
713       requiresChange = true;
714 
715     newCaseDests.push_back(caseDest);
716     newCaseOperands.push_back(caseOperands);
717   }
718 
719   Block *defaultDest = op.getDefaultDestination();
720   ValueRange defaultOperands = op.getDefaultOperands();
721   argStorage.emplace_back();
722 
723   if (succeeded(
724           collapseBranch(defaultDest, defaultOperands, argStorage.back())))
725     requiresChange = true;
726 
727   if (!requiresChange)
728     return failure();
729 
730   rewriter.replaceOpWithNewOp<SwitchOp>(op, op.getFlag(), defaultDest,
731                                         defaultOperands, caseValues.getValue(),
732                                         newCaseDests, newCaseOperands);
733   return success();
734 }
735 
736 /// switch %flag : i32, [
737 ///   default: ^bb1,
738 ///   42: ^bb2,
739 /// ]
740 /// ^bb2:
741 ///   switch %flag : i32, [
742 ///     default: ^bb3,
743 ///     42: ^bb4
744 ///   ]
745 /// ->
746 /// switch %flag : i32, [
747 ///   default: ^bb1,
748 ///   42: ^bb2,
749 /// ]
750 /// ^bb2:
751 ///   br ^bb4
752 ///
753 ///  and
754 ///
755 /// switch %flag : i32, [
756 ///   default: ^bb1,
757 ///   42: ^bb2,
758 /// ]
759 /// ^bb2:
760 ///   switch %flag : i32, [
761 ///     default: ^bb3,
762 ///     43: ^bb4
763 ///   ]
764 /// ->
765 /// switch %flag : i32, [
766 ///   default: ^bb1,
767 ///   42: ^bb2,
768 /// ]
769 /// ^bb2:
770 ///   br ^bb3
771 static LogicalResult
772 simplifySwitchFromSwitchOnSameCondition(SwitchOp op,
773                                         PatternRewriter &rewriter) {
774   // Check that we have a single distinct predecessor.
775   Block *currentBlock = op->getBlock();
776   Block *predecessor = currentBlock->getSinglePredecessor();
777   if (!predecessor)
778     return failure();
779 
780   // Check that the predecessor terminates with a switch branch to this block
781   // and that it branches on the same condition and that this branch isn't the
782   // default destination.
783   auto predSwitch = dyn_cast<SwitchOp>(predecessor->getTerminator());
784   if (!predSwitch || op.getFlag() != predSwitch.getFlag() ||
785       predSwitch.getDefaultDestination() == currentBlock)
786     return failure();
787 
788   // Fold this switch to an unconditional branch.
789   SuccessorRange predDests = predSwitch.getCaseDestinations();
790   auto it = llvm::find(predDests, currentBlock);
791   if (it != predDests.end()) {
792     Optional<DenseIntElementsAttr> predCaseValues = predSwitch.getCaseValues();
793     foldSwitch(op, rewriter,
794                predCaseValues->getValues<APInt>()[it - predDests.begin()]);
795   } else {
796     rewriter.replaceOpWithNewOp<BranchOp>(op, op.getDefaultDestination(),
797                                           op.getDefaultOperands());
798   }
799   return success();
800 }
801 
802 /// switch %flag : i32, [
803 ///   default: ^bb1,
804 ///   42: ^bb2
805 /// ]
806 /// ^bb1:
807 ///   switch %flag : i32, [
808 ///     default: ^bb3,
809 ///     42: ^bb4,
810 ///     43: ^bb5
811 ///   ]
812 /// ->
813 /// switch %flag : i32, [
814 ///   default: ^bb1,
815 ///   42: ^bb2,
816 /// ]
817 /// ^bb1:
818 ///   switch %flag : i32, [
819 ///     default: ^bb3,
820 ///     43: ^bb5
821 ///   ]
822 static LogicalResult
823 simplifySwitchFromDefaultSwitchOnSameCondition(SwitchOp op,
824                                                PatternRewriter &rewriter) {
825   // Check that we have a single distinct predecessor.
826   Block *currentBlock = op->getBlock();
827   Block *predecessor = currentBlock->getSinglePredecessor();
828   if (!predecessor)
829     return failure();
830 
831   // Check that the predecessor terminates with a switch branch to this block
832   // and that it branches on the same condition and that this branch is the
833   // default destination.
834   auto predSwitch = dyn_cast<SwitchOp>(predecessor->getTerminator());
835   if (!predSwitch || op.getFlag() != predSwitch.getFlag() ||
836       predSwitch.getDefaultDestination() != currentBlock)
837     return failure();
838 
839   // Delete case values that are not possible here.
840   DenseSet<APInt> caseValuesToRemove;
841   auto predDests = predSwitch.getCaseDestinations();
842   auto predCaseValues = predSwitch.getCaseValues();
843   for (int64_t i = 0, size = predCaseValues->size(); i < size; ++i)
844     if (currentBlock != predDests[i])
845       caseValuesToRemove.insert(predCaseValues->getValues<APInt>()[i]);
846 
847   SmallVector<Block *> newCaseDestinations;
848   SmallVector<ValueRange> newCaseOperands;
849   SmallVector<APInt> newCaseValues;
850   bool requiresChange = false;
851 
852   auto caseValues = op.getCaseValues();
853   auto caseDests = op.getCaseDestinations();
854   for (const auto &it : llvm::enumerate(caseValues->getValues<APInt>())) {
855     if (caseValuesToRemove.contains(it.value())) {
856       requiresChange = true;
857       continue;
858     }
859     newCaseDestinations.push_back(caseDests[it.index()]);
860     newCaseOperands.push_back(op.getCaseOperands(it.index()));
861     newCaseValues.push_back(it.value());
862   }
863 
864   if (!requiresChange)
865     return failure();
866 
867   rewriter.replaceOpWithNewOp<SwitchOp>(
868       op, op.getFlag(), op.getDefaultDestination(), op.getDefaultOperands(),
869       newCaseValues, newCaseDestinations, newCaseOperands);
870   return success();
871 }
872 
873 void SwitchOp::getCanonicalizationPatterns(RewritePatternSet &results,
874                                            MLIRContext *context) {
875   results.add(&simplifySwitchWithOnlyDefault)
876       .add(&dropSwitchCasesThatMatchDefault)
877       .add(&simplifyConstSwitchValue)
878       .add(&simplifyPassThroughSwitch)
879       .add(&simplifySwitchFromSwitchOnSameCondition)
880       .add(&simplifySwitchFromDefaultSwitchOnSameCondition);
881 }
882 
883 //===----------------------------------------------------------------------===//
884 // TableGen'd op method definitions
885 //===----------------------------------------------------------------------===//
886 
887 #define GET_OP_CLASSES
888 #include "mlir/Dialect/ControlFlow/IR/ControlFlowOps.cpp.inc"
889