MLIR 23.0.0git
MathToLibm.cpp
Go to the documentation of this file.
1//===-- MathToLibm.cpp - conversion from Math to libm calls ---------------===//
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
10
20#include "llvm/ADT/SmallVectorExtras.h"
21
22namespace mlir {
23#define GEN_PASS_DEF_CONVERTMATHTOLIBMPASS
24#include "mlir/Conversion/Passes.h.inc"
25} // namespace mlir
26
27using namespace mlir;
28
29namespace {
30// Pattern to convert vector operations to scalar operations. This is needed as
31// libm calls require scalars.
32template <typename Op>
33struct VecOpToScalarOp : public OpRewritePattern<Op> {
34public:
35 using OpRewritePattern<Op>::OpRewritePattern;
36
37 LogicalResult matchAndRewrite(Op op, PatternRewriter &rewriter) const final;
38};
39// Pattern to promote an op of a smaller floating point type to F32.
40template <typename Op>
41struct PromoteOpToF32 : public OpRewritePattern<Op> {
42public:
43 using OpRewritePattern<Op>::OpRewritePattern;
44
45 LogicalResult matchAndRewrite(Op op, PatternRewriter &rewriter) const final;
46};
47// Pattern to convert scalar math operations to calls to libm functions.
48// Additionally the libm function signatures are declared.
49template <typename Op>
50struct ScalarOpToLibmCall : public OpRewritePattern<Op> {
51public:
52 using OpRewritePattern<Op>::OpRewritePattern;
53 ScalarOpToLibmCall(MLIRContext *context, PatternBenefit benefit,
54 StringRef floatFunc, StringRef doubleFunc)
55 : OpRewritePattern<Op>(context, benefit), floatFunc(floatFunc),
56 doubleFunc(doubleFunc) {};
57
58 LogicalResult matchAndRewrite(Op op, PatternRewriter &rewriter) const final;
59
60private:
61 std::string floatFunc, doubleFunc;
62};
63
64template <typename OpTy>
65void populatePatternsForOp(RewritePatternSet &patterns, PatternBenefit benefit,
66 MLIRContext *ctx, StringRef floatFunc,
67 StringRef doubleFunc) {
68 patterns.add<VecOpToScalarOp<OpTy>, PromoteOpToF32<OpTy>>(ctx, benefit);
69 patterns.add<ScalarOpToLibmCall<OpTy>>(ctx, benefit, floatFunc, doubleFunc);
70}
71
72} // namespace
73
74template <typename Op>
75LogicalResult
76VecOpToScalarOp<Op>::matchAndRewrite(Op op, PatternRewriter &rewriter) const {
77 auto opType = op.getType();
78 auto loc = op.getLoc();
79 auto vecType = dyn_cast<VectorType>(opType);
80
81 if (!vecType)
82 return failure();
83 if (!vecType.hasRank())
84 return failure();
85 auto shape = vecType.getShape();
86 int64_t numElements = vecType.getNumElements();
87
88 Value result = arith::ConstantOp::create(
89 rewriter, loc,
91 FloatAttr::get(vecType.getElementType(), 0.0)));
93 for (auto linearIndex = 0; linearIndex < numElements; ++linearIndex) {
94 SmallVector<int64_t> positions = delinearize(linearIndex, strides);
95 SmallVector<Value> operands;
96 for (auto input : op->getOperands())
97 operands.push_back(
98 vector::ExtractOp::create(rewriter, loc, input, positions));
99 Value scalarOp =
100 Op::create(rewriter, loc, vecType.getElementType(), operands);
101 result =
102 vector::InsertOp::create(rewriter, loc, scalarOp, result, positions);
103 }
104 rewriter.replaceOp(op, {result});
105 return success();
106}
107
108template <typename Op>
109LogicalResult
110PromoteOpToF32<Op>::matchAndRewrite(Op op, PatternRewriter &rewriter) const {
111 auto opType = op.getType();
112 if (!isa<Float16Type, BFloat16Type>(opType))
113 return failure();
114
115 auto loc = op.getLoc();
116 auto f32 = rewriter.getF32Type();
117 auto extendedOperands =
118 llvm::map_to_vector(op->getOperands(), [&](Value operand) -> Value {
119 return arith::ExtFOp::create(rewriter, loc, f32, operand);
120 });
121 auto newOp = Op::create(rewriter, loc, f32, extendedOperands);
122 rewriter.replaceOpWithNewOp<arith::TruncFOp>(op, opType, newOp);
123 return success();
124}
125
126template <typename Op>
127LogicalResult
128ScalarOpToLibmCall<Op>::matchAndRewrite(Op op,
129 PatternRewriter &rewriter) const {
130 auto module = SymbolTable::getNearestSymbolTable(op);
131 auto type = op.getType();
132 if (!isa<Float32Type, Float64Type>(type))
133 return failure();
134
135 auto name = type.getIntOrFloatBitWidth() == 64 ? doubleFunc : floatFunc;
136 auto opFunc = dyn_cast_or_null<SymbolOpInterface>(
137 SymbolTable::lookupSymbolIn(module, name));
138 // Forward declare function if it hasn't already been
139 if (!opFunc) {
140 OpBuilder::InsertionGuard guard(rewriter);
141 rewriter.setInsertionPointToStart(&module->getRegion(0).front());
142 auto opFunctionTy = FunctionType::get(
143 rewriter.getContext(), op->getOperandTypes(), op->getResultTypes());
144 opFunc = func::FuncOp::create(rewriter, rewriter.getUnknownLoc(), name,
145 opFunctionTy);
146 opFunc.setPrivate();
147
148 // By definition Math dialect operations imply LLVM's "readnone"
149 // function attribute, so we can set it here to provide more
150 // optimization opportunities (e.g. LICM) for backends targeting LLVM IR.
151 // This will have to be changed, when strict FP behavior is supported
152 // by Math dialect.
153 opFunc->setAttr(LLVM::LLVMDialect::getReadnoneAttrName(),
154 UnitAttr::get(rewriter.getContext()));
155 }
156 assert(isa<FunctionOpInterface>(SymbolTable::lookupSymbolIn(module, name)));
157
158 rewriter.replaceOpWithNewOp<func::CallOp>(op, name, op.getType(),
159 op->getOperands());
160
161 return success();
162}
163
165 PatternBenefit benefit) {
166 MLIRContext *ctx = patterns.getContext();
167
168 populatePatternsForOp<math::AbsFOp>(patterns, benefit, ctx, "fabsf", "fabs");
169 populatePatternsForOp<math::AcosOp>(patterns, benefit, ctx, "acosf", "acos");
170 populatePatternsForOp<math::AcoshOp>(patterns, benefit, ctx, "acoshf",
171 "acosh");
172 populatePatternsForOp<math::AsinOp>(patterns, benefit, ctx, "asinf", "asin");
173 populatePatternsForOp<math::AsinhOp>(patterns, benefit, ctx, "asinhf",
174 "asinh");
175 populatePatternsForOp<math::Atan2Op>(patterns, benefit, ctx, "atan2f",
176 "atan2");
177 populatePatternsForOp<math::AtanOp>(patterns, benefit, ctx, "atanf", "atan");
178 populatePatternsForOp<math::AtanhOp>(patterns, benefit, ctx, "atanhf",
179 "atanh");
180 populatePatternsForOp<math::CbrtOp>(patterns, benefit, ctx, "cbrtf", "cbrt");
181 populatePatternsForOp<math::CeilOp>(patterns, benefit, ctx, "ceilf", "ceil");
182 populatePatternsForOp<math::CosOp>(patterns, benefit, ctx, "cosf", "cos");
183 populatePatternsForOp<math::CoshOp>(patterns, benefit, ctx, "coshf", "cosh");
184 populatePatternsForOp<math::ErfOp>(patterns, benefit, ctx, "erff", "erf");
185 populatePatternsForOp<math::ErfcOp>(patterns, benefit, ctx, "erfcf", "erfc");
186 populatePatternsForOp<math::ExpOp>(patterns, benefit, ctx, "expf", "exp");
187 populatePatternsForOp<math::Exp2Op>(patterns, benefit, ctx, "exp2f", "exp2");
188 populatePatternsForOp<math::ExpM1Op>(patterns, benefit, ctx, "expm1f",
189 "expm1");
190 populatePatternsForOp<math::FloorOp>(patterns, benefit, ctx, "floorf",
191 "floor");
192 populatePatternsForOp<math::FmaOp>(patterns, benefit, ctx, "fmaf", "fma");
193 populatePatternsForOp<math::LogOp>(patterns, benefit, ctx, "logf", "log");
194 populatePatternsForOp<math::Log2Op>(patterns, benefit, ctx, "log2f", "log2");
195 populatePatternsForOp<math::Log10Op>(patterns, benefit, ctx, "log10f",
196 "log10");
197 populatePatternsForOp<math::Log1pOp>(patterns, benefit, ctx, "log1pf",
198 "log1p");
199 populatePatternsForOp<math::PowFOp>(patterns, benefit, ctx, "powf", "pow");
200 populatePatternsForOp<math::RoundEvenOp>(patterns, benefit, ctx, "roundevenf",
201 "roundeven");
202 populatePatternsForOp<math::RoundOp>(patterns, benefit, ctx, "roundf",
203 "round");
204 populatePatternsForOp<math::SinOp>(patterns, benefit, ctx, "sinf", "sin");
205 populatePatternsForOp<math::SinhOp>(patterns, benefit, ctx, "sinhf", "sinh");
206 populatePatternsForOp<math::SqrtOp>(patterns, benefit, ctx, "sqrtf", "sqrt");
207 populatePatternsForOp<math::RsqrtOp>(patterns, benefit, ctx, "rsqrtf",
208 "rsqrt");
209 populatePatternsForOp<math::TanOp>(patterns, benefit, ctx, "tanf", "tan");
210 populatePatternsForOp<math::TanhOp>(patterns, benefit, ctx, "tanhf", "tanh");
211 populatePatternsForOp<math::TruncOp>(patterns, benefit, ctx, "truncf",
212 "trunc");
213}
214
215namespace {
216struct ConvertMathToLibmPass
217 : public impl::ConvertMathToLibmPassBase<ConvertMathToLibmPass> {
218 void runOnOperation() override;
219};
220} // namespace
221
222void ConvertMathToLibmPass::runOnOperation() {
223 auto module = getOperation();
224
225 RewritePatternSet patterns(&getContext());
227
228 ConversionTarget target(getContext());
229 target.addLegalDialect<arith::ArithDialect, BuiltinDialect, func::FuncDialect,
230 vector::VectorDialect>();
231 target.addIllegalDialect<math::MathDialect>();
232 if (failed(applyPartialConversion(module, target, std::move(patterns))))
233 signalPassFailure();
234}
return success()
b getContext())
FloatType getF32Type()
Definition Builders.cpp:43
Location getUnknownLoc()
Definition Builders.cpp:25
MLIRContext * getContext() const
Definition Builders.h:56
static DenseElementsAttr get(ShapedType type, ArrayRef< Attribute > values)
Constructs a dense elements attribute from an array of element values.
MLIRContext is the top-level object for a collection of MLIR operations.
Definition MLIRContext.h:63
RAII guard to reset the insertion point of the builder when destroyed.
Definition Builders.h:348
void setInsertionPointToStart(Block *block)
Sets the insertion point to the start of the specified block.
Definition Builders.h:431
Location getLoc()
The source location the operation was defined or derived from.
This provides public APIs that all operations should have.
This class represents the benefit of a pattern match in a unitless scheme that ranges from 0 (very li...
A special type of RewriterBase that coordinates the application of a rewrite pattern on the current I...
virtual void replaceOp(Operation *op, ValueRange newValues)
Replace the results of the given (original) operation with the specified list of values (replacements...
OpTy replaceOpWithNewOp(Operation *op, Args &&...args)
Replace the results of the given (original) op with a new op that is created without verification (re...
static Operation * lookupSymbolIn(Operation *op, StringAttr symbol)
Returns the operation registered with the given symbol name with the regions of 'symbolTableOp'.
This class represents an instance of an SSA value in the MLIR system, representing a computable value...
Definition Value.h:96
NestedPattern Op(FilterFunctionType filter=defaultFilterFunction)
detail::InFlightRemark failed(Location loc, RemarkOpts opts)
Report an optimization remark that failed.
Definition Remarks.h:573
Include the generated interface declarations.
void populateMathToLibmConversionPatterns(RewritePatternSet &patterns, PatternBenefit benefit=1)
Populate the given list with patterns that convert from Math to Libm calls.
SmallVector< int64_t > computeStrides(ArrayRef< int64_t > sizes)
SmallVector< int64_t > delinearize(int64_t linearIndex, ArrayRef< int64_t > strides)
Given the strides together with a linear index in the dimension space, return the vector-space offset...
const FrozenRewritePatternSet & patterns
OpRewritePattern is a wrapper around RewritePattern that allows for matching and rewriting against an...