1c30ab6c2SEugene Zhulenev //===- AsyncParallelFor.cpp - Implementation of Async Parallel For --------===//
2c30ab6c2SEugene Zhulenev //
3c30ab6c2SEugene Zhulenev // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4c30ab6c2SEugene Zhulenev // See https://llvm.org/LICENSE.txt for license information.
5c30ab6c2SEugene Zhulenev // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6c30ab6c2SEugene Zhulenev //
7c30ab6c2SEugene Zhulenev //===----------------------------------------------------------------------===//
8c30ab6c2SEugene Zhulenev //
986ad0af8SEugene Zhulenev // This file implements scf.parallel to scf.for + async.execute conversion pass.
10c30ab6c2SEugene Zhulenev //
11c30ab6c2SEugene Zhulenev //===----------------------------------------------------------------------===//
12c30ab6c2SEugene Zhulenev 
131fc096afSMehdi Amini #include <utility>
141fc096afSMehdi Amini 
15c30ab6c2SEugene Zhulenev #include "PassDetail.h"
16a54f4eaeSMogball #include "mlir/Dialect/Arithmetic/IR/Arithmetic.h"
17c30ab6c2SEugene Zhulenev #include "mlir/Dialect/Async/IR/Async.h"
18c30ab6c2SEugene Zhulenev #include "mlir/Dialect/Async/Passes.h"
19ec0e4545Sbakhtiyar #include "mlir/Dialect/Async/Transforms.h"
20c30ab6c2SEugene Zhulenev #include "mlir/Dialect/SCF/SCF.h"
21c30ab6c2SEugene Zhulenev #include "mlir/Dialect/StandardOps/IR/Ops.h"
22c30ab6c2SEugene Zhulenev #include "mlir/IR/BlockAndValueMapping.h"
2386ad0af8SEugene Zhulenev #include "mlir/IR/ImplicitLocOpBuilder.h"
249f151b78SEugene Zhulenev #include "mlir/IR/Matchers.h"
25c30ab6c2SEugene Zhulenev #include "mlir/IR/PatternMatch.h"
26c30ab6c2SEugene Zhulenev #include "mlir/Transforms/GreedyPatternRewriteDriver.h"
2786ad0af8SEugene Zhulenev #include "mlir/Transforms/RegionUtils.h"
28c30ab6c2SEugene Zhulenev 
29c30ab6c2SEugene Zhulenev using namespace mlir;
30c30ab6c2SEugene Zhulenev using namespace mlir::async;
31c30ab6c2SEugene Zhulenev 
32c30ab6c2SEugene Zhulenev #define DEBUG_TYPE "async-parallel-for"
33c30ab6c2SEugene Zhulenev 
34c30ab6c2SEugene Zhulenev namespace {
35c30ab6c2SEugene Zhulenev 
36c30ab6c2SEugene Zhulenev // Rewrite scf.parallel operation into multiple concurrent async.execute
37c30ab6c2SEugene Zhulenev // operations over non overlapping subranges of the original loop.
38c30ab6c2SEugene Zhulenev //
39c30ab6c2SEugene Zhulenev // Example:
40c30ab6c2SEugene Zhulenev //
4186ad0af8SEugene Zhulenev //   scf.parallel (%i, %j) = (%lbi, %lbj) to (%ubi, %ubj) step (%si, %sj) {
42c30ab6c2SEugene Zhulenev //     "do_some_compute"(%i, %j): () -> ()
43c30ab6c2SEugene Zhulenev //   }
44c30ab6c2SEugene Zhulenev //
45c30ab6c2SEugene Zhulenev // Converted to:
46c30ab6c2SEugene Zhulenev //
4786ad0af8SEugene Zhulenev //   // Parallel compute function that executes the parallel body region for
4886ad0af8SEugene Zhulenev //   // a subset of the parallel iteration space defined by the one-dimensional
4986ad0af8SEugene Zhulenev //   // compute block index.
5086ad0af8SEugene Zhulenev //   func parallel_compute_function(%block_index : index, %block_size : index,
5186ad0af8SEugene Zhulenev //                                  <parallel operation properties>, ...) {
5286ad0af8SEugene Zhulenev //     // Compute multi-dimensional loop bounds for %block_index.
5386ad0af8SEugene Zhulenev //     %block_lbi, %block_lbj = ...
5486ad0af8SEugene Zhulenev //     %block_ubi, %block_ubj = ...
55c30ab6c2SEugene Zhulenev //
5686ad0af8SEugene Zhulenev //     // Clone parallel operation body into the scf.for loop nest.
5786ad0af8SEugene Zhulenev //     scf.for %i = %blockLbi to %blockUbi {
5886ad0af8SEugene Zhulenev //       scf.for %j = block_lbj to %block_ubj {
59c30ab6c2SEugene Zhulenev //         "do_some_compute"(%i, %j): () -> ()
60c30ab6c2SEugene Zhulenev //       }
61c30ab6c2SEugene Zhulenev //     }
62c30ab6c2SEugene Zhulenev //   }
63c30ab6c2SEugene Zhulenev //
6486ad0af8SEugene Zhulenev // And a dispatch function depending on the `asyncDispatch` option.
6586ad0af8SEugene Zhulenev //
6686ad0af8SEugene Zhulenev // When async dispatch is on: (pseudocode)
6786ad0af8SEugene Zhulenev //
6886ad0af8SEugene Zhulenev //   %block_size = ... compute parallel compute block size
6986ad0af8SEugene Zhulenev //   %block_count = ... compute the number of compute blocks
7086ad0af8SEugene Zhulenev //
7186ad0af8SEugene Zhulenev //   func @async_dispatch(%block_start : index, %block_end : index, ...) {
7286ad0af8SEugene Zhulenev //     // Keep splitting block range until we reached a range of size 1.
7386ad0af8SEugene Zhulenev //     while (%block_end - %block_start > 1) {
7486ad0af8SEugene Zhulenev //       %mid_index = block_start + (block_end - block_start) / 2;
7586ad0af8SEugene Zhulenev //       async.execute { call @async_dispatch(%mid_index, %block_end); }
7686ad0af8SEugene Zhulenev //       %block_end = %mid_index
77c30ab6c2SEugene Zhulenev //     }
78c30ab6c2SEugene Zhulenev //
7986ad0af8SEugene Zhulenev //     // Call parallel compute function for a single block.
8086ad0af8SEugene Zhulenev //     call @parallel_compute_fn(%block_start, %block_size, ...);
8186ad0af8SEugene Zhulenev //   }
82c30ab6c2SEugene Zhulenev //
8386ad0af8SEugene Zhulenev //   // Launch async dispatch for [0, block_count) range.
8486ad0af8SEugene Zhulenev //   call @async_dispatch(%c0, %block_count);
85c30ab6c2SEugene Zhulenev //
8686ad0af8SEugene Zhulenev // When async dispatch is off:
87c30ab6c2SEugene Zhulenev //
8886ad0af8SEugene Zhulenev //   %block_size = ... compute parallel compute block size
8986ad0af8SEugene Zhulenev //   %block_count = ... compute the number of compute blocks
9086ad0af8SEugene Zhulenev //
9186ad0af8SEugene Zhulenev //   scf.for %block_index = %c0 to %block_count {
9286ad0af8SEugene Zhulenev //      call @parallel_compute_fn(%block_index, %block_size, ...)
9386ad0af8SEugene Zhulenev //   }
9486ad0af8SEugene Zhulenev //
9586ad0af8SEugene Zhulenev struct AsyncParallelForPass
9686ad0af8SEugene Zhulenev     : public AsyncParallelForBase<AsyncParallelForPass> {
9786ad0af8SEugene Zhulenev   AsyncParallelForPass() = default;
9834a164c9SEugene Zhulenev 
9934a164c9SEugene Zhulenev   AsyncParallelForPass(bool asyncDispatch, int32_t numWorkerThreads,
10055dfab39Sbakhtiyar                        int32_t minTaskSize) {
10134a164c9SEugene Zhulenev     this->asyncDispatch = asyncDispatch;
10234a164c9SEugene Zhulenev     this->numWorkerThreads = numWorkerThreads;
10355dfab39Sbakhtiyar     this->minTaskSize = minTaskSize;
10434a164c9SEugene Zhulenev   }
10534a164c9SEugene Zhulenev 
10686ad0af8SEugene Zhulenev   void runOnOperation() override;
10786ad0af8SEugene Zhulenev };
10886ad0af8SEugene Zhulenev 
109c30ab6c2SEugene Zhulenev struct AsyncParallelForRewrite : public OpRewritePattern<scf::ParallelOp> {
110c30ab6c2SEugene Zhulenev public:
111ec0e4545Sbakhtiyar   AsyncParallelForRewrite(
112ec0e4545Sbakhtiyar       MLIRContext *ctx, bool asyncDispatch, int32_t numWorkerThreads,
113ec0e4545Sbakhtiyar       AsyncMinTaskSizeComputationFunction computeMinTaskSize)
11486ad0af8SEugene Zhulenev       : OpRewritePattern(ctx), asyncDispatch(asyncDispatch),
115ec0e4545Sbakhtiyar         numWorkerThreads(numWorkerThreads),
1161fc096afSMehdi Amini         computeMinTaskSize(std::move(computeMinTaskSize)) {}
117c30ab6c2SEugene Zhulenev 
118c30ab6c2SEugene Zhulenev   LogicalResult matchAndRewrite(scf::ParallelOp op,
119c30ab6c2SEugene Zhulenev                                 PatternRewriter &rewriter) const override;
120c30ab6c2SEugene Zhulenev 
121c30ab6c2SEugene Zhulenev private:
12286ad0af8SEugene Zhulenev   bool asyncDispatch;
12386ad0af8SEugene Zhulenev   int32_t numWorkerThreads;
124ec0e4545Sbakhtiyar   AsyncMinTaskSizeComputationFunction computeMinTaskSize;
125c30ab6c2SEugene Zhulenev };
126c30ab6c2SEugene Zhulenev 
12786ad0af8SEugene Zhulenev struct ParallelComputeFunctionType {
12886ad0af8SEugene Zhulenev   FunctionType type;
1299f151b78SEugene Zhulenev   SmallVector<Value> captures;
1309f151b78SEugene Zhulenev };
1319f151b78SEugene Zhulenev 
1329f151b78SEugene Zhulenev // Helper struct to parse parallel compute function argument list.
1339f151b78SEugene Zhulenev struct ParallelComputeFunctionArgs {
1349f151b78SEugene Zhulenev   BlockArgument blockIndex();
1359f151b78SEugene Zhulenev   BlockArgument blockSize();
1369f151b78SEugene Zhulenev   ArrayRef<BlockArgument> tripCounts();
1379f151b78SEugene Zhulenev   ArrayRef<BlockArgument> lowerBounds();
1389f151b78SEugene Zhulenev   ArrayRef<BlockArgument> upperBounds();
1399f151b78SEugene Zhulenev   ArrayRef<BlockArgument> steps();
1409f151b78SEugene Zhulenev   ArrayRef<BlockArgument> captures();
1419f151b78SEugene Zhulenev 
1429f151b78SEugene Zhulenev   unsigned numLoops;
1439f151b78SEugene Zhulenev   ArrayRef<BlockArgument> args;
1449f151b78SEugene Zhulenev };
1459f151b78SEugene Zhulenev 
1469f151b78SEugene Zhulenev struct ParallelComputeFunctionBounds {
1479f151b78SEugene Zhulenev   SmallVector<IntegerAttr> tripCounts;
1489f151b78SEugene Zhulenev   SmallVector<IntegerAttr> lowerBounds;
1499f151b78SEugene Zhulenev   SmallVector<IntegerAttr> upperBounds;
1509f151b78SEugene Zhulenev   SmallVector<IntegerAttr> steps;
15186ad0af8SEugene Zhulenev };
15286ad0af8SEugene Zhulenev 
15386ad0af8SEugene Zhulenev struct ParallelComputeFunction {
1549f151b78SEugene Zhulenev   unsigned numLoops;
15586ad0af8SEugene Zhulenev   FuncOp func;
15686ad0af8SEugene Zhulenev   llvm::SmallVector<Value> captures;
157c30ab6c2SEugene Zhulenev };
158c30ab6c2SEugene Zhulenev 
159c30ab6c2SEugene Zhulenev } // namespace
160c30ab6c2SEugene Zhulenev 
1619f151b78SEugene Zhulenev BlockArgument ParallelComputeFunctionArgs::blockIndex() { return args[0]; }
1629f151b78SEugene Zhulenev BlockArgument ParallelComputeFunctionArgs::blockSize() { return args[1]; }
1639f151b78SEugene Zhulenev 
1649f151b78SEugene Zhulenev ArrayRef<BlockArgument> ParallelComputeFunctionArgs::tripCounts() {
1659f151b78SEugene Zhulenev   return args.drop_front(2).take_front(numLoops);
1669f151b78SEugene Zhulenev }
1679f151b78SEugene Zhulenev 
1689f151b78SEugene Zhulenev ArrayRef<BlockArgument> ParallelComputeFunctionArgs::lowerBounds() {
1699f151b78SEugene Zhulenev   return args.drop_front(2 + 1 * numLoops).take_front(numLoops);
1709f151b78SEugene Zhulenev }
1719f151b78SEugene Zhulenev 
1729f151b78SEugene Zhulenev ArrayRef<BlockArgument> ParallelComputeFunctionArgs::upperBounds() {
1739f151b78SEugene Zhulenev   return args.drop_front(2 + 2 * numLoops).take_front(numLoops);
1749f151b78SEugene Zhulenev }
1759f151b78SEugene Zhulenev 
1769f151b78SEugene Zhulenev ArrayRef<BlockArgument> ParallelComputeFunctionArgs::steps() {
1779f151b78SEugene Zhulenev   return args.drop_front(2 + 3 * numLoops).take_front(numLoops);
1789f151b78SEugene Zhulenev }
1799f151b78SEugene Zhulenev 
1809f151b78SEugene Zhulenev ArrayRef<BlockArgument> ParallelComputeFunctionArgs::captures() {
1819f151b78SEugene Zhulenev   return args.drop_front(2 + 4 * numLoops);
1829f151b78SEugene Zhulenev }
1839f151b78SEugene Zhulenev 
1849f151b78SEugene Zhulenev template <typename ValueRange>
1859f151b78SEugene Zhulenev static SmallVector<IntegerAttr> integerConstants(ValueRange values) {
1869f151b78SEugene Zhulenev   SmallVector<IntegerAttr> attrs(values.size());
1879f151b78SEugene Zhulenev   for (unsigned i = 0; i < values.size(); ++i)
1889f151b78SEugene Zhulenev     matchPattern(values[i], m_Constant(&attrs[i]));
1899f151b78SEugene Zhulenev   return attrs;
1909f151b78SEugene Zhulenev }
1919f151b78SEugene Zhulenev 
19286ad0af8SEugene Zhulenev // Converts one-dimensional iteration index in the [0, tripCount) interval
19386ad0af8SEugene Zhulenev // into multidimensional iteration coordinate.
19486ad0af8SEugene Zhulenev static SmallVector<Value> delinearize(ImplicitLocOpBuilder &b, Value index,
19534a164c9SEugene Zhulenev                                       ArrayRef<Value> tripCounts) {
19686ad0af8SEugene Zhulenev   SmallVector<Value> coords(tripCounts.size());
19786ad0af8SEugene Zhulenev   assert(!tripCounts.empty() && "tripCounts must be not empty");
19886ad0af8SEugene Zhulenev 
19986ad0af8SEugene Zhulenev   for (ssize_t i = tripCounts.size() - 1; i >= 0; --i) {
200a54f4eaeSMogball     coords[i] = b.create<arith::RemSIOp>(index, tripCounts[i]);
201a54f4eaeSMogball     index = b.create<arith::DivSIOp>(index, tripCounts[i]);
20286ad0af8SEugene Zhulenev   }
20386ad0af8SEugene Zhulenev 
20486ad0af8SEugene Zhulenev   return coords;
20586ad0af8SEugene Zhulenev }
20686ad0af8SEugene Zhulenev 
20786ad0af8SEugene Zhulenev // Returns a function type and implicit captures for a parallel compute
20886ad0af8SEugene Zhulenev // function. We'll need a list of implicit captures to setup block and value
20986ad0af8SEugene Zhulenev // mapping when we'll clone the body of the parallel operation.
21086ad0af8SEugene Zhulenev static ParallelComputeFunctionType
21186ad0af8SEugene Zhulenev getParallelComputeFunctionType(scf::ParallelOp op, PatternRewriter &rewriter) {
21286ad0af8SEugene Zhulenev   // Values implicitly captured by the parallel operation.
21386ad0af8SEugene Zhulenev   llvm::SetVector<Value> captures;
214c0342a2dSJacques Pienaar   getUsedValuesDefinedAbove(op.getRegion(), op.getRegion(), captures);
21586ad0af8SEugene Zhulenev 
2169f151b78SEugene Zhulenev   SmallVector<Type> inputs;
21786ad0af8SEugene Zhulenev   inputs.reserve(2 + 4 * op.getNumLoops() + captures.size());
21886ad0af8SEugene Zhulenev 
21986ad0af8SEugene Zhulenev   Type indexTy = rewriter.getIndexType();
22086ad0af8SEugene Zhulenev 
22186ad0af8SEugene Zhulenev   // One-dimensional iteration space defined by the block index and size.
22286ad0af8SEugene Zhulenev   inputs.push_back(indexTy); // blockIndex
22386ad0af8SEugene Zhulenev   inputs.push_back(indexTy); // blockSize
22486ad0af8SEugene Zhulenev 
22586ad0af8SEugene Zhulenev   // Multi-dimensional parallel iteration space defined by the loop trip counts.
22686ad0af8SEugene Zhulenev   for (unsigned i = 0; i < op.getNumLoops(); ++i)
22786ad0af8SEugene Zhulenev     inputs.push_back(indexTy); // loop tripCount
22886ad0af8SEugene Zhulenev 
2299f151b78SEugene Zhulenev   // Parallel operation lower bound, upper bound and step. Lower bound, upper
2309f151b78SEugene Zhulenev   // bound and step passed as contiguous arguments:
2319f151b78SEugene Zhulenev   //   call @compute(%lb0, %lb1, ..., %ub0, %ub1, ..., %step0, %step1, ...)
23286ad0af8SEugene Zhulenev   for (unsigned i = 0; i < op.getNumLoops(); ++i) {
23386ad0af8SEugene Zhulenev     inputs.push_back(indexTy); // lower bound
23486ad0af8SEugene Zhulenev     inputs.push_back(indexTy); // upper bound
23586ad0af8SEugene Zhulenev     inputs.push_back(indexTy); // step
23686ad0af8SEugene Zhulenev   }
23786ad0af8SEugene Zhulenev 
23886ad0af8SEugene Zhulenev   // Types of the implicit captures.
23986ad0af8SEugene Zhulenev   for (Value capture : captures)
24086ad0af8SEugene Zhulenev     inputs.push_back(capture.getType());
24186ad0af8SEugene Zhulenev 
24286ad0af8SEugene Zhulenev   // Convert captures to vector for later convenience.
24386ad0af8SEugene Zhulenev   SmallVector<Value> capturesVector(captures.begin(), captures.end());
24486ad0af8SEugene Zhulenev   return {rewriter.getFunctionType(inputs, TypeRange()), capturesVector};
24586ad0af8SEugene Zhulenev }
24686ad0af8SEugene Zhulenev 
24786ad0af8SEugene Zhulenev // Create a parallel compute fuction from the parallel operation.
24849ce40e9SEugene Zhulenev static ParallelComputeFunction createParallelComputeFunction(
2491fc096afSMehdi Amini     scf::ParallelOp op, const ParallelComputeFunctionBounds &bounds,
25049ce40e9SEugene Zhulenev     unsigned numBlockAlignedInnerLoops, PatternRewriter &rewriter) {
25186ad0af8SEugene Zhulenev   OpBuilder::InsertionGuard guard(rewriter);
25286ad0af8SEugene Zhulenev   ImplicitLocOpBuilder b(op.getLoc(), rewriter);
25386ad0af8SEugene Zhulenev 
25486ad0af8SEugene Zhulenev   ModuleOp module = op->getParentOfType<ModuleOp>();
25586ad0af8SEugene Zhulenev 
25686ad0af8SEugene Zhulenev   ParallelComputeFunctionType computeFuncType =
25786ad0af8SEugene Zhulenev       getParallelComputeFunctionType(op, rewriter);
25886ad0af8SEugene Zhulenev 
25986ad0af8SEugene Zhulenev   FunctionType type = computeFuncType.type;
260ec0e4545Sbakhtiyar   FuncOp func = FuncOp::create(op.getLoc(),
261ec0e4545Sbakhtiyar                                numBlockAlignedInnerLoops > 0
262ec0e4545Sbakhtiyar                                    ? "parallel_compute_fn_with_aligned_loops"
263ec0e4545Sbakhtiyar                                    : "parallel_compute_fn",
264ec0e4545Sbakhtiyar                                type);
26586ad0af8SEugene Zhulenev   func.setPrivate();
26686ad0af8SEugene Zhulenev 
26786ad0af8SEugene Zhulenev   // Insert function into the module symbol table and assign it unique name.
26886ad0af8SEugene Zhulenev   SymbolTable symbolTable(module);
26986ad0af8SEugene Zhulenev   symbolTable.insert(func);
27086ad0af8SEugene Zhulenev   rewriter.getListener()->notifyOperationInserted(func);
27186ad0af8SEugene Zhulenev 
27286ad0af8SEugene Zhulenev   // Create function entry block.
273*e084679fSRiver Riddle   Block *block =
274*e084679fSRiver Riddle       b.createBlock(&func.getBody(), func.begin(), type.getInputs(),
275*e084679fSRiver Riddle                     SmallVector<Location>(type.getNumInputs(), op.getLoc()));
27686ad0af8SEugene Zhulenev   b.setInsertionPointToEnd(block);
27786ad0af8SEugene Zhulenev 
2789f151b78SEugene Zhulenev   ParallelComputeFunctionArgs args = {op.getNumLoops(), func.getArguments()};
27986ad0af8SEugene Zhulenev 
28086ad0af8SEugene Zhulenev   // Block iteration position defined by the block index and size.
2819f151b78SEugene Zhulenev   BlockArgument blockIndex = args.blockIndex();
2829f151b78SEugene Zhulenev   BlockArgument blockSize = args.blockSize();
28386ad0af8SEugene Zhulenev 
28486ad0af8SEugene Zhulenev   // Constants used below.
285a54f4eaeSMogball   Value c0 = b.create<arith::ConstantIndexOp>(0);
286a54f4eaeSMogball   Value c1 = b.create<arith::ConstantIndexOp>(1);
28786ad0af8SEugene Zhulenev 
2889f151b78SEugene Zhulenev   // Materialize known constants as constant operation in the function body.
2899f151b78SEugene Zhulenev   auto values = [&](ArrayRef<BlockArgument> args, ArrayRef<IntegerAttr> attrs) {
2909f151b78SEugene Zhulenev     return llvm::to_vector(
2919f151b78SEugene Zhulenev         llvm::map_range(llvm::zip(args, attrs), [&](auto tuple) -> Value {
2929f151b78SEugene Zhulenev           if (IntegerAttr attr = std::get<1>(tuple))
2939f151b78SEugene Zhulenev             return b.create<ConstantOp>(attr);
2949f151b78SEugene Zhulenev           return std::get<0>(tuple);
2959f151b78SEugene Zhulenev         }));
2969f151b78SEugene Zhulenev   };
2979f151b78SEugene Zhulenev 
29886ad0af8SEugene Zhulenev   // Multi-dimensional parallel iteration space defined by the loop trip counts.
2999f151b78SEugene Zhulenev   auto tripCounts = values(args.tripCounts(), bounds.tripCounts);
3009f151b78SEugene Zhulenev 
3019f151b78SEugene Zhulenev   // Parallel operation lower bound and step.
3029f151b78SEugene Zhulenev   auto lowerBounds = values(args.lowerBounds(), bounds.lowerBounds);
3039f151b78SEugene Zhulenev   auto steps = values(args.steps(), bounds.steps);
3049f151b78SEugene Zhulenev 
3059f151b78SEugene Zhulenev   // Remaining arguments are implicit captures of the parallel operation.
3069f151b78SEugene Zhulenev   ArrayRef<BlockArgument> captures = args.captures();
30786ad0af8SEugene Zhulenev 
30886ad0af8SEugene Zhulenev   // Compute a product of trip counts to get the size of the flattened
30986ad0af8SEugene Zhulenev   // one-dimensional iteration space.
31086ad0af8SEugene Zhulenev   Value tripCount = tripCounts[0];
31186ad0af8SEugene Zhulenev   for (unsigned i = 1; i < tripCounts.size(); ++i)
312a54f4eaeSMogball     tripCount = b.create<arith::MulIOp>(tripCount, tripCounts[i]);
31386ad0af8SEugene Zhulenev 
31486ad0af8SEugene Zhulenev   // Find one-dimensional iteration bounds: [blockFirstIndex, blockLastIndex]:
31586ad0af8SEugene Zhulenev   //   blockFirstIndex = blockIndex * blockSize
316a54f4eaeSMogball   Value blockFirstIndex = b.create<arith::MulIOp>(blockIndex, blockSize);
31786ad0af8SEugene Zhulenev 
31886ad0af8SEugene Zhulenev   // The last one-dimensional index in the block defined by the `blockIndex`:
31968a7c001SEugene Zhulenev   //   blockLastIndex = min(blockFirstIndex + blockSize, tripCount) - 1
320a54f4eaeSMogball   Value blockEnd0 = b.create<arith::AddIOp>(blockFirstIndex, blockSize);
3217bd87a03Sbakhtiyar   Value blockEnd1 = b.create<arith::MinSIOp>(blockEnd0, tripCount);
3227bd87a03Sbakhtiyar   Value blockLastIndex = b.create<arith::SubIOp>(blockEnd1, c1);
32386ad0af8SEugene Zhulenev 
32486ad0af8SEugene Zhulenev   // Convert one-dimensional indices to multi-dimensional coordinates.
32586ad0af8SEugene Zhulenev   auto blockFirstCoord = delinearize(b, blockFirstIndex, tripCounts);
32686ad0af8SEugene Zhulenev   auto blockLastCoord = delinearize(b, blockLastIndex, tripCounts);
32786ad0af8SEugene Zhulenev 
32834a164c9SEugene Zhulenev   // Compute loops upper bounds derived from the block last coordinates:
32986ad0af8SEugene Zhulenev   //   blockEndCoord[i] = blockLastCoord[i] + 1
33086ad0af8SEugene Zhulenev   //
33186ad0af8SEugene Zhulenev   // Block first and last coordinates can be the same along the outer compute
33234a164c9SEugene Zhulenev   // dimension when inner compute dimension contains multiple blocks.
33386ad0af8SEugene Zhulenev   SmallVector<Value> blockEndCoord(op.getNumLoops());
33486ad0af8SEugene Zhulenev   for (size_t i = 0; i < blockLastCoord.size(); ++i)
335a54f4eaeSMogball     blockEndCoord[i] = b.create<arith::AddIOp>(blockLastCoord[i], c1);
33686ad0af8SEugene Zhulenev 
33786ad0af8SEugene Zhulenev   // Construct a loop nest out of scf.for operations that will iterate over
33886ad0af8SEugene Zhulenev   // all coordinates in [blockFirstCoord, blockLastCoord] range.
33986ad0af8SEugene Zhulenev   using LoopBodyBuilder =
34086ad0af8SEugene Zhulenev       std::function<void(OpBuilder &, Location, Value, ValueRange)>;
34186ad0af8SEugene Zhulenev   using LoopNestBuilder = std::function<LoopBodyBuilder(size_t loopIdx)>;
34286ad0af8SEugene Zhulenev 
34386ad0af8SEugene Zhulenev   // Parallel region induction variables computed from the multi-dimensional
34486ad0af8SEugene Zhulenev   // iteration coordinate using parallel operation bounds and step:
34586ad0af8SEugene Zhulenev   //
34686ad0af8SEugene Zhulenev   //   computeBlockInductionVars[loopIdx] =
34768a7c001SEugene Zhulenev   //       lowerBound[loopIdx] + blockCoord[loopIdx] * step[loopIdx]
34886ad0af8SEugene Zhulenev   SmallVector<Value> computeBlockInductionVars(op.getNumLoops());
34986ad0af8SEugene Zhulenev 
35086ad0af8SEugene Zhulenev   // We need to know if we are in the first or last iteration of the
35186ad0af8SEugene Zhulenev   // multi-dimensional loop for each loop in the nest, so we can decide what
35286ad0af8SEugene Zhulenev   // loop bounds should we use for the nested loops: bounds defined by compute
35386ad0af8SEugene Zhulenev   // block interval, or bounds defined by the parallel operation.
35486ad0af8SEugene Zhulenev   //
35586ad0af8SEugene Zhulenev   // Example: 2d parallel operation
35686ad0af8SEugene Zhulenev   //                   i   j
35786ad0af8SEugene Zhulenev   //   loop sizes:   [50, 50]
35886ad0af8SEugene Zhulenev   //   first coord:  [25, 25]
35986ad0af8SEugene Zhulenev   //   last coord:   [30, 30]
36086ad0af8SEugene Zhulenev   //
36186ad0af8SEugene Zhulenev   // If `i` is equal to 25 then iteration over `j` should start at 25, when `i`
36286ad0af8SEugene Zhulenev   // is between 25 and 30 it should start at 0. The upper bound for `j` should
36386ad0af8SEugene Zhulenev   // be 50, except when `i` is equal to 30, then it should also be 30.
36486ad0af8SEugene Zhulenev   //
36586ad0af8SEugene Zhulenev   // Value at ith position specifies if all loops in [0, i) range of the loop
36686ad0af8SEugene Zhulenev   // nest are in the first/last iteration.
36786ad0af8SEugene Zhulenev   SmallVector<Value> isBlockFirstCoord(op.getNumLoops());
36886ad0af8SEugene Zhulenev   SmallVector<Value> isBlockLastCoord(op.getNumLoops());
36986ad0af8SEugene Zhulenev 
37086ad0af8SEugene Zhulenev   // Builds inner loop nest inside async.execute operation that does all the
37186ad0af8SEugene Zhulenev   // work concurrently.
37286ad0af8SEugene Zhulenev   LoopNestBuilder workLoopBuilder = [&](size_t loopIdx) -> LoopBodyBuilder {
37386ad0af8SEugene Zhulenev     return [&, loopIdx](OpBuilder &nestedBuilder, Location loc, Value iv,
37486ad0af8SEugene Zhulenev                         ValueRange args) {
37586ad0af8SEugene Zhulenev       ImplicitLocOpBuilder nb(loc, nestedBuilder);
37686ad0af8SEugene Zhulenev 
37786ad0af8SEugene Zhulenev       // Compute induction variable for `loopIdx`.
378a54f4eaeSMogball       computeBlockInductionVars[loopIdx] = nb.create<arith::AddIOp>(
3799f151b78SEugene Zhulenev           lowerBounds[loopIdx], nb.create<arith::MulIOp>(iv, steps[loopIdx]));
38086ad0af8SEugene Zhulenev 
38186ad0af8SEugene Zhulenev       // Check if we are inside first or last iteration of the loop.
382a54f4eaeSMogball       isBlockFirstCoord[loopIdx] = nb.create<arith::CmpIOp>(
383a54f4eaeSMogball           arith::CmpIPredicate::eq, iv, blockFirstCoord[loopIdx]);
384a54f4eaeSMogball       isBlockLastCoord[loopIdx] = nb.create<arith::CmpIOp>(
385a54f4eaeSMogball           arith::CmpIPredicate::eq, iv, blockLastCoord[loopIdx]);
38686ad0af8SEugene Zhulenev 
38734a164c9SEugene Zhulenev       // Check if the previous loop is in its first or last iteration.
38886ad0af8SEugene Zhulenev       if (loopIdx > 0) {
389a54f4eaeSMogball         isBlockFirstCoord[loopIdx] = nb.create<arith::AndIOp>(
39086ad0af8SEugene Zhulenev             isBlockFirstCoord[loopIdx], isBlockFirstCoord[loopIdx - 1]);
391a54f4eaeSMogball         isBlockLastCoord[loopIdx] = nb.create<arith::AndIOp>(
39286ad0af8SEugene Zhulenev             isBlockLastCoord[loopIdx], isBlockLastCoord[loopIdx - 1]);
39386ad0af8SEugene Zhulenev       }
39486ad0af8SEugene Zhulenev 
39586ad0af8SEugene Zhulenev       // Keep building loop nest.
39686ad0af8SEugene Zhulenev       if (loopIdx < op.getNumLoops() - 1) {
39749ce40e9SEugene Zhulenev         if (loopIdx + 1 >= op.getNumLoops() - numBlockAlignedInnerLoops) {
39849ce40e9SEugene Zhulenev           // For block aligned loops we always iterate starting from 0 up to
39949ce40e9SEugene Zhulenev           // the loop trip counts.
40049ce40e9SEugene Zhulenev           nb.create<scf::ForOp>(c0, tripCounts[loopIdx + 1], c1, ValueRange(),
40149ce40e9SEugene Zhulenev                                 workLoopBuilder(loopIdx + 1));
40249ce40e9SEugene Zhulenev 
40349ce40e9SEugene Zhulenev         } else {
40468a7c001SEugene Zhulenev           // Select nested loop lower/upper bounds depending on our position in
40586ad0af8SEugene Zhulenev           // the multi-dimensional iteration space.
40686ad0af8SEugene Zhulenev           auto lb = nb.create<SelectOp>(isBlockFirstCoord[loopIdx],
40786ad0af8SEugene Zhulenev                                         blockFirstCoord[loopIdx + 1], c0);
40886ad0af8SEugene Zhulenev 
40986ad0af8SEugene Zhulenev           auto ub = nb.create<SelectOp>(isBlockLastCoord[loopIdx],
41086ad0af8SEugene Zhulenev                                         blockEndCoord[loopIdx + 1],
41186ad0af8SEugene Zhulenev                                         tripCounts[loopIdx + 1]);
41286ad0af8SEugene Zhulenev 
41386ad0af8SEugene Zhulenev           nb.create<scf::ForOp>(lb, ub, c1, ValueRange(),
41486ad0af8SEugene Zhulenev                                 workLoopBuilder(loopIdx + 1));
41549ce40e9SEugene Zhulenev         }
41649ce40e9SEugene Zhulenev 
41786ad0af8SEugene Zhulenev         nb.create<scf::YieldOp>(loc);
41886ad0af8SEugene Zhulenev         return;
41986ad0af8SEugene Zhulenev       }
42086ad0af8SEugene Zhulenev 
42186ad0af8SEugene Zhulenev       // Copy the body of the parallel op into the inner-most loop.
42286ad0af8SEugene Zhulenev       BlockAndValueMapping mapping;
42386ad0af8SEugene Zhulenev       mapping.map(op.getInductionVars(), computeBlockInductionVars);
42486ad0af8SEugene Zhulenev       mapping.map(computeFuncType.captures, captures);
42586ad0af8SEugene Zhulenev 
42686ad0af8SEugene Zhulenev       for (auto &bodyOp : op.getLoopBody().getOps())
42786ad0af8SEugene Zhulenev         nb.clone(bodyOp, mapping);
42886ad0af8SEugene Zhulenev     };
42986ad0af8SEugene Zhulenev   };
43086ad0af8SEugene Zhulenev 
43186ad0af8SEugene Zhulenev   b.create<scf::ForOp>(blockFirstCoord[0], blockEndCoord[0], c1, ValueRange(),
43286ad0af8SEugene Zhulenev                        workLoopBuilder(0));
43386ad0af8SEugene Zhulenev   b.create<ReturnOp>(ValueRange());
43486ad0af8SEugene Zhulenev 
4359f151b78SEugene Zhulenev   return {op.getNumLoops(), func, std::move(computeFuncType.captures)};
43686ad0af8SEugene Zhulenev }
43786ad0af8SEugene Zhulenev 
43886ad0af8SEugene Zhulenev // Creates recursive async dispatch function for the given parallel compute
43986ad0af8SEugene Zhulenev // function. Dispatch function keeps splitting block range into halves until it
44086ad0af8SEugene Zhulenev // reaches a single block, and then excecutes it inline.
44186ad0af8SEugene Zhulenev //
44286ad0af8SEugene Zhulenev // Function pseudocode (mix of C++ and MLIR):
44386ad0af8SEugene Zhulenev //
44486ad0af8SEugene Zhulenev //   func @async_dispatch(%block_start : index, %block_end : index, ...) {
44586ad0af8SEugene Zhulenev //
44686ad0af8SEugene Zhulenev //     // Keep splitting block range until we reached a range of size 1.
44786ad0af8SEugene Zhulenev //     while (%block_end - %block_start > 1) {
44886ad0af8SEugene Zhulenev //       %mid_index = block_start + (block_end - block_start) / 2;
44986ad0af8SEugene Zhulenev //       async.execute { call @async_dispatch(%mid_index, %block_end); }
45086ad0af8SEugene Zhulenev //       %block_end = %mid_index
45186ad0af8SEugene Zhulenev //     }
45286ad0af8SEugene Zhulenev //
45386ad0af8SEugene Zhulenev //     // Call parallel compute function for a single block.
45486ad0af8SEugene Zhulenev //     call @parallel_compute_fn(%block_start, %block_size, ...);
45586ad0af8SEugene Zhulenev //   }
45686ad0af8SEugene Zhulenev //
45786ad0af8SEugene Zhulenev static FuncOp createAsyncDispatchFunction(ParallelComputeFunction &computeFunc,
45886ad0af8SEugene Zhulenev                                           PatternRewriter &rewriter) {
45986ad0af8SEugene Zhulenev   OpBuilder::InsertionGuard guard(rewriter);
46086ad0af8SEugene Zhulenev   Location loc = computeFunc.func.getLoc();
46186ad0af8SEugene Zhulenev   ImplicitLocOpBuilder b(loc, rewriter);
46286ad0af8SEugene Zhulenev 
46386ad0af8SEugene Zhulenev   ModuleOp module = computeFunc.func->getParentOfType<ModuleOp>();
46486ad0af8SEugene Zhulenev 
46586ad0af8SEugene Zhulenev   ArrayRef<Type> computeFuncInputTypes =
46686ad0af8SEugene Zhulenev       computeFunc.func.type().cast<FunctionType>().getInputs();
46786ad0af8SEugene Zhulenev 
46886ad0af8SEugene Zhulenev   // Compared to the parallel compute function async dispatch function takes
46986ad0af8SEugene Zhulenev   // additional !async.group argument. Also instead of a single `blockIndex` it
47086ad0af8SEugene Zhulenev   // takes `blockStart` and `blockEnd` arguments to define the range of
47186ad0af8SEugene Zhulenev   // dispatched blocks.
47286ad0af8SEugene Zhulenev   SmallVector<Type> inputTypes;
47386ad0af8SEugene Zhulenev   inputTypes.push_back(async::GroupType::get(rewriter.getContext()));
47486ad0af8SEugene Zhulenev   inputTypes.push_back(rewriter.getIndexType()); // add blockStart argument
47586ad0af8SEugene Zhulenev   inputTypes.append(computeFuncInputTypes.begin(), computeFuncInputTypes.end());
47686ad0af8SEugene Zhulenev 
47786ad0af8SEugene Zhulenev   FunctionType type = rewriter.getFunctionType(inputTypes, TypeRange());
47886ad0af8SEugene Zhulenev   FuncOp func = FuncOp::create(loc, "async_dispatch_fn", type);
47986ad0af8SEugene Zhulenev   func.setPrivate();
48086ad0af8SEugene Zhulenev 
48186ad0af8SEugene Zhulenev   // Insert function into the module symbol table and assign it unique name.
48286ad0af8SEugene Zhulenev   SymbolTable symbolTable(module);
48386ad0af8SEugene Zhulenev   symbolTable.insert(func);
48486ad0af8SEugene Zhulenev   rewriter.getListener()->notifyOperationInserted(func);
48586ad0af8SEugene Zhulenev 
48686ad0af8SEugene Zhulenev   // Create function entry block.
487*e084679fSRiver Riddle   Block *block = b.createBlock(&func.getBody(), func.begin(), type.getInputs(),
488*e084679fSRiver Riddle                                SmallVector<Location>(type.getNumInputs(), loc));
48986ad0af8SEugene Zhulenev   b.setInsertionPointToEnd(block);
49086ad0af8SEugene Zhulenev 
49186ad0af8SEugene Zhulenev   Type indexTy = b.getIndexType();
492a54f4eaeSMogball   Value c1 = b.create<arith::ConstantIndexOp>(1);
493a54f4eaeSMogball   Value c2 = b.create<arith::ConstantIndexOp>(2);
49486ad0af8SEugene Zhulenev 
49586ad0af8SEugene Zhulenev   // Get the async group that will track async dispatch completion.
49686ad0af8SEugene Zhulenev   Value group = block->getArgument(0);
49786ad0af8SEugene Zhulenev 
49886ad0af8SEugene Zhulenev   // Get the block iteration range: [blockStart, blockEnd)
49986ad0af8SEugene Zhulenev   Value blockStart = block->getArgument(1);
50086ad0af8SEugene Zhulenev   Value blockEnd = block->getArgument(2);
50186ad0af8SEugene Zhulenev 
50286ad0af8SEugene Zhulenev   // Create a work splitting while loop for the [blockStart, blockEnd) range.
50386ad0af8SEugene Zhulenev   SmallVector<Type> types = {indexTy, indexTy};
50486ad0af8SEugene Zhulenev   SmallVector<Value> operands = {blockStart, blockEnd};
505*e084679fSRiver Riddle   SmallVector<Location> locations = {loc, loc};
50686ad0af8SEugene Zhulenev 
50786ad0af8SEugene Zhulenev   // Create a recursive dispatch loop.
50886ad0af8SEugene Zhulenev   scf::WhileOp whileOp = b.create<scf::WhileOp>(types, operands);
509*e084679fSRiver Riddle   Block *before = b.createBlock(&whileOp.getBefore(), {}, types, locations);
510*e084679fSRiver Riddle   Block *after = b.createBlock(&whileOp.getAfter(), {}, types, locations);
51186ad0af8SEugene Zhulenev 
51286ad0af8SEugene Zhulenev   // Setup dispatch loop condition block: decide if we need to go into the
51386ad0af8SEugene Zhulenev   // `after` block and launch one more async dispatch.
51486ad0af8SEugene Zhulenev   {
51586ad0af8SEugene Zhulenev     b.setInsertionPointToEnd(before);
51686ad0af8SEugene Zhulenev     Value start = before->getArgument(0);
51786ad0af8SEugene Zhulenev     Value end = before->getArgument(1);
518a54f4eaeSMogball     Value distance = b.create<arith::SubIOp>(end, start);
519a54f4eaeSMogball     Value dispatch =
520a54f4eaeSMogball         b.create<arith::CmpIOp>(arith::CmpIPredicate::sgt, distance, c1);
52186ad0af8SEugene Zhulenev     b.create<scf::ConditionOp>(dispatch, before->getArguments());
52286ad0af8SEugene Zhulenev   }
52386ad0af8SEugene Zhulenev 
52486ad0af8SEugene Zhulenev   // Setup the async dispatch loop body: recursively call dispatch function
52534a164c9SEugene Zhulenev   // for the seconds half of the original range and go to the next iteration.
52686ad0af8SEugene Zhulenev   {
52786ad0af8SEugene Zhulenev     b.setInsertionPointToEnd(after);
52886ad0af8SEugene Zhulenev     Value start = after->getArgument(0);
52986ad0af8SEugene Zhulenev     Value end = after->getArgument(1);
530a54f4eaeSMogball     Value distance = b.create<arith::SubIOp>(end, start);
531a54f4eaeSMogball     Value halfDistance = b.create<arith::DivSIOp>(distance, c2);
532a54f4eaeSMogball     Value midIndex = b.create<arith::AddIOp>(start, halfDistance);
53386ad0af8SEugene Zhulenev 
53486ad0af8SEugene Zhulenev     // Call parallel compute function inside the async.execute region.
53586ad0af8SEugene Zhulenev     auto executeBodyBuilder = [&](OpBuilder &executeBuilder,
53686ad0af8SEugene Zhulenev                                   Location executeLoc, ValueRange executeArgs) {
53786ad0af8SEugene Zhulenev       // Update the original `blockStart` and `blockEnd` with new range.
53886ad0af8SEugene Zhulenev       SmallVector<Value> operands{block->getArguments().begin(),
53986ad0af8SEugene Zhulenev                                   block->getArguments().end()};
54086ad0af8SEugene Zhulenev       operands[1] = midIndex;
54186ad0af8SEugene Zhulenev       operands[2] = end;
54286ad0af8SEugene Zhulenev 
54386ad0af8SEugene Zhulenev       executeBuilder.create<CallOp>(executeLoc, func.sym_name(),
54486ad0af8SEugene Zhulenev                                     func.getCallableResults(), operands);
54586ad0af8SEugene Zhulenev       executeBuilder.create<async::YieldOp>(executeLoc, ValueRange());
54686ad0af8SEugene Zhulenev     };
54786ad0af8SEugene Zhulenev 
54886ad0af8SEugene Zhulenev     // Create async.execute operation to dispatch half of the block range.
54986ad0af8SEugene Zhulenev     auto execute = b.create<ExecuteOp>(TypeRange(), ValueRange(), ValueRange(),
55086ad0af8SEugene Zhulenev                                        executeBodyBuilder);
55186ad0af8SEugene Zhulenev     b.create<AddToGroupOp>(indexTy, execute.token(), group);
55234a164c9SEugene Zhulenev     b.create<scf::YieldOp>(ValueRange({start, midIndex}));
55386ad0af8SEugene Zhulenev   }
55486ad0af8SEugene Zhulenev 
55586ad0af8SEugene Zhulenev   // After dispatching async operations to process the tail of the block range
55686ad0af8SEugene Zhulenev   // call the parallel compute function for the first block of the range.
55786ad0af8SEugene Zhulenev   b.setInsertionPointAfter(whileOp);
55886ad0af8SEugene Zhulenev 
55986ad0af8SEugene Zhulenev   // Drop async dispatch specific arguments: async group, block start and end.
56086ad0af8SEugene Zhulenev   auto forwardedInputs = block->getArguments().drop_front(3);
56186ad0af8SEugene Zhulenev   SmallVector<Value> computeFuncOperands = {blockStart};
56286ad0af8SEugene Zhulenev   computeFuncOperands.append(forwardedInputs.begin(), forwardedInputs.end());
56386ad0af8SEugene Zhulenev 
56486ad0af8SEugene Zhulenev   b.create<CallOp>(computeFunc.func.sym_name(),
56586ad0af8SEugene Zhulenev                    computeFunc.func.getCallableResults(), computeFuncOperands);
56686ad0af8SEugene Zhulenev   b.create<ReturnOp>(ValueRange());
56786ad0af8SEugene Zhulenev 
56886ad0af8SEugene Zhulenev   return func;
56986ad0af8SEugene Zhulenev }
57086ad0af8SEugene Zhulenev 
57186ad0af8SEugene Zhulenev // Launch async dispatch of the parallel compute function.
57286ad0af8SEugene Zhulenev static void doAsyncDispatch(ImplicitLocOpBuilder &b, PatternRewriter &rewriter,
57386ad0af8SEugene Zhulenev                             ParallelComputeFunction &parallelComputeFunction,
57486ad0af8SEugene Zhulenev                             scf::ParallelOp op, Value blockSize,
57586ad0af8SEugene Zhulenev                             Value blockCount,
57686ad0af8SEugene Zhulenev                             const SmallVector<Value> &tripCounts) {
57786ad0af8SEugene Zhulenev   MLIRContext *ctx = op->getContext();
57886ad0af8SEugene Zhulenev 
57986ad0af8SEugene Zhulenev   // Add one more level of indirection to dispatch parallel compute functions
58086ad0af8SEugene Zhulenev   // using async operations and recursive work splitting.
58186ad0af8SEugene Zhulenev   FuncOp asyncDispatchFunction =
58286ad0af8SEugene Zhulenev       createAsyncDispatchFunction(parallelComputeFunction, rewriter);
58386ad0af8SEugene Zhulenev 
584a54f4eaeSMogball   Value c0 = b.create<arith::ConstantIndexOp>(0);
585a54f4eaeSMogball   Value c1 = b.create<arith::ConstantIndexOp>(1);
58686ad0af8SEugene Zhulenev 
587a8f819c6SEugene Zhulenev   // Appends operands shared by async dispatch and parallel compute functions to
588a8f819c6SEugene Zhulenev   // the given operands vector.
589a8f819c6SEugene Zhulenev   auto appendBlockComputeOperands = [&](SmallVector<Value> &operands) {
590a8f819c6SEugene Zhulenev     operands.append(tripCounts);
591c0342a2dSJacques Pienaar     operands.append(op.getLowerBound().begin(), op.getLowerBound().end());
592c0342a2dSJacques Pienaar     operands.append(op.getUpperBound().begin(), op.getUpperBound().end());
593c0342a2dSJacques Pienaar     operands.append(op.getStep().begin(), op.getStep().end());
594a8f819c6SEugene Zhulenev     operands.append(parallelComputeFunction.captures);
595a8f819c6SEugene Zhulenev   };
596a8f819c6SEugene Zhulenev 
597a8f819c6SEugene Zhulenev   // Check if the block size is one, in this case we can skip the async dispatch
598a8f819c6SEugene Zhulenev   // completely. If this will be known statically, then canonicalization will
599a8f819c6SEugene Zhulenev   // erase async group operations.
600a54f4eaeSMogball   Value isSingleBlock =
601a54f4eaeSMogball       b.create<arith::CmpIOp>(arith::CmpIPredicate::eq, blockCount, c1);
602a8f819c6SEugene Zhulenev 
603a8f819c6SEugene Zhulenev   auto syncDispatch = [&](OpBuilder &nestedBuilder, Location loc) {
604a8f819c6SEugene Zhulenev     ImplicitLocOpBuilder nb(loc, nestedBuilder);
605a8f819c6SEugene Zhulenev 
606a8f819c6SEugene Zhulenev     // Call parallel compute function for the single block.
607a8f819c6SEugene Zhulenev     SmallVector<Value> operands = {c0, blockSize};
608a8f819c6SEugene Zhulenev     appendBlockComputeOperands(operands);
609a8f819c6SEugene Zhulenev 
610a8f819c6SEugene Zhulenev     nb.create<CallOp>(parallelComputeFunction.func.sym_name(),
611a8f819c6SEugene Zhulenev                       parallelComputeFunction.func.getCallableResults(),
612a8f819c6SEugene Zhulenev                       operands);
613a8f819c6SEugene Zhulenev     nb.create<scf::YieldOp>();
614a8f819c6SEugene Zhulenev   };
615a8f819c6SEugene Zhulenev 
616a8f819c6SEugene Zhulenev   auto asyncDispatch = [&](OpBuilder &nestedBuilder, Location loc) {
617bdde9595Sbakhtiyar     // Create an async.group to wait on all async tokens from the concurrent
618bdde9595Sbakhtiyar     // execution of multiple parallel compute function. First block will be
619bdde9595Sbakhtiyar     // executed synchronously in the caller thread.
620a54f4eaeSMogball     Value groupSize = b.create<arith::SubIOp>(blockCount, c1);
621bdde9595Sbakhtiyar     Value group = b.create<CreateGroupOp>(GroupType::get(ctx), groupSize);
622bdde9595Sbakhtiyar 
623a8f819c6SEugene Zhulenev     ImplicitLocOpBuilder nb(loc, nestedBuilder);
62486ad0af8SEugene Zhulenev 
62586ad0af8SEugene Zhulenev     // Launch async dispatch function for [0, blockCount) range.
626a8f819c6SEugene Zhulenev     SmallVector<Value> operands = {group, c0, blockCount, blockSize};
627a8f819c6SEugene Zhulenev     appendBlockComputeOperands(operands);
628a8f819c6SEugene Zhulenev 
629a8f819c6SEugene Zhulenev     nb.create<CallOp>(asyncDispatchFunction.sym_name(),
630a8f819c6SEugene Zhulenev                       asyncDispatchFunction.getCallableResults(), operands);
631bdde9595Sbakhtiyar 
632bdde9595Sbakhtiyar     // Wait for the completion of all parallel compute operations.
633bdde9595Sbakhtiyar     b.create<AwaitAllOp>(group);
634bdde9595Sbakhtiyar 
635a8f819c6SEugene Zhulenev     nb.create<scf::YieldOp>();
636a8f819c6SEugene Zhulenev   };
637a8f819c6SEugene Zhulenev 
638a8f819c6SEugene Zhulenev   // Dispatch either single block compute function, or launch async dispatch.
639a8f819c6SEugene Zhulenev   b.create<scf::IfOp>(TypeRange(), isSingleBlock, syncDispatch, asyncDispatch);
64086ad0af8SEugene Zhulenev }
64186ad0af8SEugene Zhulenev 
64286ad0af8SEugene Zhulenev // Dispatch parallel compute functions by submitting all async compute tasks
64386ad0af8SEugene Zhulenev // from a simple for loop in the caller thread.
64486ad0af8SEugene Zhulenev static void
64555dfab39Sbakhtiyar doSequentialDispatch(ImplicitLocOpBuilder &b, PatternRewriter &rewriter,
64686ad0af8SEugene Zhulenev                      ParallelComputeFunction &parallelComputeFunction,
64786ad0af8SEugene Zhulenev                      scf::ParallelOp op, Value blockSize, Value blockCount,
64886ad0af8SEugene Zhulenev                      const SmallVector<Value> &tripCounts) {
64986ad0af8SEugene Zhulenev   MLIRContext *ctx = op->getContext();
65086ad0af8SEugene Zhulenev 
65186ad0af8SEugene Zhulenev   FuncOp compute = parallelComputeFunction.func;
65286ad0af8SEugene Zhulenev 
653a54f4eaeSMogball   Value c0 = b.create<arith::ConstantIndexOp>(0);
654a54f4eaeSMogball   Value c1 = b.create<arith::ConstantIndexOp>(1);
65586ad0af8SEugene Zhulenev 
65686ad0af8SEugene Zhulenev   // Create an async.group to wait on all async tokens from the concurrent
65786ad0af8SEugene Zhulenev   // execution of multiple parallel compute function. First block will be
65886ad0af8SEugene Zhulenev   // executed synchronously in the caller thread.
659a54f4eaeSMogball   Value groupSize = b.create<arith::SubIOp>(blockCount, c1);
66086ad0af8SEugene Zhulenev   Value group = b.create<CreateGroupOp>(GroupType::get(ctx), groupSize);
66186ad0af8SEugene Zhulenev 
66286ad0af8SEugene Zhulenev   // Call parallel compute function for all blocks.
66386ad0af8SEugene Zhulenev   using LoopBodyBuilder =
66486ad0af8SEugene Zhulenev       std::function<void(OpBuilder &, Location, Value, ValueRange)>;
66586ad0af8SEugene Zhulenev 
66686ad0af8SEugene Zhulenev   // Returns parallel compute function operands to process the given block.
66786ad0af8SEugene Zhulenev   auto computeFuncOperands = [&](Value blockIndex) -> SmallVector<Value> {
66886ad0af8SEugene Zhulenev     SmallVector<Value> computeFuncOperands = {blockIndex, blockSize};
66986ad0af8SEugene Zhulenev     computeFuncOperands.append(tripCounts);
670c0342a2dSJacques Pienaar     computeFuncOperands.append(op.getLowerBound().begin(),
671c0342a2dSJacques Pienaar                                op.getLowerBound().end());
672c0342a2dSJacques Pienaar     computeFuncOperands.append(op.getUpperBound().begin(),
673c0342a2dSJacques Pienaar                                op.getUpperBound().end());
674c0342a2dSJacques Pienaar     computeFuncOperands.append(op.getStep().begin(), op.getStep().end());
67586ad0af8SEugene Zhulenev     computeFuncOperands.append(parallelComputeFunction.captures);
67686ad0af8SEugene Zhulenev     return computeFuncOperands;
67786ad0af8SEugene Zhulenev   };
67886ad0af8SEugene Zhulenev 
67986ad0af8SEugene Zhulenev   // Induction variable is the index of the block: [0, blockCount).
68086ad0af8SEugene Zhulenev   LoopBodyBuilder loopBuilder = [&](OpBuilder &loopBuilder, Location loc,
68186ad0af8SEugene Zhulenev                                     Value iv, ValueRange args) {
68286ad0af8SEugene Zhulenev     ImplicitLocOpBuilder nb(loc, loopBuilder);
68386ad0af8SEugene Zhulenev 
68486ad0af8SEugene Zhulenev     // Call parallel compute function inside the async.execute region.
68586ad0af8SEugene Zhulenev     auto executeBodyBuilder = [&](OpBuilder &executeBuilder,
68686ad0af8SEugene Zhulenev                                   Location executeLoc, ValueRange executeArgs) {
68786ad0af8SEugene Zhulenev       executeBuilder.create<CallOp>(executeLoc, compute.sym_name(),
68886ad0af8SEugene Zhulenev                                     compute.getCallableResults(),
68986ad0af8SEugene Zhulenev                                     computeFuncOperands(iv));
69086ad0af8SEugene Zhulenev       executeBuilder.create<async::YieldOp>(executeLoc, ValueRange());
69186ad0af8SEugene Zhulenev     };
69286ad0af8SEugene Zhulenev 
69386ad0af8SEugene Zhulenev     // Create async.execute operation to launch parallel computate function.
69486ad0af8SEugene Zhulenev     auto execute = nb.create<ExecuteOp>(TypeRange(), ValueRange(), ValueRange(),
69586ad0af8SEugene Zhulenev                                         executeBodyBuilder);
69686ad0af8SEugene Zhulenev     nb.create<AddToGroupOp>(rewriter.getIndexType(), execute.token(), group);
69786ad0af8SEugene Zhulenev     nb.create<scf::YieldOp>();
69886ad0af8SEugene Zhulenev   };
69986ad0af8SEugene Zhulenev 
70086ad0af8SEugene Zhulenev   // Iterate over all compute blocks and launch parallel compute operations.
70186ad0af8SEugene Zhulenev   b.create<scf::ForOp>(c1, blockCount, c1, ValueRange(), loopBuilder);
70286ad0af8SEugene Zhulenev 
70386ad0af8SEugene Zhulenev   // Call parallel compute function for the first block in the caller thread.
70486ad0af8SEugene Zhulenev   b.create<CallOp>(compute.sym_name(), compute.getCallableResults(),
70586ad0af8SEugene Zhulenev                    computeFuncOperands(c0));
70686ad0af8SEugene Zhulenev 
70786ad0af8SEugene Zhulenev   // Wait for the completion of all async compute operations.
70886ad0af8SEugene Zhulenev   b.create<AwaitAllOp>(group);
70986ad0af8SEugene Zhulenev }
71086ad0af8SEugene Zhulenev 
711c30ab6c2SEugene Zhulenev LogicalResult
712c30ab6c2SEugene Zhulenev AsyncParallelForRewrite::matchAndRewrite(scf::ParallelOp op,
713c30ab6c2SEugene Zhulenev                                          PatternRewriter &rewriter) const {
714c30ab6c2SEugene Zhulenev   // We do not currently support rewrite for parallel op with reductions.
715c30ab6c2SEugene Zhulenev   if (op.getNumReductions() != 0)
716c30ab6c2SEugene Zhulenev     return failure();
717c30ab6c2SEugene Zhulenev 
71886ad0af8SEugene Zhulenev   ImplicitLocOpBuilder b(op.getLoc(), rewriter);
719c30ab6c2SEugene Zhulenev 
720ec0e4545Sbakhtiyar   // Computing minTaskSize emits IR and can be implemented as executing a cost
721ec0e4545Sbakhtiyar   // model on the body of the scf.parallel. Thus it needs to be computed before
722ec0e4545Sbakhtiyar   // the body of the scf.parallel has been manipulated.
723ec0e4545Sbakhtiyar   Value minTaskSize = computeMinTaskSize(b, op);
724ec0e4545Sbakhtiyar 
7259f151b78SEugene Zhulenev   // Make sure that all constants will be inside the parallel operation body to
7269f151b78SEugene Zhulenev   // reduce the number of parallel compute function arguments.
7279f151b78SEugene Zhulenev   cloneConstantsIntoTheRegion(op.getLoopBody(), rewriter);
7289f151b78SEugene Zhulenev 
729c30ab6c2SEugene Zhulenev   // Compute trip count for each loop induction variable:
73086ad0af8SEugene Zhulenev   //   tripCount = ceil_div(upperBound - lowerBound, step);
73186ad0af8SEugene Zhulenev   SmallVector<Value> tripCounts(op.getNumLoops());
732c30ab6c2SEugene Zhulenev   for (size_t i = 0; i < op.getNumLoops(); ++i) {
733c0342a2dSJacques Pienaar     auto lb = op.getLowerBound()[i];
734c0342a2dSJacques Pienaar     auto ub = op.getUpperBound()[i];
735c0342a2dSJacques Pienaar     auto step = op.getStep()[i];
7369f151b78SEugene Zhulenev     auto range = b.createOrFold<arith::SubIOp>(ub, lb);
7379f151b78SEugene Zhulenev     tripCounts[i] = b.createOrFold<arith::CeilDivSIOp>(range, step);
738c30ab6c2SEugene Zhulenev   }
739c30ab6c2SEugene Zhulenev 
74086ad0af8SEugene Zhulenev   // Compute a product of trip counts to get the 1-dimensional iteration space
74186ad0af8SEugene Zhulenev   // for the scf.parallel operation.
74286ad0af8SEugene Zhulenev   Value tripCount = tripCounts[0];
74386ad0af8SEugene Zhulenev   for (size_t i = 1; i < tripCounts.size(); ++i)
744a54f4eaeSMogball     tripCount = b.create<arith::MulIOp>(tripCount, tripCounts[i]);
745c30ab6c2SEugene Zhulenev 
7466c1f6558SEugene Zhulenev   // Short circuit no-op parallel loops (zero iterations) that can arise from
7476c1f6558SEugene Zhulenev   // the memrefs with dynamic dimension(s) equal to zero.
748a54f4eaeSMogball   Value c0 = b.create<arith::ConstantIndexOp>(0);
749a54f4eaeSMogball   Value isZeroIterations =
750a54f4eaeSMogball       b.create<arith::CmpIOp>(arith::CmpIPredicate::eq, tripCount, c0);
7516c1f6558SEugene Zhulenev 
7526c1f6558SEugene Zhulenev   // Do absolutely nothing if the trip count is zero.
7536c1f6558SEugene Zhulenev   auto noOp = [&](OpBuilder &nestedBuilder, Location loc) {
7546c1f6558SEugene Zhulenev     nestedBuilder.create<scf::YieldOp>(loc);
7556c1f6558SEugene Zhulenev   };
7566c1f6558SEugene Zhulenev 
7576c1f6558SEugene Zhulenev   // Compute the parallel block size and dispatch concurrent tasks computing
7586c1f6558SEugene Zhulenev   // results for each block.
7596c1f6558SEugene Zhulenev   auto dispatch = [&](OpBuilder &nestedBuilder, Location loc) {
7606c1f6558SEugene Zhulenev     ImplicitLocOpBuilder nb(loc, nestedBuilder);
7616c1f6558SEugene Zhulenev 
76249ce40e9SEugene Zhulenev     // Collect statically known constants defining the loop nest in the parallel
76349ce40e9SEugene Zhulenev     // compute function. LLVM can't always push constants across the non-trivial
76449ce40e9SEugene Zhulenev     // async dispatch call graph, by providing these values explicitly we can
76549ce40e9SEugene Zhulenev     // choose to build more efficient loop nest, and rely on a better constant
76649ce40e9SEugene Zhulenev     // folding, loop unrolling and vectorization.
76749ce40e9SEugene Zhulenev     ParallelComputeFunctionBounds staticBounds = {
76849ce40e9SEugene Zhulenev         integerConstants(tripCounts),
769c0342a2dSJacques Pienaar         integerConstants(op.getLowerBound()),
770c0342a2dSJacques Pienaar         integerConstants(op.getUpperBound()),
771c0342a2dSJacques Pienaar         integerConstants(op.getStep()),
77249ce40e9SEugene Zhulenev     };
77349ce40e9SEugene Zhulenev 
77449ce40e9SEugene Zhulenev     // Find how many inner iteration dimensions are statically known, and their
775ec0e4545Sbakhtiyar     // product is smaller than the `512`. We align the parallel compute block
77649ce40e9SEugene Zhulenev     // size by the product of statically known dimensions, so that we can
77749ce40e9SEugene Zhulenev     // guarantee that the inner loops executes from 0 to the loop trip counts
77849ce40e9SEugene Zhulenev     // and we can elide dynamic loop boundaries, and give LLVM an opportunity to
77949ce40e9SEugene Zhulenev     // unroll the loops. The constant `512` is arbitrary, it should depend on
78049ce40e9SEugene Zhulenev     // how many iterations LLVM will typically decide to unroll.
78149ce40e9SEugene Zhulenev     static constexpr int64_t maxIterations = 512;
78249ce40e9SEugene Zhulenev 
78349ce40e9SEugene Zhulenev     // The number of inner loops with statically known number of iterations less
78449ce40e9SEugene Zhulenev     // than the `maxIterations` value.
78549ce40e9SEugene Zhulenev     int numUnrollableLoops = 0;
78649ce40e9SEugene Zhulenev 
78749ce40e9SEugene Zhulenev     auto getInt = [](IntegerAttr attr) { return attr ? attr.getInt() : 0; };
78849ce40e9SEugene Zhulenev 
78949ce40e9SEugene Zhulenev     SmallVector<int64_t> numIterations(op.getNumLoops());
79049ce40e9SEugene Zhulenev     numIterations.back() = getInt(staticBounds.tripCounts.back());
79149ce40e9SEugene Zhulenev 
79249ce40e9SEugene Zhulenev     for (int i = op.getNumLoops() - 2; i >= 0; --i) {
79349ce40e9SEugene Zhulenev       int64_t tripCount = getInt(staticBounds.tripCounts[i]);
79449ce40e9SEugene Zhulenev       int64_t innerIterations = numIterations[i + 1];
79549ce40e9SEugene Zhulenev       numIterations[i] = tripCount * innerIterations;
79649ce40e9SEugene Zhulenev 
79749ce40e9SEugene Zhulenev       // Update the number of inner loops that we can potentially unroll.
79849ce40e9SEugene Zhulenev       if (innerIterations > 0 && innerIterations <= maxIterations)
79949ce40e9SEugene Zhulenev         numUnrollableLoops++;
80049ce40e9SEugene Zhulenev     }
80149ce40e9SEugene Zhulenev 
802c1194c2eSEugene Zhulenev     // With large number of threads the value of creating many compute blocks
803c1194c2eSEugene Zhulenev     // is reduced because the problem typically becomes memory bound. For small
804c1194c2eSEugene Zhulenev     // number of threads it helps with stragglers.
805c1194c2eSEugene Zhulenev     float overshardingFactor = numWorkerThreads <= 4    ? 8.0
806c1194c2eSEugene Zhulenev                                : numWorkerThreads <= 8  ? 4.0
807c1194c2eSEugene Zhulenev                                : numWorkerThreads <= 16 ? 2.0
808c1194c2eSEugene Zhulenev                                : numWorkerThreads <= 32 ? 1.0
809c1194c2eSEugene Zhulenev                                : numWorkerThreads <= 64 ? 0.8
810c1194c2eSEugene Zhulenev                                                         : 0.6;
811c1194c2eSEugene Zhulenev 
81286ad0af8SEugene Zhulenev     // Do not overload worker threads with too many compute blocks.
813a54f4eaeSMogball     Value maxComputeBlocks = b.create<arith::ConstantIndexOp>(
814c1194c2eSEugene Zhulenev         std::max(1, static_cast<int>(numWorkerThreads * overshardingFactor)));
815c30ab6c2SEugene Zhulenev 
81686ad0af8SEugene Zhulenev     // Compute parallel block size from the parallel problem size:
81786ad0af8SEugene Zhulenev     //   blockSize = min(tripCount,
81834a164c9SEugene Zhulenev     //                   max(ceil_div(tripCount, maxComputeBlocks),
819ec0e4545Sbakhtiyar     //                       minTaskSize))
8207bd87a03Sbakhtiyar     Value bs0 = b.create<arith::CeilDivSIOp>(tripCount, maxComputeBlocks);
821ec0e4545Sbakhtiyar     Value bs1 = b.create<arith::MaxSIOp>(bs0, minTaskSize);
8227bd87a03Sbakhtiyar     Value blockSize = b.create<arith::MinSIOp>(tripCount, bs1);
82349ce40e9SEugene Zhulenev 
824ec0e4545Sbakhtiyar     ParallelComputeFunction notUnrollableParallelComputeFunction =
825ec0e4545Sbakhtiyar         createParallelComputeFunction(op, staticBounds, 0, rewriter);
826ec0e4545Sbakhtiyar 
827ec0e4545Sbakhtiyar     // Dispatch parallel compute function using async recursive work splitting,
828ec0e4545Sbakhtiyar     // or by submitting compute task sequentially from a caller thread.
829ec0e4545Sbakhtiyar     auto doDispatch = asyncDispatch ? doAsyncDispatch : doSequentialDispatch;
830ec0e4545Sbakhtiyar 
831ec0e4545Sbakhtiyar     // Create a parallel compute function that takes a block id and computes
832ec0e4545Sbakhtiyar     // the parallel operation body for a subset of iteration space.
83349ce40e9SEugene Zhulenev 
83449ce40e9SEugene Zhulenev     // Compute the number of parallel compute blocks.
835a54f4eaeSMogball     Value blockCount = b.create<arith::CeilDivSIOp>(tripCount, blockSize);
83686ad0af8SEugene Zhulenev 
837ec0e4545Sbakhtiyar     // Unroll when numUnrollableLoops > 0 && blockSize >= maxIterations.
838ec0e4545Sbakhtiyar     bool staticShouldUnroll = numUnrollableLoops > 0;
839ec0e4545Sbakhtiyar     auto dispatchNotUnrollable = [&](OpBuilder &nestedBuilder, Location loc) {
840ec0e4545Sbakhtiyar       ImplicitLocOpBuilder nb(loc, nestedBuilder);
841ec0e4545Sbakhtiyar       doDispatch(b, rewriter, notUnrollableParallelComputeFunction, op,
842ec0e4545Sbakhtiyar                  blockSize, blockCount, tripCounts);
843ec0e4545Sbakhtiyar       nb.create<scf::YieldOp>();
844ec0e4545Sbakhtiyar     };
845ec0e4545Sbakhtiyar 
846ec0e4545Sbakhtiyar     if (staticShouldUnroll) {
847ec0e4545Sbakhtiyar       Value dynamicShouldUnroll = b.create<arith::CmpIOp>(
848ec0e4545Sbakhtiyar           arith::CmpIPredicate::sge, blockSize,
849ec0e4545Sbakhtiyar           b.create<arith::ConstantIndexOp>(maxIterations));
850ec0e4545Sbakhtiyar 
851ec0e4545Sbakhtiyar       ParallelComputeFunction unrollableParallelComputeFunction =
85249ce40e9SEugene Zhulenev           createParallelComputeFunction(op, staticBounds, numUnrollableLoops,
85349ce40e9SEugene Zhulenev                                         rewriter);
85486ad0af8SEugene Zhulenev 
855ec0e4545Sbakhtiyar       auto dispatchUnrollable = [&](OpBuilder &nestedBuilder, Location loc) {
856ec0e4545Sbakhtiyar         ImplicitLocOpBuilder nb(loc, nestedBuilder);
857ec0e4545Sbakhtiyar         // Align the block size to be a multiple of the statically known
858ec0e4545Sbakhtiyar         // number of iterations in the inner loops.
859ec0e4545Sbakhtiyar         Value numIters = nb.create<arith::ConstantIndexOp>(
860ec0e4545Sbakhtiyar             numIterations[op.getNumLoops() - numUnrollableLoops]);
861ec0e4545Sbakhtiyar         Value alignedBlockSize = nb.create<arith::MulIOp>(
862ec0e4545Sbakhtiyar             nb.create<arith::CeilDivSIOp>(blockSize, numIters), numIters);
863ec0e4545Sbakhtiyar         doDispatch(b, rewriter, unrollableParallelComputeFunction, op,
864ec0e4545Sbakhtiyar                    alignedBlockSize, blockCount, tripCounts);
8656c1f6558SEugene Zhulenev         nb.create<scf::YieldOp>();
8666c1f6558SEugene Zhulenev       };
8676c1f6558SEugene Zhulenev 
868ec0e4545Sbakhtiyar       b.create<scf::IfOp>(TypeRange(), dynamicShouldUnroll, dispatchUnrollable,
869ec0e4545Sbakhtiyar                           dispatchNotUnrollable);
870ec0e4545Sbakhtiyar       nb.create<scf::YieldOp>();
871ec0e4545Sbakhtiyar     } else {
872ec0e4545Sbakhtiyar       dispatchNotUnrollable(nb, loc);
873ec0e4545Sbakhtiyar     }
874ec0e4545Sbakhtiyar   };
875ec0e4545Sbakhtiyar 
8766c1f6558SEugene Zhulenev   // Replace the `scf.parallel` operation with the parallel compute function.
8776c1f6558SEugene Zhulenev   b.create<scf::IfOp>(TypeRange(), isZeroIterations, noOp, dispatch);
8786c1f6558SEugene Zhulenev 
87934a164c9SEugene Zhulenev   // Parallel operation was replaced with a block iteration loop.
880c30ab6c2SEugene Zhulenev   rewriter.eraseOp(op);
881c30ab6c2SEugene Zhulenev 
882c30ab6c2SEugene Zhulenev   return success();
883c30ab6c2SEugene Zhulenev }
884c30ab6c2SEugene Zhulenev 
8858a316b00SEugene Zhulenev void AsyncParallelForPass::runOnOperation() {
886c30ab6c2SEugene Zhulenev   MLIRContext *ctx = &getContext();
887c30ab6c2SEugene Zhulenev 
888dc4e913bSChris Lattner   RewritePatternSet patterns(ctx);
889ec0e4545Sbakhtiyar   populateAsyncParallelForPatterns(
890ec0e4545Sbakhtiyar       patterns, asyncDispatch, numWorkerThreads,
891ec0e4545Sbakhtiyar       [&](ImplicitLocOpBuilder builder, scf::ParallelOp op) {
892ec0e4545Sbakhtiyar         return builder.create<arith::ConstantIndexOp>(minTaskSize);
893ec0e4545Sbakhtiyar       });
8948a316b00SEugene Zhulenev   if (failed(applyPatternsAndFoldGreedily(getOperation(), std::move(patterns))))
895c30ab6c2SEugene Zhulenev     signalPassFailure();
896c30ab6c2SEugene Zhulenev }
897c30ab6c2SEugene Zhulenev 
8988a316b00SEugene Zhulenev std::unique_ptr<Pass> mlir::createAsyncParallelForPass() {
899c30ab6c2SEugene Zhulenev   return std::make_unique<AsyncParallelForPass>();
900c30ab6c2SEugene Zhulenev }
90134a164c9SEugene Zhulenev 
90255dfab39Sbakhtiyar std::unique_ptr<Pass> mlir::createAsyncParallelForPass(bool asyncDispatch,
90355dfab39Sbakhtiyar                                                        int32_t numWorkerThreads,
90455dfab39Sbakhtiyar                                                        int32_t minTaskSize) {
90534a164c9SEugene Zhulenev   return std::make_unique<AsyncParallelForPass>(asyncDispatch, numWorkerThreads,
90655dfab39Sbakhtiyar                                                 minTaskSize);
90734a164c9SEugene Zhulenev }
908ec0e4545Sbakhtiyar 
909ec0e4545Sbakhtiyar void mlir::async::populateAsyncParallelForPatterns(
910ec0e4545Sbakhtiyar     RewritePatternSet &patterns, bool asyncDispatch, int32_t numWorkerThreads,
9111fc096afSMehdi Amini     const AsyncMinTaskSizeComputationFunction &computeMinTaskSize) {
912ec0e4545Sbakhtiyar   MLIRContext *ctx = patterns.getContext();
913ec0e4545Sbakhtiyar   patterns.add<AsyncParallelForRewrite>(ctx, asyncDispatch, numWorkerThreads,
914ec0e4545Sbakhtiyar                                         computeMinTaskSize);
915ec0e4545Sbakhtiyar }
916