MLIR  20.0.0git
Transforms.h
Go to the documentation of this file.
1 //===- Transforms.h - Linalg transformations as patterns --------*- C++ -*-===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 
9 #ifndef MLIR_DIALECT_LINALG_TRANSFORMS_TRANSFORMS_H
10 #define MLIR_DIALECT_LINALG_TRANSFORMS_TRANSFORMS_H
11 
12 #include <utility>
13 
23 #include "mlir/IR/PatternMatch.h"
26 #include "llvm/ADT/SmallBitVector.h"
27 #include "llvm/ADT/SmallSet.h"
28 
29 namespace mlir {
30 namespace bufferization {
31 class AllocTensorOp;
32 class OneShotAnalysisState;
33 } // namespace bufferization
34 
35 namespace linalg {
36 
37 class LinalgOp;
38 
39 //===----------------------------------------------------------------------===//
40 // Utils.
41 //===----------------------------------------------------------------------===//
42 
43 /// Return vector::CombiningKind for the given op.
44 std::optional<vector::CombiningKind> getCombinerOpKind(Operation *combinerOp);
45 
46 //===----------------------------------------------------------------------===//
47 // Bufferization-related transforms.
48 //===----------------------------------------------------------------------===//
49 
51  enum class AllocOp { MemrefAlloc = 0, MemrefAlloca = 1 };
53 
54  enum class MemcpyOp {
56  MemrefCopy = 1,
57  LinalgCopy = 2
58  };
60 
61  /// If set to "true", only the destination tensor operands are bufferized to
62  /// a new allocation (and wrapped in "bufferization.to_tensor"), but not the
63  /// targeted op itself.
65 
66  /// If set to "true", a `memref.dealloc` operation will be emitted for each
67  /// allocated buffer. Otherwise, the memory is leaked, which is useful if
68  /// the buffer deallocation pipeline should be run after bufferization is
69  /// done.
70  bool emitDealloc = false;
71 };
72 
73 /// Materialize a buffer allocation for the given tensor.pad op and lower the
74 /// op to linalg.fill/linalg.generic + bufferization.materialize_in_destination.
75 /// E.g.:
76 ///
77 /// %0 = tensor.pad low[%l] high[%h] %t ...
78 ///
79 /// is lowered to:
80 ///
81 /// %alloc = memref.alloc
82 /// linalg.fill ... outs(%alloc)
83 /// %subview = memref.subview %alloc [%l] [...] [1]
84 /// bufferization.materialize_in_destination %t in %subview
85 /// %0 = bufferization.to_tensor %alloc restrict writable
86 ///
87 /// In addition to rewriting the IR as shown above, this function returns the
88 /// newly allocated buffer. The `insertionPoint` parameter can be used to
89 /// specify a custom insertion point for the buffer allocation.
92  tensor::PadOp padOp, Attribute memorySpace = {},
93  Operation *insertionPoint = nullptr);
94 
95 /// Materialize a buffer allocation for the given vector.mask op and bufferize
96 /// the op, including its region. E.g.:
97 ///
98 /// %0 = vector.mask {
99 /// vector.transfer_write %v, %t : vector<16xf32>, tensor<?xf32>
100 /// } : vector<16xi1> -> tensor<?xf32>
101 ///
102 /// is lowered to:
103 ///
104 /// %alloc = memref.alloc
105 /// bufferization.materialize_in_destination %t in %subview
106 /// vector.mask {
107 /// vector.transfer_write %arg0, %alloc : vector<16xf32>, memref<?xf32>
108 /// } : vector<16xi1>
109 /// %0 = bufferization.to_tensor %alloc restrict writable
110 ///
111 /// In addition to rewriting the IR as shown above, this function returns the
112 /// newly allocated buffer. The `insertionPoint` parameter can be used to
113 /// specify a custom insertion point for the buffer allocation.
115  const BufferizeToAllocationOptions &options,
116  vector::MaskOp maskOp, Attribute memorySpace = {},
117  Operation *insertionPoint = nullptr);
118 
119 /// Materialize a buffer allocation for the given bufferization.alloc_tensor op
120 /// and lower the op to memref.alloc + memref.tensor_store.
121 ///
122 /// In addition to rewriting the IR, this function returns the newly allocated
123 /// buffer. The `insertionPoint` parameter can be used to specify a custom
124 /// insertion point for the buffer allocation.
125 Value bufferizeToAllocation(RewriterBase &rewriter,
126  const BufferizeToAllocationOptions &options,
127  bufferization::AllocTensorOp allocTensorOp,
128  Attribute memorySpace = {},
129  Operation *insertionPoint = nullptr);
130 
131 /// Bufferize the given op with tensor semantics and materialize the result in
132 /// a newly allocated buffer.
133 ///
134 /// Only bufferizable ops that bufferize to a memory write or have an
135 /// aliasing OpOperand (and do not themselves bufferize to an allocation) are
136 /// supported. They are bufferized using their BufferizableOpInterface
137 /// implementation.
138 ///
139 /// Selected ops that bufferize to an allocation (or need special handling) are
140 /// also supported:
141 /// - tensor.pad
142 /// - vector.mask
143 ///
144 /// This function returns the newly allocated buffer. The `insertionPoint`
145 /// parameter can be used to specify a custom insertion point for the buffer
146 /// allocation.
147 Value bufferizeToAllocation(RewriterBase &rewriter,
148  const BufferizeToAllocationOptions &options,
149  Operation *op, Attribute memorySpace = {},
150  Operation *insertionPoint = nullptr);
151 
152 /// Try to eliminate tensor::EmptyOps inside `op` that are anchored on a
153 /// LinalgOp. This transforms looks for LinalgOps that have an unused output
154 /// operand and an input operand that is rooted in a tensor::EmptyOp. The
155 /// tensor::EmptyOp uses are replaced with the output operand and the two
156 /// operands of the LinalgOp are swapped.
157 ///
158 /// Example:
159 /// %0 = tensor.empty()
160 /// %1 = linalg.matmul ins(...) outs(%0)
161 /// %2 = linalg.generic ins(%1) outs(%dest) {
162 /// ^bb0(%in: f32, %out: f32):
163 /// // out not used
164 /// }
165 ///
166 /// The IR is transformed as follows:
167 /// %0 = tensor.empty()
168 /// %1 = linalg.matmul ins(...) outs(%dest)
169 /// %2 = linalg.generic ins(%0) outs(%1) {
170 /// ^bb0(%in: f32, %out: f32):
171 /// // Use %out instead of %in
172 /// }
173 ///
174 /// The "ins" operand has no uses inside the body of the LinalgOp and can be
175 /// folded away with existing cleanup patterns. Afterwards, the tensor::EmptyOp
176 /// can also fold away.
178  RewriterBase &rewriter, Operation *op,
179  bufferization::OneShotAnalysisState &state);
180 
181 //===----------------------------------------------------------------------===//
182 // Structs that configure the behavior of various transformations.
183 //===----------------------------------------------------------------------===//
184 
186  std::function<SmallVector<Value, 4>(OpBuilder &, Operation *)>;
187 
189  /// Computation function that returns the tile sizes for each operation.
190  /// Delayed construction of constant tile sizes should occur to interoperate
191  /// with folding.
193 
196  tileSizeComputationFunction = std::move(fun);
197  return *this;
198  }
199  /// Set the `tileSizeComputationFunction` to return the values `ts`. The
200  /// values must not fold away when tiling. Otherwise, use a more robust
201  /// `tileSizeComputationFunction`.
203  tileSizeComputationFunction = [=](OpBuilder &, Operation *) { return ts; };
204  return *this;
205  }
206  /// Convenience function to set the `tileSizeComputationFunction` to a
207  /// function that computes tile sizes at the point they are needed. Allows
208  /// proper interaction with folding.
210 
211  /// Tile all dynamic dimensions by 1. I.e., scalarize those dimensions.
212  /// Note: `scalarizeDynamicDims` and `setTileSizes` cannot be used together.
214 
215  /// The interchange vector to reorder the tiled loops.
217 
219  interchangeVector.assign(interchange.begin(), interchange.end());
220  return *this;
221  }
222 
223  /// The type of tile loops to generate.
225 
227  loopType = lt;
228  return *this;
229  }
230 
231  /// When specified, specifies distribution of generated tile loops to
232  /// processors.
233  std::optional<LinalgLoopDistributionOptions> distribution;
234 
237  distribution = std::move(distributionOptions);
238  return *this;
239  }
240 
241  /// Specification markers of how to distribute the `linalg.tiled_loop`.
243 
245  distributionTypes.assign(types.begin(), types.end());
246  return *this;
247  }
248 
249  /// Peel the specified loops.
251 
253  peeledLoops.clear();
254  peeledLoops.append(loops.begin(), loops.end());
255  return *this;
256  }
257 };
258 
260  /// Tile sizes used to tile the root operation.
263  tileSizes.assign(ts.begin(), ts.end());
264  return *this;
265  }
266  /// Tile interchange used to permute the tile loops.
268  /// When specified, specifies distribution of generated tile loops to
269  /// processors.
270  std::optional<LinalgLoopDistributionOptions> tileDistribution;
273  tileDistribution = std::move(distributionOptions);
274  return *this;
275  }
276 };
277 
279  /// A padding value for every operand.
282  paddingValues.assign(pv.begin(), pv.end());
283  return *this;
284  }
285  /// A list of iterator dimensions to pad.
288  paddingDimensions.assign(pd.begin(), pd.end());
289  return *this;
290  }
291  /// A list of multiples to which each padding dimension should be padded to.
292  std::optional<SmallVector<int64_t>> padToMultipleOf;
294  padToMultipleOf.emplace(m.begin(), m.end());
295  return *this;
296  }
297  /// A flag for every operand to mark the PadOp as nofold which enables
298  /// packing for statically shaped operands.
301  nofoldFlags.assign(pp.begin(), pp.end());
302  return *this;
303  }
304  /// A number of loops to hoist the PadOp out for every operand.
307  hoistPaddings.assign(hp.begin(), hp.end());
308  return *this;
309  }
310  /// A permutation vector for every operand used to transpose the packed
311  /// PadOp results.
315  transposePaddings.assign(tp.begin(), tp.end());
316  return *this;
317  }
318  enum class CopyBackOp : int8_t {
319  None = 0,
321  LinalgCopy = 2
322  };
323  /// The op to be used for copying the padded result to the original
324  /// destination tensor.
327  copyBackOp = op;
328  return *this;
329  }
330 };
331 
332 /// Callback function type used to perform the allocation for the promoted
333 /// `subView`. In `boundingSubViewsize` a best attempt is made to find the
334 /// smallest constant value for the size of the buffer needed for each
335 /// dimension. If that is not possible, contains the dynamic size of the
336 /// subview. The call back should return the buffer to use.
337 using AllocBufferCallbackFn = std::function<std::optional<Value>(
338  OpBuilder &b, memref::SubViewOp subView,
339  ArrayRef<Value> boundingSubViewSize, DataLayout &layout)>;
340 
341 /// Callback function type used to deallocate the buffers used to hold the
342 /// promoted subview.
344  std::function<LogicalResult(OpBuilder &b, Value buffer)>;
345 
346 /// Callback function type used to insert copy from original subview to
347 /// subview of the promoted region for the read operands/subview of promoted
348 /// region to original subview for the results. The copy has to happen from
349 /// `src` to `dst`.
351  std::function<LogicalResult(OpBuilder &b, Value src, Value dst)>;
352 
354  /// Indices of subViews to promote. If `std::nullopt`, try to promote all
355  /// operands.
356  std::optional<DenseSet<unsigned>> operandsToPromote;
359  operandsToPromote->insert(operands.begin(), operands.end());
360  return *this;
361  }
362  /// If ith element of `useFullTiles` is true the full view should be used
363  /// for the promoted buffer of the ith operand in `operandsToPromote`.
364  /// Otherwise the partial view will be used. The decision is defaulted to
365  /// `useFullTileBuffersDefault` when `useFullTileBuffers` is std::nullopt and
366  /// for operands missing from `useFullTileBuffers`.
367  std::optional<llvm::SmallBitVector> useFullTileBuffers;
369  unsigned size = useFullTiles.size();
370  llvm::SmallBitVector tmp(size, false);
371  for (unsigned i = 0; i < size; ++i)
372  tmp[i] = useFullTiles[i];
373  useFullTileBuffers = tmp;
374  return *this;
375  }
376  /// If true all operands unspecified by `useFullTileBuffers` will use the
377  /// full view, otherwise the partial view.
381  return *this;
382  }
383  /// Alignment of promoted buffer. If `std::nullopt` do not specify alignment.
384  std::optional<unsigned> alignment;
386  alignment = align;
387  return *this;
388  }
389  /// Memory space of promoted buffer. If `std::nullopt` do not specify memory
390  /// space.
391  std::optional<Attribute> memorySpace;
393  memorySpace = memorySpc;
394  return *this;
395  }
396  /// Use alloca with the default allocation scheme.
397  bool useAlloca = false;
399  useAlloca = use;
400  return *this;
401  }
402  /// Callback function to do the allocation of the promoted buffer. If
403  /// std::nullopt, then the default allocation scheme of allocating a
404  /// memref<?xi8> buffer followed by a view operation is used.
405  std::optional<AllocBufferCallbackFn> allocationFn;
406  std::optional<DeallocBufferCallbackFn> deallocationFn;
409  DeallocBufferCallbackFn const &deallocFn) {
410  allocationFn = allocFn;
411  deallocationFn = deallocFn;
412  return *this;
413  }
414  /// Callback function to do the copy of data to and from the promoted
415  /// subview. If std::nullopt then a memref.copy is used.
416  std::optional<CopyCallbackFn> copyInFn;
417  std::optional<CopyCallbackFn> copyOutFn;
419  CopyCallbackFn const &copyOut) {
420  copyInFn = copyIn;
421  copyOutFn = copyOut;
422  return *this;
423  }
424 };
425 
426 /// Split Reduction options.
428  // Ratio used to split the reduction dimension. If the ratio is <= 1,
429  // nothing will be done.
430  int64_t ratio = 0;
431  // Index where the extra dimension is added to the intermediate tensor
432  // shape.
433  unsigned index = 0;
434  // If the inner dimension after splitting is parallel or reduction.
435  bool innerParallel = false;
436 };
437 
438 /// Function signature to control reduction splitting. This returns
439 /// `SplitReductionOptions`.
440 // TODO: don't use unsigned unless doing bit manipulation.
442  std::function<SplitReductionOptions(LinalgOp op)>;
443 
444 //===----------------------------------------------------------------------===//
445 // Preconditions that ensure the corresponding transformation succeeds and can
446 // be applied as a rewrite pattern.
447 //===----------------------------------------------------------------------===//
448 
449 /// Return true if two `linalg.generic` operations with producer/consumer
450 /// relationship through `fusedOperand` can be fused using elementwise op
451 /// fusion.
452 bool areElementwiseOpsFusable(OpOperand *fusedOperand);
453 
454 /// Promote memref.subviews feeding linalg-on-buffers operations.
455 LogicalResult promoteSubviewsPrecondition(Operation *op,
457 
458 /// Return success if the operation can be vectorized.
459 LogicalResult vectorizeOpPrecondition(Operation *op,
460  ArrayRef<int64_t> inputVectorSizes = {},
461  ArrayRef<bool> inputScalableVecDims = {},
462  bool vectorizeNDExtract = false,
463  bool flatten1DDepthwiseConv = false);
464 
465 //===----------------------------------------------------------------------===//
466 // Transformations exposed as functional-style API calls.
467 //===----------------------------------------------------------------------===//
468 
470 
471 /// Transformation to drop unit-extent dimensions from `linalg.generic`
472 /// operations.
475 
478 
479  using ControlFnTy = std::function<SmallVector<unsigned>(Operation *)>;
481  if (auto genericOp = dyn_cast_or_null<GenericOp>(op)) {
482  return llvm::to_vector(llvm::seq<unsigned>(0, genericOp.getNumLoops()));
483  }
484  if (auto padOp = dyn_cast_or_null<tensor::PadOp>(op)) {
485  return llvm::to_vector(
486  llvm::seq<unsigned>(0, padOp.getSourceType().getRank()));
487  }
488  return SmallVector<unsigned>{};
489  };
490 };
492  linalg::GenericOp resultOp;
494 };
495 FailureOr<DropUnitDimsResult> dropUnitDims(RewriterBase &rewriter,
496  GenericOp genericOp,
498 
499 /// Fuse two `linalg.generic` operations that have a producer-consumer
500 /// relationship captured through `fusedOperand`. The method expects
501 /// that `areElementwiseOpsFusable` returns true for the given `fusedOperand`.
505 };
506 FailureOr<ElementwiseOpFusionResult>
507 fuseElementwiseOps(RewriterBase &rewriter, OpOperand *fusedOperand);
508 
509 /// Returns a set of indices of the producer's results which would
510 /// be preserved after the fusion.
511 /// * There is a chance that the implementation of the transformation does not
512 /// agree with the result of this method. This function gives a prediction based
513 /// on an optimized fusion.
514 llvm::SmallDenseSet<int> getPreservedProducerResults(GenericOp producer,
515  GenericOp consumer,
516  OpOperand *fusedOperand);
517 
518 /// Try to peel and canonicalize loop `op` and return the new result.
519 /// Also applies affine_min/max bounds simplification on the fly where relevant.
520 // TODO: Add support for scf.parallel and affine.for loops.
522 
523 /// Peel 'loops' and applies affine_min/max bounds simplification on the fly
524 /// where relevant.
525 void peelLoops(RewriterBase &rewriter, ArrayRef<scf::ForOp> loops);
526 
527 /// Pad the iterator dimensions `paddingDimensions` of all `opToPad` operands
528 /// to a static bounding box. The original `opToPad` is cloned and operates on
529 /// the padded tensors.
530 ///
531 /// * "options.padToMultipleOf" indicates that each padding dimension should be
532 /// padded to the specified multiple.
533 /// * Use "options.paddingValues" and "options.nofoldFlags" to set padding
534 /// value and nofold attribute of the created tensor::PadOps, respectively.
535 /// * The unpadded results (extracted slice of the cloned operation) are
536 /// returned via `replacements`.
537 /// * The tensor::PadOps are returned via `padOps`.
538 /// * "options.copyBackOp" specifies the op type for copying back the unpadded
539 /// result to the original destination tensor.
540 LogicalResult rewriteAsPaddedOp(RewriterBase &rewriter, LinalgOp opToPad,
542  LinalgOp &paddedOp,
543  SmallVector<Value> &replacements,
545 
546 namespace detail {
547 
548 /// Helper struct to hold the results of building a packing loop nest.
552  TransposeOp maybeTransposeOp;
553  tensor::PadOp hoistedPadOp;
554 };
555 
556 /// Build the packing loop nest required to hoist `opToHoist` above
557 /// `outermostEnclosingForOp`.
558 /// The loop nest is built just before `outermostEnclosingForOp`.
559 FailureOr<PackingResult>
560 buildPackingLoopNest(RewriterBase &rewriter, tensor::PadOp opToHoist,
561  scf::ForOp outermostEnclosingForOp,
562  ArrayRef<int64_t> transposeVector);
563 
564 } // namespace detail
565 
566 /// Mechanically hoist padding operations on tensors by `numLoops` into a new,
567 /// generally larger tensor. This achieves packing of multiple padding ops into
568 /// a larger tensor. On success, `opToHoist` is replaced by the cloned version
569 /// in the packing loop so the caller can continue reasoning about the padding
570 /// operation. If `transposeVector` is non-empty, hoist padding introduces a
571 /// TransposeOp to transpose the padded tensor before inserting it into the
572 /// packed tensor. A `transposeVector` can change the storage order of the
573 /// padded tensor but does not change the order of the pack or compute loops.
574 ///
575 /// TODO: In the future, we should consider rewriting as a tensor.pack after
576 /// hoisting since this abstraction is now available.
577 ///
578 /// Example in pseudo-mlir:
579 /// =======================
580 ///
581 /// If hoistPaddingOnTensors is called with `nLoops` = 2 on the following IR.
582 /// ```
583 /// scf.for (%i, %j, %k)
584 /// %st0 = tensor.extract_slice f(%i, %k) : ... to tensor<?x?xf32>
585 /// %0 = tensor.pad %st0 low[0, 0] high[...] {
586 /// ^bb0( ... ):
587 /// linalg.yield %pad
588 /// } : tensor<?x?xf32> to tensor<4x8xf32>
589 /// compute(%0)
590 /// ```
591 ///
592 /// IR resembling the following is produced:
593 ///
594 /// ```
595 /// scf.for (%i) {
596 /// %packed_init = tensor.empty range(%j) : tensor<?x4x8xf32>
597 /// %packed = scf.for (%k) iter_args(%p : %packed_init) {
598 /// %st0 = tensor.extract_slice f(%i, %k) : ... to tensor<?x?xf32>
599 /// %0 = tensor.pad %st0 low[0, 0] high[...] {
600 /// ^bb0( ... ):
601 /// linalg.yield %pad
602 /// } : tensor<?x?xf32> to tensor<4x8xf32>
603 /// %1 = tensor.insert_slice %0 ...
604 /// : tensor<4x8xf32> to tensor<?x4x8xf32>
605 /// scf.yield %1: tensor<?x4x8xf32>
606 /// } -> tensor<?x4x8xf32>
607 /// scf.for (%j, %k) {
608 /// %st0 = tensor.extract_slice %packed [%k, 0, 0][1, 4, 8][1, 1, 1] :
609 /// tensor<?x4x8xf32> to tensor<4x8xf32>
610 /// compute(%st0)
611 /// }
612 /// }
613 /// ```
614 FailureOr<Value>
615 hoistPaddingOnTensors(RewriterBase &rewriter, tensor::PadOp opToHoist,
616  int64_t numLoops, ArrayRef<int64_t> transposeVector,
617  tensor::PadOp &hoistedOp,
618  SmallVectorImpl<TransposeOp> &transposeOps);
619 /// Calls into `hoistPaddingOnTensors` with a local IRRewriter.
620 FailureOr<Value>
621 hoistPaddingOnTensors(tensor::PadOp opToHoist, int64_t numLoops,
622  ArrayRef<int64_t> transposeVector,
623  tensor::PadOp &hoistedOp,
624  SmallVectorImpl<TransposeOp> &transposeOps);
625 
626 /// Apply padding and hoisting to `linalgOp` according to the configuration
627 /// specified in `options`.
628 FailureOr<LinalgOp> padAndHoistLinalgOp(RewriterBase &rewriter,
629  LinalgOp linalgOp,
631 
632 /// Split the given `op` into two parts along the given iteration space
633 /// `dimension` at the specified `splitPoint`, and return the two parts.
634 /// If the second part is statically known to be empty, do not create it
635 /// and return nullptr instead. Error state is signalled by returning
636 /// a pair of nullptrs.
637 ///
638 /// For example, the following op:
639 ///
640 /// linalg.matmul ins(%0, %1 : tensor<128x32xf32>, tensor<32x64xf32>)
641 /// outs(%2 : tensor<128x64xf32>)
642 ///
643 /// split along the first dimension at position 42 will result in:
644 ///
645 /// %3 = tensor.extract_slice %0[0, 0][42, 32][1, 1]
646 /// %4 = tensor.extract_slice %2[0, 0][42, 64][1, 1]
647 /// %5 = linalg.matmul ins(%3, %1 : tensor<42x32xf32>, tensor<32x64xf32>)
648 /// outs(%5 : tensor<42x64xf32>)
649 /// %6 = tensor.insert_slice %5 into %2[0, 0][42, 64][1, 1]
650 ///
651 /// %7 = tensor.extract_slice %0[42, 0][86, 32][1, 1]
652 /// %8 = tensor.extract_slice %6[42, 0][86, 64][1, 1]
653 /// %9 = linalg.matmul ins(%7, %1 : tensor<86x32xf32>, tensor<32x64xf32>)
654 /// outs(%8 : tensor<86x64xf32>)
655 /// tensor.insert_slice %5 into %6[42, 0][86, 64][1, 1]
656 ///
657 /// Note that there is no simplification other than constant propagation applied
658 /// to slice extraction and insertion.
659 std::pair<TilingInterface, TilingInterface> splitOp(RewriterBase &rewriter,
660  TilingInterface op,
661  unsigned dimension,
662  OpFoldResult splitPoint);
663 
664 /// Perform standalone tiling of a single LinalgOp by `tileSizes`.
665 /// and permute the loop nest according to `interchangeVector`
666 /// The permutation is expressed as a list of integers that specify
667 /// the new ordering of the loop nest. The length of `interchangeVector`
668 /// must be equal to the length of `tileSizes`.
669 /// An empty vector is interpreted as the identity permutation and the
670 /// transformation returns early.
671 ///
672 /// Return a struct containing the tiled loops in the specified order
673 /// and the cloned op if successful, std::nullopt otherwise.
674 ///
675 /// E.g. the permutation `(i,j,k) -> (j,k,i)` is expressed by
676 /// `interchangeVector = [1,2,0]`. All values in `interchangeVector` must be
677 /// integers, in the range 0..`tileSizes.size()` without duplications
678 /// (i.e. `[1,1,2]` is an invalid permutation).
680  LinalgOp op;
683 };
684 FailureOr<TiledLinalgOp> tileLinalgOp(RewriterBase &b, LinalgOp op,
686 
687 /// Interchange the `iterator_types` and `iterator_maps` dimensions and adapts
688 /// the index accesses of `op`. This is an in-place transformation controlled
689 /// by `interchangeVector`. An empty vector is interpreted as the identity
690 /// permutation and the transformation returns early.
691 ///
692 /// E.g. the permutation `(i,j,k) -> (j,k,i)` is expressed with
693 /// `interchangeVector = [1,2,0]`. All values in `interchangeVector` must be
694 /// integers, in the range 0..`op.rank` without duplications
695 /// (i.e. `[1,1,2]` is an invalid permutation).
696 ///
697 /// Return failure if the permutation is not valid.
698 FailureOr<GenericOp> interchangeGenericOp(RewriterBase &rewriter,
699  GenericOp genericOp,
700  ArrayRef<unsigned> interchangeVector);
701 
702 /// Create a GenericOp from the given named operation `namedOp` and replace
703 /// namedOp.
704 /// Return failure if `namedOp` is a GenericOp or misses a region builder.
705 FailureOr<GenericOp> generalizeNamedOp(RewriterBase &rewriter,
706  LinalgOp namedOp);
707 
708 /// Create a namedOp from the given GenericOp and replace the GenericOp.
709 /// Currently we can specialize only trivial linalg copy operations.
710 FailureOr<LinalgOp> specializeGenericOp(RewriterBase &rewriter,
711  GenericOp genericOp);
712 
713 /// Create a new buffer using the `allocationFn` provided. The size of this
714 /// buffer is the smallest constant bounding size along each dimension that
715 /// can be computed for the size of the result of `subView`. Returns the
716 /// allocated buffer as `fullLocalView` and the view that matches the size of
717 /// the result of subview operation as `partialLocalView`.
721 };
722 FailureOr<PromotionInfo>
723 promoteSubviewAsNewBuffer(OpBuilder &b, Location loc, memref::SubViewOp subView,
724  const AllocBufferCallbackFn &allocationFn,
725  DataLayout &layout);
726 
727 /// Promote the `subViews` into a new buffer allocated at the insertion point
728 /// `b`. Promotion occurs in 3 steps:
729 /// 1. Create a new buffer for a full tile (i.e. not clipped at the
730 /// boundary).
731 /// 2. Take a full view on the buffer.
732 /// 3. Take a partial slice of the full view in step 2. and copy into it.
733 ///
734 /// Return the modified linalg op (the modification happens in place) as well
735 /// as all the copy ops created.
736 FailureOr<LinalgOp> promoteSubViews(OpBuilder &b, LinalgOp op,
738 
739 /// Allocate the subview in the GPU workgroup memory.
740 std::optional<Value> allocateWorkgroupMemory(OpBuilder &builder,
741  memref::SubViewOp subview,
742  ArrayRef<Value> sizeBounds,
743  DataLayout &);
744 
745 /// In case of GPU group memory there is no need to deallocate.
746 LogicalResult deallocateWorkgroupMemory(OpBuilder &, Value /*buffer*/);
747 
748 /// Create Memref copy operations and add gpu barrier guards before and after
749 /// the copy operation to ensure data integrity.
750 LogicalResult copyToWorkgroupMemory(OpBuilder &b, Value src, Value dst);
751 
752 /// Allocate the subview in the GPU private memory.
753 std::optional<Value> allocateGPUPrivateMemory(OpBuilder &builder,
754  memref::SubViewOp subview,
755  ArrayRef<Value> sizeBounds,
756  DataLayout &);
757 
758 /// Normal copy to between src and dst.
759 LogicalResult copyToGPUPrivateMemory(OpBuilder &b, Value src, Value dst);
760 
761 /// In case of GPU private memory there is no need to deallocate since the
762 /// memory is freed when going outside of the scope.
763 LogicalResult deallocateGPUPrivateMemory(OpBuilder &, Value /*buffer*/);
764 
765 /// Return true if there's dedicated logic in the Linalg Vectorizer to
766 /// vectorize this Op, false otherwise.
767 ///
768 /// Note that this helper merely implements a very high level check and that the
769 /// vectorizer also requires various additional pre-conditions to be met for it
770 /// to work (these are checked by the vectorizer itself).
772 
773 /// Emit a suitable vector form for an operation. If provided,
774 /// `inputVectorSizes` are used to vectorize this operation. `inputVectorSizes`
775 /// must match the rank of the iteration space of the operation and the sizes
776 /// must be smaller or equal than their counterpart interation space sizes, if
777 /// static. `inputVectorShapes` also allows the vectorization of operations with
778 /// dynamic shapes.
779 LogicalResult vectorize(RewriterBase &rewriter, Operation *op,
780  ArrayRef<int64_t> inputVectorSizes = {},
781  ArrayRef<bool> inputScalableVecDims = {},
782  bool vectorizeNDExtract = false,
783  bool flatten1DDepthwiseConv = false);
784 
785 /// Emit a suitable vector form for a Copy op with fully static shape.
786 LogicalResult vectorizeCopy(RewriterBase &builder, memref::CopyOp copyOp);
787 
788 /// Emit a loop nest of `scf.for` with the proper body for `linalgOp`.
789 FailureOr<LinalgLoops> linalgOpToLoops(RewriterBase &rewriter,
790  LinalgOp linalgOp);
791 
792 /// Emit a loop nest of `scf.parallel` with the proper body for `linalgOp`.
793 FailureOr<LinalgLoops> linalgOpToParallelLoops(RewriterBase &rewriter,
794  LinalgOp linalgOp);
795 
796 /// Emit a loop nest of `affine.for` with the proper body for `linalgOp`.
797 FailureOr<LinalgLoops> linalgOpToAffineLoops(RewriterBase &rewriter,
798  LinalgOp linalgOp);
799 
800 /// Creates a number of ranges equal to the number of non-zero in `tileSizes`.
801 /// One for each loop of the LinalgOp that is tiled. The `tileSizes` argument
802 /// has one entry per surrounding loop. It uses zero as the convention that a
803 /// particular loop is not tiled. This convention simplifies implementations
804 /// by avoiding affine map manipulations. The returned ranges correspond to
805 /// the loop ranges, in the proper order, that are tiled and for which new
806 /// loops will be created. Also the function returns a map from loop indices
807 /// of the LinalgOp to the corresponding non-empty range indices of newly
808 /// created loops.
810 std::tuple<SmallVector<Range, 4>, LoopIndexToRangeIndexMap>
812  ArrayRef<OpFoldResult> allShapeSizes,
813  ArrayRef<OpFoldResult> allTileSizes);
814 
815 namespace detail {
816 template <typename T>
818  /// Tile sizes.
820  /// Number of tiles associated with each size.
822 };
823 
824 template <typename T>
826  /// Tile sizes.
828  /// Number of tiles associated with each size.
830 };
831 
832 } // namespace detail
833 
834 /// A description of a multi-size tiling comprising tile sizes and numbers of
835 /// tiles, expressed as Values which may or may not be constant. Multi-size
836 /// currently means two-size.
838  : public detail::MultiSizeSpecificationBase<Value> {};
840  : public detail::MultiSizeSpecificationBase<int64_t> {};
841 
845  : public detail::ContinuousTileSizeSpecificationBase<int64_t> {};
846 
847 /// Emits the IR computing the multi-sized tiling specification with two tile
848 /// sizes not exceeding `targetSize`, each divisible by `sizeDivisor`, such
849 /// that there exist numbers of tiles with these sizes that fully cover the
850 /// given iteration space `dimension` of the structured `op`.
851 ///
852 /// The computation is as follows:
853 ///
854 /// b = originalTripCount floordiv sizeDivisor
855 /// t = (targetSize + sizeDivisor - 1) floordiv sizeDivisor
856 /// d = (b + t - 1) floordiv t
857 /// s = (b floordiv d) * sizeDivisor
858 /// v = b % d
859 /// u = d - v
860 ///
861 /// where the tile sizes are `s` and `s` + `sizeDivisor`, and the numbers of
862 /// the corresponding tiles are `u` and `v`, respectively. Alternatively,
863 ///
864 /// s * u + (s + sizeDivisor) * v == original size,
865 /// where s mod sizeDivisor = 0.
866 ///
867 /// Expects all values to be positive. In some cases with the target tile size
868 /// sufficiently close to the dimension shape and non-unit divisor, it is
869 /// impossible to compute such sizes. If `emitAssertion` is set, also emit the
870 /// assertion that size computation succeeded.
871 ///
872 /// Returns the specification consisting of both tile values and the number of
873 /// tiles of each size.
874 FailureOr<MultiSizeSpecification>
875 computeMultiTileSizes(OpBuilder &builder, LinalgOp op, unsigned dimension,
876  OpFoldResult targetSize, OpFoldResult divisor,
877  bool emitAssertions = true);
878 FailureOr<StaticMultiSizeSpecification>
879 computeStaticMultiTileSizes(LinalgOp op, unsigned dimension, int64_t targetSize,
880  int64_t divisor);
881 
882 FailureOr<StaticContinuousTileSizeSpecification>
883 computeStaticContinuousTileSizes(LinalgOp op, unsigned dimension,
884  unsigned targetSize);
885 FailureOr<ContinuousTileSizeSpecification>
886 computeContinuousTileSizes(OpBuilder &builder, TilingInterface op,
887  unsigned dimension, OpFoldResult targetSize,
888  bool emitAssertions);
889 
890 /// Transformation information returned after reduction tiling.
892  /// The partial reduction tiled op generated.
894  /// The final reduction operation merging all the partial reductions.
896  /// Initial values used for partial reductions.
898  /// The `scf.forall` operation that iterate over the tiles.
899  scf::ForallOp loops;
900 };
901 
902 /// Method to tile a reduction to parallel iterations computing partial
903 /// reductions. After the loop all the partial reduction are merged into a final
904 /// reduction. For example for the following sequence
905 ///
906 /// ```mlir
907 /// %0 = linalg.generic %in ["parallel", "reduction"]
908 /// : tensor<7x9xf32> -> tensor<7xf32>
909 /// ```
910 ///
911 /// into:
912 ///
913 /// ```mlir
914 /// %0 = linalg.fill ... : tensor<7x4xf32>
915 /// %1 = scf.forall (%iv) in (%c4) shared_outs(%arg0 = %0)
916 /// -> (tensor<7x4xf32>) {
917 /// %2 = tensor.extract_slice %arg3 : tensor<7x4xf32> to tensor<7xf32>
918 /// %3 = tensor.extract_slice %in : tensor<7x9xf32> -> tensor<7x?xf32>
919 /// %4 = linalg.generic %2, %3 ["parallel", "reduction"]
920 /// : tensor<7x?xf32> -> tensor<7xf32>
921 /// %5 = tensor.insert_slice %3, %arg0[0, %iv] : tensor<7x4xf32>
922 /// }
923 /// %6 = linalg.generic %1 ["parallel", "reduction"]
924 /// : tensor<7x4xf32> -> tensor<7xf32>
925 /// ```
926 FailureOr<ForallReductionTilingResult>
927 tileReductionUsingForall(RewriterBase &b, PartialReductionOpInterface op,
928  ArrayRef<OpFoldResult> numThreads,
929  ArrayRef<OpFoldResult> tileSizes = {},
930  std::optional<ArrayAttr> mapping = std::nullopt);
931 
932 /// All indices returned by IndexOp should be invariant with respect to
933 /// tiling. Therefore, if an operation is tiled, we have to transform the
934 /// indices accordingly, i.e. offset them by the values of the corresponding
935 /// induction variables that are captured implicitly in the body of the op.
936 ///
937 /// Example. `linalg.generic` before tiling:
938 ///
939 /// #id_2d = (i, j) -> (i, j)
940 /// #pointwise_2d_trait = {
941 /// indexing_maps = [#id_2d, #id_2d],
942 /// iterator_types = ["parallel", "parallel"]
943 /// }
944 /// linalg.generic #pointwise_2d_trait %operand, %result {
945 /// ^bb0(%operand_in: f32, %result_in: f32):
946 /// %i = linalg.index 0 : index
947 /// %j = linalg.index 1 : index
948 /// <some operations that use %i, %j>
949 /// }: memref<50x100xf32>, memref<50x100xf32>
950 ///
951 /// After tiling pass with tiles sizes 10 and 25:
952 ///
953 /// #strided = (i, j)[s0, s1, s2] -> (i * s1 + s0 + j * s2)
954 ///
955 /// %c1 = arith.constant 1 : index
956 /// %c0 = arith.constant 0 : index
957 /// %c25 = arith.constant 25 : index
958 /// %c10 = arith.constant 10 : index
959 /// operand_dim_0 = dim %operand, 0 : memref<50x100xf32>
960 /// operand_dim_1 = dim %operand, 1 : memref<50x100xf32>
961 /// scf.for %k = %c0 to operand_dim_0 step %c10 {
962 /// scf.for %l = %c0 to operand_dim_1 step %c25 {
963 /// %4 = memref.subview %operand[%k, %l][%c10, %c25][%c1, %c1]
964 /// : memref<50x100xf32> to memref<?x?xf32, #strided>
965 /// %5 = memref.subview %result[%k, %l][%c10, %c25][%c1, %c1]
966 /// : memref<50x100xf32> to memref<?x?xf32, #strided>
967 /// linalg.generic pointwise_2d_trait %4, %5 {
968 /// ^bb0(%operand_in: f32, %result_in: f32):
969 /// %i = linalg.index 0 : index
970 /// %j = linalg.index 1 : index
971 /// // Indices `k` and `l` are implicitly captured in the body.
972 /// %transformed_i = arith.addi %i, %k : index // index `i` is offset by
973 /// %k %transformed_j = arith.addi %j, %l : index // index `j` is offset
974 /// by %l
975 /// // Every use of %i, %j is replaced with %transformed_i,
976 /// %transformed_j <some operations that use %transformed_i,
977 /// %transformed_j>
978 /// }: memref<?x?xf32, #strided>, memref<?x?xf32, #strided>
979 /// }
980 /// }
981 ///
982 /// TODO: Investigate whether mixing implicit and explicit indices
983 /// does not lead to losing information.
984 void transformIndexOps(RewriterBase &b, LinalgOp op,
986  const LoopIndexToRangeIndexMap &loopIndexToRangeIndex);
987 
988 /// Apply transformation to split the single linalg op reduction into a
989 /// parallel and reduction dimension. Then create a new linalg.generic op
990 /// doing the rest of the reduction. Return the new linalg op with an extra
991 /// parallel dimension or failure if the transformation didn't happen.
992 ///
993 /// Example:
994 /// ```
995 /// %r = linalg.generic {indexing_maps = [affine_map<(d0) -> (d0)>,
996 /// affine_map<(d0) -> ()>],
997 /// iterator_types = ["reduction"]}
998 /// ins(%in : tensor<32xf32>)
999 /// outs(%out : tensor<f32>) {
1000 /// ^bb0(%arg1: f32, %arg2: f32):
1001 /// %y = arith.addf %arg1, %arg2 : f32
1002 /// linalg.yield %y : f32
1003 /// } -> tensor<f32>
1004 /// ```
1005 /// To:
1006 /// ```
1007 /// %cst = arith.constant 0.000000e+00 : f32
1008 /// %0 = tensor.expand_shape %in [[0, 1]] : tensor<32xf32> into
1009 /// tensor<4x8xf32> %1 = tensor.empty [4] : tensor<4xf32> %2 = linalg.fill
1010 /// ins(%cst : f32) outs(%1 : tensor<4xf32>) -> tensor<4xf32> %3 =
1011 /// linalg.generic {indexing_maps = [affine_map<(d0, d1) -> (d0, d1)>,
1012 /// affine_map<(d0, d1) -> (d0)>],
1013 /// iterator_types = ["parallel", "reduction"]}
1014 /// ins(%0 : tensor<4x8xf32>) outs(%2 : tensor<4xf32>) {
1015 /// ^bb0(%arg3: f32, %arg5: f32):
1016 /// %5 = arith.addf %arg3, %arg4 : f32
1017 /// linalg.yield %5 : f32
1018 /// } -> tensor<4xf32>
1019 /// %r = linalg.generic {indexing_maps = [affine_map<(d0) -> (d0)>,
1020 /// affine_map<(d0) -> ()>],
1021 /// iterator_types = ["reduction"]}
1022 /// ins(%3 : tensor<4xf32>) outs(%out : tensor<f32>) {
1023 /// ^bb0(%arg3: f32, %arg4: f32):
1024 /// %5 = arith.addf %arg3, %arg4 : f32
1025 /// linalg.yield %5 : f32
1026 /// } -> tensor<f32>
1027 /// ```
1030  FillOp fillOp;
1031  LinalgOp splitLinalgOp;
1033 };
1034 FailureOr<SplitReductionResult>
1035 splitReduction(RewriterBase &b, LinalgOp op,
1036  const ControlSplitReductionFn &controlSplitReductionFn,
1037  bool useAlloc = false);
1038 
1039 /// Scaling-based implementation of the split reduction transformation.
1040 /// Instead of introducing an ExpandShapeOp, this rewrites a reduction
1041 /// dimension `k` into `k * scale + kk`.
1042 ///
1043 /// Example:
1044 /// ```
1045 /// %0 = linalg.matmul ins(%A, %B: tensor<16x256xf32>, tensor<256x32xf32>)
1046 /// outs(%C: tensor<16x32xf32>) -> tensor<16x32xf32>
1047 /// ```
1048 ///
1049 /// Is transformed to:
1050 ///
1051 /// ```
1052 /// #map0 = affine_map<(d0, d1, d2, d3) -> (d0, d2 * 4 + d3)>
1053 /// #map1 = affine_map<(d0, d1, d2, d3) -> (d2 * 4 + d3, d1)>
1054 /// #map2 = affine_map<(d0, d1, d2, d3) -> (d2, d3)>
1055 /// #map3 = affine_map<(d0, d1, d2, d3) -> (d0, d1, d2)>
1056 /// #map4 = affine_map<(d0, d1, d2) -> (d0, d1, d2)>
1057 /// #map5 = affine_map<(d0, d1, d2) -> (d0, d1)>
1058 /// %0 = tensor.empty [16, 32, 64] : tensor<16x32x64xf32>
1059 /// %cst = arith.constant 0.000000e+00 : f32
1060 /// %1 = linalg.fill ins(%cst : f32) outs(%0 : tensor<16x32x64xf32>) ->
1061 /// tensor<16x32x64xf32>
1062 /// %2 = tensor.empty [64, 4] : tensor<64x4xi1>
1063 ///
1064 /// %3 = linalg.generic {indexing_maps = [#map0, #map1, #map2, #map3],
1065 /// iterator_types = ["parallel", "parallel", "parallel", "reduction"]}
1066 /// ins(%A, %B, %2 : tensor<16x256xf32>, tensor<256x32xf32>,
1067 /// tensor<64x4xi1>)
1068 /// outs(%1 : tensor<16x32x64xf32>) {
1069 /// ^bb0(%arg3: f32, %arg4: f32, %arg5: i1, %arg6: f32):
1070 /// %5 = arith.mulf %arg3, %arg4 : f32
1071 /// %6 = arith.addf %arg6, %5 : f32
1072 /// linalg.yield %6 : f32
1073 /// } -> tensor<16x32x64xf32>
1074 ///
1075 /// %4 = linalg.generic {indexing_maps = [#map4, #map5],
1076 /// iterator_types = ["parallel", "parallel", "reduction"]}
1077 // ins(%3 : tensor<16x32x64xf32>)
1078 /// outs(%C : tensor<16x32xf32>) {
1079 /// ^bb0(%arg3: f32, %arg4: f32):
1080 /// %5 = arith.addf %arg3, %arg4 : f32
1081 /// linalg.yield %5 : f32
1082 /// } -> tensor<16x32xf32>
1083 ///
1084 /// return %4 : tensor<16x32xf32>
1085 /// ```
1086 FailureOr<SplitReductionResult>
1087 splitReductionByScaling(RewriterBase &b, LinalgOp op,
1088  const ControlSplitReductionFn &controlSplitReductionFn,
1089  bool useAlloc = false);
1090 
1091 /// Return `true` if a given sequence of dimensions are contiguous in the
1092 /// range of the specified indexing map.
1094 /// Return `true` if all sequences of dimensions specified in `dimSequences` are
1095 /// contiguous in all the ranges of the `maps`.
1097  ArrayRef<ReassociationIndices> dimSequences);
1098 
1101  LinalgOp collapsedOp;
1102 };
1103 
1104 /// Collapses dimensions of linalg.generic/linalg.copy operation. A precondition
1105 /// to calling this method is that for each list in `foldedIterationDim`, the
1106 /// sequence of dimensions is contiguous in domains of all `indexing_maps` of
1107 /// the `linalgOp`. This can be checked using `areDimSequencePreserved` method.
1108 /// When valid, the method also collapses the operands of the op. Returns
1109 /// replacement values of the results of the original `linalgOp` by inserting
1110 /// reshapes to get back values of compatible types.
1111 FailureOr<CollapseResult>
1112 collapseOpIterationDims(LinalgOp op,
1113  ArrayRef<ReassociationIndices> foldedIterationDims,
1114  RewriterBase &rewriter);
1115 
1117  tensor::PadOp padOp;
1118  tensor::ExpandShapeOp expandShapeOp;
1119  linalg::TransposeOp transposeOp;
1120 };
1121 
1122 /// Rewrite pack as pad + reshape + transpose.
1123 FailureOr<LowerPackResult> lowerPack(RewriterBase &rewriter,
1124  tensor::PackOp packOp);
1125 
1127  tensor::EmptyOp emptyOp;
1128  linalg::TransposeOp transposeOp;
1129  tensor::CollapseShapeOp collapseShapeOp;
1130  tensor::ExtractSliceOp extractSliceOp;
1131 };
1132 
1133 /// Rewrite pack as empty + transpose + reshape + extract_slice.
1134 FailureOr<LowerUnPackOpResult> lowerUnPack(RewriterBase &rewriter,
1135  tensor::UnPackOp unPackOp);
1136 
1137 /// Struct to hold the result of a `pack` call.
1138 struct PackResult {
1140  linalg::LinalgOp packedLinalgOp;
1142 };
1143 /// Implement packing of a single LinalgOp by `packedSizes`.
1144 /// There must be one packedSizes entry per `linalgOp` iterator.
1145 /// Return the packed Linalg op on success, failure otherwise.
1146 FailureOr<PackResult> pack(RewriterBase &rewriter, linalg::LinalgOp linalgOp,
1147  ArrayRef<OpFoldResult> packedSizes);
1148 
1149 /// Struct to hold the result of a `packTranspose` call.
1151  tensor::PackOp transposedPackOp;
1152  linalg::LinalgOp transposedLinalgOp;
1153  tensor::UnPackOp transposedUnPackOp;
1154 };
1155 /// Transpose a single PackOp -> LinalgOp -> UnPackOp chain and return the
1156 /// transposed PackOp -> LinalgOp -> UnPackOp chain after replacements.
1157 /// Return failure if either:
1158 /// 1. the `packOp` does not have the `linalgOp` as its unique use.
1159 /// 2. the `maybeUnPackOp`, if specified must be a consumer of the result tied
1160 /// to the unique `packOp` use.
1161 /// 3. `outerPerm` (resp. `innerPerm`) must be valid permutations of
1162 /// `packOp.getOuterDimsPerm` (resp. `packOp.getInnerDimsPerm`) or empty.
1163 FailureOr<PackTransposeResult>
1164 packTranspose(RewriterBase &rewriter, tensor::PackOp packOp,
1165  linalg::LinalgOp linalgOp, tensor::UnPackOp maybeUnPackOp,
1166  ArrayRef<int64_t> outerPerm, ArrayRef<int64_t> innerPerm);
1167 
1168 /// Pack a LinalgOp by greedily inferring matmul dimensions (m, n, k) where m
1169 /// and n are proper parallel dimensions and k is a proper reduction
1170 /// dimension. Packing occurs by rewriting the op as a linalg.generic and
1171 /// calling linalg::pack by `mnkPackedSizes`. The order of the packed
1172 /// dimensions is customizable: the `mnkOrder` is a permutation of {0, 1, 2}
1173 /// to reorder {m, n, k} into one of the 8 possible forms. The outer
1174 /// dimensions of the operands are not permuted at this time, this is left for
1175 /// future work.
1176 FailureOr<PackResult>
1177 packMatmulGreedily(RewriterBase &rewriter, LinalgOp linalgOp,
1178  ArrayRef<OpFoldResult> mnkPackedSizes,
1179  ArrayRef<int64_t> mnkPaddedSizesNextMultipleOf,
1180  ArrayRef<int64_t> mnkOrder);
1181 
1183  /// Minor block factors (mb, nb, kb) for packing relayout where mb, mn are
1184  /// the parallel dimensions and kb is the reduction dimension.
1186 
1187  /// If true, allows packing of dimensions that only partially fit into the
1188  /// block factors.
1189  bool allowPadding = true;
1190 
1191  /// Next multiples of the packing sizes.
1193 
1194  /// Permutation of matmul (M, N, K) dimensions order.
1196 
1197  /// Transpose LHS outer block layout [MB][KB] -> [KB][MB].
1199 
1200  /// Transpose LHS inner block layout [mb][kb] -> [kb][mb].
1202 
1203  /// Transpose RHS outer block layout [KB][NB] -> [NB][KB].
1205 
1206  /// Transpose RHS inner block layout [kb][nb] -> [nb][kb].
1208 };
1209 
1210 /// Function type which is used to control matmul packing.
1211 /// It is expected to return valid packing configuration for each operation.
1212 /// Lack of packing options indicates that no valid configuration could be
1213 /// assigned and the operation will not be packed.
1215  std::function<std::optional<BlockPackMatmulOptions>(linalg::LinalgOp)>;
1216 
1217 /// Pack a matmul operation into blocked 4D layout.
1218 ///
1219 /// Relayout a matmul operation into blocked layout with two levels of
1220 /// subdivision:
1221 /// - major 2D blocks - outer dimensions, consist of minor blocks
1222 /// - minor 2D blocks - inner dimensions, consist of scalar elements
1223 ///
1224 /// A 2D matmul MxNxK gets reshaped into blocked 4D representation
1225 /// as: [MB][NB][mb][nb] += [MB][KB][mb][kb] * [NB][KB][nb][kb]
1226 /// where the (MB, NB, KB) dimensions represent the major blocks,
1227 /// and the (mb, nb, kb) are the minor blocks of their respective
1228 /// original 2D dimensions (M, N, K).
1229 ///
1230 /// Depending on the initial operands' data layout and the specified
1231 /// packing options, the major blocks dimensions might get transposed
1232 /// e.g., [MB][KB] -> [KB][MB]. The minor blocks can also be transposed
1233 /// e.g., [mb][kb] -> [kb][mb].
1234 /// Any present batch dimensions remain unchanged.
1235 /// The final result is unpacked back to the original shape.
1236 ///
1237 /// Return failure if no valid packing options are provided.
1238 FailureOr<PackResult>
1239 blockPackMatmul(RewriterBase &rewriter, linalg::LinalgOp linalgOp,
1240  const ControlBlockPackMatmulFn &controlPackMatmul);
1241 
1242 /// Rewrite tensor.from_elements to linalg.generic.
1243 FailureOr<Operation *>
1245  tensor::FromElementsOp fromElementsOp);
1246 
1247 /// Rewrite tensor.generate to linalg.generic.
1248 FailureOr<Operation *>
1250  tensor::GenerateOp generateOp);
1251 
1252 /// Rewrite tensor.pad to linalg.generic + tensor.insert_slice.
1253 FailureOr<Operation *> rewriteInDestinationPassingStyle(RewriterBase &rewriter,
1254  tensor::PadOp padOp);
1255 
1256 /// Convert linalg.conv_2d_nhwc_hwcf into linalg.generic (for img2col packing)
1257 /// and linalg.matmul.
1258 ///
1259 /// A convolution operation can be written as a matrix-matrix multiplication by
1260 /// unfolding the cross-correlation between input and filter and explicitly copy
1261 /// overlapped sliding window inputs.
1262 ///
1263 /// Consider 2D input X with single channel input and output and 2x2 filter W:
1264 /// [x(0, 0) , x(0, 1) , ..., x(0, n) ]
1265 /// [x(1, 0) , x(1, 1) , ..., x(1, n) ]
1266 /// [. , . ,. , . ] [w(0, 0), w(0, 1)]
1267 /// [. , . , . , . ] (conv) [w(1, 0), w(1, 1)]
1268 /// [. , . , ., . ]
1269 /// [x(n-1, 0), x(n-1, 1), ..., x(n-1, n-1)]
1270 ///
1271 /// The packed input data (img2col) is a matrix with |rows| = output spatial
1272 /// size, |columns| = filter spatial size. To compute the output Y(i, j) we need
1273 /// to calculate the dot product between filter window at input X(x, y)) and the
1274 /// filter which will look like the following where r.h.s is the img2col matrix
1275 /// and l.h.s is the flattened filter:
1276 ///
1277 /// [x(0,0), x(0,1), x(1,0), x(1,1)]
1278 /// [x(0,1), x(1,1), x(0,2), x(1,2)] (matmul) [w(0,0), w(0,1), w(1,0), w(1,1)]
1279 /// [x(0,1), x(1,1), x(0,2), x(1,2)]
1280 /// [ . , . , . , . ]
1281 ///
1282 /// In general for 2D case with (N, H, W, C) input and (Kh, Kw, C, D) filter
1283 /// and output (N, Ho, Wo, D) the convolution is the following matrix-matrix
1284 /// multiplication (Ho x Wo, Kh x Kw x C) * (Kh x Kw x C, D) for each input in
1285 /// the N input. For the case where N > 1 its a batched matrix-matrix
1286 /// multiplication.
1287 ///
1288 /// On success, return both the operation that produces the img2col tensor and
1289 /// the final operation of the sequence that replaces the original convolution.
1290 FailureOr<std::pair<Operation *, Operation *>>
1291 rewriteInIm2Col(RewriterBase &rewriter, linalg::Conv2DNhwcHwcfOp convOp);
1292 
1293 /// Same as the above but for Fhwc channel orderings in the filter. In this case
1294 /// the matrix multiplication is actually a row-wise dot-product rather than a
1295 /// row-column dot-product. This is to avoid transposing the filter matrix which
1296 /// would be required for a regular matrix multiplication to produce the correct
1297 /// output dimensions.
1298 FailureOr<std::pair<Operation *, Operation *>>
1299 rewriteInIm2Col(RewriterBase &rewriter, linalg::Conv2DNhwcFhwcOp convOp);
1300 
1301 /// Similar to rewriteInIm2Col with linalg::Conv2DNhwcHwcfOp except there is no
1302 /// reduction among the input channels so each convolution can be a
1303 /// matrix-vector product and by transposing both input filter so channels are
1304 /// outer most the computation is a batched matrix-vector product.
1305 FailureOr<std::pair<Operation *, Operation *>>
1306 rewriteInIm2Col(RewriterBase &rewriter,
1307  linalg::DepthwiseConv2DNhwcHwcOp convOp);
1308 
1309 /// Similar to rewriteInIm2Col with linalg::Conv2DNhwcHwcfOp except because the
1310 /// channels are to the left of the image shape dimensions, the position of the
1311 /// contraction dimension in the resulting matmul is reversed. This swaps the
1312 /// LHS and RHS of the matmul when compared with nhwc (i.e. (D, C x Kh x Kw) *
1313 /// (C x Kh x Kw, Ho x Wo))
1314 FailureOr<std::pair<Operation *, Operation *>>
1315 rewriteInIm2Col(RewriterBase &rewriter, linalg::Conv2DNchwFchwOp convOp);
1316 
1317 /// Convert linalg.conv_2d_nhwc_fhwc(_q) to linalg.conv_2d_nhwc_hwcf(_q) by
1318 /// materializing transpose.
1319 FailureOr<Operation *> transposeConv2D(RewriterBase &rewriter,
1320  linalg::Conv2DNhwcFhwcOp op);
1321 FailureOr<Operation *> transposeConv2D(RewriterBase &rewriter,
1322  linalg::Conv2DNhwcFhwcQOp op);
1323 
1324 /// Convert Linalg matmul ops to transposed variants.
1325 FailureOr<Operation *> transposeMatmul(RewriterBase &rewriter,
1326  linalg::MatmulOp op,
1327  bool transposeLHS = true);
1328 FailureOr<Operation *> transposeBatchMatmul(RewriterBase &rewriter,
1329  linalg::BatchMatmulOp op,
1330  bool transposeLHS = true);
1331 
1332 /// Convert linalg.conv_2d_nhwc_fhwc to Winograd Conv2D algorithm
1333 /// F(m x m, r x r). m is the dimension size of output and r is the dimension
1334 /// size of filter.
1335 FailureOr<Operation *> winogradConv2D(RewriterBase &rewriter,
1336  linalg::Conv2DNhwcFhwcOp op, int64_t m,
1337  int64_t r);
1338 
1339 /// Rewrite linalg.winograd_filter_transform. The data layout of the filter is
1340 /// FHWC. The transformation matrix is 2-dimension. We need to extract H x W
1341 /// from FHWC first. We generate 2 levels of loops to iterate on F and C. After
1342 /// the rewriting, we get
1343 ///
1344 /// scf.for %f = lo_f to hi_f step 1
1345 /// scf.for %c = lo_c to hi_c step 1
1346 /// %extracted = extract filter<h x w> from filter<f x h x w x c>
1347 /// %ret = linalg.matmul G, %extracted
1348 /// %ret = linalg.matmul %ret, GT
1349 /// %inserted = insert %ret into filter<h x w x c x f>
1350 FailureOr<Operation *>
1352  linalg::WinogradFilterTransformOp op);
1353 
1354 /// Rewrite linalg.winograd_input_transform. The data layout of the input is
1355 /// NHWC. The transformation matrix is 2-dimension. We need to extract H x W
1356 /// from NHWC first. We generate 4 levels of loops to iterate on N, C, tileH,
1357 /// and tileW. After the rewriting, we get
1358 ///
1359 /// scf.for %h = 0 to tileH step 1
1360 /// scf.for %w = 0 to tileW step 1
1361 /// scf.for %n = 0 to N step 1
1362 /// scf.for %c = 0 to C step 1
1363 /// %extracted = extract %extracted<alphaH x alphaW> from
1364 /// %input<N x H x W x C>
1365 /// at [%n, (%h x m), (%w x m), %c]
1366 /// %ret = linalg.matmul BT, %extracted
1367 /// %ret = linalg.matmul %ret, B
1368 /// %inserted = insert %ret<alphaH x alphaW> into
1369 /// %output<alphaH x alphaW x tileH x tileW x N x C>
1370 /// at [0, 0, %h, %w, %n, %c]
1371 FailureOr<Operation *>
1373  linalg::WinogradInputTransformOp op);
1374 
1375 /// Rewrite linalg.winograd_output_transform. The data layout of the output is
1376 /// HWNF. The transformation matrix is 2-dimension. We need to extract H x W
1377 /// from HWNF first. We generate 4 levels of loops to iterate on N, F, tileH,
1378 /// and tileW. After the transformation, we get
1379 ///
1380 /// scf.for %h = 0 to tileH step 1
1381 /// scf.for %w = 0 to tileW step 1
1382 /// scf.for %n = 0 to N step 1
1383 /// scf.for %f = 0 to F step 1
1384 /// %extracted = extract %extracted<alphaH x alphaW> from
1385 /// %input<alphaH x alphaW x tileH x tileW x N x F>
1386 /// at [0, 0, %h, %w, %n, %f]
1387 /// %ret = linalg.matmul AT, %extracted
1388 /// %ret = linalg.matmul %ret, A
1389 /// %inserted = insert %ret<alphaH x alphaW> into
1390 /// output<N x H x W x F>
1391 /// at [%n, (%h x m), (%w x m), %f]
1392 FailureOr<Operation *>
1394  linalg::WinogradOutputTransformOp op);
1395 
1396 //===----------------------------------------------------------------------===//
1397 // Rewrite patterns wrapping transformations.
1398 // TODO: every single such pattern should be a close to noop wrapper around a
1399 // functional-stye API call.
1400 //===----------------------------------------------------------------------===//
1401 
1402 /// Rewrites 2-D convolution ops with size-1 window dimensions into 1-D
1403 /// convolution ops.
1404 template <typename Conv2DOp, typename Conv1DOp>
1406  : public OpRewritePattern<Conv2DOp> {
1408 
1409  FailureOr<Conv1DOp> returningMatchAndRewrite(Conv2DOp convOp,
1410  PatternRewriter &rewriter) const;
1411 
1412  LogicalResult matchAndRewrite(Conv2DOp convOp,
1413  PatternRewriter &rewriter) const override {
1414  return returningMatchAndRewrite(convOp, rewriter);
1415  }
1416 };
1417 
1418 extern template struct DownscaleSizeOneWindowed2DConvolution<Conv2DNhwcHwcfOp,
1419  Conv1DNwcWcfOp>;
1420 extern template struct DownscaleSizeOneWindowed2DConvolution<Conv2DNchwFchwOp,
1421  Conv1DNcwFcwOp>;
1422 
1423 /// Rewrites 2-D depthwise convolution ops with size-1 (w, kw) or (h, kh)
1424 /// dimensions into 1-D depthwise convolution ops.
1426  : public OpRewritePattern<DepthwiseConv2DNhwcHwcOp> {
1428  PatternBenefit benefit = 1)
1429  : OpRewritePattern<DepthwiseConv2DNhwcHwcOp>(context, benefit) {}
1430 
1431  FailureOr<DepthwiseConv1DNwcWcOp>
1432  returningMatchAndRewrite(DepthwiseConv2DNhwcHwcOp convOp,
1433  PatternRewriter &rewriter) const;
1434 
1435  LogicalResult matchAndRewrite(DepthwiseConv2DNhwcHwcOp convOp,
1436  PatternRewriter &rewriter) const override {
1437  return returningMatchAndRewrite(convOp, rewriter);
1438  }
1439 };
1440 
1441 struct DownscaleConv2DOp final : public OpRewritePattern<Conv2DOp> {
1443  : OpRewritePattern<Conv2DOp>(context, benefit) {}
1444 
1445  FailureOr<Conv1DOp> returningMatchAndRewrite(Conv2DOp convOp,
1446  PatternRewriter &rewriter) const;
1447 
1448  LogicalResult matchAndRewrite(Conv2DOp convOp,
1449  PatternRewriter &rewriter) const override {
1450  return returningMatchAndRewrite(convOp, rewriter);
1451  }
1452 };
1453 
1454 ///
1455 /// Linalg generalization pattern.
1456 ///
1457 /// Apply the `generalization` transformation as a pattern.
1458 /// See `generalization` for more details.
1459 //
1460 // TODO: Automatic default pattern class that just unwraps a function
1461 // returning FailureOr<GenericOp>.
1463  : public OpInterfaceRewritePattern<LinalgOp> {
1465 
1466  /// `matchAndRewrite` implementation that returns the significant
1467  /// transformed pieces of IR.
1468  FailureOr<GenericOp>
1469  returningMatchAndRewrite(LinalgOp op, PatternRewriter &rewriter) const {
1470  return generalizeNamedOp(rewriter, op);
1471  }
1472 
1473  LogicalResult matchAndRewrite(LinalgOp op,
1474  PatternRewriter &rewriter) const override {
1475  return returningMatchAndRewrite(op, rewriter);
1476  }
1477 };
1478 
1479 struct LinalgSpecializationPattern : public OpRewritePattern<GenericOp> {
1481 
1482  FailureOr<GenericOp>
1483  returningMatchAndRewrite(GenericOp op, PatternRewriter &rewriter) const {
1484  return specializeGenericOp(rewriter, op);
1485  }
1486 
1487  LogicalResult matchAndRewrite(GenericOp op,
1488  PatternRewriter &rewriter) const override {
1489  return returningMatchAndRewrite(op, rewriter);
1490  }
1491 };
1492 
1493 /// Vectorization pattern for memref::CopyOp.
1494 struct CopyVectorizationPattern : public OpRewritePattern<memref::CopyOp> {
1496 
1497  LogicalResult matchAndRewrite(memref::CopyOp copyOp,
1498  PatternRewriter &rewriter) const override;
1499 };
1500 
1502  std::function<LogicalResult(RewriterBase &, tensor::PadOp, Value)>;
1503 
1504 /// Rewrite a tensor::PadOp into a sequence of EmptyOp, FillOp and
1505 /// InsertSliceOp. For now, only constant padding values are supported.
1506 struct GeneralizePadOpPattern : public OpRewritePattern<tensor::PadOp> {
1508  : OpRewritePattern<tensor::PadOp>(context, benefit) {}
1509  LogicalResult matchAndRewrite(tensor::PadOp padOp,
1510  PatternRewriter &rewriter) const override;
1511 
1512 protected:
1513  Value createFillOrGenerateOp(RewriterBase &rewriter, tensor::PadOp padOp,
1514  Value dest,
1515  const SmallVector<Value> &dynSizes) const;
1516 };
1517 
1518 /// Rewrites a tensor::PackOp into a sequence of:
1519 /// * tensor::PadOp + linalg::TransposeOp + tensor::EmptyOp +
1520 /// tensor::InsertSliceOp ops.
1521 ///
1522 /// Required that all the outer dims of the input tensor::PackOp are 1.
1523 ///
1524 /// Before:
1525 /// ```
1526 /// %packed = tensor.pack %input
1527 /// padding_value(%pad : f32)
1528 /// inner_dims_pos = [1, 0]
1529 /// inner_tiles = [2, %high]
1530 /// into %output : tensor<5x1xf32> -> tensor<1x1x2x?xf32>
1531 /// ```
1532 ///
1533 /// After:
1534 /// ```
1535 /// // PadOp
1536 /// %padded = tensor.pad %arg0 low[0, 0] high[%0, 1] {
1537 /// ^bb0(...):
1538 /// tensor.yield %arg2 : f32
1539 /// } : tensor<5x1xf32> to tensor<?x2xf32>
1540 /// // EmptyOp + TransposeOp
1541 /// %empty = tensor.empty(%arg3) : tensor<2x?xf32>
1542 /// %transposed = linalg.transpose
1543 /// ins(%extracted_slice : tensor<?x2xf32>)
1544 /// outs(%empty : tensor<2x?xf32>)
1545 /// permutation = [1, 0]
1546 /// // InsertSliceOp
1547 /// %inserted_slice = tensor.insert_slice %transposed
1548 /// into %arg1[0, 0, 0, 0] [1, 1, 2, %tile_dim_1] [1, 1, 1, 1]
1549 /// : tensor<2x?xf32> into tensor<1x1x2x?xf32>
1550 /// ```
1552  : public OpRewritePattern<tensor::PackOp> {
1554  LogicalResult matchAndRewrite(tensor::PackOp packOp,
1555  PatternRewriter &rewriter) const override;
1556 };
1557 
1558 /// Rewrites a tensor::UnPackOp into a sequence of rank-reduced extract_slice op
1559 /// + transpose op + insert_slice op, where the tensor::UnPackOp has outer dims
1560 /// being all 1s.
1562  : public OpRewritePattern<tensor::UnPackOp> {
1564  LogicalResult matchAndRewrite(tensor::UnPackOp unpackOp,
1565  PatternRewriter &rewriter) const override;
1566 };
1567 
1568 /// Match and rewrite for the pattern:
1569 /// ```
1570 /// %alloc = ...
1571 /// [optional] %view = memref.view %alloc ...
1572 /// %subView = subview %allocOrView ...
1573 /// [optional] linalg.fill(%allocOrView, %cst) ...
1574 /// ...
1575 /// memref.copy(%in, %subView) ...
1576 /// vector.transfer_read %allocOrView[...], %cst ...
1577 /// ```
1578 /// into
1579 /// ```
1580 /// [unchanged] %alloc = ...
1581 /// [unchanged] [optional] %view = memref.view %alloc ...
1582 /// [unchanged] [unchanged] %subView = subview %allocOrView ...
1583 /// ...
1584 /// vector.transfer_read %in[...], %cst ...
1585 /// ```
1586 /// Where there is no interleaved use between memref.copy and transfer_read as
1587 /// well as no interleaved use between linalg.fill and memref.copy (if
1588 /// linalg.fill is specified).
1589 /// This is a custom rewrite to forward partial reads (with optional fills) to
1590 /// vector.transfer_read.
1592  : public OpRewritePattern<vector::TransferReadOp> {
1594 
1595  LogicalResult matchAndRewrite(vector::TransferReadOp xferOp,
1596  PatternRewriter &rewriter) const override;
1597 };
1598 
1599 /// Match and rewrite for the pattern:
1600 /// ```
1601 /// %alloc = ...
1602 /// [optional] %view = memref.view %alloc ...
1603 /// %subView = subview %allocOrView...
1604 /// ...
1605 /// vector.transfer_write %..., %allocOrView[...]
1606 /// memref.copy(%subView, %out)
1607 /// ```
1608 /// into
1609 /// ```
1610 /// [unchanged] %alloc = ...
1611 /// [unchanged] [optional] %view = memref.view %alloc ...
1612 /// [unchanged] %subView = subview %allocOrView...
1613 /// ...
1614 /// vector.transfer_write %..., %out[...]
1615 /// ```
1616 /// Where there is no interleaved use between transfer_write and memref.copy.
1617 /// This is a custom rewrite to forward partial writes to
1618 /// vector.transfer_write.
1620  : public OpRewritePattern<vector::TransferWriteOp> {
1622 
1623  LogicalResult matchAndRewrite(vector::TransferWriteOp xferOp,
1624  PatternRewriter &rewriter) const override;
1625 };
1626 
1627 /// Rewrite extract_slice(tensor.pad(x)) into tensor.pad(extract_slice(x)).
1629  : public OpRewritePattern<tensor::ExtractSliceOp> {
1630  /// A function to control pattern application and rewrite logic.
1631  ///
1632  /// The function will be given the slice op and should return:
1633  /// - std::nullopt: to fail the match and not apply the pattern;
1634  /// - true: to apply the pattern with zero slice guard;
1635  /// - false: to apply the pattern without zero slice guard.
1636  ///
1637  /// See the documentation for tensor::bubbleUpPadSlice regarding zero slice
1638  /// guard.
1639  using ControlFn = std::function<std::optional<bool>(tensor::ExtractSliceOp)>;
1640 
1642  ControlFn controlFn = nullptr,
1643  PatternBenefit benefit = 1)
1644  : OpRewritePattern(context, benefit), controlFn(std::move(controlFn)) {}
1645 
1646  LogicalResult matchAndRewrite(tensor::ExtractSliceOp sliceOp,
1647  PatternRewriter &rewriter) const override;
1648 
1649 private:
1650  ControlFn controlFn;
1651 };
1652 
1653 //===----------------------------------------------------------------------===//
1654 // Populate functions.
1655 //===----------------------------------------------------------------------===//
1656 
1657 /// Canonicalization patterns relevant to apply after tiling patterns. These
1658 /// are applied automatically by the tiling pass but need to be applied
1659 /// manually when tiling is called programmatically.
1662 
1663 /// Linalg generalization patterns
1664 
1665 /// Populates `patterns` with patterns to convert spec-generated named ops to
1666 /// linalg.generic ops.
1668 
1669 /// Populates `patterns` with patterns to convert linalg.generic ops to named
1670 /// ops where possible. A linalg.generic can represent wide range and complex
1671 /// computations for which equivalent linalg named op may not exist e.g.
1672 /// linalg.generic that takes a tensor and computes a polynomial such as:
1673 /// p(x) = an*x^n + ... + a1x + a0
1674 /// There is no equivalent named op to convert to. Many such cases exist.
1676  RewritePatternSet &patterns);
1677 
1678 /// Linalg decompose convolutions patterns
1679 
1680 /// Populates patterns to decompose high-D convolution ops into low-D ones.
1681 /// This is a step in progressive lowering for convolution ops, afterwards we
1682 /// can vectorize the low-D convolution ops.
1684  PatternBenefit benefit = 1);
1685 
1686 /// Populates patterns to decompose tensor.pack and tensor.unpack Ops into e.g.
1687 /// tensor.pad, linalg.transpose, tensor.{insert|extract}_slice. Require all
1688 /// outer dims to be unit.
1690 
1691 /// Populates patterns to transform linalg.conv_2d_xxx operations into
1692 /// linalg.generic (for img2col packing) and linalg.matmul.
1693 /// \see rewriteInIm2Col for more details.
1695 
1696 /// Populates `patterns` with vectorisation patterns for tensor.insert_slice.
1697 /// TODO: Avoid having a dedicated `populate{}` for one pattern. Instead, either
1698 /// expand or merge with other `populate{}`.
1700 
1701 /// Populates `patterns` with patterns that vectorize tensor.pad.
1702 /// These patterns are meant to apply in a complementary fashion. Benefits
1703 /// are used to encode a certain ordering of pattern application. To avoid
1704 /// scattering magic constants throughout the code base, the patterns must be
1705 /// added with this function. `baseBenefit` can be used to offset the benefit
1706 /// of all tensor::PadOp vectorization patterns by a certain value.
1708  PatternBenefit baseBenefit = 1);
1709 
1710 /// Populate patterns for splitting a `LinalgOp` with multiple statements within
1711 /// its payload into multiple `GenericOp` that have a single statement.
1712 /// The option `removeDeadArgsAndResults` adds patterns to remove dead arguments
1713 /// and results from the generated decomposed ops. This is default `true` since
1714 /// the core decomposition patterns relies on these clean up patterns. It is set
1715 /// to false only for testing purposes.
1717  bool removeDeadArgsAndResults = true);
1718 
1719 /// Populate patterns that convert non-destination-style ops to destination
1720 /// style ops.
1722 
1723 /// Populate patterns for vectorizing low-D convolution ops. This is a step in
1724 /// progressive lowering for convolution ops, it assume high-D convolution ops
1725 /// were decomposed previously.
1727  PatternBenefit benefit = 1);
1728 
1729 /// Populate patterns that convert `ElementwiseMappable` ops to linalg
1730 /// parallel loops.
1732 
1733 /// Populate patterns that are only useful in the context of sparse tensors.
1735 
1736 /// Function type which is used to control when to stop fusion. It is expected
1737 /// that OpOperand is not modified in the callback. The OpOperand is not marked
1738 /// as const to allow callers to use non-const methods.
1739 using ControlFusionFn = std::function<bool(OpOperand *fusedOperand)>;
1740 
1741 /// Patterns for fusing linalg operation on tensors.
1742 
1743 /// Pattern to fuse `linalg.generic` -> `linalg.generic` operations
1744 /// when both operations are fusable elementwise operations.
1746  RewritePatternSet &patterns,
1747  const ControlFusionFn &controlElementwiseOpFusion);
1748 
1749 /// Function type which is used to control propagation of tensor.pack/unpack
1750 /// ops.
1751 using ControlPropagationFn = std::function<bool(OpOperand *opOperand)>;
1752 
1753 /// Patterns to bubble up or down data layout ops across other operations.
1755  RewritePatternSet &patterns,
1756  const ControlPropagationFn &controlPackUnPackPropagation);
1757 
1758 /// Pattern to remove dead operands and results of `linalg.generic` operations.
1759 /// This is effectively DCE for a linalg op.
1761 
1762 /// Patterns to promote inputs to outputs and remove unused inputs of
1763 /// `linalg.generic` ops.
1765 
1766 /// Function type to control generic op dimension collapsing. It is expected
1767 /// to return an array of `ReassociationIndices` representing dimensions that
1768 /// should be merged.
1770  std::function<SmallVector<ReassociationIndices>(linalg::LinalgOp)>;
1771 
1772 /// Pattern to collapse dimensions in a linalg.generic op. This will collapse
1773 /// tensor operands when needed and expand back the result tensors.
1775  RewritePatternSet &patterns,
1776  const GetCollapsableDimensionsFn &controlCollapseDimensions);
1777 
1778 /// Patterns to fold an expanding (collapsing) tensor_reshape operation with its
1779 /// producer (consumer) generic operation by expanding the dimensionality of the
1780 /// loop in the generic op.
1782  RewritePatternSet &patterns, const ControlFusionFn &controlFoldingReshapes);
1783 
1784 /// Patterns to fold an expanding tensor.expand_shape operation with its
1785 /// producer generic operation by collapsing the dimensions of the generic op.
1787  RewritePatternSet &patterns, const ControlFusionFn &controlFoldingReshapes);
1788 
1789 /// Patterns to constant fold Linalg operations.
1791  const ControlFusionFn &controlFn);
1792 
1793 /// Pattern to replace `linalg.add` when destination passing on a contraction op
1794 /// suffices for achieving the sum.
1796 
1797 /// Pattern to fuse a `tensor.pad` operation with the producer of its source,
1798 /// if the producer is a `linalg` operation with all parallel iterator types.
1800  RewritePatternSet &patterns);
1801 
1802 /// Patterns to convert from one named op to another. These can be seen as
1803 /// canonicalizations of named ops into another named op.
1805 
1806 /// Patterns to fold unit-extent dimensions in operands/results of linalg ops on
1807 /// tensors via reassociative reshape ops.
1810 
1811 /// A pattern that converts init operands to input operands.
1813 
1814 /// Patterns that are used to inline constant operands into linalg generic ops.
1816 
1817 /// Patterns that are used to bubble up extract slice op above linalg op.
1819 
1820 /// Adds patterns that waps tensor.extract_slice(linalg.fill(%cst, %init)) into
1821 /// linalg.fill(%cst, tensor.extract_slice(%init)).
1823 
1824 /// Add patterns to make explicit broadcasts and transforms in the
1825 /// input operands of a genericOp.
1827 
1828 /// Patterns to apply `splitReduction` below.
1830  RewritePatternSet &patterns,
1831  const ControlSplitReductionFn &controlSplitReductionFn,
1832  bool useAlloc = false);
1833 
1834 /// Patterns to convert Linalg matmul ops to transposed variants.
1836  bool transposeLHS = true);
1837 
1838 /// Patterns to block pack Linalg matmul ops.
1840  const ControlBlockPackMatmulFn &controlFn);
1841 
1842 /// Patterns to apply Winograd Conv2D algorithm F(m x m, r x r).
1843 void populateWinogradConv2DPatterns(RewritePatternSet &patterns, int64_t m,
1844  int64_t r);
1845 
1846 /// Patterns to decompose Winograd operators.
1848 
1849 /// Adds patterns that reduce the rank of named contraction ops that have
1850 /// unit dimensions in the operand(s) by converting to a sequence of
1851 /// `collapse_shape`,
1852 /// `<corresponding linalg named op>`, `expand_shape` (if on tensors). For
1853 /// example a `linalg.batch_matmul` with unit batch size will convert to
1854 /// `linalg.matmul` and a `linalg.matvec` with with unit spatial dim in lhs will
1855 /// convert to a `linalg.dot`.
1857 
1858 } // namespace linalg
1859 } // namespace mlir
1860 
1861 #endif // MLIR_DIALECT_LINALG_TRANSFORMS_TRANSFORMS_H
static llvm::ManagedStatic< PassManagerOptions > options
A multi-dimensional affine map Affine map's are immutable like Type's, and they are uniqued.
Definition: AffineMap.h:46
Attributes are known-constant values of operations.
Definition: Attributes.h:25
The main mechanism for performing data layout queries.
This class defines the main interface for locations in MLIR and acts as a non-nullable wrapper around...
Definition: Location.h:66
MLIRContext is the top-level object for a collection of MLIR operations.
Definition: MLIRContext.h:60
This class helps build Operations.
Definition: Builders.h:215
This class represents a single result from folding an operation.
Definition: OpDefinition.h:268
This class represents an operand of an operation.
Definition: Value.h:267
Operation is the basic unit of execution within MLIR.
Definition: Operation.h:88
This class represents the benefit of a pattern match in a unitless scheme that ranges from 0 (very li...
Definition: PatternMatch.h:34
A special type of RewriterBase that coordinates the application of a rewrite pattern on the current I...
Definition: PatternMatch.h:791
This class coordinates the application of a rewrite on a set of IR, providing a way for clients to tr...
Definition: PatternMatch.h:400
This class represents an instance of an SSA value in the MLIR system, representing a computable value...
Definition: Value.h:96
FailureOr< PackingResult > buildPackingLoopNest(RewriterBase &rewriter, tensor::PadOp opToHoist, scf::ForOp outermostEnclosingForOp, ArrayRef< int64_t > transposeVector)
Build the packing loop nest required to hoist opToHoist above outermostEnclosingForOp.
void populateLinalgNamedOpConversionPatterns(RewritePatternSet &patterns)
Patterns to convert from one named op to another.
void populateMoveInitOperandsToInputPattern(RewritePatternSet &patterns)
A pattern that converts init operands to input operands.
FailureOr< GenericOp > generalizeNamedOp(RewriterBase &rewriter, LinalgOp namedOp)
Create a GenericOp from the given named operation namedOp and replace namedOp.
void populateTransposeMatmulPatterns(RewritePatternSet &patterns, bool transposeLHS=true)
Patterns to convert Linalg matmul ops to transposed variants.
void populateContractionOpRankReducingPatterns(RewritePatternSet &patterns)
Adds patterns that reduce the rank of named contraction ops that have unit dimensions in the operand(...
LogicalResult rewriteAsPaddedOp(RewriterBase &rewriter, LinalgOp opToPad, const LinalgPaddingOptions &options, LinalgOp &paddedOp, SmallVector< Value > &replacements, SmallVector< tensor::PadOp > &padOps)
Pad the iterator dimensions paddingDimensions of all opToPad operands to a static bounding box.
Definition: Padding.cpp:153
void populateSplitReductionPattern(RewritePatternSet &patterns, const ControlSplitReductionFn &controlSplitReductionFn, bool useAlloc=false)
Patterns to apply splitReduction below.
void populateFuseTensorPadWithProducerLinalgOpPatterns(RewritePatternSet &patterns)
Pattern to fuse a tensor.pad operation with the producer of its source, if the producer is a linalg o...
FailureOr< std::pair< Operation *, Operation * > > rewriteInIm2Col(RewriterBase &rewriter, linalg::Conv2DNhwcHwcfOp convOp)
Convert linalg.conv_2d_nhwc_hwcf into linalg.generic (for img2col packing) and linalg....
bool areDimSequencesPreserved(ArrayRef< AffineMap > maps, ArrayRef< ReassociationIndices > dimSequences)
Return true if all sequences of dimensions specified in dimSequences are contiguous in all the ranges...
bool hasVectorizationImpl(Operation *)
Return true if there's dedicated logic in the Linalg Vectorizer to vectorize this Op,...
FailureOr< LowerUnPackOpResult > lowerUnPack(RewriterBase &rewriter, tensor::UnPackOp unPackOp)
Rewrite pack as empty + transpose + reshape + extract_slice.
Definition: Transforms.cpp:354
void populateBubbleUpExtractSliceOpPatterns(RewritePatternSet &patterns)
Patterns that are used to bubble up extract slice op above linalg op.
void transformIndexOps(RewriterBase &b, LinalgOp op, SmallVectorImpl< Value > &ivs, const LoopIndexToRangeIndexMap &loopIndexToRangeIndex)
All indices returned by IndexOp should be invariant with respect to tiling.
Definition: Tiling.cpp:78
std::function< std::optional< Value >(OpBuilder &b, memref::SubViewOp subView, ArrayRef< Value > boundingSubViewSize, DataLayout &layout)> AllocBufferCallbackFn
Callback function type used to perform the allocation for the promoted subView.
Definition: Transforms.h:339
void populateBlockPackMatmulPatterns(RewritePatternSet &patterns, const ControlBlockPackMatmulFn &controlFn)
Patterns to block pack Linalg matmul ops.
void populateConvertConv2DToImg2ColPatterns(RewritePatternSet &patterns)
Populates patterns to transform linalg.conv_2d_xxx operations into linalg.generic (for img2col packin...
FailureOr< Operation * > decomposeWinogradFilterTransformOp(RewriterBase &rewriter, linalg::WinogradFilterTransformOp op)
Rewrite linalg.winograd_filter_transform.
DenseMap< int, int > LoopIndexToRangeIndexMap
Creates a number of ranges equal to the number of non-zero in tileSizes.
Definition: Transforms.h:809
std::optional< Value > allocateWorkgroupMemory(OpBuilder &builder, memref::SubViewOp subview, ArrayRef< Value > sizeBounds, DataLayout &)
Allocate the subview in the GPU workgroup memory.
Definition: Promotion.cpp:470
Value bufferizeToAllocation(RewriterBase &rewriter, const BufferizeToAllocationOptions &options, tensor::PadOp padOp, Attribute memorySpace={}, Operation *insertionPoint=nullptr)
Materialize a buffer allocation for the given tensor.pad op and lower the op to linalg....
std::function< bool(OpOperand *fusedOperand)> ControlFusionFn
Function type which is used to control when to stop fusion.
Definition: Transforms.h:1739
bool isDimSequencePreserved(AffineMap map, ReassociationIndicesRef dimSequence)
Return true if a given sequence of dimensions are contiguous in the range of the specified indexing m...
FailureOr< Value > hoistPaddingOnTensors(RewriterBase &rewriter, tensor::PadOp opToHoist, int64_t numLoops, ArrayRef< int64_t > transposeVector, tensor::PadOp &hoistedOp, SmallVectorImpl< TransposeOp > &transposeOps)
Mechanically hoist padding operations on tensors by numLoops into a new, generally larger tensor.
void populateDecomposeProjectedPermutationPatterns(RewritePatternSet &patterns)
Add patterns to make explicit broadcasts and transforms in the input operands of a genericOp.
FailureOr< LinalgOp > specializeGenericOp(RewriterBase &rewriter, GenericOp genericOp)
Create a namedOp from the given GenericOp and replace the GenericOp.
Definition: Specialize.cpp:260
void populateFoldReshapeOpsByCollapsingPatterns(RewritePatternSet &patterns, const ControlFusionFn &controlFoldingReshapes)
Patterns to fold an expanding tensor.expand_shape operation with its producer generic operation by co...
LinalgTilingLoopType
The type of loops to be generated during tiling.
Definition: Utils.h:97
std::function< LogicalResult(OpBuilder &b, Value buffer)> DeallocBufferCallbackFn
Callback function type used to deallocate the buffers used to hold the promoted subview.
Definition: Transforms.h:344
void populateDataLayoutPropagationPatterns(RewritePatternSet &patterns, const ControlPropagationFn &controlPackUnPackPropagation)
Patterns to bubble up or down data layout ops across other operations.
void populatePadOpVectorizationPatterns(RewritePatternSet &patterns, PatternBenefit baseBenefit=1)
Populates patterns with patterns that vectorize tensor.pad.
void populateLinalgTilingCanonicalizationPatterns(RewritePatternSet &patterns)
Definition: Tiling.cpp:864
LogicalResult deallocateGPUPrivateMemory(OpBuilder &, Value)
In case of GPU private memory there is no need to deallocate since the memory is freed when going out...
Definition: Promotion.cpp:511
void populateSparseTensorRewriting(RewritePatternSet &patterns)
Populate patterns that are only useful in the context of sparse tensors.
FailureOr< Operation * > decomposeWinogradOutputTransformOp(RewriterBase &rewriter, linalg::WinogradOutputTransformOp op)
Rewrite linalg.winograd_output_transform.
FailureOr< ElementwiseOpFusionResult > fuseElementwiseOps(RewriterBase &rewriter, OpOperand *fusedOperand)
llvm::SmallDenseSet< int > getPreservedProducerResults(GenericOp producer, GenericOp consumer, OpOperand *fusedOperand)
Returns a set of indices of the producer's results which would be preserved after the fusion.
FailureOr< PromotionInfo > promoteSubviewAsNewBuffer(OpBuilder &b, Location loc, memref::SubViewOp subView, const AllocBufferCallbackFn &allocationFn, DataLayout &layout)
Definition: Promotion.cpp:238
std::optional< Value > allocateGPUPrivateMemory(OpBuilder &builder, memref::SubViewOp subview, ArrayRef< Value > sizeBounds, DataLayout &)
Allocate the subview in the GPU private memory.
Definition: Promotion.cpp:495
FailureOr< Operation * > rewriteInDestinationPassingStyle(RewriterBase &rewriter, tensor::FromElementsOp fromElementsOp)
Rewrite tensor.from_elements to linalg.generic.
FailureOr< DropUnitDimsResult > dropUnitDims(RewriterBase &rewriter, GenericOp genericOp, const ControlDropUnitDims &options)
FailureOr< PackResult > blockPackMatmul(RewriterBase &rewriter, linalg::LinalgOp linalgOp, const ControlBlockPackMatmulFn &controlPackMatmul)
Pack a matmul operation into blocked 4D layout.
void peelLoops(RewriterBase &rewriter, ArrayRef< scf::ForOp > loops)
Peel 'loops' and applies affine_min/max bounds simplification on the fly where relevant.
Definition: Transforms.cpp:75
FailureOr< Operation * > winogradConv2D(RewriterBase &rewriter, linalg::Conv2DNhwcFhwcOp op, int64_t m, int64_t r)
Convert linalg.conv_2d_nhwc_fhwc to Winograd Conv2D algorithm F(m x m, r x r).
void populateConvertToDestinationStylePatterns(RewritePatternSet &patterns)
Populate patterns that convert non-destination-style ops to destination style ops.
FailureOr< Operation * > transposeConv2D(RewriterBase &rewriter, linalg::Conv2DNhwcFhwcOp op)
Convert linalg.conv_2d_nhwc_fhwc(_q) to linalg.conv_2d_nhwc_hwcf(_q) by materializing transpose.
void populateFoldUnitExtentDimsPatterns(RewritePatternSet &patterns, ControlDropUnitDims &options)
Patterns to fold unit-extent dimensions in operands/results of linalg ops on tensors via reassociativ...
LogicalResult copyToWorkgroupMemory(OpBuilder &b, Value src, Value dst)
Create Memref copy operations and add gpu barrier guards before and after the copy operation to ensur...
Definition: Promotion.cpp:486
std::function< SmallVector< Value, 4 >(OpBuilder &, Operation *)> TileSizeComputationFunction
Definition: Transforms.h:186
std::function< LogicalResult(RewriterBase &, tensor::PadOp, Value)> OptimizeCopyFn
Definition: Transforms.h:1502
void populateElementwiseToLinalgConversionPatterns(RewritePatternSet &patterns)
Populate patterns that convert ElementwiseMappable ops to linalg parallel loops.
LogicalResult linalgOpAnchoredEmptyTensorEliminationStep(RewriterBase &rewriter, Operation *op, bufferization::OneShotAnalysisState &state)
Try to eliminate tensor::EmptyOps inside op that are anchored on a LinalgOp.
FailureOr< LinalgLoops > linalgOpToLoops(RewriterBase &rewriter, LinalgOp linalgOp)
Emit a loop nest of scf.for with the proper body for linalgOp.
Definition: Loops.cpp:368
LogicalResult vectorize(RewriterBase &rewriter, Operation *op, ArrayRef< int64_t > inputVectorSizes={}, ArrayRef< bool > inputScalableVecDims={}, bool vectorizeNDExtract=false, bool flatten1DDepthwiseConv=false)
Emit a suitable vector form for an operation.
std::tuple< SmallVector< Range, 4 >, LoopIndexToRangeIndexMap > makeTiledLoopRanges(RewriterBase &b, Location loc, AffineMap map, ArrayRef< OpFoldResult > allShapeSizes, ArrayRef< OpFoldResult > allTileSizes)
Definition: Tiling.cpp:49
FailureOr< Operation * > transposeBatchMatmul(RewriterBase &rewriter, linalg::BatchMatmulOp op, bool transposeLHS=true)
Pattern to replace.
LogicalResult promoteSubviewsPrecondition(Operation *op, LinalgPromotionOptions options)
Promote memref.subviews feeding linalg-on-buffers operations.
Definition: Promotion.cpp:399
LogicalResult copyToGPUPrivateMemory(OpBuilder &b, Value src, Value dst)
Normal copy to between src and dst.
Definition: Promotion.cpp:503
void populateDecomposeConvolutionPatterns(RewritePatternSet &patterns, PatternBenefit benefit=1)
Linalg decompose convolutions patterns.
void populateDecomposeWinogradOpsPatterns(RewritePatternSet &patterns)
Patterns to decompose Winograd operators.
void populateConvolutionVectorizationPatterns(RewritePatternSet &patterns, PatternBenefit benefit=1)
Populate patterns for vectorizing low-D convolution ops.
LogicalResult vectorizeCopy(RewriterBase &builder, memref::CopyOp copyOp)
Emit a suitable vector form for a Copy op with fully static shape.
LogicalResult vectorizeOpPrecondition(Operation *op, ArrayRef< int64_t > inputVectorSizes={}, ArrayRef< bool > inputScalableVecDims={}, bool vectorizeNDExtract=false, bool flatten1DDepthwiseConv=false)
Return success if the operation can be vectorized.
FailureOr< GenericOp > interchangeGenericOp(RewriterBase &rewriter, GenericOp genericOp, ArrayRef< unsigned > interchangeVector)
Interchange the iterator_types and iterator_maps dimensions and adapts the index accesses of op.
Definition: Interchange.cpp:50
void populateCollapseDimensions(RewritePatternSet &patterns, const GetCollapsableDimensionsFn &controlCollapseDimensions)
Pattern to collapse dimensions in a linalg.generic op.
bool areElementwiseOpsFusable(OpOperand *fusedOperand)
Return true if two linalg.generic operations with producer/consumer relationship through fusedOperand...
FailureOr< StaticMultiSizeSpecification > computeStaticMultiTileSizes(LinalgOp op, unsigned dimension, int64_t targetSize, int64_t divisor)
Definition: Tiling.cpp:242
FailureOr< LinalgLoops > linalgOpToAffineLoops(RewriterBase &rewriter, LinalgOp linalgOp)
Emit a loop nest of affine.for with the proper body for linalgOp.
Definition: Loops.cpp:363
void populateEraseUnusedOperandsAndResultsPatterns(RewritePatternSet &patterns)
Pattern to remove dead operands and results of linalg.generic operations.
FailureOr< ContinuousTileSizeSpecification > computeContinuousTileSizes(OpBuilder &builder, TilingInterface op, unsigned dimension, OpFoldResult targetSize, bool emitAssertions)
Definition: Tiling.cpp:162
FailureOr< StaticContinuousTileSizeSpecification > computeStaticContinuousTileSizes(LinalgOp op, unsigned dimension, unsigned targetSize)
Definition: Tiling.cpp:111
std::function< LogicalResult(OpBuilder &b, Value src, Value dst)> CopyCallbackFn
Callback function type used to insert copy from original subview to subview of the promoted region fo...
Definition: Transforms.h:351
void populateGeneralizePatterns(RewritePatternSet &patterns)
Populates patterns to decompose tensor.pack and tensor.unpack Ops into e.g.
FailureOr< SplitReductionResult > splitReduction(RewriterBase &b, LinalgOp op, const ControlSplitReductionFn &controlSplitReductionFn, bool useAlloc=false)
FailureOr< LinalgOp > padAndHoistLinalgOp(RewriterBase &rewriter, LinalgOp linalgOp, const LinalgPaddingOptions &options)
Apply padding and hoisting to linalgOp according to the configuration specified in options.
Definition: Padding.cpp:265
void populateDecomposeLinalgOpsPattern(RewritePatternSet &patterns, bool removeDeadArgsAndResults=true)
Populate patterns for splitting a LinalgOp with multiple statements within its payload into multiple ...
std::function< bool(OpOperand *opOperand)> ControlPropagationFn
Function type which is used to control propagation of tensor.pack/unpack ops.
Definition: Transforms.h:1751
FailureOr< ForallReductionTilingResult > tileReductionUsingForall(RewriterBase &b, PartialReductionOpInterface op, ArrayRef< OpFoldResult > numThreads, ArrayRef< OpFoldResult > tileSizes={}, std::optional< ArrayAttr > mapping=std::nullopt)
Method to tile a reduction to parallel iterations computing partial reductions.
Definition: Tiling.cpp:596
FailureOr< PackResult > packMatmulGreedily(RewriterBase &rewriter, LinalgOp linalgOp, ArrayRef< OpFoldResult > mnkPackedSizes, ArrayRef< int64_t > mnkPaddedSizesNextMultipleOf, ArrayRef< int64_t > mnkOrder)
Pack a LinalgOp by greedily inferring matmul dimensions (m, n, k) where m and n are proper parallel d...
Definition: Transforms.cpp:766
FailureOr< PackResult > pack(RewriterBase &rewriter, linalg::LinalgOp linalgOp, ArrayRef< OpFoldResult > packedSizes)
Implement packing of a single LinalgOp by packedSizes.
Definition: Transforms.cpp:477
void populateEraseUnnecessaryInputsPatterns(RewritePatternSet &patterns)
Patterns to promote inputs to outputs and remove unused inputs of linalg.generic ops.
FailureOr< TiledLinalgOp > tileLinalgOp(RewriterBase &b, LinalgOp op, const LinalgTilingOptions &options)
Definition: Tiling.cpp:824
std::function< SmallVector< ReassociationIndices >(linalg::LinalgOp)> GetCollapsableDimensionsFn
Function type to control generic op dimension collapsing.
Definition: Transforms.h:1770
FailureOr< LowerPackResult > lowerPack(RewriterBase &rewriter, tensor::PackOp packOp)
Rewrite pack as pad + reshape + transpose.
Definition: Transforms.cpp:219
void populateFoldReshapeOpsByExpansionPatterns(RewritePatternSet &patterns, const ControlFusionFn &controlFoldingReshapes)
Patterns to fold an expanding (collapsing) tensor_reshape operation with its producer (consumer) gene...
void populateSwapExtractSliceWithFillPatterns(RewritePatternSet &patterns)
Adds patterns that waps tensor.extract_slice(linalg.fill(cst, init)) into linalg.fill(cst,...
void populateInlineConstantOperandsPatterns(RewritePatternSet &patterns)
Patterns that are used to inline constant operands into linalg generic ops.
FailureOr< LinalgOp > promoteSubViews(OpBuilder &b, LinalgOp op, const LinalgPromotionOptions &options)
Promote the subViews into a new buffer allocated at the insertion point b.
Definition: Promotion.cpp:421
void populateConstantFoldLinalgOperations(RewritePatternSet &patterns, const ControlFusionFn &controlFn)
Patterns to constant fold Linalg operations.
std::function< SplitReductionOptions(LinalgOp op)> ControlSplitReductionFn
Function signature to control reduction splitting.
Definition: Transforms.h:442
LogicalResult deallocateWorkgroupMemory(OpBuilder &, Value)
In case of GPU group memory there is no need to deallocate.
Definition: Promotion.cpp:479
FailureOr< Operation * > transposeMatmul(RewriterBase &rewriter, linalg::MatmulOp op, bool transposeLHS=true)
Convert Linalg matmul ops to transposed variants.
void populateLinalgNamedOpsGeneralizationPatterns(RewritePatternSet &patterns)
Linalg generalization patterns.
void populateLinalgGenericOpsSpecializationPatterns(RewritePatternSet &patterns)
Populates patterns with patterns to convert linalg.generic ops to named ops where possible.
Definition: Specialize.cpp:356
void populateWinogradConv2DPatterns(RewritePatternSet &patterns, int64_t m, int64_t r)
Patterns to apply Winograd Conv2D algorithm F(m x m, r x r).
std::function< std::optional< BlockPackMatmulOptions >(linalg::LinalgOp)> ControlBlockPackMatmulFn
Function type which is used to control matmul packing.
Definition: Transforms.h:1215
std::optional< vector::CombiningKind > getCombinerOpKind(Operation *combinerOp)
Return vector::CombiningKind for the given op.
SmallVector< Value > peelLoop(RewriterBase &rewriter, Operation *op)
Try to peel and canonicalize loop op and return the new result.
Definition: Transforms.cpp:59
RewritePatternSet getLinalgTilingCanonicalizationPatterns(MLIRContext *ctx)
Canonicalization patterns relevant to apply after tiling patterns.
Definition: Tiling.cpp:858
FailureOr< CollapseResult > collapseOpIterationDims(LinalgOp op, ArrayRef< ReassociationIndices > foldedIterationDims, RewriterBase &rewriter)
Collapses dimensions of linalg.generic/linalg.copy operation.
FailureOr< Operation * > decomposeWinogradInputTransformOp(RewriterBase &rewriter, linalg::WinogradInputTransformOp op)
Rewrite linalg.winograd_input_transform.
void populateFoldAddIntoDestPatterns(RewritePatternSet &patterns)
Pattern to replace linalg.add when destination passing on a contraction op suffices for achieving the...
FailureOr< PackTransposeResult > packTranspose(RewriterBase &rewriter, tensor::PackOp packOp, linalg::LinalgOp linalgOp, tensor::UnPackOp maybeUnPackOp, ArrayRef< int64_t > outerPerm, ArrayRef< int64_t > innerPerm)
Transpose a single PackOp -> LinalgOp -> UnPackOp chain and return the transposed PackOp -> LinalgOp ...
Definition: Transforms.cpp:675
std::pair< TilingInterface, TilingInterface > splitOp(RewriterBase &rewriter, TilingInterface op, unsigned dimension, OpFoldResult splitPoint)
Split the given op into two parts along the given iteration space dimension at the specified splitPoi...
Definition: Split.cpp:67
void populateElementwiseOpsFusionPatterns(RewritePatternSet &patterns, const ControlFusionFn &controlElementwiseOpFusion)
Patterns for fusing linalg operation on tensors.
void populateInsertSliceVectorizationPatterns(RewritePatternSet &patterns)
Populates patterns with vectorisation patterns for tensor.insert_slice.
FailureOr< SplitReductionResult > splitReductionByScaling(RewriterBase &b, LinalgOp op, const ControlSplitReductionFn &controlSplitReductionFn, bool useAlloc=false)
Scaling-based implementation of the split reduction transformation.
FailureOr< MultiSizeSpecification > computeMultiTileSizes(OpBuilder &builder, LinalgOp op, unsigned dimension, OpFoldResult targetSize, OpFoldResult divisor, bool emitAssertions=true)
Emits the IR computing the multi-sized tiling specification with two tile sizes not exceeding targetS...
Definition: Tiling.cpp:268
FailureOr< LinalgLoops > linalgOpToParallelLoops(RewriterBase &rewriter, LinalgOp linalgOp)
Emit a loop nest of scf.parallel with the proper body for linalgOp.
Definition: Loops.cpp:375
Include the generated interface declarations.
ArrayRef< int64_t > ReassociationIndicesRef
OpInterfaceRewritePattern is a wrapper around RewritePattern that allows for matching and rewriting a...
Definition: PatternMatch.h:373
OpRewritePattern is a wrapper around RewritePattern that allows for matching and rewriting against an...
Definition: PatternMatch.h:358
SmallVector< int64_t, 3 > mnkOrder
Permutation of matmul (M, N, K) dimensions order.
Definition: Transforms.h:1195
SmallVector< int64_t, 3 > blockFactors
Minor block factors (mb, nb, kb) for packing relayout where mb, mn are the parallel dimensions and kb...
Definition: Transforms.h:1185
bool rhsTransposeOuterBlocks
Transpose RHS outer block layout [KB][NB] -> [NB][KB].
Definition: Transforms.h:1204
bool lhsTransposeInnerBlocks
Transpose LHS inner block layout [mb][kb] -> [kb][mb].
Definition: Transforms.h:1201
SmallVector< int64_t, 3 > mnkPaddedSizesNextMultipleOf
Next multiples of the packing sizes.
Definition: Transforms.h:1192
bool lhsTransposeOuterBlocks
Transpose LHS outer block layout [MB][KB] -> [KB][MB].
Definition: Transforms.h:1198
bool allowPadding
If true, allows packing of dimensions that only partially fit into the block factors.
Definition: Transforms.h:1189
bool rhsTransposeInnerBlocks
Transpose RHS inner block layout [kb][nb] -> [nb][kb].
Definition: Transforms.h:1207
bool bufferizeDestinationOnly
If set to "true", only the destination tensor operands are bufferized to a new allocation (and wrappe...
Definition: Transforms.h:64
bool emitDealloc
If set to "true", a memref.dealloc operation will be emitted for each allocated buffer.
Definition: Transforms.h:70
SmallVector< Value > results
Definition: Transforms.h:1100
Transformation to drop unit-extent dimensions from linalg.generic operations.
Definition: Transforms.h:473
RankReductionStrategy rankReductionStrategy
Definition: Transforms.h:476
std::function< SmallVector< unsigned >(Operation *)> ControlFnTy
Definition: Transforms.h:479
Vectorization pattern for memref::CopyOp.
Definition: Transforms.h:1494
LogicalResult matchAndRewrite(memref::CopyOp copyOp, PatternRewriter &rewriter) const override
Definition: Transforms.cpp:917
LogicalResult matchAndRewrite(Conv2DOp convOp, PatternRewriter &rewriter) const override
Definition: Transforms.h:1448
FailureOr< Conv1DOp > returningMatchAndRewrite(Conv2DOp convOp, PatternRewriter &rewriter) const
DownscaleConv2DOp(MLIRContext *context, PatternBenefit benefit=1)
Definition: Transforms.h:1442
Rewrites 2-D depthwise convolution ops with size-1 (w, kw) or (h, kh) dimensions into 1-D depthwise c...
Definition: Transforms.h:1426
FailureOr< DepthwiseConv1DNwcWcOp > returningMatchAndRewrite(DepthwiseConv2DNhwcHwcOp convOp, PatternRewriter &rewriter) const
LogicalResult matchAndRewrite(DepthwiseConv2DNhwcHwcOp convOp, PatternRewriter &rewriter) const override
Definition: Transforms.h:1435
DownscaleDepthwiseConv2DNhwcHwcOp(MLIRContext *context, PatternBenefit benefit=1)
Definition: Transforms.h:1427
Rewrites 2-D convolution ops with size-1 window dimensions into 1-D convolution ops.
Definition: Transforms.h:1406
LogicalResult matchAndRewrite(Conv2DOp convOp, PatternRewriter &rewriter) const override
Definition: Transforms.h:1412
FailureOr< Conv1DOp > returningMatchAndRewrite(Conv2DOp convOp, PatternRewriter &rewriter) const
SmallVector< Value > replacements
Definition: Transforms.h:493
Fuse two linalg.generic operations that have a producer-consumer relationship captured through fusedO...
Definition: Transforms.h:502
llvm::DenseMap< Value, Value > replacements
Definition: Transforms.h:504
Rewrite extract_slice(tensor.pad(x)) into tensor.pad(extract_slice(x)).
Definition: Transforms.h:1629
std::function< std::optional< bool >(tensor::ExtractSliceOp)> ControlFn
A function to control pattern application and rewrite logic.
Definition: Transforms.h:1639
LogicalResult matchAndRewrite(tensor::ExtractSliceOp sliceOp, PatternRewriter &rewriter) const override
Definition: Transforms.cpp:991
ExtractSliceOfPadTensorSwapPattern(MLIRContext *context, ControlFn controlFn=nullptr, PatternBenefit benefit=1)
Definition: Transforms.h:1641
Transformation information returned after reduction tiling.
Definition: Transforms.h:891
SmallVector< Operation * > mergeOps
The final reduction operation merging all the partial reductions.
Definition: Transforms.h:895
SmallVector< Value > initialValues
Initial values used for partial reductions.
Definition: Transforms.h:897
scf::ForallOp loops
The scf.forall operation that iterate over the tiles.
Definition: Transforms.h:899
SmallVector< Operation * > parallelTiledOps
The partial reduction tiled op generated.
Definition: Transforms.h:893
Rewrites a tensor::PackOp into a sequence of:
Definition: Transforms.h:1552
LogicalResult matchAndRewrite(tensor::PackOp packOp, PatternRewriter &rewriter) const override
Rewrites a tensor::UnPackOp into a sequence of rank-reduced extract_slice op.
Definition: Transforms.h:1562
LogicalResult matchAndRewrite(tensor::UnPackOp unpackOp, PatternRewriter &rewriter) const override
Rewrite a tensor::PadOp into a sequence of EmptyOp, FillOp and InsertSliceOp.
Definition: Transforms.h:1506
LogicalResult matchAndRewrite(tensor::PadOp padOp, PatternRewriter &rewriter) const override
Definition: Transforms.cpp:941
GeneralizePadOpPattern(MLIRContext *context, PatternBenefit benefit=1)
Definition: Transforms.h:1507
Value createFillOrGenerateOp(RewriterBase &rewriter, tensor::PadOp padOp, Value dest, const SmallVector< Value > &dynSizes) const
Filling dest using FillOp constant padding value if possible.
Definition: Transforms.cpp:924
Match and rewrite for the pattern:
Definition: Transforms.h:1592
LogicalResult matchAndRewrite(vector::TransferReadOp xferOp, PatternRewriter &rewriter) const override
TODO: use interfaces, side-effects and aliasing analysis as appropriate, when available.
Match and rewrite for the pattern:
Definition: Transforms.h:1620
LogicalResult matchAndRewrite(vector::TransferWriteOp xferOp, PatternRewriter &rewriter) const override
TODO: use interfaces, side-effects and aliasing analysis as appropriate, when available.
Linalg generalization pattern.
Definition: Transforms.h:1463
LogicalResult matchAndRewrite(LinalgOp op, PatternRewriter &rewriter) const override
Definition: Transforms.h:1473
FailureOr< GenericOp > returningMatchAndRewrite(LinalgOp op, PatternRewriter &rewriter) const
matchAndRewrite implementation that returns the significant transformed pieces of IR.
Definition: Transforms.h:1469
Options that allow distribution of loops generated in Linalg transforms to processors while generatin...
Definition: Utils.h:298
SmallVector< Attribute > paddingValues
A padding value for every operand.
Definition: Transforms.h:280
LinalgPaddingOptions & setPadToMultipleOf(ArrayRef< int64_t > m)
Definition: Transforms.h:293
std::optional< SmallVector< int64_t > > padToMultipleOf
A list of multiples to which each padding dimension should be padded to.
Definition: Transforms.h:292
LinalgPaddingOptions & setNofoldFlags(ArrayRef< bool > pp)
Definition: Transforms.h:300
LinalgPaddingOptions & setPaddingDimensions(ArrayRef< int64_t > pd)
Definition: Transforms.h:287
LinalgPaddingOptions & setTransposePaddings(ArrayRef< SmallVector< int64_t >> tp)
Definition: Transforms.h:314
SmallVector< SmallVector< int64_t > > transposePaddings
A permutation vector for every operand used to transpose the packed PadOp results.
Definition: Transforms.h:312
LinalgPaddingOptions & setPaddingValues(ArrayRef< Attribute > pv)
Definition: Transforms.h:281
SmallVector< bool > nofoldFlags
A flag for every operand to mark the PadOp as nofold which enables packing for statically shaped oper...
Definition: Transforms.h:299
LinalgPaddingOptions & setCopyBackOp(CopyBackOp op)
Definition: Transforms.h:326
LinalgPaddingOptions & setHoistPaddings(ArrayRef< int64_t > hp)
Definition: Transforms.h:306
SmallVector< int64_t > hoistPaddings
A number of loops to hoist the PadOp out for every operand.
Definition: Transforms.h:305
SmallVector< int64_t > paddingDimensions
A list of iterator dimensions to pad.
Definition: Transforms.h:286
CopyBackOp copyBackOp
The op to be used for copying the padded result to the original destination tensor.
Definition: Transforms.h:325
std::optional< unsigned > alignment
Alignment of promoted buffer. If std::nullopt do not specify alignment.
Definition: Transforms.h:384
LinalgPromotionOptions & setUseFullTileBuffersByDefault(bool use)
Definition: Transforms.h:379
bool useAlloca
Use alloca with the default allocation scheme.
Definition: Transforms.h:397
LinalgPromotionOptions & setAlignment(unsigned align)
Definition: Transforms.h:385
std::optional< Attribute > memorySpace
Memory space of promoted buffer.
Definition: Transforms.h:391
std::optional< CopyCallbackFn > copyOutFn
Definition: Transforms.h:417
std::optional< CopyCallbackFn > copyInFn
Callback function to do the copy of data to and from the promoted subview.
Definition: Transforms.h:416
LinalgPromotionOptions & setUseAlloca(bool use)
Definition: Transforms.h:398
std::optional< DenseSet< unsigned > > operandsToPromote
Indices of subViews to promote.
Definition: Transforms.h:356
LinalgPromotionOptions & setCopyInOutFns(CopyCallbackFn const &copyIn, CopyCallbackFn const &copyOut)
Definition: Transforms.h:418
LinalgPromotionOptions & setUseFullTileBuffers(ArrayRef< bool > useFullTiles)
Definition: Transforms.h:368
std::optional< AllocBufferCallbackFn > allocationFn
Callback function to do the allocation of the promoted buffer.
Definition: Transforms.h:405
bool useFullTileBuffersDefault
If true all operands unspecified by useFullTileBuffers will use the full view, otherwise the partial ...
Definition: Transforms.h:378
std::optional< DeallocBufferCallbackFn > deallocationFn
Definition: Transforms.h:406
LinalgPromotionOptions & setMemorySpace(Attribute memorySpc)
Definition: Transforms.h:392
LinalgPromotionOptions & setAllocationDeallocationFns(AllocBufferCallbackFn const &allocFn, DeallocBufferCallbackFn const &deallocFn)
Definition: Transforms.h:408
std::optional< llvm::SmallBitVector > useFullTileBuffers
If ith element of useFullTiles is true the full view should be used for the promoted buffer of the it...
Definition: Transforms.h:367
LinalgPromotionOptions & setOperandsToPromote(ArrayRef< int64_t > operands)
Definition: Transforms.h:357
LogicalResult matchAndRewrite(GenericOp op, PatternRewriter &rewriter) const override
Definition: Transforms.h:1487
FailureOr< GenericOp > returningMatchAndRewrite(GenericOp op, PatternRewriter &rewriter) const
Definition: Transforms.h:1483
std::optional< LinalgLoopDistributionOptions > tileDistribution
When specified, specifies distribution of generated tile loops to processors.
Definition: Transforms.h:270
LinalgTilingAndFusionOptions & setTileSizes(ArrayRef< int64_t > ts)
Definition: Transforms.h:262
SmallVector< int64_t > tileInterchange
Tile interchange used to permute the tile loops.
Definition: Transforms.h:267
LinalgTilingAndFusionOptions & setDistributionOptions(LinalgLoopDistributionOptions distributionOptions)
Definition: Transforms.h:272
SmallVector< int64_t > tileSizes
Tile sizes used to tile the root operation.
Definition: Transforms.h:261
LinalgTilingOptions & setLoopType(LinalgTilingLoopType lt)
Definition: Transforms.h:226
LinalgTilingOptions & setDistributionTypes(ArrayRef< StringRef > types)
Definition: Transforms.h:244
LinalgTilingOptions & setInterchange(ArrayRef< unsigned > interchange)
Definition: Transforms.h:218
LinalgTilingLoopType loopType
The type of tile loops to generate.
Definition: Transforms.h:224
LinalgTilingOptions & setTileSizeComputationFunction(TileSizeComputationFunction fun)
Definition: Transforms.h:195
LinalgTilingOptions & setTileSizes(const SmallVector< Value, 4 > &ts)
Set the tileSizeComputationFunction to return the values ts.
Definition: Transforms.h:202
LinalgTilingOptions & setPeeledLoops(ArrayRef< int64_t > loops)
Definition: Transforms.h:252
SmallVector< int64_t > peeledLoops
Peel the specified loops.
Definition: Transforms.h:250
LinalgTilingOptions & setDistributionOptions(LinalgLoopDistributionOptions distributionOptions)
Definition: Transforms.h:236
SmallVector< unsigned, 4 > interchangeVector
The interchange vector to reorder the tiled loops.
Definition: Transforms.h:216
TileSizeComputationFunction tileSizeComputationFunction
Computation function that returns the tile sizes for each operation.
Definition: Transforms.h:192
LinalgTilingOptions & scalarizeDynamicDims()
Tile all dynamic dimensions by 1.
std::optional< LinalgLoopDistributionOptions > distribution
When specified, specifies distribution of generated tile loops to processors.
Definition: Transforms.h:233
SmallVector< StringRef, 2 > distributionTypes
Specification markers of how to distribute the linalg.tiled_loop.
Definition: Transforms.h:242
linalg::TransposeOp transposeOp
Definition: Transforms.h:1119
tensor::ExpandShapeOp expandShapeOp
Definition: Transforms.h:1118
tensor::ExtractSliceOp extractSliceOp
Definition: Transforms.h:1130
linalg::TransposeOp transposeOp
Definition: Transforms.h:1128
tensor::CollapseShapeOp collapseShapeOp
Definition: Transforms.h:1129
A description of a multi-size tiling comprising tile sizes and numbers of tiles, expressed as Values ...
Definition: Transforms.h:838
Struct to hold the result of a pack call.
Definition: Transforms.h:1138
linalg::LinalgOp packedLinalgOp
Definition: Transforms.h:1140
SmallVector< tensor::PackOp > packOps
Definition: Transforms.h:1139
SmallVector< tensor::UnPackOp > unPackOps
Definition: Transforms.h:1141
Struct to hold the result of a packTranspose call.
Definition: Transforms.h:1150
linalg::LinalgOp transposedLinalgOp
Definition: Transforms.h:1152
tensor::UnPackOp transposedUnPackOp
Definition: Transforms.h:1153
Create a new buffer using the allocationFn provided.
Definition: Transforms.h:718
Split Reduction options.
Definition: Transforms.h:427
Apply transformation to split the single linalg op reduction into a parallel and reduction dimension.
Definition: Transforms.h:1028
Perform standalone tiling of a single LinalgOp by tileSizes.
Definition: Transforms.h:679
SmallVector< Operation *, 8 > loops
Definition: Transforms.h:681
SmallVector< Value, 4 > tensorResults
Definition: Transforms.h:682
SmallVector< T > tripCounts
Number of tiles associated with each size.
Definition: Transforms.h:829
T lowTripCount
Number of tiles associated with each size.
Definition: Transforms.h:821
Helper struct to hold the results of building a packing loop nest.
Definition: Transforms.h:549
SmallVector< OpFoldResult > strides
Definition: Transforms.h:550
SmallVector< Value > leadingPackedTensorIndexings
Definition: Transforms.h:551
SmallVector< Value > clonedLoopIvs
Definition: Transforms.h:551
SmallVector< OpFoldResult > sizes
Definition: Transforms.h:550
SmallVector< OpFoldResult > offsets
Definition: Transforms.h:550