LLVM 23.0.0git
ExpandIRInsts.cpp
Go to the documentation of this file.
1//===--- ExpandIRInsts.cpp - Expand IR instructions -----------------------===//
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// This pass expands certain instructions at the IR level.
9//
10// The following expansions are implemented:
11// - Expansion of ‘fptoui .. to’, ‘fptosi .. to’, ‘uitofp .. to’, ‘sitofp
12// .. to’ instructions with a bitwidth above a threshold. This is
13// useful for targets like x86_64 that cannot lower fp convertions
14// with more than 128 bits.
15//
16// - Expansion of ‘frem‘ for types MVT::f16, MVT::f32, and MVT::f64 for
17// targets which use "Expand" as the legalization action for the
18// corresponding type.
19//
20// - Expansion of ‘udiv‘, ‘sdiv‘, ‘urem‘, and ‘srem‘ instructions with
21// a bitwidth above a threshold into a call to auto-generated
22// functions. This is useful for targets like x86_64 that cannot
23// lower divisions with more than 128 bits or targets like x86_32 that
24// cannot lower divisions with more than 64 bits.
25//
26// Instructions with vector types are scalarized first if their scalar
27// types can be expanded. Scalable vector types are not supported.
28//===----------------------------------------------------------------------===//
29
37#include "llvm/CodeGen/Passes.h"
41#include "llvm/IR/IRBuilder.h"
44#include "llvm/IR/Module.h"
45#include "llvm/IR/PassManager.h"
47#include "llvm/Pass.h"
54#include <optional>
55
56#define DEBUG_TYPE "expand-ir-insts"
57
58using namespace llvm;
59
61 ExpandFpConvertBits("expand-fp-convert-bits", cl::Hidden,
63 cl::desc("fp convert instructions on integers with "
64 "more than <N> bits are expanded."));
65
67 ExpandDivRemBits("expand-div-rem-bits", cl::Hidden,
69 cl::desc("div and rem instructions on integers with "
70 "more than <N> bits are expanded."));
71
72namespace {
73bool isConstantPowerOfTwo(llvm::Value *V, bool SignedOp) {
74 auto *C = dyn_cast<ConstantInt>(V);
75 if (!C)
76 return false;
77
78 APInt Val = C->getValue();
79 if (SignedOp && Val.isNegative())
80 Val = -Val;
81 return Val.isPowerOf2();
82}
83
84bool isSigned(unsigned int Opcode) {
85 return Opcode == Instruction::SDiv || Opcode == Instruction::SRem;
86}
87
88/// For signed div/rem by a power of 2, compute the bias-adjusted dividend:
89/// Sign = ashr X, (BitWidth - 1) -- 0 or -1
90/// Bias = lshr Sign, (BitWidth - ShiftAmt) -- 0 or 2^ShiftAmt - 1
91/// Adjusted = add X, Bias
92/// The bias adds (2^ShiftAmt - 1) for negative X, correcting rounding towards
93/// zero (instead of towards -inf that a plain ashr would give).
94/// The lshr form is used instead of 'and' to avoid large immediate constants.
95static Value *addSignedBias(IRBuilder<> &Builder, Value *X, unsigned BitWidth,
96 unsigned ShiftAmt) {
97 assert(ShiftAmt > 0 && ShiftAmt < BitWidth &&
98 "ShiftAmt out of range; callers should handle ShiftAmt == 0");
99 Value *Sign = Builder.CreateAShr(X, BitWidth - 1, "sign");
100 Value *Bias = Builder.CreateLShr(Sign, BitWidth - ShiftAmt, "bias");
101 return Builder.CreateAdd(X, Bias, "adjusted");
102}
103
104/// Expand division or remainder by a power-of-2 constant.
105/// Division (let C = log2(|divisor|)):
106/// udiv X, 2^C -> lshr X, C
107/// sdiv X, 2^C -> ashr (add X, Bias), C (Bias corrects rounding)
108/// sdiv exact X, 2^C -> ashr exact X, C (no bias needed)
109/// For negative power-of-2 divisors, the division result is negated.
110/// Remainder (let C = log2(|divisor|)):
111/// urem X, 2^C -> and X, (2^C - 1)
112/// srem X, 2^C -> sub X, (shl (ashr (add X, Bias), C), C)
113static void expandPow2DivRem(BinaryOperator *BO) {
114 LLVM_DEBUG(dbgs() << "Expanding instruction: " << *BO << '\n');
115
116 unsigned Opcode = BO->getOpcode();
117 bool IsDiv = (Opcode == Instruction::UDiv || Opcode == Instruction::SDiv);
118 bool IsSigned = isSigned(Opcode);
119 // isExact() is only valid for div.
120 bool IsExact = IsDiv && BO->isExact();
121
122 assert(isConstantPowerOfTwo(BO->getOperand(1), IsSigned) &&
123 "Expected power-of-2 constant divisor");
124
125 Value *X = BO->getOperand(0);
126 auto *C = cast<ConstantInt>(BO->getOperand(1));
127 Type *Ty = BO->getType();
128 unsigned BitWidth = Ty->getIntegerBitWidth();
129
130 APInt DivisorVal = C->getValue();
131 bool IsNegativeDivisor = IsSigned && DivisorVal.isNegative();
132 // Use countr_zero() to get the shift amount directly from the bit pattern.
133 // This works correctly for both positive and negative powers of 2, including
134 // INT_MIN, without needing to negate the value first.
135 unsigned ShiftAmt = DivisorVal.countr_zero();
136
137 IRBuilder<> Builder(BO);
138 Value *Result;
139
140 if (ShiftAmt == 0) {
141 // Div by 1/-1: X / 1 = X, X / -1 = -X.
142 // Rem by 1/-1: always 0.
143 if (IsDiv)
144 Result = IsNegativeDivisor ? Builder.CreateNeg(X) : X;
145 else
146 Result = ConstantInt::get(Ty, 0);
147 } else if (IsSigned) {
148 // The signed expansion uses X multiple times (bias computation, shift,
149 // and sub for remainder). Freeze X to ensure consistent behavior if it is
150 // undef/poison. For exact division, no bias is needed and X is used only
151 // once, so freeze is unnecessary.
152 if (!IsExact && !isGuaranteedNotToBeUndefOrPoison(X))
153 X = Builder.CreateFreeze(X, X->getName() + ".fr");
154 // For exact division, no bias is needed since there's no rounding.
155 Value *Dividend =
156 IsExact ? X : addSignedBias(Builder, X, BitWidth, ShiftAmt);
157 Value *Quotient = Builder.CreateAShr(
158 Dividend, ShiftAmt, IsDiv && IsNegativeDivisor ? "pre.neg" : "shifted",
159 IsExact);
160 if (IsDiv) {
161 Result = IsNegativeDivisor ? Builder.CreateNeg(Quotient) : Quotient;
162 } else {
163 // Rem = X - (Quotient << ShiftAmt):
164 // clear lower ShiftAmt bits via round-trip shift, then subtract.
165 Value *Truncated = Builder.CreateShl(Quotient, ShiftAmt, "truncated");
166 Result = Builder.CreateSub(X, Truncated);
167 }
168 } else {
169 if (IsDiv) {
170 Result = Builder.CreateLShr(X, ShiftAmt, "", IsExact);
171 } else {
173 Result = Builder.CreateAnd(X, ConstantInt::get(Ty, Mask));
174 }
175 }
176
177 BO->replaceAllUsesWith(Result);
178 if (Result != X)
179 if (auto *RI = dyn_cast<Instruction>(Result))
180 RI->takeName(BO);
181 BO->dropAllReferences();
182 BO->eraseFromParent();
183}
184
185/// This class implements a precise expansion of the frem instruction.
186/// The generated code is based on the fmod implementation in the AMD device
187/// libs.
188class FRemExpander {
189 /// The IRBuilder to use for the expansion.
190 IRBuilder<> &B;
191
192 /// Floating point type of the return value and the arguments of the FRem
193 /// instructions that should be expanded.
194 Type *FremTy;
195
196 /// Floating point type to use for the computation. This may be
197 /// wider than the \p FremTy.
198 Type *ComputeFpTy;
199
200 /// Integer type used to hold the exponents returned by frexp.
201 Type *ExTy;
202
203 /// How many bits of the quotient to compute per iteration of the
204 /// algorithm, stored as a value of type \p ExTy.
205 Value *Bits;
206
207 /// Constant 1 of type \p ExTy.
208 Value *One;
209
210 /// The frem argument/return types that can be expanded by this class.
211 // TODO: The expansion could work for other floating point types
212 // as well, but this would require additional testing.
213 static constexpr std::array<MVT, 3> ExpandableTypes{MVT::f16, MVT::f32,
214 MVT::f64};
215
216public:
217 static bool canExpandType(Type *Ty) {
218 EVT VT = EVT::getEVT(Ty);
219 assert(VT.isSimple() && "Can expand only simple types");
220
221 return is_contained(ExpandableTypes, VT.getSimpleVT());
222 }
223
224 static bool shouldExpandFremType(const TargetLowering &TLI, EVT VT) {
225 assert(!VT.isVector() && "Cannot handle vector type; must scalarize first");
226 return TLI.getOperationAction(ISD::FREM, VT) ==
227 TargetLowering::LegalizeAction::Expand;
228 }
229
230 static bool shouldExpandFremType(const TargetLowering &TLI, Type *Ty) {
231 // Consider scalar type for simplicity. It seems unlikely that a
232 // vector type can be legalized without expansion if the scalar
233 // type cannot.
234 return shouldExpandFremType(TLI, EVT::getEVT(Ty->getScalarType()));
235 }
236
237 /// Return true if the pass should expand frem instructions of any type
238 /// for the target represented by \p TLI.
239 static bool shouldExpandAnyFremType(const TargetLowering &TLI) {
240 return any_of(ExpandableTypes,
241 [&](MVT V) { return shouldExpandFremType(TLI, EVT(V)); });
242 }
243
244 static FRemExpander create(IRBuilder<> &B, Type *Ty) {
245 assert(canExpandType(Ty) && "Expected supported floating point type");
246
247 // The type to use for the computation of the remainder. This may be
248 // wider than the input/result type which affects the ...
249 Type *ComputeTy = Ty;
250 // ... maximum number of iterations of the remainder computation loop
251 // to use. This value is for the case in which the computation
252 // uses the same input/result type.
253 unsigned MaxIter = 2;
254
255 if (Ty->isHalfTy()) {
256 // Use the wider type and less iterations.
257 ComputeTy = B.getFloatTy();
258 MaxIter = 1;
259 }
260
261 unsigned Precision =
263 return FRemExpander{B, Ty, Precision / MaxIter, ComputeTy};
264 }
265
266 /// Build the FRem expansion for the numerator \p X and the
267 /// denumerator \p Y. The type of X and Y must match \p FremTy. The
268 /// code will be generated at the insertion point of \p B and the
269 /// insertion point will be reset at exit.
270 Value *buildFRem(Value *X, Value *Y, std::optional<SimplifyQuery> &SQ) const;
271
272 /// Build an approximate FRem expansion for the numerator \p X and
273 /// the denumerator \p Y at the insertion point of builder \p B.
274 /// The type of X and Y must match \p FremTy.
275 Value *buildApproxFRem(Value *X, Value *Y) const;
276
277private:
278 FRemExpander(IRBuilder<> &B, Type *FremTy, unsigned Bits, Type *ComputeFpTy)
279 : B(B), FremTy(FremTy), ComputeFpTy(ComputeFpTy), ExTy(B.getInt32Ty()),
280 Bits(ConstantInt::get(ExTy, Bits)), One(ConstantInt::get(ExTy, 1)) {};
281
282 Value *createRcp(Value *V, const Twine &Name) const {
283 // Leave it to later optimizations to turn this into an rcp
284 // instruction if available.
285 return B.CreateFDiv(ConstantFP::get(ComputeFpTy, 1.0), V, Name);
286 }
287
288 // Helper function to build the UPDATE_AX code which is common to the
289 // loop body and the "final iteration".
290 Value *buildUpdateAx(Value *Ax, Value *Ay, Value *Ayinv) const {
291 // Build:
292 // float q = rint(ax * ayinv);
293 // ax = fma(-q, ay, ax);
294 // int clt = ax < 0.0f;
295 // float axp = ax + ay;
296 // ax = clt ? axp : ax;
297 Value *Q = B.CreateUnaryIntrinsic(Intrinsic::rint, B.CreateFMul(Ax, Ayinv),
298 {}, "q");
299 Value *AxUpdate = B.CreateFMA(B.CreateFNeg(Q), Ay, Ax, {}, "ax");
300 Value *Clt = B.CreateFCmp(CmpInst::FCMP_OLT, AxUpdate,
301 ConstantFP::getZero(ComputeFpTy), "clt");
302 Value *Axp = B.CreateFAdd(AxUpdate, Ay, "axp");
303 return B.CreateSelect(Clt, Axp, AxUpdate, "ax");
304 }
305
306 /// Build code to extract the exponent and mantissa of \p Src.
307 /// Return the exponent minus one for use as a loop bound and
308 /// the mantissa taken to the given \p NewExp power.
309 std::pair<Value *, Value *> buildExpAndPower(Value *Src, Value *NewExp,
310 const Twine &ExName,
311 const Twine &PowName) const {
312 // Build:
313 // ExName = frexp_exp(Src) - 1;
314 // PowName = fldexp(frexp_mant(ExName), NewExp);
315 Type *Ty = Src->getType();
316 Type *ExTy = B.getInt32Ty();
317 Value *Frexp = B.CreateIntrinsic(Intrinsic::frexp, {Ty, ExTy}, Src);
318 Value *Mant = B.CreateExtractValue(Frexp, {0});
319 Value *Exp = B.CreateExtractValue(Frexp, {1});
320
321 Exp = B.CreateSub(Exp, One, ExName);
322 Value *Pow = B.CreateLdexp(Mant, NewExp, {}, PowName);
323
324 return {Pow, Exp};
325 }
326
327 /// Build the main computation of the remainder for the case in which
328 /// Ax > Ay, where Ax = |X|, Ay = |Y|, and X is the numerator and Y the
329 /// denumerator. Add the incoming edge from the computation result
330 /// to \p RetPhi.
331 void buildRemainderComputation(Value *AxInitial, Value *AyInitial, Value *X,
332 PHINode *RetPhi, FastMathFlags FMF) const {
333 IRBuilder<>::FastMathFlagGuard Guard(B);
334 B.setFastMathFlags(FMF);
335
336 // Build:
337 // ex = frexp_exp(ax) - 1;
338 // ax = fldexp(frexp_mant(ax), bits);
339 // ey = frexp_exp(ay) - 1;
340 // ay = fledxp(frexp_mant(ay), 1);
341 auto [Ax, Ex] = buildExpAndPower(AxInitial, Bits, "ex", "ax");
342 auto [Ay, Ey] = buildExpAndPower(AyInitial, One, "ey", "ay");
343
344 // Build:
345 // int nb = ex - ey;
346 // float ayinv = 1.0/ay;
347 Value *Nb = B.CreateSub(Ex, Ey, "nb");
348 Value *Ayinv = createRcp(Ay, "ayinv");
349
350 // Build: while (nb > bits)
351 BasicBlock *PreheaderBB = B.GetInsertBlock();
352 Function *Fun = PreheaderBB->getParent();
353 auto *LoopBB = BasicBlock::Create(B.getContext(), "frem.loop_body", Fun);
354 auto *ExitBB = BasicBlock::Create(B.getContext(), "frem.loop_exit", Fun);
355
356 B.CreateCondBr(B.CreateICmp(CmpInst::ICMP_SGT, Nb, Bits), LoopBB, ExitBB);
357
358 // Build loop body:
359 // UPDATE_AX
360 // ax = fldexp(ax, bits);
361 // nb -= bits;
362 // One iteration of the loop is factored out. The code shared by
363 // the loop and this "iteration" is denoted by UPDATE_AX.
364 B.SetInsertPoint(LoopBB);
365 PHINode *NbIv = B.CreatePHI(Nb->getType(), 2, "nb_iv");
366 NbIv->addIncoming(Nb, PreheaderBB);
367
368 auto *AxPhi = B.CreatePHI(ComputeFpTy, 2, "ax_loop_phi");
369 AxPhi->addIncoming(Ax, PreheaderBB);
370
371 Value *AxPhiUpdate = buildUpdateAx(AxPhi, Ay, Ayinv);
372 AxPhiUpdate = B.CreateLdexp(AxPhiUpdate, Bits, {}, "ax_update");
373 AxPhi->addIncoming(AxPhiUpdate, LoopBB);
374 NbIv->addIncoming(B.CreateSub(NbIv, Bits, "nb_update"), LoopBB);
375
376 B.CreateCondBr(B.CreateICmp(CmpInst::ICMP_SGT, NbIv, Bits), LoopBB, ExitBB);
377
378 // Build final iteration
379 // ax = fldexp(ax, nb - bits + 1);
380 // UPDATE_AX
381 B.SetInsertPoint(ExitBB);
382
383 auto *AxPhiExit = B.CreatePHI(ComputeFpTy, 2, "ax_exit_phi");
384 AxPhiExit->addIncoming(Ax, PreheaderBB);
385 AxPhiExit->addIncoming(AxPhi, LoopBB);
386 auto *NbExitPhi = B.CreatePHI(Nb->getType(), 2, "nb_exit_phi");
387 NbExitPhi->addIncoming(NbIv, LoopBB);
388 NbExitPhi->addIncoming(Nb, PreheaderBB);
389
390 Value *AxFinal = B.CreateLdexp(
391 AxPhiExit, B.CreateAdd(B.CreateSub(NbExitPhi, Bits), One), {}, "ax");
392 AxFinal = buildUpdateAx(AxFinal, Ay, Ayinv);
393
394 // Build:
395 // ax = fldexp(ax, ey);
396 // ret = copysign(ax,x);
397 AxFinal = B.CreateLdexp(AxFinal, Ey, {}, "ax");
398 if (ComputeFpTy != FremTy)
399 AxFinal = B.CreateFPTrunc(AxFinal, FremTy);
400 Value *Ret = B.CreateCopySign(AxFinal, X);
401
402 RetPhi->addIncoming(Ret, ExitBB);
403 }
404
405 /// Build the else-branch of the conditional in the FRem
406 /// expansion, i.e. the case in wich Ax <= Ay, where Ax = |X|, Ay
407 /// = |Y|, and X is the numerator and Y the denumerator. Add the
408 /// incoming edge from the result to \p RetPhi.
409 void buildElseBranch(Value *Ax, Value *Ay, Value *X, PHINode *RetPhi) const {
410 // Build:
411 // ret = ax == ay ? copysign(0.0f, x) : x;
412 Value *ZeroWithXSign = B.CreateCopySign(ConstantFP::getZero(FremTy), X);
413 Value *Ret = B.CreateSelect(B.CreateFCmpOEQ(Ax, Ay), ZeroWithXSign, X);
414
415 RetPhi->addIncoming(Ret, B.GetInsertBlock());
416 }
417
418 /// Return a value that is NaN if one of the corner cases concerning
419 /// the inputs \p X and \p Y is detected, and \p Ret otherwise.
420 Value *handleInputCornerCases(Value *Ret, Value *X, Value *Y,
421 std::optional<SimplifyQuery> &SQ,
422 bool NoInfs) const {
423 // Build:
424 // ret = (y == 0.0f || isnan(y)) ? QNAN : ret;
425 // ret = isfinite(x) ? ret : QNAN;
426 Value *Nan = ConstantFP::getQNaN(FremTy);
427 Ret = B.CreateSelect(B.CreateFCmpUEQ(Y, ConstantFP::getZero(FremTy)), Nan,
428 Ret);
429 Value *XFinite =
430 NoInfs || (SQ && isKnownNeverInfinity(X, *SQ))
431 ? B.getTrue()
432 : B.CreateFCmpULT(B.CreateFAbs(X), ConstantFP::getInfinity(FremTy));
433 Ret = B.CreateSelect(XFinite, Ret, Nan);
434
435 return Ret;
436 }
437};
438
439Value *FRemExpander::buildApproxFRem(Value *X, Value *Y) const {
440 IRBuilder<>::FastMathFlagGuard Guard(B);
441 // Propagating the approximate functions flag to the
442 // division leads to an unacceptable drop in precision
443 // on AMDGPU.
444 // TODO Find out if any flags might be worth propagating.
445 B.clearFastMathFlags();
446
447 Value *Quot = B.CreateFDiv(X, Y);
448 Value *Trunc = B.CreateUnaryIntrinsic(Intrinsic::trunc, Quot, {});
449 Value *Neg = B.CreateFNeg(Trunc);
450
451 return B.CreateFMA(Neg, Y, X);
452}
453
454Value *FRemExpander::buildFRem(Value *X, Value *Y,
455 std::optional<SimplifyQuery> &SQ) const {
456 assert(X->getType() == FremTy && Y->getType() == FremTy);
457
458 FastMathFlags FMF = B.getFastMathFlags();
459
460 // This function generates the following code structure:
461 // if (abs(x) > abs(y))
462 // { ret = compute remainder }
463 // else
464 // { ret = x or 0 with sign of x }
465 // Adjust ret to NaN/inf in input
466 // return ret
467 Value *Ax = B.CreateFAbs(X, {}, "ax");
468 Value *Ay = B.CreateFAbs(Y, {}, "ay");
469 if (ComputeFpTy != X->getType()) {
470 Ax = B.CreateFPExt(Ax, ComputeFpTy, "ax");
471 Ay = B.CreateFPExt(Ay, ComputeFpTy, "ay");
472 }
473 Value *AxAyCmp = B.CreateFCmpOGT(Ax, Ay);
474
475 PHINode *RetPhi = B.CreatePHI(FremTy, 2, "ret");
476 Value *Ret = RetPhi;
477
478 // We would return NaN in all corner cases handled here.
479 // Hence, if NaNs are excluded, keep the result as it is.
480 if (!FMF.noNaNs())
481 Ret = handleInputCornerCases(Ret, X, Y, SQ, FMF.noInfs());
482
483 Function *Fun = B.GetInsertBlock()->getParent();
484 auto *ThenBB = BasicBlock::Create(B.getContext(), "frem.compute", Fun);
485 auto *ElseBB = BasicBlock::Create(B.getContext(), "frem.else", Fun);
486 SplitBlockAndInsertIfThenElse(AxAyCmp, RetPhi, &ThenBB, &ElseBB);
487
488 auto SavedInsertPt = B.GetInsertPoint();
489
490 // Build remainder computation for "then" branch
491 //
492 // The ordered comparison ensures that ax and ay are not NaNs
493 // in the then-branch. Furthermore, y cannot be an infinity and the
494 // check at the end of the function ensures that the result will not
495 // be used if x is an infinity.
496 FastMathFlags ComputeFMF = FMF;
497 ComputeFMF.setNoInfs();
498 ComputeFMF.setNoNaNs();
499
500 B.SetInsertPoint(ThenBB);
501 buildRemainderComputation(Ax, Ay, X, RetPhi, FMF);
502 B.CreateBr(RetPhi->getParent());
503
504 // Build "else"-branch
505 B.SetInsertPoint(ElseBB);
506 buildElseBranch(Ax, Ay, X, RetPhi);
507 B.CreateBr(RetPhi->getParent());
508
509 B.SetInsertPoint(SavedInsertPt);
510
511 return Ret;
512}
513} // namespace
514
515static bool expandFRem(BinaryOperator &I, std::optional<SimplifyQuery> &SQ) {
516 LLVM_DEBUG(dbgs() << "Expanding instruction: " << I << '\n');
517
518 Type *Ty = I.getType();
519 assert(FRemExpander::canExpandType(Ty) &&
520 "Expected supported floating point type");
521
522 FastMathFlags FMF = I.getFastMathFlags();
523 // TODO Make use of those flags for optimization?
524 FMF.setAllowReciprocal(false);
525 FMF.setAllowContract(false);
526
527 IRBuilder<> B(&I);
528 B.setFastMathFlags(FMF);
529 B.SetCurrentDebugLocation(I.getDebugLoc());
530
531 const FRemExpander Expander = FRemExpander::create(B, Ty);
532 Value *Ret = FMF.approxFunc()
533 ? Expander.buildApproxFRem(I.getOperand(0), I.getOperand(1))
534 : Expander.buildFRem(I.getOperand(0), I.getOperand(1), SQ);
535
536 I.replaceAllUsesWith(Ret);
537 Ret->takeName(&I);
538 I.eraseFromParent();
539
540 return true;
541}
542// clang-format off: preserve formatting of the following example
543
544/// Generate code to convert a fp number to integer, replacing FPToS(U)I with
545/// the generated code. This currently generates code similarly to compiler-rt's
546/// implementations.
547///
548/// An example IR generated from compiler-rt/fixsfdi.c looks like below:
549/// define dso_local i64 @foo(float noundef %a) local_unnamed_addr #0 {
550/// entry:
551/// %0 = bitcast float %a to i32
552/// %conv.i = zext i32 %0 to i64
553/// %tobool.not = icmp sgt i32 %0, -1
554/// %conv = select i1 %tobool.not, i64 1, i64 -1
555/// %and = lshr i64 %conv.i, 23
556/// %shr = and i64 %and, 255
557/// %and2 = and i64 %conv.i, 8388607
558/// %or = or i64 %and2, 8388608
559/// %cmp = icmp ult i64 %shr, 127
560/// br i1 %cmp, label %cleanup, label %if.end
561///
562/// if.end: ; preds = %entry
563/// %sub = add nuw nsw i64 %shr, 4294967169
564/// %conv5 = and i64 %sub, 4294967232
565/// %cmp6.not = icmp eq i64 %conv5, 0
566/// br i1 %cmp6.not, label %if.end12, label %if.then8
567///
568/// if.then8: ; preds = %if.end
569/// %cond11 = select i1 %tobool.not, i64 9223372036854775807, i64
570/// -9223372036854775808 br label %cleanup
571///
572/// if.end12: ; preds = %if.end
573/// %cmp13 = icmp ult i64 %shr, 150
574/// br i1 %cmp13, label %if.then15, label %if.else
575///
576/// if.then15: ; preds = %if.end12
577/// %sub16 = sub nuw nsw i64 150, %shr
578/// %shr17 = lshr i64 %or, %sub16
579/// %mul = mul nsw i64 %shr17, %conv
580/// br label %cleanup
581///
582/// if.else: ; preds = %if.end12
583/// %sub18 = add nsw i64 %shr, -150
584/// %shl = shl i64 %or, %sub18
585/// %mul19 = mul nsw i64 %shl, %conv
586/// br label %cleanup
587///
588/// cleanup: ; preds = %entry,
589/// %if.else, %if.then15, %if.then8
590/// %retval.0 = phi i64 [ %cond11, %if.then8 ], [ %mul, %if.then15 ], [
591/// %mul19, %if.else ], [ 0, %entry ] ret i64 %retval.0
592/// }
593///
594/// Replace fp to integer with generated code.
595static void expandFPToI(Instruction *FPToI, bool IsSaturating, bool IsSigned) {
596 // clang-format on
597 IRBuilder<> Builder(FPToI);
598 auto *FloatVal = FPToI->getOperand(0);
599 IntegerType *IntTy = cast<IntegerType>(FPToI->getType());
600
601 unsigned BitWidth = FPToI->getType()->getIntegerBitWidth();
602 unsigned FPMantissaWidth = FloatVal->getType()->getFPMantissaWidth() - 1;
603
604 // FIXME: fp16's range is covered by i32. So `fptoi half` can convert
605 // to i32 first following a sext/zext to target integer type.
606 Value *A1 = nullptr;
607 if (FloatVal->getType()->isHalfTy() && BitWidth >= 32) {
608 if (FPToI->getOpcode() == Instruction::FPToUI) {
609 Value *A0 = Builder.CreateFPToUI(FloatVal, Builder.getInt32Ty());
610 A1 = Builder.CreateZExt(A0, IntTy);
611 } else { // FPToSI
612 Value *A0 = Builder.CreateFPToSI(FloatVal, Builder.getInt32Ty());
613 A1 = Builder.CreateSExt(A0, IntTy);
614 }
615 FPToI->replaceAllUsesWith(A1);
616 FPToI->dropAllReferences();
617 FPToI->eraseFromParent();
618 return;
619 }
620
621 // fp80 conversion is implemented by fpext to fp128 first then do the
622 // conversion.
623 FPMantissaWidth = FPMantissaWidth == 63 ? 112 : FPMantissaWidth;
624 unsigned FloatWidth =
625 PowerOf2Ceil(FloatVal->getType()->getScalarSizeInBits());
626 unsigned ExponentWidth = FloatWidth - FPMantissaWidth - 1;
627 unsigned ExponentBias = (1 << (ExponentWidth - 1)) - 1;
628 IntegerType *FloatIntTy = Builder.getIntNTy(FloatWidth);
629 Value *ImplicitBit = ConstantInt::get(
630 FloatIntTy, APInt::getOneBitSet(FloatWidth, FPMantissaWidth));
631 Value *SignificandMask = ConstantInt::get(
632 FloatIntTy, APInt::getLowBitsSet(FloatWidth, FPMantissaWidth));
633
634 BasicBlock *Entry = Builder.GetInsertBlock();
635 Function *F = Entry->getParent();
636 Entry->setName(Twine(Entry->getName(), "fp-to-i-entry"));
637 BasicBlock *CheckSaturateBB, *SaturateBB;
638 BasicBlock *End =
639 Entry->splitBasicBlock(Builder.GetInsertPoint(), "fp-to-i-cleanup");
640 if (IsSaturating) {
641 CheckSaturateBB = BasicBlock::Create(Builder.getContext(),
642 "fp-to-i-if-check.saturate", F, End);
643 SaturateBB =
644 BasicBlock::Create(Builder.getContext(), "fp-to-i-if-saturate", F, End);
645 }
646 BasicBlock *CheckExpSizeBB = BasicBlock::Create(
647 Builder.getContext(), "fp-to-i-if-check.exp.size", F, End);
648 BasicBlock *ExpSmallBB =
649 BasicBlock::Create(Builder.getContext(), "fp-to-i-if-exp.small", F, End);
650 BasicBlock *ExpLargeBB =
651 BasicBlock::Create(Builder.getContext(), "fp-to-i-if-exp.large", F, End);
652
653 Entry->getTerminator()->eraseFromParent();
654
655 // entry:
656 Builder.SetInsertPoint(Entry);
657 // We're going to introduce branches on the value, so freeze it.
659 FloatVal = Builder.CreateFreeze(FloatVal);
660 // fp80 conversion is implemented by fpext to fp128 first then do the
661 // conversion.
662 if (FloatVal->getType()->isX86_FP80Ty())
663 FloatVal =
664 Builder.CreateFPExt(FloatVal, Type::getFP128Ty(Builder.getContext()));
665 Value *ARep = Builder.CreateBitCast(FloatVal, FloatIntTy);
666 Value *PosOrNeg, *Sign;
667 if (IsSigned) {
668 PosOrNeg =
669 Builder.CreateICmpSGT(ARep, ConstantInt::getSigned(FloatIntTy, -1));
670 Sign = Builder.CreateSelect(PosOrNeg, ConstantInt::getSigned(IntTy, 1),
671 ConstantInt::getSigned(IntTy, -1), "sign");
672 }
673 Value *And =
674 Builder.CreateLShr(ARep, Builder.getIntN(FloatWidth, FPMantissaWidth));
675 Value *BiasedExp = Builder.CreateAnd(
676 And, Builder.getIntN(FloatWidth, (1 << ExponentWidth) - 1), "biased.exp");
677 Value *Abs = Builder.CreateAnd(ARep, SignificandMask);
678 Value *Significand = Builder.CreateOr(Abs, ImplicitBit, "significand");
679 Value *ZeroResultCond = Builder.CreateICmpULT(
680 BiasedExp, Builder.getIntN(FloatWidth, ExponentBias), "exp.is.negative");
681 if (IsSaturating) {
682 Value *IsNaN = Builder.CreateFCmpUNO(FloatVal, FloatVal, "is.nan");
683 ZeroResultCond = Builder.CreateOr(ZeroResultCond, IsNaN);
684 if (!IsSigned) {
685 Value *IsNeg = Builder.CreateIsNeg(ARep);
686 ZeroResultCond = Builder.CreateOr(ZeroResultCond, IsNeg);
687 }
688 }
689 Builder.CreateCondBr(ZeroResultCond, End,
690 IsSaturating ? CheckSaturateBB : CheckExpSizeBB);
691
692 Value *Saturated;
693 if (IsSaturating) {
694 // check.saturate:
695 Builder.SetInsertPoint(CheckSaturateBB);
696 Value *Cmp3 = Builder.CreateICmpUGE(
697 BiasedExp, ConstantInt::getSigned(
698 FloatIntTy, static_cast<int64_t>(ExponentBias +
699 BitWidth - IsSigned)));
700 Builder.CreateCondBr(Cmp3, SaturateBB, CheckExpSizeBB);
701
702 // saturate:
703 Builder.SetInsertPoint(SaturateBB);
704 if (IsSigned) {
705 Value *SignedMax =
706 ConstantInt::get(IntTy, APInt::getSignedMaxValue(BitWidth));
707 Value *SignedMin =
708 ConstantInt::get(IntTy, APInt::getSignedMinValue(BitWidth));
709 Saturated =
710 Builder.CreateSelect(PosOrNeg, SignedMax, SignedMin, "saturated");
711 } else {
712 Saturated = ConstantInt::getAllOnesValue(IntTy);
713 }
714 Builder.CreateBr(End);
715 }
716
717 // if.end9:
718 Builder.SetInsertPoint(CheckExpSizeBB);
719 Value *ExpSmallerMantissaWidth = Builder.CreateICmpULT(
720 BiasedExp, Builder.getIntN(FloatWidth, ExponentBias + FPMantissaWidth),
721 "exp.smaller.mantissa.width");
722 Builder.CreateCondBr(ExpSmallerMantissaWidth, ExpSmallBB, ExpLargeBB);
723
724 // exp.small:
725 Builder.SetInsertPoint(ExpSmallBB);
726 Value *Sub13 = Builder.CreateSub(
727 Builder.getIntN(FloatWidth, ExponentBias + FPMantissaWidth), BiasedExp);
728 Value *ExpSmallRes =
729 Builder.CreateZExtOrTrunc(Builder.CreateLShr(Significand, Sub13), IntTy);
730 if (IsSigned)
731 ExpSmallRes = Builder.CreateMul(ExpSmallRes, Sign);
732 Builder.CreateBr(End);
733
734 // exp.large:
735 Builder.SetInsertPoint(ExpLargeBB);
736 Value *Sub15 = Builder.CreateAdd(
737 BiasedExp,
739 FloatIntTy, -static_cast<int64_t>(ExponentBias + FPMantissaWidth)));
740 Value *SignificandCast = Builder.CreateZExtOrTrunc(Significand, IntTy);
741 Value *ExpLargeRes = Builder.CreateShl(
742 SignificandCast, Builder.CreateZExtOrTrunc(Sub15, IntTy));
743 if (IsSigned)
744 ExpLargeRes = Builder.CreateMul(ExpLargeRes, Sign);
745 Builder.CreateBr(End);
746
747 // cleanup:
748 Builder.SetInsertPoint(End, End->begin());
749 PHINode *Retval0 = Builder.CreatePHI(FPToI->getType(), 3 + IsSaturating);
750
751 if (IsSaturating)
752 Retval0->addIncoming(Saturated, SaturateBB);
753 Retval0->addIncoming(ExpSmallRes, ExpSmallBB);
754 Retval0->addIncoming(ExpLargeRes, ExpLargeBB);
755 Retval0->addIncoming(Builder.getIntN(BitWidth, 0), Entry);
756
757 FPToI->replaceAllUsesWith(Retval0);
758 FPToI->dropAllReferences();
759 FPToI->eraseFromParent();
760}
761
762// clang-format off: preserve formatting of the following example
763
764/// Generate code to convert a fp number to integer, replacing S(U)IToFP with
765/// the generated code. This currently generates code similarly to compiler-rt's
766/// implementations. This implementation has an implicit assumption that integer
767/// width is larger than fp.
768///
769/// An example IR generated from compiler-rt/floatdisf.c looks like below:
770/// define dso_local float @__floatdisf(i64 noundef %a) local_unnamed_addr #0 {
771/// entry:
772/// %cmp = icmp eq i64 %a, 0
773/// br i1 %cmp, label %return, label %if.end
774///
775/// if.end: ; preds = %entry
776/// %shr = ashr i64 %a, 63
777/// %xor = xor i64 %shr, %a
778/// %sub = sub nsw i64 %xor, %shr
779/// %0 = tail call i64 @llvm.ctlz.i64(i64 %sub, i1 true), !range !5
780/// %cast = trunc i64 %0 to i32
781/// %sub1 = sub nuw nsw i32 64, %cast
782/// %sub2 = xor i32 %cast, 63
783/// %cmp3 = icmp ult i32 %cast, 40
784/// br i1 %cmp3, label %if.then4, label %if.else
785///
786/// if.then4: ; preds = %if.end
787/// switch i32 %sub1, label %sw.default [
788/// i32 25, label %sw.bb
789/// i32 26, label %sw.epilog
790/// ]
791///
792/// sw.bb: ; preds = %if.then4
793/// %shl = shl i64 %sub, 1
794/// br label %sw.epilog
795///
796/// sw.default: ; preds = %if.then4
797/// %sub5 = sub nsw i64 38, %0
798/// %sh_prom = and i64 %sub5, 4294967295
799/// %shr6 = lshr i64 %sub, %sh_prom
800/// %shr9 = lshr i64 274877906943, %0
801/// %and = and i64 %shr9, %sub
802/// %cmp10 = icmp ne i64 %and, 0
803/// %conv11 = zext i1 %cmp10 to i64
804/// %or = or i64 %shr6, %conv11
805/// br label %sw.epilog
806///
807/// sw.epilog: ; preds = %sw.default,
808/// %if.then4, %sw.bb
809/// %a.addr.0 = phi i64 [ %or, %sw.default ], [ %sub, %if.then4 ], [ %shl,
810/// %sw.bb ] %1 = lshr i64 %a.addr.0, 2 %2 = and i64 %1, 1 %or16 = or i64 %2,
811/// %a.addr.0 %inc = add nsw i64 %or16, 1 %3 = and i64 %inc, 67108864
812/// %tobool.not = icmp eq i64 %3, 0
813/// %spec.select.v = select i1 %tobool.not, i64 2, i64 3
814/// %spec.select = ashr i64 %inc, %spec.select.v
815/// %spec.select56 = select i1 %tobool.not, i32 %sub2, i32 %sub1
816/// br label %if.end26
817///
818/// if.else: ; preds = %if.end
819/// %sub23 = add nuw nsw i64 %0, 4294967256
820/// %sh_prom24 = and i64 %sub23, 4294967295
821/// %shl25 = shl i64 %sub, %sh_prom24
822/// br label %if.end26
823///
824/// if.end26: ; preds = %sw.epilog,
825/// %if.else
826/// %a.addr.1 = phi i64 [ %shl25, %if.else ], [ %spec.select, %sw.epilog ]
827/// %e.0 = phi i32 [ %sub2, %if.else ], [ %spec.select56, %sw.epilog ]
828/// %conv27 = trunc i64 %shr to i32
829/// %and28 = and i32 %conv27, -2147483648
830/// %add = shl nuw nsw i32 %e.0, 23
831/// %shl29 = add nuw nsw i32 %add, 1065353216
832/// %conv31 = trunc i64 %a.addr.1 to i32
833/// %and32 = and i32 %conv31, 8388607
834/// %or30 = or i32 %and32, %and28
835/// %or33 = or i32 %or30, %shl29
836/// %4 = bitcast i32 %or33 to float
837/// br label %return
838///
839/// return: ; preds = %entry,
840/// %if.end26
841/// %retval.0 = phi float [ %4, %if.end26 ], [ 0.000000e+00, %entry ]
842/// ret float %retval.0
843/// }
844///
845/// Replace integer to fp with generated code.
846static void expandIToFP(Instruction *IToFP) {
847 // clang-format on
848 IRBuilder<> Builder(IToFP);
849 auto *IntVal = IToFP->getOperand(0);
850 IntegerType *IntTy = cast<IntegerType>(IntVal->getType());
851
852 unsigned BitWidth = IntVal->getType()->getIntegerBitWidth();
853 unsigned FPMantissaWidth = IToFP->getType()->getFPMantissaWidth() - 1;
854 // fp80 conversion is implemented by conversion tp fp128 first following
855 // a fptrunc to fp80.
856 FPMantissaWidth = FPMantissaWidth == 63 ? 112 : FPMantissaWidth;
857 // FIXME: As there is no related builtins added in compliler-rt,
858 // here currently utilized the fp32 <-> fp16 lib calls to implement.
859 FPMantissaWidth = FPMantissaWidth == 10 ? 23 : FPMantissaWidth;
860 FPMantissaWidth = FPMantissaWidth == 7 ? 23 : FPMantissaWidth;
861 unsigned FloatWidth = PowerOf2Ceil(FPMantissaWidth);
862 bool IsSigned = IToFP->getOpcode() == Instruction::SIToFP;
863
864 // We're going to introduce branches on the value, so freeze it.
866 IntVal = Builder.CreateFreeze(IntVal);
867
868 // The expansion below assumes that int width >= float width. Zero or sign
869 // extend the integer accordingly.
870 if (BitWidth < FloatWidth) {
871 BitWidth = FloatWidth;
872 IntTy = Builder.getIntNTy(BitWidth);
873 IntVal = Builder.CreateIntCast(IntVal, IntTy, IsSigned);
874 }
875
876 Value *Temp1 =
877 Builder.CreateShl(Builder.getIntN(BitWidth, 1),
878 Builder.getIntN(BitWidth, FPMantissaWidth + 3));
879
880 BasicBlock *Entry = Builder.GetInsertBlock();
881 Function *F = Entry->getParent();
882 Entry->setName(Twine(Entry->getName(), "itofp-entry"));
883 BasicBlock *End =
884 Entry->splitBasicBlock(Builder.GetInsertPoint(), "itofp-return");
885 BasicBlock *IfEnd =
886 BasicBlock::Create(Builder.getContext(), "itofp-if-end", F, End);
887 BasicBlock *IfThen4 =
888 BasicBlock::Create(Builder.getContext(), "itofp-if-then4", F, End);
889 BasicBlock *SwBB =
890 BasicBlock::Create(Builder.getContext(), "itofp-sw-bb", F, End);
891 BasicBlock *SwDefault =
892 BasicBlock::Create(Builder.getContext(), "itofp-sw-default", F, End);
893 BasicBlock *SwEpilog =
894 BasicBlock::Create(Builder.getContext(), "itofp-sw-epilog", F, End);
895 BasicBlock *IfThen20 =
896 BasicBlock::Create(Builder.getContext(), "itofp-if-then20", F, End);
897 BasicBlock *IfElse =
898 BasicBlock::Create(Builder.getContext(), "itofp-if-else", F, End);
899 BasicBlock *IfEnd26 =
900 BasicBlock::Create(Builder.getContext(), "itofp-if-end26", F, End);
901
902 Entry->getTerminator()->eraseFromParent();
903
904 Function *CTLZ =
905 Intrinsic::getOrInsertDeclaration(F->getParent(), Intrinsic::ctlz, IntTy);
906 ConstantInt *True = Builder.getTrue();
907
908 // entry:
909 Builder.SetInsertPoint(Entry);
910 Value *Cmp = Builder.CreateICmpEQ(IntVal, ConstantInt::getSigned(IntTy, 0));
911 Builder.CreateCondBr(Cmp, End, IfEnd);
912
913 // if.end:
914 Builder.SetInsertPoint(IfEnd);
915 Value *Shr =
916 Builder.CreateAShr(IntVal, Builder.getIntN(BitWidth, BitWidth - 1));
917 Value *Xor = Builder.CreateXor(Shr, IntVal);
918 Value *Sub = Builder.CreateSub(Xor, Shr);
919 Value *Call = Builder.CreateCall(CTLZ, {IsSigned ? Sub : IntVal, True});
920 Value *Cast = Builder.CreateTrunc(Call, Builder.getInt32Ty());
921 int BitWidthNew = FloatWidth == 128 ? BitWidth : 32;
922 Value *Sub1 = Builder.CreateSub(Builder.getIntN(BitWidthNew, BitWidth),
923 FloatWidth == 128 ? Call : Cast);
924 Value *Sub2 = Builder.CreateSub(Builder.getIntN(BitWidthNew, BitWidth - 1),
925 FloatWidth == 128 ? Call : Cast);
926 Value *Cmp3 = Builder.CreateICmpSGT(
927 Sub1, Builder.getIntN(BitWidthNew, FPMantissaWidth + 1));
928 Builder.CreateCondBr(Cmp3, IfThen4, IfElse);
929
930 // if.then4:
931 Builder.SetInsertPoint(IfThen4);
932 llvm::SwitchInst *SI = Builder.CreateSwitch(Sub1, SwDefault);
933 SI->addCase(Builder.getIntN(BitWidthNew, FPMantissaWidth + 2), SwBB);
934 SI->addCase(Builder.getIntN(BitWidthNew, FPMantissaWidth + 3), SwEpilog);
935
936 // sw.bb:
937 Builder.SetInsertPoint(SwBB);
938 Value *Shl =
939 Builder.CreateShl(IsSigned ? Sub : IntVal, Builder.getIntN(BitWidth, 1));
940 Builder.CreateBr(SwEpilog);
941
942 // sw.default:
943 Builder.SetInsertPoint(SwDefault);
944 Value *Sub5 = Builder.CreateSub(
945 Builder.getIntN(BitWidthNew, BitWidth - FPMantissaWidth - 3),
946 FloatWidth == 128 ? Call : Cast);
947 Value *ShProm = Builder.CreateZExt(Sub5, IntTy);
948 Value *Shr6 = Builder.CreateLShr(IsSigned ? Sub : IntVal,
949 FloatWidth == 128 ? Sub5 : ShProm);
950 Value *Sub8 =
951 Builder.CreateAdd(FloatWidth == 128 ? Call : Cast,
952 Builder.getIntN(BitWidthNew, FPMantissaWidth + 3));
953 Value *ShProm9 = Builder.CreateZExt(Sub8, IntTy);
954 Value *Shr9 = Builder.CreateLShr(ConstantInt::getSigned(IntTy, -1),
955 FloatWidth == 128 ? Sub8 : ShProm9);
956 Value *And = Builder.CreateAnd(Shr9, IsSigned ? Sub : IntVal);
957 Value *Cmp10 = Builder.CreateICmpNE(And, Builder.getIntN(BitWidth, 0));
958 Value *Conv11 = Builder.CreateZExt(Cmp10, IntTy);
959 Value *Or = Builder.CreateOr(Shr6, Conv11);
960 Builder.CreateBr(SwEpilog);
961
962 // sw.epilog:
963 Builder.SetInsertPoint(SwEpilog);
964 PHINode *AAddr0 = Builder.CreatePHI(IntTy, 3);
965 AAddr0->addIncoming(Or, SwDefault);
966 AAddr0->addIncoming(IsSigned ? Sub : IntVal, IfThen4);
967 AAddr0->addIncoming(Shl, SwBB);
968 Value *A0 = Builder.CreateTrunc(AAddr0, Builder.getInt32Ty());
969 Value *A1 = Builder.CreateLShr(A0, Builder.getInt32(2));
970 Value *A2 = Builder.CreateAnd(A1, Builder.getInt32(1));
971 Value *Conv16 = Builder.CreateZExt(A2, IntTy);
972 Value *Or17 = Builder.CreateOr(AAddr0, Conv16);
973 Value *Inc = Builder.CreateAdd(Or17, Builder.getIntN(BitWidth, 1));
974 Value *Shr18 = nullptr;
975 if (IsSigned)
976 Shr18 = Builder.CreateAShr(Inc, Builder.getIntN(BitWidth, 2));
977 else
978 Shr18 = Builder.CreateLShr(Inc, Builder.getIntN(BitWidth, 2));
979 Value *A3 = Builder.CreateAnd(Inc, Temp1, "a3");
980 Value *PosOrNeg = Builder.CreateICmpEQ(A3, Builder.getIntN(BitWidth, 0));
981 Value *ExtractT60 = Builder.CreateTrunc(Shr18, Builder.getIntNTy(FloatWidth));
982 Value *Extract63 = Builder.CreateLShr(Shr18, Builder.getIntN(BitWidth, 32));
983 Value *ExtractT64 = nullptr;
984 if (FloatWidth > 80)
985 ExtractT64 = Builder.CreateTrunc(Sub2, Builder.getInt64Ty());
986 else
987 ExtractT64 = Builder.CreateTrunc(Extract63, Builder.getInt32Ty());
988 Builder.CreateCondBr(PosOrNeg, IfEnd26, IfThen20);
989
990 // if.then20
991 Builder.SetInsertPoint(IfThen20);
992 Value *Shr21 = nullptr;
993 if (IsSigned)
994 Shr21 = Builder.CreateAShr(Inc, Builder.getIntN(BitWidth, 3));
995 else
996 Shr21 = Builder.CreateLShr(Inc, Builder.getIntN(BitWidth, 3));
997 Value *ExtractT = Builder.CreateTrunc(Shr21, Builder.getIntNTy(FloatWidth));
998 Value *Extract = Builder.CreateLShr(Shr21, Builder.getIntN(BitWidth, 32));
999 Value *ExtractT62 = nullptr;
1000 if (FloatWidth > 80)
1001 ExtractT62 = Builder.CreateTrunc(Sub1, Builder.getInt64Ty());
1002 else
1003 ExtractT62 = Builder.CreateTrunc(Extract, Builder.getInt32Ty());
1004 Builder.CreateBr(IfEnd26);
1005
1006 // if.else:
1007 Builder.SetInsertPoint(IfElse);
1008 Value *Sub24 = Builder.CreateAdd(
1009 FloatWidth == 128 ? Call : Cast,
1010 ConstantInt::getSigned(Builder.getIntNTy(BitWidthNew),
1011 -(int)(BitWidth - FPMantissaWidth - 1)));
1012 Value *ShProm25 = Builder.CreateZExt(Sub24, IntTy);
1013 Value *Shl26 = Builder.CreateShl(IsSigned ? Sub : IntVal,
1014 FloatWidth == 128 ? Sub24 : ShProm25);
1015 Value *ExtractT61 = Builder.CreateTrunc(Shl26, Builder.getIntNTy(FloatWidth));
1016 Value *Extract65 = Builder.CreateLShr(Shl26, Builder.getIntN(BitWidth, 32));
1017 Value *ExtractT66 = nullptr;
1018 if (FloatWidth > 80)
1019 ExtractT66 = Builder.CreateTrunc(Sub2, Builder.getInt64Ty());
1020 else
1021 ExtractT66 = Builder.CreateTrunc(Extract65, Builder.getInt32Ty());
1022 Builder.CreateBr(IfEnd26);
1023
1024 // if.end26:
1025 Builder.SetInsertPoint(IfEnd26);
1026 PHINode *AAddr1Off0 = Builder.CreatePHI(Builder.getIntNTy(FloatWidth), 3);
1027 AAddr1Off0->addIncoming(ExtractT, IfThen20);
1028 AAddr1Off0->addIncoming(ExtractT60, SwEpilog);
1029 AAddr1Off0->addIncoming(ExtractT61, IfElse);
1030 PHINode *AAddr1Off32 = nullptr;
1031 if (FloatWidth > 32) {
1032 AAddr1Off32 =
1033 Builder.CreatePHI(Builder.getIntNTy(FloatWidth > 80 ? 64 : 32), 3);
1034 AAddr1Off32->addIncoming(ExtractT62, IfThen20);
1035 AAddr1Off32->addIncoming(ExtractT64, SwEpilog);
1036 AAddr1Off32->addIncoming(ExtractT66, IfElse);
1037 }
1038 PHINode *E0 = nullptr;
1039 if (FloatWidth <= 80) {
1040 E0 = Builder.CreatePHI(Builder.getIntNTy(BitWidthNew), 3);
1041 E0->addIncoming(Sub1, IfThen20);
1042 E0->addIncoming(Sub2, SwEpilog);
1043 E0->addIncoming(Sub2, IfElse);
1044 }
1045 Value *And29 = nullptr;
1046 if (FloatWidth > 80) {
1047 Value *Temp2 = Builder.CreateShl(Builder.getIntN(BitWidth, 1),
1048 Builder.getIntN(BitWidth, 63));
1049 And29 = Builder.CreateAnd(Shr, Temp2, "and29");
1050 } else {
1051 Value *Conv28 = Builder.CreateTrunc(Shr, Builder.getInt32Ty());
1052 And29 = Builder.CreateAnd(
1053 Conv28, ConstantInt::get(Builder.getContext(), APInt::getSignMask(32)));
1054 }
1055 unsigned TempMod = FPMantissaWidth % 32;
1056 Value *And34 = nullptr;
1057 Value *Shl30 = nullptr;
1058 if (FloatWidth > 80) {
1059 TempMod += 32;
1060 Value *Add = Builder.CreateShl(AAddr1Off32, Builder.getInt64(TempMod));
1061 Shl30 = Builder.CreateAdd(
1062 Add, Builder.getInt64(((1ull << (62ull - TempMod)) - 1ull) << TempMod));
1063 And34 = Builder.CreateZExt(Shl30, Builder.getInt128Ty());
1064 } else {
1065 Value *Add = Builder.CreateShl(E0, Builder.getInt32(TempMod));
1066 Shl30 = Builder.CreateAdd(
1067 Add, Builder.getInt32(((1 << (30 - TempMod)) - 1) << TempMod));
1068 And34 = Builder.CreateAnd(FloatWidth > 32 ? AAddr1Off32 : AAddr1Off0,
1069 Builder.getInt32((1 << TempMod) - 1));
1070 }
1071 Value *Or35 = nullptr;
1072 if (FloatWidth > 80) {
1073 Value *And29Trunc = Builder.CreateTrunc(And29, Builder.getInt128Ty());
1074 Value *Or31 = Builder.CreateOr(And29Trunc, And34);
1075 Value *Or34 = Builder.CreateShl(Or31, Builder.getIntN(128, 64));
1076 Value *Temp3 = Builder.CreateShl(Builder.getIntN(128, 1),
1077 Builder.getIntN(128, FPMantissaWidth));
1078 Value *Temp4 = Builder.CreateSub(Temp3, Builder.getIntN(128, 1));
1079 Value *A6 = Builder.CreateAnd(AAddr1Off0, Temp4);
1080 Or35 = Builder.CreateOr(Or34, A6);
1081 } else {
1082 Value *Or31 = Builder.CreateOr(And34, And29);
1083 Or35 = Builder.CreateOr(IsSigned ? Or31 : And34, Shl30);
1084 }
1085 Value *A4 = nullptr;
1086 if (IToFP->getType()->isDoubleTy()) {
1087 Value *ZExt1 = Builder.CreateZExt(Or35, Builder.getIntNTy(FloatWidth));
1088 Value *Shl1 = Builder.CreateShl(ZExt1, Builder.getIntN(FloatWidth, 32));
1089 Value *And1 =
1090 Builder.CreateAnd(AAddr1Off0, Builder.getIntN(FloatWidth, 0xFFFFFFFF));
1091 Value *Or1 = Builder.CreateOr(Shl1, And1);
1092 A4 = Builder.CreateBitCast(Or1, IToFP->getType());
1093 } else if (IToFP->getType()->isX86_FP80Ty()) {
1094 Value *A40 =
1095 Builder.CreateBitCast(Or35, Type::getFP128Ty(Builder.getContext()));
1096 A4 = Builder.CreateFPTrunc(A40, IToFP->getType());
1097 } else if (IToFP->getType()->isHalfTy() || IToFP->getType()->isBFloatTy()) {
1098 // Deal with "half" situation. This is a workaround since we don't have
1099 // floattihf.c currently as referring.
1100 Value *A40 =
1101 Builder.CreateBitCast(Or35, Type::getFloatTy(Builder.getContext()));
1102 A4 = Builder.CreateFPTrunc(A40, IToFP->getType());
1103 } else // float type
1104 A4 = Builder.CreateBitCast(Or35, IToFP->getType());
1105 Builder.CreateBr(End);
1106
1107 // return:
1108 Builder.SetInsertPoint(End, End->begin());
1109 PHINode *Retval0 = Builder.CreatePHI(IToFP->getType(), 2);
1110 Retval0->addIncoming(A4, IfEnd26);
1111 Retval0->addIncoming(ConstantFP::getZero(IToFP->getType(), false), Entry);
1112
1113 IToFP->replaceAllUsesWith(Retval0);
1114 IToFP->dropAllReferences();
1115 IToFP->eraseFromParent();
1116}
1117
1120 VectorType *VTy = cast<FixedVectorType>(I->getType());
1121
1122 IRBuilder<> Builder(I);
1123
1124 unsigned NumElements = VTy->getElementCount().getFixedValue();
1125 Value *Result = PoisonValue::get(VTy);
1126 for (unsigned Idx = 0; Idx < NumElements; ++Idx) {
1127 Value *Ext = Builder.CreateExtractElement(I->getOperand(0), Idx);
1128
1129 Value *NewOp = nullptr;
1130 if (auto *BinOp = dyn_cast<BinaryOperator>(I))
1131 NewOp = Builder.CreateBinOp(
1132 BinOp->getOpcode(), Ext,
1133 Builder.CreateExtractElement(I->getOperand(1), Idx));
1134 else if (auto *CastI = dyn_cast<CastInst>(I))
1135 NewOp = Builder.CreateCast(CastI->getOpcode(), Ext,
1136 I->getType()->getScalarType());
1137 else
1138 llvm_unreachable("Unsupported instruction type");
1139
1140 Result = Builder.CreateInsertElement(Result, NewOp, Idx);
1141 if (auto *ScalarizedI = dyn_cast<Instruction>(NewOp)) {
1142 ScalarizedI->copyIRFlags(I, true);
1143 Worklist.push_back(ScalarizedI);
1144 }
1145 }
1146
1147 I->replaceAllUsesWith(Result);
1148 I->dropAllReferences();
1149 I->eraseFromParent();
1150}
1151
1154 if (I.getOperand(0)->getType()->isVectorTy())
1155 scalarize(&I, Worklist);
1156 else
1157 Worklist.push_back(&I);
1158}
1159
1160static bool runImpl(Function &F, const TargetLowering &TLI,
1161 const LibcallLoweringInfo &Libcalls, AssumptionCache *AC) {
1163
1164 unsigned MaxLegalFpConvertBitWidth =
1167 MaxLegalFpConvertBitWidth = ExpandFpConvertBits;
1168
1169 unsigned MaxLegalDivRemBitWidth = TLI.getMaxDivRemBitWidthSupported();
1171 MaxLegalDivRemBitWidth = ExpandDivRemBits;
1172
1173 bool DisableExpandLargeFp =
1174 MaxLegalFpConvertBitWidth >= llvm::IntegerType::MAX_INT_BITS;
1175 bool DisableExpandLargeDivRem =
1176 MaxLegalDivRemBitWidth >= llvm::IntegerType::MAX_INT_BITS;
1177 bool DisableFrem = !FRemExpander::shouldExpandAnyFremType(TLI);
1178
1179 if (DisableExpandLargeFp && DisableFrem && DisableExpandLargeDivRem)
1180 return false;
1181
1182 auto ShouldHandleInst = [&](Instruction &I) {
1183 Type *Ty = I.getType();
1184 // TODO: This pass doesn't handle scalable vectors.
1185 if (Ty->isScalableTy())
1186 return false;
1187
1188 switch (I.getOpcode()) {
1189 case Instruction::FRem:
1190 return !DisableFrem && FRemExpander::shouldExpandFremType(TLI, Ty);
1191 case Instruction::FPToUI:
1192 case Instruction::FPToSI:
1193 return !DisableExpandLargeFp &&
1194 cast<IntegerType>(Ty->getScalarType())->getIntegerBitWidth() >
1195 MaxLegalFpConvertBitWidth;
1196 case Instruction::UIToFP:
1197 case Instruction::SIToFP:
1198 return !DisableExpandLargeFp &&
1199 cast<IntegerType>(I.getOperand(0)->getType()->getScalarType())
1200 ->getIntegerBitWidth() > MaxLegalFpConvertBitWidth;
1201 case Instruction::UDiv:
1202 case Instruction::SDiv:
1203 case Instruction::URem:
1204 case Instruction::SRem:
1205 // Power-of-2 divisors are handled inside the expansion (via efficient
1206 // shift/mask sequences) rather than being excluded here, so that
1207 // backends that cannot lower wide div/rem even for powers of two
1208 // (e.g. when DAGCombiner is disabled) still get valid lowered code.
1209 return !DisableExpandLargeDivRem &&
1210 cast<IntegerType>(Ty->getScalarType())->getIntegerBitWidth() >
1211 MaxLegalDivRemBitWidth;
1212 case Instruction::Call: {
1213 auto *II = dyn_cast<IntrinsicInst>(&I);
1214 if (II && (II->getIntrinsicID() == Intrinsic::fptoui_sat ||
1215 II->getIntrinsicID() == Intrinsic::fptosi_sat)) {
1216 return !DisableExpandLargeFp &&
1217 cast<IntegerType>(Ty->getScalarType())->getIntegerBitWidth() >
1218 MaxLegalFpConvertBitWidth;
1219 }
1220 return false;
1221 }
1222 }
1223
1224 return false;
1225 };
1226
1227 bool Modified = false;
1228 for (auto It = inst_begin(&F), End = inst_end(F); It != End;) {
1229 Instruction &I = *It++;
1230 if (!ShouldHandleInst(I))
1231 continue;
1232
1233 addToWorklist(I, Worklist);
1234 Modified = true;
1235 }
1236
1237 while (!Worklist.empty()) {
1238 Instruction *I = Worklist.pop_back_val();
1239
1240 switch (I->getOpcode()) {
1241 case Instruction::FRem: {
1242 auto SQ = [&]() -> std::optional<SimplifyQuery> {
1243 if (AC) {
1244 auto Res = std::make_optional<SimplifyQuery>(
1245 I->getModule()->getDataLayout(), I);
1246 Res->AC = AC;
1247 return Res;
1248 }
1249 return {};
1250 }();
1251
1253 break;
1254 }
1255
1256 case Instruction::FPToUI:
1257 expandFPToI(I, /*IsSaturating=*/false, /*IsSigned=*/false);
1258 break;
1259 case Instruction::FPToSI:
1260 expandFPToI(I, /*IsSaturating=*/false, /*IsSigned=*/true);
1261 break;
1262
1263 case Instruction::UIToFP:
1264 case Instruction::SIToFP:
1265 expandIToFP(I);
1266 break;
1267
1268 case Instruction::UDiv:
1269 case Instruction::SDiv:
1270 case Instruction::URem:
1271 case Instruction::SRem: {
1272 auto *BO = cast<BinaryOperator>(I);
1273 // TODO: isConstantPowerOfTwo does not handle vector constants, so
1274 // vector div/rem by a power-of-2 splat goes through the generic path.
1275 if (isConstantPowerOfTwo(BO->getOperand(1), isSigned(BO->getOpcode()))) {
1276 expandPow2DivRem(BO);
1277 } else {
1278 unsigned Opc = BO->getOpcode();
1279 if (Opc == Instruction::UDiv || Opc == Instruction::SDiv)
1280 expandDivision(BO);
1281 else
1282 expandRemainder(BO);
1283 }
1284 break;
1285 }
1286 case Instruction::Call: {
1287 auto *II = cast<IntrinsicInst>(I);
1288 assert(II->getIntrinsicID() == Intrinsic::fptoui_sat ||
1289 II->getIntrinsicID() == Intrinsic::fptosi_sat);
1290 expandFPToI(I, /*IsSaturating=*/true,
1291 /*IsSigned=*/II->getIntrinsicID() == Intrinsic::fptosi_sat);
1292 break;
1293 }
1294 }
1295 }
1296
1297 return Modified;
1298}
1299
1300namespace {
1301class ExpandIRInstsLegacyPass : public FunctionPass {
1302 CodeGenOptLevel OptLevel;
1303
1304public:
1305 static char ID;
1306
1307 ExpandIRInstsLegacyPass(CodeGenOptLevel OptLevel)
1308 : FunctionPass(ID), OptLevel(OptLevel) {}
1309
1310 ExpandIRInstsLegacyPass() : ExpandIRInstsLegacyPass(CodeGenOptLevel::None) {};
1311
1312 bool runOnFunction(Function &F) override {
1313 auto *TM = &getAnalysis<TargetPassConfig>().getTM<TargetMachine>();
1314 const TargetSubtargetInfo *Subtarget = TM->getSubtargetImpl(F);
1315 auto *TLI = Subtarget->getTargetLowering();
1316 AssumptionCache *AC = nullptr;
1317
1318 const LibcallLoweringInfo &Libcalls =
1319 getAnalysis<LibcallLoweringInfoWrapper>().getLibcallLowering(
1320 *F.getParent(), *Subtarget);
1321
1322 if (OptLevel != CodeGenOptLevel::None && !F.hasOptNone())
1323 AC = &getAnalysis<AssumptionCacheTracker>().getAssumptionCache(F);
1324 return runImpl(F, *TLI, Libcalls, AC);
1325 }
1326
1327 void getAnalysisUsage(AnalysisUsage &AU) const override {
1328 AU.addRequired<LibcallLoweringInfoWrapper>();
1329 AU.addRequired<TargetPassConfig>();
1330 if (OptLevel != CodeGenOptLevel::None)
1331 AU.addRequired<AssumptionCacheTracker>();
1332 AU.addPreserved<AAResultsWrapperPass>();
1333 AU.addPreserved<GlobalsAAWrapperPass>();
1334 AU.addRequired<LibcallLoweringInfoWrapper>();
1335 }
1336};
1337} // namespace
1338
1340 CodeGenOptLevel OptLevel)
1341 : TM(&TM), OptLevel(OptLevel) {}
1342
1344 raw_ostream &OS, function_ref<StringRef(StringRef)> MapClassName2PassName) {
1345 static_cast<PassInfoMixin<ExpandIRInstsPass> *>(this)->printPipeline(
1346 OS, MapClassName2PassName);
1347 OS << '<';
1348 OS << "O" << (int)OptLevel;
1349 OS << '>';
1350}
1351
1354 const TargetSubtargetInfo *STI = TM->getSubtargetImpl(F);
1355 auto &TLI = *STI->getTargetLowering();
1356 AssumptionCache *AC = nullptr;
1357 if (OptLevel != CodeGenOptLevel::None)
1358 AC = &FAM.getResult<AssumptionAnalysis>(F);
1359
1360 auto &MAMProxy = FAM.getResult<ModuleAnalysisManagerFunctionProxy>(F);
1361
1362 const LibcallLoweringModuleAnalysisResult *LibcallLowering =
1363 MAMProxy.getCachedResult<LibcallLoweringModuleAnalysis>(*F.getParent());
1364
1365 if (!LibcallLowering) {
1366 F.getContext().emitError("'" + LibcallLoweringModuleAnalysis::name() +
1367 "' analysis required");
1368 return PreservedAnalyses::all();
1369 }
1370
1371 const LibcallLoweringInfo &Libcalls =
1372 LibcallLowering->getLibcallLowering(*STI);
1373
1374 return runImpl(F, TLI, Libcalls, AC) ? PreservedAnalyses::none()
1376}
1377
1378char ExpandIRInstsLegacyPass::ID = 0;
1379INITIALIZE_PASS_BEGIN(ExpandIRInstsLegacyPass, "expand-ir-insts",
1380 "Expand certain fp instructions", false, false)
1382INITIALIZE_PASS_END(ExpandIRInstsLegacyPass, "expand-ir-insts",
1383 "Expand IR instructions", false, false)
1384
1386 return new ExpandIRInstsLegacyPass(OptLevel);
1387}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
#define X(NUM, ENUM, NAME)
Definition ELF.h:851
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
static bool runOnFunction(Function &F, bool PostInlining)
static bool expandFRem(BinaryOperator &I, std::optional< SimplifyQuery > &SQ)
static void expandIToFP(Instruction *IToFP)
Generate code to convert a fp number to integer, replacing S(U)IToFP with the generated code.
static cl::opt< unsigned > ExpandDivRemBits("expand-div-rem-bits", cl::Hidden, cl::init(llvm::IntegerType::MAX_INT_BITS), cl::desc("div and rem instructions on integers with " "more than <N> bits are expanded."))
static bool runImpl(Function &F, const TargetLowering &TLI, const LibcallLoweringInfo &Libcalls, AssumptionCache *AC)
static void addToWorklist(Instruction &I, SmallVector< Instruction *, 4 > &Worklist)
static cl::opt< unsigned > ExpandFpConvertBits("expand-fp-convert-bits", cl::Hidden, cl::init(llvm::IntegerType::MAX_INT_BITS), cl::desc("fp convert instructions on integers with " "more than <N> bits are expanded."))
static void expandFPToI(Instruction *FPToI, bool IsSaturating, bool IsSigned)
Generate code to convert a fp number to integer, replacing FPToS(U)I with the generated code.
static void scalarize(Instruction *I, SmallVectorImpl< Instruction * > &Worklist)
This is the interface for a simple mod/ref and alias analysis over globals.
Module.h This file contains the declarations for the Module class.
This header defines various interfaces for pass management in LLVM.
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
uint64_t IntrinsicInst * II
FunctionAnalysisManager FAM
Function * Fun
#define INITIALIZE_PASS_DEPENDENCY(depName)
Definition PassSupport.h:42
#define INITIALIZE_PASS_END(passName, arg, name, cfg, analysis)
Definition PassSupport.h:44
#define INITIALIZE_PASS_BEGIN(passName, arg, name, cfg, analysis)
Definition PassSupport.h:39
This file defines the SmallVector class.
#define LLVM_DEBUG(...)
Definition Debug.h:114
static TableGen::Emitter::Opt Y("gen-skeleton-entry", EmitSkeleton, "Generate example skeleton entry")
This file describes how to lower LLVM code to machine code.
Target-Independent Code Generator Pass Configuration Options pass.
static LLVM_ABI unsigned int semanticsPrecision(const fltSemantics &)
Definition APFloat.cpp:214
Class for arbitrary precision integers.
Definition APInt.h:78
static APInt getSignMask(unsigned BitWidth)
Get the SignMask for a specific bit width.
Definition APInt.h:230
static APInt getSignedMaxValue(unsigned numBits)
Gets maximum signed value of APInt for a specific bit width.
Definition APInt.h:210
bool isNegative() const
Determine sign of this APInt.
Definition APInt.h:330
unsigned countr_zero() const
Count the number of trailing zero bits.
Definition APInt.h:1662
static APInt getSignedMinValue(unsigned numBits)
Gets minimum signed value of APInt for a specific bit width.
Definition APInt.h:220
bool isPowerOf2() const
Check if this APInt's value is a power of two greater than zero.
Definition APInt.h:441
static APInt getLowBitsSet(unsigned numBits, unsigned loBitsSet)
Constructs an APInt value that has the bottom loBitsSet bits set.
Definition APInt.h:307
static APInt getOneBitSet(unsigned numBits, unsigned BitNo)
Return an APInt with exactly one bit set in the result.
Definition APInt.h:240
AnalysisUsage & addRequired()
AnalysisUsage & addPreserved()
Add the specified Pass class to the set of analyses preserved by this pass.
A function analysis which provides an AssumptionCache.
A cache of @llvm.assume calls within a function.
LLVM Basic Block Representation.
Definition BasicBlock.h:62
iterator begin()
Instruction iterator methods.
Definition BasicBlock.h:461
LLVM_ABI BasicBlock * splitBasicBlock(iterator I, const Twine &BBName="")
Split the basic block into two basic blocks at the specified instruction.
const Function * getParent() const
Return the enclosing method, or null if none.
Definition BasicBlock.h:213
static BasicBlock * Create(LLVMContext &Context, const Twine &Name="", Function *Parent=nullptr, BasicBlock *InsertBefore=nullptr)
Creates a new BasicBlock.
Definition BasicBlock.h:206
BinaryOps getOpcode() const
Definition InstrTypes.h:374
@ FCMP_OLT
0 1 0 0 True if ordered and less than
Definition InstrTypes.h:682
@ ICMP_SGT
signed greater than
Definition InstrTypes.h:703
static LLVM_ABI Constant * getInfinity(Type *Ty, bool Negative=false)
static LLVM_ABI Constant * getZero(Type *Ty, bool Negative=false)
static LLVM_ABI Constant * getQNaN(Type *Ty, bool Negative=false, APInt *Payload=nullptr)
This is the shared class of boolean and integer constants.
Definition Constants.h:87
static LLVM_ABI ConstantInt * getTrue(LLVMContext &Context)
static ConstantInt * getSigned(IntegerType *Ty, int64_t V, bool ImplicitTrunc=false)
Return a ConstantInt with the specified value for the specified type.
Definition Constants.h:135
static LLVM_ABI Constant * getAllOnesValue(Type *Ty)
ExpandIRInstsPass(const TargetMachine &TM, CodeGenOptLevel OptLevel)
PreservedAnalyses run(Function &F, FunctionAnalysisManager &AM)
void printPipeline(raw_ostream &OS, function_ref< StringRef(StringRef)> MapClassName2PassName)
Convenience struct for specifying and reasoning about fast-math flags.
Definition FMF.h:23
void setAllowContract(bool B=true)
Definition FMF.h:93
bool noInfs() const
Definition FMF.h:69
void setAllowReciprocal(bool B=true)
Definition FMF.h:90
bool approxFunc() const
Definition FMF.h:73
void setNoNaNs(bool B=true)
Definition FMF.h:81
bool noNaNs() const
Definition FMF.h:68
void setNoInfs(bool B=true)
Definition FMF.h:84
FunctionPass class - This class is used to implement most global optimizations.
Definition Pass.h:314
Module * getParent()
Get the module that this global value is contained inside of...
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition IRBuilder.h:2835
LLVM_ABI InstListType::iterator eraseFromParent()
This method unlinks 'this' from the containing basic block and deletes it.
LLVM_ABI bool isExact() const LLVM_READONLY
Determine whether the exact flag is set.
unsigned getOpcode() const
Returns a member of one of the enums like Instruction::Add.
Class to represent integer types.
@ MAX_INT_BITS
Maximum number of bits that can be specified.
Tracks which library functions to use for a particular subtarget.
Record a mapping from subtarget to LibcallLoweringInfo.
void addIncoming(Value *V, BasicBlock *BB)
Add an incoming value to the end of the PHI list.
static LLVM_ABI PoisonValue * get(Type *T)
Static factory methods - Return an 'poison' object of the specified type.
A set of analyses that are preserved following a run of a transformation pass.
Definition Analysis.h:112
static PreservedAnalyses none()
Convenience factory function for the empty preserved set.
Definition Analysis.h:115
static PreservedAnalyses all()
Construct a special preserved set that preserves all passes.
Definition Analysis.h:118
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
Multiway switch.
unsigned getMaxDivRemBitWidthSupported() const
Returns the size in bits of the maximum div/rem the backend supports.
unsigned getMaxLargeFPConvertBitWidthSupported() const
Returns the size in bits of the maximum fp to/from int conversion the backend supports.
LegalizeAction getOperationAction(unsigned Op, EVT VT) const
Return how this operation should be treated: either it is legal, needs to be promoted to a larger siz...
This class defines information used to lower LLVM code to legal SelectionDAG operators that the targe...
Primary interface to the complete machine description for the target machine.
TargetSubtargetInfo - Generic base class for all target subtargets.
virtual const TargetLowering * getTargetLowering() const
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition Twine.h:82
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
LLVM_ABI unsigned getIntegerBitWidth() const
bool isX86_FP80Ty() const
Return true if this is x86 long double.
Definition Type.h:161
bool isBFloatTy() const
Return true if this is 'bfloat', a 16-bit bfloat type.
Definition Type.h:147
static LLVM_ABI Type * getFP128Ty(LLVMContext &C)
Definition Type.cpp:295
Type * getScalarType() const
If this is a vector type, return the element type, otherwise return 'this'.
Definition Type.h:370
bool isHalfTy() const
Return true if this is 'half', a 16-bit IEEE fp type.
Definition Type.h:144
bool isDoubleTy() const
Return true if this is 'double', a 64-bit IEEE fp type.
Definition Type.h:158
static LLVM_ABI IntegerType * getIntNTy(LLVMContext &C, unsigned N)
Definition Type.cpp:317
static LLVM_ABI Type * getFloatTy(LLVMContext &C)
Definition Type.cpp:290
LLVM_ABI int getFPMantissaWidth() const
Return the width of the mantissa of this type.
Definition Type.cpp:241
LLVM_ABI const fltSemantics & getFltSemantics() const
Definition Type.cpp:110
void dropAllReferences()
Drop all references to operands.
Definition User.h:324
Value * getOperand(unsigned i) const
Definition User.h:207
LLVM Value Representation.
Definition Value.h:75
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:255
LLVM_ABI void replaceAllUsesWith(Value *V)
Change all uses of this to point to a new Value.
Definition Value.cpp:549
LLVM_ABI void takeName(Value *V)
Transfer the name from V to this value.
Definition Value.cpp:399
An efficient, type-erasing, non-owning reference to a callable.
const ParentTy * getParent() const
Definition ilist_node.h:34
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
CallInst * Call
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
constexpr std::underlying_type_t< E > Mask()
Get a bitmask with 1s in all places up to the high-order bit of E's largest value.
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
@ BasicBlock
Various leaf nodes.
Definition ISDOpcodes.h:81
LLVM_ABI Function * getOrInsertDeclaration(Module *M, ID id, ArrayRef< Type * > OverloadTys={})
Look up the Function declaration of the intrinsic id in the Module M.
initializer< Ty > init(const Ty &Val)
This is an optimization pass for GlobalISel generic memory operations.
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
LLVM_ABI bool expandDivision(BinaryOperator *Div)
Generate code to divide two integers, replacing Div with the generated code.
LLVM_ABI bool isKnownNeverInfinity(const Value *V, const SimplifyQuery &SQ, unsigned Depth=0)
Return true if the floating-point scalar value is not an infinity or if the floating-point vector val...
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
OuterAnalysisManagerProxy< ModuleAnalysisManager, Function > ModuleAnalysisManagerFunctionProxy
Provide the ModuleAnalysisManager to Function proxy.
inst_iterator inst_begin(Function *F)
uint64_t PowerOf2Ceil(uint64_t A)
Returns the power of two which is greater than or equal to the given value.
Definition MathExtras.h:385
LLVM_ABI FunctionPass * createExpandIRInstsPass(CodeGenOptLevel)
bool any_of(R &&range, UnaryPredicate P)
Provide wrappers to std::any_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1746
decltype(auto) get(const PointerIntPair< PointerTy, IntBits, IntType, PtrTraits, Info > &Pair)
LLVM_ABI void SplitBlockAndInsertIfThenElse(Value *Cond, BasicBlock::iterator SplitBefore, Instruction **ThenTerm, Instruction **ElseTerm, MDNode *BranchWeights=nullptr, DomTreeUpdater *DTU=nullptr, LoopInfo *LI=nullptr)
SplitBlockAndInsertIfThenElse is similar to SplitBlockAndInsertIfThen, but also creates the ElseBlock...
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition Debug.cpp:207
CodeGenOptLevel
Code generation optimization level.
Definition CodeGen.h:82
inst_iterator inst_end(Function *F)
IRBuilder(LLVMContext &, FolderTy, InserterTy, MDNode *, ArrayRef< OperandBundleDef >) -> IRBuilder< FolderTy, InserterTy >
@ Xor
Bitwise or logical XOR of integers.
@ Sub
Subtraction of integers.
@ Add
Sum of integers.
LLVM_ABI bool isGuaranteedNotToBeUndefOrPoison(const Value *V, AssumptionCache *AC=nullptr, const Instruction *CtxI=nullptr, const DominatorTree *DT=nullptr, unsigned Depth=0)
Return true if this function can prove that V does not have undef bits and is never poison.
constexpr unsigned BitWidth
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
bool is_contained(R &&Range, const E &Element)
Returns true if Element is found in Range.
Definition STLExtras.h:1947
LLVM_ABI bool expandRemainder(BinaryOperator *Rem)
Generate code to calculate the remainder of two integers, replacing Rem with the generated code.
AnalysisManager< Function > FunctionAnalysisManager
Convenience typedef for the Function analysis manager.
bool isSimple() const
Test if the given EVT is simple (as opposed to being extended).
Definition ValueTypes.h:145
static LLVM_ABI EVT getEVT(Type *Ty, bool HandleUnknown=false)
Return the value type corresponding to the specified type.
MVT getSimpleVT() const
Return the SimpleValueType held in the specified simple EVT.
Definition ValueTypes.h:324
bool isVector() const
Return true if this is a vector value type.
Definition ValueTypes.h:176
Matching combinators.
A CRTP mix-in to automatically provide informational APIs needed for passes.
Definition PassManager.h:70