1cde4d5a6SJacques Pienaar //===- ModuleTranslation.cpp - MLIR to LLVM conversion --------------------===//
25d7231d8SStephan Herhut //
330857107SMehdi Amini // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
456222a06SMehdi Amini // See https://llvm.org/LICENSE.txt for license information.
556222a06SMehdi Amini // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
65d7231d8SStephan Herhut //
756222a06SMehdi Amini //===----------------------------------------------------------------------===//
85d7231d8SStephan Herhut //
95d7231d8SStephan Herhut // This file implements the translation between an MLIR LLVM dialect module and
105d7231d8SStephan Herhut // the corresponding LLVMIR module. It only handles core LLVM IR operations.
115d7231d8SStephan Herhut //
125d7231d8SStephan Herhut //===----------------------------------------------------------------------===//
135d7231d8SStephan Herhut 
145d7231d8SStephan Herhut #include "mlir/Target/LLVMIR/ModuleTranslation.h"
155d7231d8SStephan Herhut 
16c33d6970SRiver Riddle #include "DebugTranslation.h"
17*ea998709SAlex Zinenko #include "mlir/Dialect/DLTI/DLTI.h"
18ba0fa925SRiver Riddle #include "mlir/Dialect/LLVMIR/LLVMDialect.h"
19ce8f10d6SAlex Zinenko #include "mlir/Dialect/LLVMIR/Transforms/LegalizeForExport.h"
2092a295ebSKiran Chandramohan #include "mlir/Dialect/OpenMP/OpenMPDialect.h"
215d7231d8SStephan Herhut #include "mlir/IR/Attributes.h"
2265fcddffSRiver Riddle #include "mlir/IR/BuiltinOps.h"
2309f7a55fSRiver Riddle #include "mlir/IR/BuiltinTypes.h"
24d4568ed7SGeorge Mitenkov #include "mlir/IR/RegionGraphTraits.h"
255d7231d8SStephan Herhut #include "mlir/Support/LLVM.h"
26b77bac05SAlex Zinenko #include "mlir/Target/LLVMIR/LLVMTranslationInterface.h"
27929189a4SWilliam S. Moses #include "mlir/Target/LLVMIR/TypeToLLVM.h"
28ebf190fcSRiver Riddle #include "llvm/ADT/TypeSwitch.h"
295d7231d8SStephan Herhut 
30d4568ed7SGeorge Mitenkov #include "llvm/ADT/PostOrderIterator.h"
315d7231d8SStephan Herhut #include "llvm/ADT/SetVector.h"
3292a295ebSKiran Chandramohan #include "llvm/Frontend/OpenMP/OMPIRBuilder.h"
335d7231d8SStephan Herhut #include "llvm/IR/BasicBlock.h"
34d9067dcaSKiran Chandramohan #include "llvm/IR/CFG.h"
355d7231d8SStephan Herhut #include "llvm/IR/Constants.h"
365d7231d8SStephan Herhut #include "llvm/IR/DerivedTypes.h"
375d7231d8SStephan Herhut #include "llvm/IR/IRBuilder.h"
38047400edSNicolas Vasilache #include "llvm/IR/InlineAsm.h"
39875eb523SNavdeep Kumar #include "llvm/IR/IntrinsicsNVPTX.h"
405d7231d8SStephan Herhut #include "llvm/IR/LLVMContext.h"
4199d03f03SGeorge Mitenkov #include "llvm/IR/MDBuilder.h"
425d7231d8SStephan Herhut #include "llvm/IR/Module.h"
43ce8f10d6SAlex Zinenko #include "llvm/IR/Verifier.h"
44d9067dcaSKiran Chandramohan #include "llvm/Transforms/Utils/BasicBlockUtils.h"
455d7231d8SStephan Herhut #include "llvm/Transforms/Utils/Cloning.h"
4657b9b296SUday Bondhugula #include "llvm/Transforms/Utils/ModuleUtils.h"
475d7231d8SStephan Herhut 
482666b973SRiver Riddle using namespace mlir;
492666b973SRiver Riddle using namespace mlir::LLVM;
50c33d6970SRiver Riddle using namespace mlir::LLVM::detail;
515d7231d8SStephan Herhut 
52eb67bd78SAlex Zinenko #include "mlir/Dialect/LLVMIR/LLVMConversionEnumsToLLVM.inc"
53eb67bd78SAlex Zinenko 
54*ea998709SAlex Zinenko /// Translates the given data layout spec attribute to the LLVM IR data layout.
55*ea998709SAlex Zinenko /// Only integer, float and endianness entries are currently supported.
56*ea998709SAlex Zinenko FailureOr<llvm::DataLayout>
57*ea998709SAlex Zinenko translateDataLayout(DataLayoutSpecInterface attribute,
58*ea998709SAlex Zinenko                     const DataLayout &dataLayout,
59*ea998709SAlex Zinenko                     Optional<Location> loc = llvm::None) {
60*ea998709SAlex Zinenko   if (!loc)
61*ea998709SAlex Zinenko     loc = UnknownLoc::get(attribute.getContext());
62*ea998709SAlex Zinenko 
63*ea998709SAlex Zinenko   // Translate the endianness attribute.
64*ea998709SAlex Zinenko   std::string llvmDataLayout;
65*ea998709SAlex Zinenko   llvm::raw_string_ostream layoutStream(llvmDataLayout);
66*ea998709SAlex Zinenko   for (DataLayoutEntryInterface entry : attribute.getEntries()) {
67*ea998709SAlex Zinenko     auto key = entry.getKey().dyn_cast<StringAttr>();
68*ea998709SAlex Zinenko     if (!key)
69*ea998709SAlex Zinenko       continue;
70*ea998709SAlex Zinenko     if (key.getValue() == DLTIDialect::kDataLayoutEndiannessKey) {
71*ea998709SAlex Zinenko       auto value = entry.getValue().cast<StringAttr>();
72*ea998709SAlex Zinenko       bool isLittleEndian =
73*ea998709SAlex Zinenko           value.getValue() == DLTIDialect::kDataLayoutEndiannessLittle;
74*ea998709SAlex Zinenko       layoutStream << (isLittleEndian ? "e" : "E");
75*ea998709SAlex Zinenko       layoutStream.flush();
76*ea998709SAlex Zinenko       continue;
77*ea998709SAlex Zinenko     }
78*ea998709SAlex Zinenko     emitError(*loc) << "unsupported data layout key " << key;
79*ea998709SAlex Zinenko     return failure();
80*ea998709SAlex Zinenko   }
81*ea998709SAlex Zinenko 
82*ea998709SAlex Zinenko   // Go through the list of entries to check which types are explicitly
83*ea998709SAlex Zinenko   // specified in entries. Don't use the entries directly though but query the
84*ea998709SAlex Zinenko   // data from the layout.
85*ea998709SAlex Zinenko   for (DataLayoutEntryInterface entry : attribute.getEntries()) {
86*ea998709SAlex Zinenko     auto type = entry.getKey().dyn_cast<Type>();
87*ea998709SAlex Zinenko     if (!type)
88*ea998709SAlex Zinenko       continue;
89*ea998709SAlex Zinenko     FailureOr<std::string> prefix =
90*ea998709SAlex Zinenko         llvm::TypeSwitch<Type, FailureOr<std::string>>(type)
91*ea998709SAlex Zinenko             .Case<IntegerType>(
92*ea998709SAlex Zinenko                 [loc](IntegerType integerType) -> FailureOr<std::string> {
93*ea998709SAlex Zinenko                   if (integerType.getSignedness() == IntegerType::Signless)
94*ea998709SAlex Zinenko                     return std::string("i");
95*ea998709SAlex Zinenko                   emitError(*loc)
96*ea998709SAlex Zinenko                       << "unsupported data layout for non-signless integer "
97*ea998709SAlex Zinenko                       << integerType;
98*ea998709SAlex Zinenko                   return failure();
99*ea998709SAlex Zinenko                 })
100*ea998709SAlex Zinenko             .Case<Float16Type, Float32Type, Float64Type, Float80Type,
101*ea998709SAlex Zinenko                   Float128Type>([](Type) { return std::string("f"); })
102*ea998709SAlex Zinenko             .Default([loc](Type type) -> FailureOr<std::string> {
103*ea998709SAlex Zinenko               emitError(*loc) << "unsupported type in data layout: " << type;
104*ea998709SAlex Zinenko               return failure();
105*ea998709SAlex Zinenko             });
106*ea998709SAlex Zinenko     if (failed(prefix))
107*ea998709SAlex Zinenko       return failure();
108*ea998709SAlex Zinenko 
109*ea998709SAlex Zinenko     unsigned size = dataLayout.getTypeSizeInBits(type);
110*ea998709SAlex Zinenko     unsigned abi = dataLayout.getTypeABIAlignment(type) * 8u;
111*ea998709SAlex Zinenko     unsigned preferred = dataLayout.getTypePreferredAlignment(type) * 8u;
112*ea998709SAlex Zinenko     layoutStream << "-" << *prefix << size << ":" << abi;
113*ea998709SAlex Zinenko     if (abi != preferred)
114*ea998709SAlex Zinenko       layoutStream << ":" << preferred;
115*ea998709SAlex Zinenko   }
116*ea998709SAlex Zinenko   layoutStream.flush();
117*ea998709SAlex Zinenko   StringRef layoutSpec(llvmDataLayout);
118*ea998709SAlex Zinenko   if (layoutSpec.startswith("-"))
119*ea998709SAlex Zinenko     layoutSpec = layoutSpec.drop_front();
120*ea998709SAlex Zinenko 
121*ea998709SAlex Zinenko   return llvm::DataLayout(layoutSpec);
122*ea998709SAlex Zinenko }
123*ea998709SAlex Zinenko 
124a922e231SAlex Zinenko /// Builds a constant of a sequential LLVM type `type`, potentially containing
125a922e231SAlex Zinenko /// other sequential types recursively, from the individual constant values
126a922e231SAlex Zinenko /// provided in `constants`. `shape` contains the number of elements in nested
127a922e231SAlex Zinenko /// sequential types. Reports errors at `loc` and returns nullptr on error.
128a4a42160SAlex Zinenko static llvm::Constant *
129a4a42160SAlex Zinenko buildSequentialConstant(ArrayRef<llvm::Constant *> &constants,
130a4a42160SAlex Zinenko                         ArrayRef<int64_t> shape, llvm::Type *type,
131a4a42160SAlex Zinenko                         Location loc) {
132a4a42160SAlex Zinenko   if (shape.empty()) {
133a4a42160SAlex Zinenko     llvm::Constant *result = constants.front();
134a4a42160SAlex Zinenko     constants = constants.drop_front();
135a4a42160SAlex Zinenko     return result;
136a4a42160SAlex Zinenko   }
137a4a42160SAlex Zinenko 
13868b03aeeSEli Friedman   llvm::Type *elementType;
13968b03aeeSEli Friedman   if (auto *arrayTy = dyn_cast<llvm::ArrayType>(type)) {
14068b03aeeSEli Friedman     elementType = arrayTy->getElementType();
14168b03aeeSEli Friedman   } else if (auto *vectorTy = dyn_cast<llvm::VectorType>(type)) {
14268b03aeeSEli Friedman     elementType = vectorTy->getElementType();
14368b03aeeSEli Friedman   } else {
144a4a42160SAlex Zinenko     emitError(loc) << "expected sequential LLVM types wrapping a scalar";
145a4a42160SAlex Zinenko     return nullptr;
146a4a42160SAlex Zinenko   }
147a4a42160SAlex Zinenko 
148a4a42160SAlex Zinenko   SmallVector<llvm::Constant *, 8> nested;
149a4a42160SAlex Zinenko   nested.reserve(shape.front());
150a4a42160SAlex Zinenko   for (int64_t i = 0; i < shape.front(); ++i) {
151a4a42160SAlex Zinenko     nested.push_back(buildSequentialConstant(constants, shape.drop_front(),
152a4a42160SAlex Zinenko                                              elementType, loc));
153a4a42160SAlex Zinenko     if (!nested.back())
154a4a42160SAlex Zinenko       return nullptr;
155a4a42160SAlex Zinenko   }
156a4a42160SAlex Zinenko 
157a4a42160SAlex Zinenko   if (shape.size() == 1 && type->isVectorTy())
158a4a42160SAlex Zinenko     return llvm::ConstantVector::get(nested);
159a4a42160SAlex Zinenko   return llvm::ConstantArray::get(
160a4a42160SAlex Zinenko       llvm::ArrayType::get(elementType, shape.front()), nested);
161a4a42160SAlex Zinenko }
162a4a42160SAlex Zinenko 
163fc817b09SKazuaki Ishizaki /// Returns the first non-sequential type nested in sequential types.
164a4a42160SAlex Zinenko static llvm::Type *getInnermostElementType(llvm::Type *type) {
16568b03aeeSEli Friedman   do {
16668b03aeeSEli Friedman     if (auto *arrayTy = dyn_cast<llvm::ArrayType>(type)) {
16768b03aeeSEli Friedman       type = arrayTy->getElementType();
16868b03aeeSEli Friedman     } else if (auto *vectorTy = dyn_cast<llvm::VectorType>(type)) {
16968b03aeeSEli Friedman       type = vectorTy->getElementType();
17068b03aeeSEli Friedman     } else {
171a4a42160SAlex Zinenko       return type;
172a4a42160SAlex Zinenko     }
1730881a4f1SAlex Zinenko   } while (true);
17468b03aeeSEli Friedman }
175a4a42160SAlex Zinenko 
176f9be7a7aSAlex Zinenko /// Convert a dense elements attribute to an LLVM IR constant using its raw data
177f9be7a7aSAlex Zinenko /// storage if possible. This supports elements attributes of tensor or vector
178f9be7a7aSAlex Zinenko /// type and avoids constructing separate objects for individual values of the
179f9be7a7aSAlex Zinenko /// innermost dimension. Constants for other dimensions are still constructed
180f9be7a7aSAlex Zinenko /// recursively. Returns null if constructing from raw data is not supported for
181f9be7a7aSAlex Zinenko /// this type, e.g., element type is not a power-of-two-sized primitive. Reports
182f9be7a7aSAlex Zinenko /// other errors at `loc`.
183f9be7a7aSAlex Zinenko static llvm::Constant *
184f9be7a7aSAlex Zinenko convertDenseElementsAttr(Location loc, DenseElementsAttr denseElementsAttr,
185f9be7a7aSAlex Zinenko                          llvm::Type *llvmType,
186f9be7a7aSAlex Zinenko                          const ModuleTranslation &moduleTranslation) {
187f9be7a7aSAlex Zinenko   if (!denseElementsAttr)
188f9be7a7aSAlex Zinenko     return nullptr;
189f9be7a7aSAlex Zinenko 
190f9be7a7aSAlex Zinenko   llvm::Type *innermostLLVMType = getInnermostElementType(llvmType);
191f9be7a7aSAlex Zinenko   if (!llvm::ConstantDataSequential::isElementTypeCompatible(innermostLLVMType))
192f9be7a7aSAlex Zinenko     return nullptr;
193f9be7a7aSAlex Zinenko 
194898e8096SBenjamin Kramer   ShapedType type = denseElementsAttr.getType();
195898e8096SBenjamin Kramer   if (type.getNumElements() == 0)
196898e8096SBenjamin Kramer     return nullptr;
197898e8096SBenjamin Kramer 
198f9be7a7aSAlex Zinenko   // Compute the shape of all dimensions but the innermost. Note that the
199f9be7a7aSAlex Zinenko   // innermost dimension may be that of the vector element type.
200f9be7a7aSAlex Zinenko   bool hasVectorElementType = type.getElementType().isa<VectorType>();
201f9be7a7aSAlex Zinenko   unsigned numAggregates =
202f9be7a7aSAlex Zinenko       denseElementsAttr.getNumElements() /
203f9be7a7aSAlex Zinenko       (hasVectorElementType ? 1
204f9be7a7aSAlex Zinenko                             : denseElementsAttr.getType().getShape().back());
205f9be7a7aSAlex Zinenko   ArrayRef<int64_t> outerShape = type.getShape();
206f9be7a7aSAlex Zinenko   if (!hasVectorElementType)
207f9be7a7aSAlex Zinenko     outerShape = outerShape.drop_back();
208f9be7a7aSAlex Zinenko 
209f9be7a7aSAlex Zinenko   // Handle the case of vector splat, LLVM has special support for it.
210f9be7a7aSAlex Zinenko   if (denseElementsAttr.isSplat() &&
211f9be7a7aSAlex Zinenko       (type.isa<VectorType>() || hasVectorElementType)) {
212f9be7a7aSAlex Zinenko     llvm::Constant *splatValue = LLVM::detail::getLLVMConstant(
213937e40a8SRiver Riddle         innermostLLVMType, denseElementsAttr.getSplatValue<Attribute>(), loc,
214f9be7a7aSAlex Zinenko         moduleTranslation, /*isTopLevel=*/false);
215f9be7a7aSAlex Zinenko     llvm::Constant *splatVector =
216f9be7a7aSAlex Zinenko         llvm::ConstantDataVector::getSplat(0, splatValue);
217f9be7a7aSAlex Zinenko     SmallVector<llvm::Constant *> constants(numAggregates, splatVector);
218f9be7a7aSAlex Zinenko     ArrayRef<llvm::Constant *> constantsRef = constants;
219f9be7a7aSAlex Zinenko     return buildSequentialConstant(constantsRef, outerShape, llvmType, loc);
220f9be7a7aSAlex Zinenko   }
221f9be7a7aSAlex Zinenko   if (denseElementsAttr.isSplat())
222f9be7a7aSAlex Zinenko     return nullptr;
223f9be7a7aSAlex Zinenko 
224f9be7a7aSAlex Zinenko   // In case of non-splat, create a constructor for the innermost constant from
225f9be7a7aSAlex Zinenko   // a piece of raw data.
226f9be7a7aSAlex Zinenko   std::function<llvm::Constant *(StringRef)> buildCstData;
227f9be7a7aSAlex Zinenko   if (type.isa<TensorType>()) {
228f9be7a7aSAlex Zinenko     auto vectorElementType = type.getElementType().dyn_cast<VectorType>();
229f9be7a7aSAlex Zinenko     if (vectorElementType && vectorElementType.getRank() == 1) {
230f9be7a7aSAlex Zinenko       buildCstData = [&](StringRef data) {
231f9be7a7aSAlex Zinenko         return llvm::ConstantDataVector::getRaw(
232f9be7a7aSAlex Zinenko             data, vectorElementType.getShape().back(), innermostLLVMType);
233f9be7a7aSAlex Zinenko       };
234f9be7a7aSAlex Zinenko     } else if (!vectorElementType) {
235f9be7a7aSAlex Zinenko       buildCstData = [&](StringRef data) {
236f9be7a7aSAlex Zinenko         return llvm::ConstantDataArray::getRaw(data, type.getShape().back(),
237f9be7a7aSAlex Zinenko                                                innermostLLVMType);
238f9be7a7aSAlex Zinenko       };
239f9be7a7aSAlex Zinenko     }
240f9be7a7aSAlex Zinenko   } else if (type.isa<VectorType>()) {
241f9be7a7aSAlex Zinenko     buildCstData = [&](StringRef data) {
242f9be7a7aSAlex Zinenko       return llvm::ConstantDataVector::getRaw(data, type.getShape().back(),
243f9be7a7aSAlex Zinenko                                               innermostLLVMType);
244f9be7a7aSAlex Zinenko     };
245f9be7a7aSAlex Zinenko   }
246f9be7a7aSAlex Zinenko   if (!buildCstData)
247f9be7a7aSAlex Zinenko     return nullptr;
248f9be7a7aSAlex Zinenko 
249f9be7a7aSAlex Zinenko   // Create innermost constants and defer to the default constant creation
250f9be7a7aSAlex Zinenko   // mechanism for other dimensions.
251f9be7a7aSAlex Zinenko   SmallVector<llvm::Constant *> constants;
252f9be7a7aSAlex Zinenko   unsigned aggregateSize = denseElementsAttr.getType().getShape().back() *
253f9be7a7aSAlex Zinenko                            (innermostLLVMType->getScalarSizeInBits() / 8);
254f9be7a7aSAlex Zinenko   constants.reserve(numAggregates);
255f9be7a7aSAlex Zinenko   for (unsigned i = 0; i < numAggregates; ++i) {
256f9be7a7aSAlex Zinenko     StringRef data(denseElementsAttr.getRawData().data() + i * aggregateSize,
257f9be7a7aSAlex Zinenko                    aggregateSize);
258f9be7a7aSAlex Zinenko     constants.push_back(buildCstData(data));
259f9be7a7aSAlex Zinenko   }
260f9be7a7aSAlex Zinenko 
261f9be7a7aSAlex Zinenko   ArrayRef<llvm::Constant *> constantsRef = constants;
262f9be7a7aSAlex Zinenko   return buildSequentialConstant(constantsRef, outerShape, llvmType, loc);
263f9be7a7aSAlex Zinenko }
264f9be7a7aSAlex Zinenko 
2652666b973SRiver Riddle /// Create an LLVM IR constant of `llvmType` from the MLIR attribute `attr`.
2662666b973SRiver Riddle /// This currently supports integer, floating point, splat and dense element
2675ef21506SAdrian Kuegel /// attributes and combinations thereof. Also, an array attribute with two
2685ef21506SAdrian Kuegel /// elements is supported to represent a complex constant.  In case of error,
2695ef21506SAdrian Kuegel /// report it to `loc` and return nullptr.
270176379e0SAlex Zinenko llvm::Constant *mlir::LLVM::detail::getLLVMConstant(
271176379e0SAlex Zinenko     llvm::Type *llvmType, Attribute attr, Location loc,
2725ef21506SAdrian Kuegel     const ModuleTranslation &moduleTranslation, bool isTopLevel) {
27333a3a91bSChristian Sigg   if (!attr)
27433a3a91bSChristian Sigg     return llvm::UndefValue::get(llvmType);
2755ef21506SAdrian Kuegel   if (auto *structType = dyn_cast<::llvm::StructType>(llvmType)) {
2765ef21506SAdrian Kuegel     if (!isTopLevel) {
2775ef21506SAdrian Kuegel       emitError(loc, "nested struct types are not supported in constants");
278a4a42160SAlex Zinenko       return nullptr;
279a4a42160SAlex Zinenko     }
2805ef21506SAdrian Kuegel     auto arrayAttr = attr.cast<ArrayAttr>();
2815ef21506SAdrian Kuegel     llvm::Type *elementType = structType->getElementType(0);
2825ef21506SAdrian Kuegel     llvm::Constant *real = getLLVMConstant(elementType, arrayAttr[0], loc,
2835ef21506SAdrian Kuegel                                            moduleTranslation, false);
2845ef21506SAdrian Kuegel     if (!real)
2855ef21506SAdrian Kuegel       return nullptr;
2865ef21506SAdrian Kuegel     llvm::Constant *imag = getLLVMConstant(elementType, arrayAttr[1], loc,
2875ef21506SAdrian Kuegel                                            moduleTranslation, false);
2885ef21506SAdrian Kuegel     if (!imag)
2895ef21506SAdrian Kuegel       return nullptr;
2905ef21506SAdrian Kuegel     return llvm::ConstantStruct::get(structType, {real, imag});
2915ef21506SAdrian Kuegel   }
292ac9d742bSStephan Herhut   // For integer types, we allow a mismatch in sizes as the index type in
293ac9d742bSStephan Herhut   // MLIR might have a different size than the index type in the LLVM module.
2945d7231d8SStephan Herhut   if (auto intAttr = attr.dyn_cast<IntegerAttr>())
295ac9d742bSStephan Herhut     return llvm::ConstantInt::get(
296ac9d742bSStephan Herhut         llvmType,
297ac9d742bSStephan Herhut         intAttr.getValue().sextOrTrunc(llvmType->getIntegerBitWidth()));
2985ef21506SAdrian Kuegel   if (auto floatAttr = attr.dyn_cast<FloatAttr>()) {
2995ef21506SAdrian Kuegel     if (llvmType !=
3005ef21506SAdrian Kuegel         llvm::Type::getFloatingPointTy(llvmType->getContext(),
3015ef21506SAdrian Kuegel                                        floatAttr.getValue().getSemantics())) {
3025ef21506SAdrian Kuegel       emitError(loc, "FloatAttr does not match expected type of the constant");
3035ef21506SAdrian Kuegel       return nullptr;
3045ef21506SAdrian Kuegel     }
3055d7231d8SStephan Herhut     return llvm::ConstantFP::get(llvmType, floatAttr.getValue());
3065ef21506SAdrian Kuegel   }
3079b9c647cSRiver Riddle   if (auto funcAttr = attr.dyn_cast<FlatSymbolRefAttr>())
308176379e0SAlex Zinenko     return llvm::ConstantExpr::getBitCast(
309176379e0SAlex Zinenko         moduleTranslation.lookupFunction(funcAttr.getValue()), llvmType);
3105d7231d8SStephan Herhut   if (auto splatAttr = attr.dyn_cast<SplatElementsAttr>()) {
31168b03aeeSEli Friedman     llvm::Type *elementType;
31268b03aeeSEli Friedman     uint64_t numElements;
3137c564586SJavier Setoain     bool isScalable = false;
31468b03aeeSEli Friedman     if (auto *arrayTy = dyn_cast<llvm::ArrayType>(llvmType)) {
31568b03aeeSEli Friedman       elementType = arrayTy->getElementType();
31668b03aeeSEli Friedman       numElements = arrayTy->getNumElements();
31702b6fb21SMehdi Amini     } else if (auto *fVectorTy = dyn_cast<llvm::FixedVectorType>(llvmType)) {
318a4830d14SJavier Setoain       elementType = fVectorTy->getElementType();
319a4830d14SJavier Setoain       numElements = fVectorTy->getNumElements();
32002b6fb21SMehdi Amini     } else if (auto *sVectorTy = dyn_cast<llvm::ScalableVectorType>(llvmType)) {
321a4830d14SJavier Setoain       elementType = sVectorTy->getElementType();
322a4830d14SJavier Setoain       numElements = sVectorTy->getMinNumElements();
3237c564586SJavier Setoain       isScalable = true;
32468b03aeeSEli Friedman     } else {
325a4830d14SJavier Setoain       llvm_unreachable("unrecognized constant vector type");
32668b03aeeSEli Friedman     }
327d6ea8ff0SAlex Zinenko     // Splat value is a scalar. Extract it only if the element type is not
328d6ea8ff0SAlex Zinenko     // another sequence type. The recursion terminates because each step removes
329d6ea8ff0SAlex Zinenko     // one outer sequential type.
33068b03aeeSEli Friedman     bool elementTypeSequential =
331d891d738SRahul Joshi         isa<llvm::ArrayType, llvm::VectorType>(elementType);
332d6ea8ff0SAlex Zinenko     llvm::Constant *child = getLLVMConstant(
333d6ea8ff0SAlex Zinenko         elementType,
334937e40a8SRiver Riddle         elementTypeSequential ? splatAttr
335937e40a8SRiver Riddle                               : splatAttr.getSplatValue<Attribute>(),
336937e40a8SRiver Riddle         loc, moduleTranslation, false);
337a4a42160SAlex Zinenko     if (!child)
338a4a42160SAlex Zinenko       return nullptr;
3392f13df13SMLIR Team     if (llvmType->isVectorTy())
340396a42d9SRiver Riddle       return llvm::ConstantVector::getSplat(
3417c564586SJavier Setoain           llvm::ElementCount::get(numElements, /*Scalable=*/isScalable), child);
3422f13df13SMLIR Team     if (llvmType->isArrayTy()) {
343ac9d742bSStephan Herhut       auto *arrayType = llvm::ArrayType::get(elementType, numElements);
3442f13df13SMLIR Team       SmallVector<llvm::Constant *, 8> constants(numElements, child);
3452f13df13SMLIR Team       return llvm::ConstantArray::get(arrayType, constants);
3462f13df13SMLIR Team     }
3475d7231d8SStephan Herhut   }
348a4a42160SAlex Zinenko 
349f9be7a7aSAlex Zinenko   // Try using raw elements data if possible.
350f9be7a7aSAlex Zinenko   if (llvm::Constant *result =
351f9be7a7aSAlex Zinenko           convertDenseElementsAttr(loc, attr.dyn_cast<DenseElementsAttr>(),
352f9be7a7aSAlex Zinenko                                    llvmType, moduleTranslation)) {
353f9be7a7aSAlex Zinenko     return result;
354f9be7a7aSAlex Zinenko   }
355f9be7a7aSAlex Zinenko 
356f9be7a7aSAlex Zinenko   // Fall back to element-by-element construction otherwise.
357d906f84bSRiver Riddle   if (auto elementsAttr = attr.dyn_cast<ElementsAttr>()) {
358a4a42160SAlex Zinenko     assert(elementsAttr.getType().hasStaticShape());
359a4a42160SAlex Zinenko     assert(!elementsAttr.getType().getShape().empty() &&
360a4a42160SAlex Zinenko            "unexpected empty elements attribute shape");
361a4a42160SAlex Zinenko 
3625d7231d8SStephan Herhut     SmallVector<llvm::Constant *, 8> constants;
363a4a42160SAlex Zinenko     constants.reserve(elementsAttr.getNumElements());
364a4a42160SAlex Zinenko     llvm::Type *innermostType = getInnermostElementType(llvmType);
365d906f84bSRiver Riddle     for (auto n : elementsAttr.getValues<Attribute>()) {
366176379e0SAlex Zinenko       constants.push_back(
3675ef21506SAdrian Kuegel           getLLVMConstant(innermostType, n, loc, moduleTranslation, false));
3685d7231d8SStephan Herhut       if (!constants.back())
3695d7231d8SStephan Herhut         return nullptr;
3705d7231d8SStephan Herhut     }
371a4a42160SAlex Zinenko     ArrayRef<llvm::Constant *> constantsRef = constants;
372a4a42160SAlex Zinenko     llvm::Constant *result = buildSequentialConstant(
373a4a42160SAlex Zinenko         constantsRef, elementsAttr.getType().getShape(), llvmType, loc);
374a4a42160SAlex Zinenko     assert(constantsRef.empty() && "did not consume all elemental constants");
375a4a42160SAlex Zinenko     return result;
3762f13df13SMLIR Team   }
377a4a42160SAlex Zinenko 
378cb348dffSStephan Herhut   if (auto stringAttr = attr.dyn_cast<StringAttr>()) {
379cb348dffSStephan Herhut     return llvm::ConstantDataArray::get(
380176379e0SAlex Zinenko         moduleTranslation.getLLVMContext(),
381176379e0SAlex Zinenko         ArrayRef<char>{stringAttr.getValue().data(),
382cb348dffSStephan Herhut                        stringAttr.getValue().size()});
383cb348dffSStephan Herhut   }
384a4c3a645SRiver Riddle   emitError(loc, "unsupported constant value");
3855d7231d8SStephan Herhut   return nullptr;
3865d7231d8SStephan Herhut }
3875d7231d8SStephan Herhut 
388c33d6970SRiver Riddle ModuleTranslation::ModuleTranslation(Operation *module,
389c33d6970SRiver Riddle                                      std::unique_ptr<llvm::Module> llvmModule)
390c33d6970SRiver Riddle     : mlirModule(module), llvmModule(std::move(llvmModule)),
391c33d6970SRiver Riddle       debugTranslation(
39292a295ebSKiran Chandramohan           std::make_unique<DebugTranslation>(module, *this->llvmModule)),
393b77bac05SAlex Zinenko       typeTranslator(this->llvmModule->getContext()),
394b77bac05SAlex Zinenko       iface(module->getContext()) {
395c33d6970SRiver Riddle   assert(satisfiesLLVMModule(mlirModule) &&
396c33d6970SRiver Riddle          "mlirModule should honor LLVM's module semantics.");
397c33d6970SRiver Riddle }
398d9067dcaSKiran Chandramohan ModuleTranslation::~ModuleTranslation() {
399d9067dcaSKiran Chandramohan   if (ompBuilder)
400d9067dcaSKiran Chandramohan     ompBuilder->finalize();
401d9067dcaSKiran Chandramohan }
402d9067dcaSKiran Chandramohan 
4038647e4c3SAlex Zinenko void ModuleTranslation::forgetMapping(Region &region) {
4048647e4c3SAlex Zinenko   SmallVector<Region *> toProcess;
4058647e4c3SAlex Zinenko   toProcess.push_back(&region);
4068647e4c3SAlex Zinenko   while (!toProcess.empty()) {
4078647e4c3SAlex Zinenko     Region *current = toProcess.pop_back_val();
4088647e4c3SAlex Zinenko     for (Block &block : *current) {
4098647e4c3SAlex Zinenko       blockMapping.erase(&block);
4108647e4c3SAlex Zinenko       for (Value arg : block.getArguments())
4118647e4c3SAlex Zinenko         valueMapping.erase(arg);
4128647e4c3SAlex Zinenko       for (Operation &op : block) {
4138647e4c3SAlex Zinenko         for (Value value : op.getResults())
4148647e4c3SAlex Zinenko           valueMapping.erase(value);
4158647e4c3SAlex Zinenko         if (op.hasSuccessors())
4168647e4c3SAlex Zinenko           branchMapping.erase(&op);
4178647e4c3SAlex Zinenko         if (isa<LLVM::GlobalOp>(op))
4188647e4c3SAlex Zinenko           globalsMapping.erase(&op);
4198647e4c3SAlex Zinenko         accessGroupMetadataMapping.erase(&op);
4208647e4c3SAlex Zinenko         llvm::append_range(
4218647e4c3SAlex Zinenko             toProcess,
4228647e4c3SAlex Zinenko             llvm::map_range(op.getRegions(), [](Region &r) { return &r; }));
4238647e4c3SAlex Zinenko       }
4248647e4c3SAlex Zinenko     }
4258647e4c3SAlex Zinenko   }
4268647e4c3SAlex Zinenko }
4278647e4c3SAlex Zinenko 
428d9067dcaSKiran Chandramohan /// Get the SSA value passed to the current block from the terminator operation
429d9067dcaSKiran Chandramohan /// of its predecessor.
430d9067dcaSKiran Chandramohan static Value getPHISourceValue(Block *current, Block *pred,
431d9067dcaSKiran Chandramohan                                unsigned numArguments, unsigned index) {
432d9067dcaSKiran Chandramohan   Operation &terminator = *pred->getTerminator();
433d9067dcaSKiran Chandramohan   if (isa<LLVM::BrOp>(terminator))
434d9067dcaSKiran Chandramohan     return terminator.getOperand(index);
435d9067dcaSKiran Chandramohan 
436bea16e72SAlex Zinenko #ifndef NDEBUG
437bea16e72SAlex Zinenko   llvm::SmallPtrSet<Block *, 4> seenSuccessors;
438bea16e72SAlex Zinenko   for (unsigned i = 0, e = terminator.getNumSuccessors(); i < e; ++i) {
439bea16e72SAlex Zinenko     Block *successor = terminator.getSuccessor(i);
440bea16e72SAlex Zinenko     auto branch = cast<BranchOpInterface>(terminator);
441bea16e72SAlex Zinenko     Optional<OperandRange> successorOperands = branch.getSuccessorOperands(i);
442bea16e72SAlex Zinenko     assert(
443bea16e72SAlex Zinenko         (!seenSuccessors.contains(successor) ||
444bea16e72SAlex Zinenko          (successorOperands && successorOperands->empty())) &&
44514f24155SBrian Gesiak         "successors with arguments in LLVM branches must be different blocks");
446bea16e72SAlex Zinenko     seenSuccessors.insert(successor);
447bea16e72SAlex Zinenko   }
448bea16e72SAlex Zinenko #endif
449d9067dcaSKiran Chandramohan 
45014f24155SBrian Gesiak   // For instructions that branch based on a condition value, we need to take
45114f24155SBrian Gesiak   // the operands for the branch that was taken.
45214f24155SBrian Gesiak   if (auto condBranchOp = dyn_cast<LLVM::CondBrOp>(terminator)) {
45314f24155SBrian Gesiak     // For conditional branches, we take the operands from either the "true" or
45414f24155SBrian Gesiak     // the "false" branch.
455d9067dcaSKiran Chandramohan     return condBranchOp.getSuccessor(0) == current
456cfb72fd3SJacques Pienaar                ? condBranchOp.getTrueDestOperands()[index]
457cfb72fd3SJacques Pienaar                : condBranchOp.getFalseDestOperands()[index];
4580881a4f1SAlex Zinenko   }
4590881a4f1SAlex Zinenko 
4600881a4f1SAlex Zinenko   if (auto switchOp = dyn_cast<LLVM::SwitchOp>(terminator)) {
46114f24155SBrian Gesiak     // For switches, we take the operands from either the default case, or from
46214f24155SBrian Gesiak     // the case branch that was taken.
463dde96363SJacques Pienaar     if (switchOp.getDefaultDestination() == current)
464dde96363SJacques Pienaar       return switchOp.getDefaultOperands()[index];
465e4853be2SMehdi Amini     for (const auto &i : llvm::enumerate(switchOp.getCaseDestinations()))
46614f24155SBrian Gesiak       if (i.value() == current)
46714f24155SBrian Gesiak         return switchOp.getCaseOperands(i.index())[index];
46814f24155SBrian Gesiak   }
46914f24155SBrian Gesiak 
47056097205SMarkus Böck   if (auto invokeOp = dyn_cast<LLVM::InvokeOp>(terminator)) {
47156097205SMarkus Böck     return invokeOp.getNormalDest() == current
47256097205SMarkus Böck                ? invokeOp.getNormalDestOperands()[index]
47356097205SMarkus Böck                : invokeOp.getUnwindDestOperands()[index];
47456097205SMarkus Böck   }
47556097205SMarkus Böck 
47656097205SMarkus Böck   llvm_unreachable(
47756097205SMarkus Böck       "only branch, switch or invoke operations can be terminators "
47856097205SMarkus Böck       "of a block that has successors");
479d9067dcaSKiran Chandramohan }
480d9067dcaSKiran Chandramohan 
481d9067dcaSKiran Chandramohan /// Connect the PHI nodes to the results of preceding blocks.
48266900b3eSAlex Zinenko void mlir::LLVM::detail::connectPHINodes(Region &region,
48366900b3eSAlex Zinenko                                          const ModuleTranslation &state) {
484d9067dcaSKiran Chandramohan   // Skip the first block, it cannot be branched to and its arguments correspond
485d9067dcaSKiran Chandramohan   // to the arguments of the LLVM function.
48666900b3eSAlex Zinenko   for (auto it = std::next(region.begin()), eit = region.end(); it != eit;
48766900b3eSAlex Zinenko        ++it) {
488d9067dcaSKiran Chandramohan     Block *bb = &*it;
4890881a4f1SAlex Zinenko     llvm::BasicBlock *llvmBB = state.lookupBlock(bb);
490d9067dcaSKiran Chandramohan     auto phis = llvmBB->phis();
491d9067dcaSKiran Chandramohan     auto numArguments = bb->getNumArguments();
492d9067dcaSKiran Chandramohan     assert(numArguments == std::distance(phis.begin(), phis.end()));
493d9067dcaSKiran Chandramohan     for (auto &numberedPhiNode : llvm::enumerate(phis)) {
494d9067dcaSKiran Chandramohan       auto &phiNode = numberedPhiNode.value();
495d9067dcaSKiran Chandramohan       unsigned index = numberedPhiNode.index();
496d9067dcaSKiran Chandramohan       for (auto *pred : bb->getPredecessors()) {
497db884dafSAlex Zinenko         // Find the LLVM IR block that contains the converted terminator
498db884dafSAlex Zinenko         // instruction and use it in the PHI node. Note that this block is not
4990881a4f1SAlex Zinenko         // necessarily the same as state.lookupBlock(pred), some operations
500db884dafSAlex Zinenko         // (in particular, OpenMP operations using OpenMPIRBuilder) may have
501db884dafSAlex Zinenko         // split the blocks.
502db884dafSAlex Zinenko         llvm::Instruction *terminator =
5030881a4f1SAlex Zinenko             state.lookupBranch(pred->getTerminator());
504db884dafSAlex Zinenko         assert(terminator && "missing the mapping for a terminator");
5050881a4f1SAlex Zinenko         phiNode.addIncoming(
5060881a4f1SAlex Zinenko             state.lookupValue(getPHISourceValue(bb, pred, numArguments, index)),
507db884dafSAlex Zinenko             terminator->getParent());
508d9067dcaSKiran Chandramohan       }
509d9067dcaSKiran Chandramohan     }
510d9067dcaSKiran Chandramohan   }
511d9067dcaSKiran Chandramohan }
512d9067dcaSKiran Chandramohan 
513d9067dcaSKiran Chandramohan /// Sort function blocks topologically.
5144efb7754SRiver Riddle SetVector<Block *>
51566900b3eSAlex Zinenko mlir::LLVM::detail::getTopologicallySortedBlocks(Region &region) {
516d4568ed7SGeorge Mitenkov   // For each block that has not been visited yet (i.e. that has no
517d4568ed7SGeorge Mitenkov   // predecessors), add it to the list as well as its successors.
5184efb7754SRiver Riddle   SetVector<Block *> blocks;
51966900b3eSAlex Zinenko   for (Block &b : region) {
520d4568ed7SGeorge Mitenkov     if (blocks.count(&b) == 0) {
521d4568ed7SGeorge Mitenkov       llvm::ReversePostOrderTraversal<Block *> traversal(&b);
522d4568ed7SGeorge Mitenkov       blocks.insert(traversal.begin(), traversal.end());
523d4568ed7SGeorge Mitenkov     }
524d9067dcaSKiran Chandramohan   }
52566900b3eSAlex Zinenko   assert(blocks.size() == region.getBlocks().size() &&
52666900b3eSAlex Zinenko          "some blocks are not sorted");
527d9067dcaSKiran Chandramohan 
528d9067dcaSKiran Chandramohan   return blocks;
529d9067dcaSKiran Chandramohan }
530d9067dcaSKiran Chandramohan 
531176379e0SAlex Zinenko llvm::Value *mlir::LLVM::detail::createIntrinsicCall(
532176379e0SAlex Zinenko     llvm::IRBuilderBase &builder, llvm::Intrinsic::ID intrinsic,
533176379e0SAlex Zinenko     ArrayRef<llvm::Value *> args, ArrayRef<llvm::Type *> tys) {
534176379e0SAlex Zinenko   llvm::Module *module = builder.GetInsertBlock()->getModule();
535176379e0SAlex Zinenko   llvm::Function *fn = llvm::Intrinsic::getDeclaration(module, intrinsic, tys);
536176379e0SAlex Zinenko   return builder.CreateCall(fn, args);
537176379e0SAlex Zinenko }
538176379e0SAlex Zinenko 
5392666b973SRiver Riddle /// Given a single MLIR operation, create the corresponding LLVM IR operation
540176379e0SAlex Zinenko /// using the `builder`.
541ce8f10d6SAlex Zinenko LogicalResult
54238b106f6SMehdi Amini ModuleTranslation::convertOperation(Operation &op,
543ce8f10d6SAlex Zinenko                                     llvm::IRBuilderBase &builder) {
54438b106f6SMehdi Amini   const LLVMTranslationDialectInterface *opIface = iface.getInterfaceFor(&op);
54538b106f6SMehdi Amini   if (!opIface)
54638b106f6SMehdi Amini     return op.emitError("cannot be converted to LLVM IR: missing "
54738b106f6SMehdi Amini                         "`LLVMTranslationDialectInterface` registration for "
54838b106f6SMehdi Amini                         "dialect for op: ")
54938b106f6SMehdi Amini            << op.getName();
550176379e0SAlex Zinenko 
55138b106f6SMehdi Amini   if (failed(opIface->convertOperation(&op, builder, *this)))
55238b106f6SMehdi Amini     return op.emitError("LLVM Translation failed for operation: ")
55338b106f6SMehdi Amini            << op.getName();
55438b106f6SMehdi Amini 
55538b106f6SMehdi Amini   return convertDialectAttributes(&op);
5565d7231d8SStephan Herhut }
5575d7231d8SStephan Herhut 
5582666b973SRiver Riddle /// Convert block to LLVM IR.  Unless `ignoreArguments` is set, emit PHI nodes
5592666b973SRiver Riddle /// to define values corresponding to the MLIR block arguments.  These nodes
56010164a2eSAlex Zinenko /// are not connected to the source basic blocks, which may not exist yet.  Uses
56110164a2eSAlex Zinenko /// `builder` to construct the LLVM IR. Expects the LLVM IR basic block to have
56210164a2eSAlex Zinenko /// been created for `bb` and included in the block mapping.  Inserts new
56310164a2eSAlex Zinenko /// instructions at the end of the block and leaves `builder` in a state
56410164a2eSAlex Zinenko /// suitable for further insertion into the end of the block.
56510164a2eSAlex Zinenko LogicalResult ModuleTranslation::convertBlock(Block &bb, bool ignoreArguments,
566ce8f10d6SAlex Zinenko                                               llvm::IRBuilderBase &builder) {
5670881a4f1SAlex Zinenko   builder.SetInsertPoint(lookupBlock(&bb));
568c33d6970SRiver Riddle   auto *subprogram = builder.GetInsertBlock()->getParent()->getSubprogram();
5695d7231d8SStephan Herhut 
5705d7231d8SStephan Herhut   // Before traversing operations, make block arguments available through
5715d7231d8SStephan Herhut   // value remapping and PHI nodes, but do not add incoming edges for the PHI
5725d7231d8SStephan Herhut   // nodes just yet: those values may be defined by this or following blocks.
5735d7231d8SStephan Herhut   // This step is omitted if "ignoreArguments" is set.  The arguments of the
5745d7231d8SStephan Herhut   // first block have been already made available through the remapping of
5755d7231d8SStephan Herhut   // LLVM function arguments.
5765d7231d8SStephan Herhut   if (!ignoreArguments) {
5775d7231d8SStephan Herhut     auto predecessors = bb.getPredecessors();
5785d7231d8SStephan Herhut     unsigned numPredecessors =
5795d7231d8SStephan Herhut         std::distance(predecessors.begin(), predecessors.end());
58035807bc4SRiver Riddle     for (auto arg : bb.getArguments()) {
581c69c9e0fSAlex Zinenko       auto wrappedType = arg.getType();
582c69c9e0fSAlex Zinenko       if (!isCompatibleType(wrappedType))
583baa1ec22SAlex Zinenko         return emitError(bb.front().getLoc(),
584a4c3a645SRiver Riddle                          "block argument does not have an LLVM type");
585aec38c61SAlex Zinenko       llvm::Type *type = convertType(wrappedType);
5865d7231d8SStephan Herhut       llvm::PHINode *phi = builder.CreatePHI(type, numPredecessors);
5870881a4f1SAlex Zinenko       mapValue(arg, phi);
5885d7231d8SStephan Herhut     }
5895d7231d8SStephan Herhut   }
5905d7231d8SStephan Herhut 
5915d7231d8SStephan Herhut   // Traverse operations.
5925d7231d8SStephan Herhut   for (auto &op : bb) {
593c33d6970SRiver Riddle     // Set the current debug location within the builder.
594c33d6970SRiver Riddle     builder.SetCurrentDebugLocation(
595c33d6970SRiver Riddle         debugTranslation->translateLoc(op.getLoc(), subprogram));
596c33d6970SRiver Riddle 
597baa1ec22SAlex Zinenko     if (failed(convertOperation(op, builder)))
598baa1ec22SAlex Zinenko       return failure();
5995d7231d8SStephan Herhut   }
6005d7231d8SStephan Herhut 
601baa1ec22SAlex Zinenko   return success();
6025d7231d8SStephan Herhut }
6035d7231d8SStephan Herhut 
604ce8f10d6SAlex Zinenko /// A helper method to get the single Block in an operation honoring LLVM's
605ce8f10d6SAlex Zinenko /// module requirements.
606ce8f10d6SAlex Zinenko static Block &getModuleBody(Operation *module) {
607ce8f10d6SAlex Zinenko   return module->getRegion(0).front();
608ce8f10d6SAlex Zinenko }
609ce8f10d6SAlex Zinenko 
610ffa455d4SJean Perier /// A helper method to decide if a constant must not be set as a global variable
611d4df3825SAlex Zinenko /// initializer. For an external linkage variable, the variable with an
612d4df3825SAlex Zinenko /// initializer is considered externally visible and defined in this module, the
613d4df3825SAlex Zinenko /// variable without an initializer is externally available and is defined
614d4df3825SAlex Zinenko /// elsewhere.
615ffa455d4SJean Perier static bool shouldDropGlobalInitializer(llvm::GlobalValue::LinkageTypes linkage,
616ffa455d4SJean Perier                                         llvm::Constant *cst) {
617d4df3825SAlex Zinenko   return (linkage == llvm::GlobalVariable::ExternalLinkage && !cst) ||
618ffa455d4SJean Perier          linkage == llvm::GlobalVariable::ExternalWeakLinkage;
619ffa455d4SJean Perier }
620ffa455d4SJean Perier 
6218ca04b05SFelipe de Azevedo Piovezan /// Sets the runtime preemption specifier of `gv` to dso_local if
6228ca04b05SFelipe de Azevedo Piovezan /// `dsoLocalRequested` is true, otherwise it is left unchanged.
6238ca04b05SFelipe de Azevedo Piovezan static void addRuntimePreemptionSpecifier(bool dsoLocalRequested,
6248ca04b05SFelipe de Azevedo Piovezan                                           llvm::GlobalValue *gv) {
6258ca04b05SFelipe de Azevedo Piovezan   if (dsoLocalRequested)
6268ca04b05SFelipe de Azevedo Piovezan     gv->setDSOLocal(true);
6278ca04b05SFelipe de Azevedo Piovezan }
6288ca04b05SFelipe de Azevedo Piovezan 
6292666b973SRiver Riddle /// Create named global variables that correspond to llvm.mlir.global
63057b9b296SUday Bondhugula /// definitions. Convert llvm.global_ctors and global_dtors ops.
631efa2d533SAlex Zinenko LogicalResult ModuleTranslation::convertGlobals() {
63244fc7d72STres Popp   for (auto op : getModuleBody(mlirModule).getOps<LLVM::GlobalOp>()) {
633aec38c61SAlex Zinenko     llvm::Type *type = convertType(op.getType());
634d4df3825SAlex Zinenko     llvm::Constant *cst = nullptr;
635250a11aeSJames Molloy     if (op.getValueOrNull()) {
63668451df2SAlex Zinenko       // String attributes are treated separately because they cannot appear as
63768451df2SAlex Zinenko       // in-function constants and are thus not supported by getLLVMConstant.
63833a3a91bSChristian Sigg       if (auto strAttr = op.getValueOrNull().dyn_cast_or_null<StringAttr>()) {
6392dd38b09SAlex Zinenko         cst = llvm::ConstantDataArray::getString(
64068451df2SAlex Zinenko             llvmModule->getContext(), strAttr.getValue(), /*AddNull=*/false);
6412dd38b09SAlex Zinenko         type = cst->getType();
642176379e0SAlex Zinenko       } else if (!(cst = getLLVMConstant(type, op.getValueOrNull(), op.getLoc(),
643176379e0SAlex Zinenko                                          *this))) {
644efa2d533SAlex Zinenko         return failure();
64568451df2SAlex Zinenko       }
646ffa455d4SJean Perier     }
647ffa455d4SJean Perier 
648cfb72fd3SJacques Pienaar     auto linkage = convertLinkageToLLVM(op.getLinkage());
649cfb72fd3SJacques Pienaar     auto addrSpace = op.getAddrSpace();
650d4df3825SAlex Zinenko 
651d4df3825SAlex Zinenko     // LLVM IR requires constant with linkage other than external or weak
652d4df3825SAlex Zinenko     // external to have initializers. If MLIR does not provide an initializer,
653d4df3825SAlex Zinenko     // default to undef.
654d4df3825SAlex Zinenko     bool dropInitializer = shouldDropGlobalInitializer(linkage, cst);
655d4df3825SAlex Zinenko     if (!dropInitializer && !cst)
656d4df3825SAlex Zinenko       cst = llvm::UndefValue::get(type);
657d4df3825SAlex Zinenko     else if (dropInitializer && cst)
658d4df3825SAlex Zinenko       cst = nullptr;
659d4df3825SAlex Zinenko 
660ffa455d4SJean Perier     auto *var = new llvm::GlobalVariable(
661cfb72fd3SJacques Pienaar         *llvmModule, type, op.getConstant(), linkage, cst, op.getSymName(),
662ffa455d4SJean Perier         /*InsertBefore=*/nullptr, llvm::GlobalValue::NotThreadLocal, addrSpace);
663ffa455d4SJean Perier 
664cfb72fd3SJacques Pienaar     if (op.getUnnamedAddr().hasValue())
665cfb72fd3SJacques Pienaar       var->setUnnamedAddr(convertUnnamedAddrToLLVM(*op.getUnnamedAddr()));
666c46a8862Sclementval 
667cfb72fd3SJacques Pienaar     if (op.getSection().hasValue())
668cfb72fd3SJacques Pienaar       var->setSection(*op.getSection());
669b65472d6SRanjith Kumar H 
670cfb72fd3SJacques Pienaar     addRuntimePreemptionSpecifier(op.getDsoLocal(), var);
6718ca04b05SFelipe de Azevedo Piovezan 
672cfb72fd3SJacques Pienaar     Optional<uint64_t> alignment = op.getAlignment();
6739a0ea599SDumitru Potop     if (alignment.hasValue())
6749a0ea599SDumitru Potop       var->setAlignment(llvm::MaybeAlign(alignment.getValue()));
6759a0ea599SDumitru Potop 
676ffa455d4SJean Perier     globalsMapping.try_emplace(op, var);
677ffa455d4SJean Perier   }
678ffa455d4SJean Perier 
679ffa455d4SJean Perier   // Convert global variable bodies. This is done after all global variables
680ffa455d4SJean Perier   // have been created in LLVM IR because a global body may refer to another
681ffa455d4SJean Perier   // global or itself. So all global variables need to be mapped first.
682ffa455d4SJean Perier   for (auto op : getModuleBody(mlirModule).getOps<LLVM::GlobalOp>()) {
683ffa455d4SJean Perier     if (Block *initializer = op.getInitializerBlock()) {
684250a11aeSJames Molloy       llvm::IRBuilder<> builder(llvmModule->getContext());
685250a11aeSJames Molloy       for (auto &op : initializer->without_terminator()) {
686250a11aeSJames Molloy         if (failed(convertOperation(op, builder)) ||
6870881a4f1SAlex Zinenko             !isa<llvm::Constant>(lookupValue(op.getResult(0))))
688efa2d533SAlex Zinenko           return emitError(op.getLoc(), "unemittable constant value");
689250a11aeSJames Molloy       }
690250a11aeSJames Molloy       ReturnOp ret = cast<ReturnOp>(initializer->getTerminator());
691ffa455d4SJean Perier       llvm::Constant *cst =
692ffa455d4SJean Perier           cast<llvm::Constant>(lookupValue(ret.getOperand(0)));
693ffa455d4SJean Perier       auto *global = cast<llvm::GlobalVariable>(lookupGlobal(op));
694ffa455d4SJean Perier       if (!shouldDropGlobalInitializer(global->getLinkage(), cst))
695ffa455d4SJean Perier         global->setInitializer(cst);
696250a11aeSJames Molloy     }
697b9ff2dd8SAlex Zinenko   }
698efa2d533SAlex Zinenko 
69957b9b296SUday Bondhugula   // Convert llvm.mlir.global_ctors and dtors.
70057b9b296SUday Bondhugula   for (Operation &op : getModuleBody(mlirModule)) {
70157b9b296SUday Bondhugula     auto ctorOp = dyn_cast<GlobalCtorsOp>(op);
70257b9b296SUday Bondhugula     auto dtorOp = dyn_cast<GlobalDtorsOp>(op);
70357b9b296SUday Bondhugula     if (!ctorOp && !dtorOp)
70457b9b296SUday Bondhugula       continue;
70562fea88bSJacques Pienaar     auto range = ctorOp ? llvm::zip(ctorOp.getCtors(), ctorOp.getPriorities())
70662fea88bSJacques Pienaar                         : llvm::zip(dtorOp.getDtors(), dtorOp.getPriorities());
70757b9b296SUday Bondhugula     auto appendGlobalFn =
70857b9b296SUday Bondhugula         ctorOp ? llvm::appendToGlobalCtors : llvm::appendToGlobalDtors;
70957b9b296SUday Bondhugula     for (auto symbolAndPriority : range) {
71057b9b296SUday Bondhugula       llvm::Function *f = lookupFunction(
71157b9b296SUday Bondhugula           std::get<0>(symbolAndPriority).cast<FlatSymbolRefAttr>().getValue());
71257b9b296SUday Bondhugula       appendGlobalFn(
71318eb6818SMehdi Amini           *llvmModule, f,
71457b9b296SUday Bondhugula           std::get<1>(symbolAndPriority).cast<IntegerAttr>().getInt(),
71557b9b296SUday Bondhugula           /*Data=*/nullptr);
71657b9b296SUday Bondhugula     }
71757b9b296SUday Bondhugula   }
71857b9b296SUday Bondhugula 
719efa2d533SAlex Zinenko   return success();
720b9ff2dd8SAlex Zinenko }
721b9ff2dd8SAlex Zinenko 
7220a2131b7SAlex Zinenko /// Attempts to add an attribute identified by `key`, optionally with the given
7230a2131b7SAlex Zinenko /// `value` to LLVM function `llvmFunc`. Reports errors at `loc` if any. If the
7240a2131b7SAlex Zinenko /// attribute has a kind known to LLVM IR, create the attribute of this kind,
7250a2131b7SAlex Zinenko /// otherwise keep it as a string attribute. Performs additional checks for
7260a2131b7SAlex Zinenko /// attributes known to have or not have a value in order to avoid assertions
7270a2131b7SAlex Zinenko /// inside LLVM upon construction.
7280a2131b7SAlex Zinenko static LogicalResult checkedAddLLVMFnAttribute(Location loc,
7290a2131b7SAlex Zinenko                                                llvm::Function *llvmFunc,
7300a2131b7SAlex Zinenko                                                StringRef key,
7310a2131b7SAlex Zinenko                                                StringRef value = StringRef()) {
7320a2131b7SAlex Zinenko   auto kind = llvm::Attribute::getAttrKindFromName(key);
7330a2131b7SAlex Zinenko   if (kind == llvm::Attribute::None) {
7340a2131b7SAlex Zinenko     llvmFunc->addFnAttr(key, value);
7350a2131b7SAlex Zinenko     return success();
7360a2131b7SAlex Zinenko   }
7370a2131b7SAlex Zinenko 
7386ac32872SNikita Popov   if (llvm::Attribute::isIntAttrKind(kind)) {
7390a2131b7SAlex Zinenko     if (value.empty())
7400a2131b7SAlex Zinenko       return emitError(loc) << "LLVM attribute '" << key << "' expects a value";
7410a2131b7SAlex Zinenko 
7420a2131b7SAlex Zinenko     int result;
7430a2131b7SAlex Zinenko     if (!value.getAsInteger(/*Radix=*/0, result))
7440a2131b7SAlex Zinenko       llvmFunc->addFnAttr(
7450a2131b7SAlex Zinenko           llvm::Attribute::get(llvmFunc->getContext(), kind, result));
7460a2131b7SAlex Zinenko     else
7470a2131b7SAlex Zinenko       llvmFunc->addFnAttr(key, value);
7480a2131b7SAlex Zinenko     return success();
7490a2131b7SAlex Zinenko   }
7500a2131b7SAlex Zinenko 
7510a2131b7SAlex Zinenko   if (!value.empty())
7520a2131b7SAlex Zinenko     return emitError(loc) << "LLVM attribute '" << key
7530a2131b7SAlex Zinenko                           << "' does not expect a value, found '" << value
7540a2131b7SAlex Zinenko                           << "'";
7550a2131b7SAlex Zinenko 
7560a2131b7SAlex Zinenko   llvmFunc->addFnAttr(kind);
7570a2131b7SAlex Zinenko   return success();
7580a2131b7SAlex Zinenko }
7590a2131b7SAlex Zinenko 
7600a2131b7SAlex Zinenko /// Attaches the attributes listed in the given array attribute to `llvmFunc`.
7610a2131b7SAlex Zinenko /// Reports error to `loc` if any and returns immediately. Expects `attributes`
7620a2131b7SAlex Zinenko /// to be an array attribute containing either string attributes, treated as
7630a2131b7SAlex Zinenko /// value-less LLVM attributes, or array attributes containing two string
7640a2131b7SAlex Zinenko /// attributes, with the first string being the name of the corresponding LLVM
7650a2131b7SAlex Zinenko /// attribute and the second string beings its value. Note that even integer
7660a2131b7SAlex Zinenko /// attributes are expected to have their values expressed as strings.
7670a2131b7SAlex Zinenko static LogicalResult
7680a2131b7SAlex Zinenko forwardPassthroughAttributes(Location loc, Optional<ArrayAttr> attributes,
7690a2131b7SAlex Zinenko                              llvm::Function *llvmFunc) {
7700a2131b7SAlex Zinenko   if (!attributes)
7710a2131b7SAlex Zinenko     return success();
7720a2131b7SAlex Zinenko 
7730a2131b7SAlex Zinenko   for (Attribute attr : *attributes) {
7740a2131b7SAlex Zinenko     if (auto stringAttr = attr.dyn_cast<StringAttr>()) {
7750a2131b7SAlex Zinenko       if (failed(
7760a2131b7SAlex Zinenko               checkedAddLLVMFnAttribute(loc, llvmFunc, stringAttr.getValue())))
7770a2131b7SAlex Zinenko         return failure();
7780a2131b7SAlex Zinenko       continue;
7790a2131b7SAlex Zinenko     }
7800a2131b7SAlex Zinenko 
7810a2131b7SAlex Zinenko     auto arrayAttr = attr.dyn_cast<ArrayAttr>();
7820a2131b7SAlex Zinenko     if (!arrayAttr || arrayAttr.size() != 2)
7830a2131b7SAlex Zinenko       return emitError(loc)
7840a2131b7SAlex Zinenko              << "expected 'passthrough' to contain string or array attributes";
7850a2131b7SAlex Zinenko 
7860a2131b7SAlex Zinenko     auto keyAttr = arrayAttr[0].dyn_cast<StringAttr>();
7870a2131b7SAlex Zinenko     auto valueAttr = arrayAttr[1].dyn_cast<StringAttr>();
7880a2131b7SAlex Zinenko     if (!keyAttr || !valueAttr)
7890a2131b7SAlex Zinenko       return emitError(loc)
7900a2131b7SAlex Zinenko              << "expected arrays within 'passthrough' to contain two strings";
7910a2131b7SAlex Zinenko 
7920a2131b7SAlex Zinenko     if (failed(checkedAddLLVMFnAttribute(loc, llvmFunc, keyAttr.getValue(),
7930a2131b7SAlex Zinenko                                          valueAttr.getValue())))
7940a2131b7SAlex Zinenko       return failure();
7950a2131b7SAlex Zinenko   }
7960a2131b7SAlex Zinenko   return success();
7970a2131b7SAlex Zinenko }
7980a2131b7SAlex Zinenko 
7995e7959a3SAlex Zinenko LogicalResult ModuleTranslation::convertOneFunction(LLVMFuncOp func) {
800db884dafSAlex Zinenko   // Clear the block, branch value mappings, they are only relevant within one
8015d7231d8SStephan Herhut   // function.
8025d7231d8SStephan Herhut   blockMapping.clear();
8035d7231d8SStephan Herhut   valueMapping.clear();
804db884dafSAlex Zinenko   branchMapping.clear();
8050881a4f1SAlex Zinenko   llvm::Function *llvmFunc = lookupFunction(func.getName());
806c33d6970SRiver Riddle 
807c33d6970SRiver Riddle   // Translate the debug information for this function.
808c33d6970SRiver Riddle   debugTranslation->translate(func, *llvmFunc);
809c33d6970SRiver Riddle 
8105d7231d8SStephan Herhut   // Add function arguments to the value remapping table.
8115d7231d8SStephan Herhut   // If there was noalias info then we decorate each argument accordingly.
8125d7231d8SStephan Herhut   unsigned int argIdx = 0;
813eeef50b1SFangrui Song   for (auto kvp : llvm::zip(func.getArguments(), llvmFunc->args())) {
8145d7231d8SStephan Herhut     llvm::Argument &llvmArg = std::get<1>(kvp);
815e62a6956SRiver Riddle     BlockArgument mlirArg = std::get<0>(kvp);
8165d7231d8SStephan Herhut 
8171c777ab4SUday Bondhugula     if (auto attr = func.getArgAttrOfType<UnitAttr>(
81867cc5cecSStephan Herhut             argIdx, LLVMDialect::getNoAliasAttrName())) {
8195d7231d8SStephan Herhut       // NB: Attribute already verified to be boolean, so check if we can indeed
8205d7231d8SStephan Herhut       // attach the attribute to this argument, based on its type.
821c69c9e0fSAlex Zinenko       auto argTy = mlirArg.getType();
8228de43b92SAlex Zinenko       if (!argTy.isa<LLVM::LLVMPointerType>())
823baa1ec22SAlex Zinenko         return func.emitError(
8245d7231d8SStephan Herhut             "llvm.noalias attribute attached to LLVM non-pointer argument");
8255d7231d8SStephan Herhut       llvmArg.addAttr(llvm::Attribute::AttrKind::NoAlias);
8265d7231d8SStephan Herhut     }
8272416e28cSStephan Herhut 
82867cc5cecSStephan Herhut     if (auto attr = func.getArgAttrOfType<IntegerAttr>(
82967cc5cecSStephan Herhut             argIdx, LLVMDialect::getAlignAttrName())) {
8302416e28cSStephan Herhut       // NB: Attribute already verified to be int, so check if we can indeed
8312416e28cSStephan Herhut       // attach the attribute to this argument, based on its type.
832c69c9e0fSAlex Zinenko       auto argTy = mlirArg.getType();
8338de43b92SAlex Zinenko       if (!argTy.isa<LLVM::LLVMPointerType>())
8342416e28cSStephan Herhut         return func.emitError(
8352416e28cSStephan Herhut             "llvm.align attribute attached to LLVM non-pointer argument");
8362416e28cSStephan Herhut       llvmArg.addAttrs(
837d2cc6c2dSSerge Guelton           llvm::AttrBuilder(llvmArg.getContext()).addAlignmentAttr(llvm::Align(attr.getInt())));
8382416e28cSStephan Herhut     }
8392416e28cSStephan Herhut 
84070b841acSEric Schweitz     if (auto attr = func.getArgAttrOfType<UnitAttr>(argIdx, "llvm.sret")) {
841a4ad79c5SNikita Popov       auto argTy = mlirArg.getType().dyn_cast<LLVM::LLVMPointerType>();
842a4ad79c5SNikita Popov       if (!argTy)
84370b841acSEric Schweitz         return func.emitError(
84470b841acSEric Schweitz             "llvm.sret attribute attached to LLVM non-pointer argument");
845a4ad79c5SNikita Popov       llvmArg.addAttrs(
846a4ad79c5SNikita Popov           llvm::AttrBuilder(llvmArg.getContext())
847a4ad79c5SNikita Popov               .addStructRetAttr(convertType(argTy.getElementType())));
84870b841acSEric Schweitz     }
84970b841acSEric Schweitz 
85070b841acSEric Schweitz     if (auto attr = func.getArgAttrOfType<UnitAttr>(argIdx, "llvm.byval")) {
851a4ad79c5SNikita Popov       auto argTy = mlirArg.getType().dyn_cast<LLVM::LLVMPointerType>();
852a4ad79c5SNikita Popov       if (!argTy)
85370b841acSEric Schweitz         return func.emitError(
85470b841acSEric Schweitz             "llvm.byval attribute attached to LLVM non-pointer argument");
855a4ad79c5SNikita Popov       llvmArg.addAttrs(llvm::AttrBuilder(llvmArg.getContext())
856a4ad79c5SNikita Popov                            .addByValAttr(convertType(argTy.getElementType())));
85770b841acSEric Schweitz     }
85870b841acSEric Schweitz 
8590881a4f1SAlex Zinenko     mapValue(mlirArg, &llvmArg);
8605d7231d8SStephan Herhut     argIdx++;
8615d7231d8SStephan Herhut   }
8625d7231d8SStephan Herhut 
863ff77397fSShraiysh Vaishay   // Check the personality and set it.
864dde96363SJacques Pienaar   if (func.getPersonality().hasValue()) {
865ff77397fSShraiysh Vaishay     llvm::Type *ty = llvm::Type::getInt8PtrTy(llvmFunc->getContext());
866dde96363SJacques Pienaar     if (llvm::Constant *pfunc = getLLVMConstant(ty, func.getPersonalityAttr(),
867dde96363SJacques Pienaar                                                 func.getLoc(), *this))
868ff77397fSShraiysh Vaishay       llvmFunc->setPersonalityFn(pfunc);
869ff77397fSShraiysh Vaishay   }
870ff77397fSShraiysh Vaishay 
8711bf79213SMarkus Böck   if (auto gc = func.getGarbageCollector())
8721bf79213SMarkus Böck     llvmFunc->setGC(gc->str());
8731bf79213SMarkus Böck 
8745d7231d8SStephan Herhut   // First, create all blocks so we can jump to them.
8755d7231d8SStephan Herhut   llvm::LLVMContext &llvmContext = llvmFunc->getContext();
8765d7231d8SStephan Herhut   for (auto &bb : func) {
8775d7231d8SStephan Herhut     auto *llvmBB = llvm::BasicBlock::Create(llvmContext);
8785d7231d8SStephan Herhut     llvmBB->insertInto(llvmFunc);
8790881a4f1SAlex Zinenko     mapBlock(&bb, llvmBB);
8805d7231d8SStephan Herhut   }
8815d7231d8SStephan Herhut 
8825d7231d8SStephan Herhut   // Then, convert blocks one by one in topological order to ensure defs are
8835d7231d8SStephan Herhut   // converted before uses.
88466900b3eSAlex Zinenko   auto blocks = detail::getTopologicallySortedBlocks(func.getBody());
88510164a2eSAlex Zinenko   for (Block *bb : blocks) {
88610164a2eSAlex Zinenko     llvm::IRBuilder<> builder(llvmContext);
88710164a2eSAlex Zinenko     if (failed(convertBlock(*bb, bb->isEntryBlock(), builder)))
888baa1ec22SAlex Zinenko       return failure();
8895d7231d8SStephan Herhut   }
8905d7231d8SStephan Herhut 
891176379e0SAlex Zinenko   // After all blocks have been traversed and values mapped, connect the PHI
892176379e0SAlex Zinenko   // nodes to the results of preceding blocks.
89366900b3eSAlex Zinenko   detail::connectPHINodes(func.getBody(), *this);
894176379e0SAlex Zinenko 
895176379e0SAlex Zinenko   // Finally, convert dialect attributes attached to the function.
896176379e0SAlex Zinenko   return convertDialectAttributes(func);
897176379e0SAlex Zinenko }
898176379e0SAlex Zinenko 
899176379e0SAlex Zinenko LogicalResult ModuleTranslation::convertDialectAttributes(Operation *op) {
900176379e0SAlex Zinenko   for (NamedAttribute attribute : op->getDialectAttrs())
901176379e0SAlex Zinenko     if (failed(iface.amendOperation(op, attribute, *this)))
902176379e0SAlex Zinenko       return failure();
903baa1ec22SAlex Zinenko   return success();
9045d7231d8SStephan Herhut }
9055d7231d8SStephan Herhut 
906a084b94fSSean Silva LogicalResult ModuleTranslation::convertFunctionSignatures() {
9075d7231d8SStephan Herhut   // Declare all functions first because there may be function calls that form a
908a084b94fSSean Silva   // call graph with cycles, or global initializers that reference functions.
90944fc7d72STres Popp   for (auto function : getModuleBody(mlirModule).getOps<LLVMFuncOp>()) {
9105e7959a3SAlex Zinenko     llvm::FunctionCallee llvmFuncCst = llvmModule->getOrInsertFunction(
9115e7959a3SAlex Zinenko         function.getName(),
912aec38c61SAlex Zinenko         cast<llvm::FunctionType>(convertType(function.getType())));
9130a2131b7SAlex Zinenko     llvm::Function *llvmFunc = cast<llvm::Function>(llvmFuncCst.getCallee());
914dde96363SJacques Pienaar     llvmFunc->setLinkage(convertLinkageToLLVM(function.getLinkage()));
9150881a4f1SAlex Zinenko     mapFunction(function.getName(), llvmFunc);
916dde96363SJacques Pienaar     addRuntimePreemptionSpecifier(function.getDsoLocal(), llvmFunc);
9170a2131b7SAlex Zinenko 
9180a2131b7SAlex Zinenko     // Forward the pass-through attributes to LLVM.
919dde96363SJacques Pienaar     if (failed(forwardPassthroughAttributes(
920dde96363SJacques Pienaar             function.getLoc(), function.getPassthrough(), llvmFunc)))
9210a2131b7SAlex Zinenko       return failure();
9225d7231d8SStephan Herhut   }
9235d7231d8SStephan Herhut 
924a084b94fSSean Silva   return success();
925a084b94fSSean Silva }
926a084b94fSSean Silva 
927a084b94fSSean Silva LogicalResult ModuleTranslation::convertFunctions() {
9285d7231d8SStephan Herhut   // Convert functions.
92944fc7d72STres Popp   for (auto function : getModuleBody(mlirModule).getOps<LLVMFuncOp>()) {
9305d7231d8SStephan Herhut     // Ignore external functions.
9315d7231d8SStephan Herhut     if (function.isExternal())
9325d7231d8SStephan Herhut       continue;
9335d7231d8SStephan Herhut 
934baa1ec22SAlex Zinenko     if (failed(convertOneFunction(function)))
935baa1ec22SAlex Zinenko       return failure();
9365d7231d8SStephan Herhut   }
9375d7231d8SStephan Herhut 
938baa1ec22SAlex Zinenko   return success();
9395d7231d8SStephan Herhut }
9405d7231d8SStephan Herhut 
9414a2930f4SArpith C. Jacob llvm::MDNode *
9424a2930f4SArpith C. Jacob ModuleTranslation::getAccessGroup(Operation &opInst,
9434a2930f4SArpith C. Jacob                                   SymbolRefAttr accessGroupRef) const {
9444a2930f4SArpith C. Jacob   auto metadataName = accessGroupRef.getRootReference();
9454a2930f4SArpith C. Jacob   auto accessGroupName = accessGroupRef.getLeafReference();
9464a2930f4SArpith C. Jacob   auto metadataOp = SymbolTable::lookupNearestSymbolFrom<LLVM::MetadataOp>(
9474a2930f4SArpith C. Jacob       opInst.getParentOp(), metadataName);
9484a2930f4SArpith C. Jacob   auto *accessGroupOp =
9494a2930f4SArpith C. Jacob       SymbolTable::lookupNearestSymbolFrom(metadataOp, accessGroupName);
9504a2930f4SArpith C. Jacob   return accessGroupMetadataMapping.lookup(accessGroupOp);
9514a2930f4SArpith C. Jacob }
9524a2930f4SArpith C. Jacob 
9534a2930f4SArpith C. Jacob LogicalResult ModuleTranslation::createAccessGroupMetadata() {
9544a2930f4SArpith C. Jacob   mlirModule->walk([&](LLVM::MetadataOp metadatas) {
9554a2930f4SArpith C. Jacob     metadatas.walk([&](LLVM::AccessGroupMetadataOp op) {
9564a2930f4SArpith C. Jacob       llvm::LLVMContext &ctx = llvmModule->getContext();
9574a2930f4SArpith C. Jacob       llvm::MDNode *accessGroup = llvm::MDNode::getDistinct(ctx, {});
9584a2930f4SArpith C. Jacob       accessGroupMetadataMapping.insert({op, accessGroup});
9594a2930f4SArpith C. Jacob     });
9604a2930f4SArpith C. Jacob   });
9614a2930f4SArpith C. Jacob   return success();
9624a2930f4SArpith C. Jacob }
9634a2930f4SArpith C. Jacob 
9644e393350SArpith C. Jacob void ModuleTranslation::setAccessGroupsMetadata(Operation *op,
9654e393350SArpith C. Jacob                                                 llvm::Instruction *inst) {
9664e393350SArpith C. Jacob   auto accessGroups =
9674e393350SArpith C. Jacob       op->getAttrOfType<ArrayAttr>(LLVMDialect::getAccessGroupsAttrName());
9684e393350SArpith C. Jacob   if (accessGroups && !accessGroups.empty()) {
9694e393350SArpith C. Jacob     llvm::Module *module = inst->getModule();
9704e393350SArpith C. Jacob     SmallVector<llvm::Metadata *> metadatas;
9714e393350SArpith C. Jacob     for (SymbolRefAttr accessGroupRef :
9724e393350SArpith C. Jacob          accessGroups.getAsRange<SymbolRefAttr>())
9734e393350SArpith C. Jacob       metadatas.push_back(getAccessGroup(*op, accessGroupRef));
9744e393350SArpith C. Jacob 
9754e393350SArpith C. Jacob     llvm::MDNode *unionMD = nullptr;
9764e393350SArpith C. Jacob     if (metadatas.size() == 1)
9774e393350SArpith C. Jacob       unionMD = llvm::cast<llvm::MDNode>(metadatas.front());
9784e393350SArpith C. Jacob     else if (metadatas.size() >= 2)
9794e393350SArpith C. Jacob       unionMD = llvm::MDNode::get(module->getContext(), metadatas);
9804e393350SArpith C. Jacob 
9814e393350SArpith C. Jacob     inst->setMetadata(module->getMDKindID("llvm.access.group"), unionMD);
9824e393350SArpith C. Jacob   }
9834e393350SArpith C. Jacob }
9844e393350SArpith C. Jacob 
985d25e91d7STyler Augustine LogicalResult ModuleTranslation::createAliasScopeMetadata() {
986d25e91d7STyler Augustine   mlirModule->walk([&](LLVM::MetadataOp metadatas) {
987d25e91d7STyler Augustine     // Create the domains first, so they can be reference below in the scopes.
988d25e91d7STyler Augustine     DenseMap<Operation *, llvm::MDNode *> aliasScopeDomainMetadataMapping;
989d25e91d7STyler Augustine     metadatas.walk([&](LLVM::AliasScopeDomainMetadataOp op) {
990d25e91d7STyler Augustine       llvm::LLVMContext &ctx = llvmModule->getContext();
991d25e91d7STyler Augustine       llvm::SmallVector<llvm::Metadata *, 2> operands;
992d25e91d7STyler Augustine       operands.push_back({}); // Placeholder for self-reference
993cfb72fd3SJacques Pienaar       if (Optional<StringRef> description = op.getDescription())
994d25e91d7STyler Augustine         operands.push_back(llvm::MDString::get(ctx, description.getValue()));
995d25e91d7STyler Augustine       llvm::MDNode *domain = llvm::MDNode::get(ctx, operands);
996d25e91d7STyler Augustine       domain->replaceOperandWith(0, domain); // Self-reference for uniqueness
997d25e91d7STyler Augustine       aliasScopeDomainMetadataMapping.insert({op, domain});
998d25e91d7STyler Augustine     });
999d25e91d7STyler Augustine 
1000d25e91d7STyler Augustine     // Now create the scopes, referencing the domains created above.
1001d25e91d7STyler Augustine     metadatas.walk([&](LLVM::AliasScopeMetadataOp op) {
1002d25e91d7STyler Augustine       llvm::LLVMContext &ctx = llvmModule->getContext();
1003d25e91d7STyler Augustine       assert(isa<LLVM::MetadataOp>(op->getParentOp()));
1004d25e91d7STyler Augustine       auto metadataOp = dyn_cast<LLVM::MetadataOp>(op->getParentOp());
1005d25e91d7STyler Augustine       Operation *domainOp =
1006cfb72fd3SJacques Pienaar           SymbolTable::lookupNearestSymbolFrom(metadataOp, op.getDomainAttr());
1007d25e91d7STyler Augustine       llvm::MDNode *domain = aliasScopeDomainMetadataMapping.lookup(domainOp);
1008d25e91d7STyler Augustine       assert(domain && "Scope's domain should already be valid");
1009d25e91d7STyler Augustine       llvm::SmallVector<llvm::Metadata *, 3> operands;
1010d25e91d7STyler Augustine       operands.push_back({}); // Placeholder for self-reference
1011d25e91d7STyler Augustine       operands.push_back(domain);
1012cfb72fd3SJacques Pienaar       if (Optional<StringRef> description = op.getDescription())
1013d25e91d7STyler Augustine         operands.push_back(llvm::MDString::get(ctx, description.getValue()));
1014d25e91d7STyler Augustine       llvm::MDNode *scope = llvm::MDNode::get(ctx, operands);
1015d25e91d7STyler Augustine       scope->replaceOperandWith(0, scope); // Self-reference for uniqueness
1016d25e91d7STyler Augustine       aliasScopeMetadataMapping.insert({op, scope});
1017d25e91d7STyler Augustine     });
1018d25e91d7STyler Augustine   });
1019d25e91d7STyler Augustine   return success();
1020d25e91d7STyler Augustine }
1021d25e91d7STyler Augustine 
1022d25e91d7STyler Augustine llvm::MDNode *
1023d25e91d7STyler Augustine ModuleTranslation::getAliasScope(Operation &opInst,
1024d25e91d7STyler Augustine                                  SymbolRefAttr aliasScopeRef) const {
102541d4aa7dSChris Lattner   StringAttr metadataName = aliasScopeRef.getRootReference();
102641d4aa7dSChris Lattner   StringAttr scopeName = aliasScopeRef.getLeafReference();
1027d25e91d7STyler Augustine   auto metadataOp = SymbolTable::lookupNearestSymbolFrom<LLVM::MetadataOp>(
1028d25e91d7STyler Augustine       opInst.getParentOp(), metadataName);
1029d25e91d7STyler Augustine   Operation *aliasScopeOp =
1030d25e91d7STyler Augustine       SymbolTable::lookupNearestSymbolFrom(metadataOp, scopeName);
1031d25e91d7STyler Augustine   return aliasScopeMetadataMapping.lookup(aliasScopeOp);
1032d25e91d7STyler Augustine }
1033d25e91d7STyler Augustine 
1034d25e91d7STyler Augustine void ModuleTranslation::setAliasScopeMetadata(Operation *op,
1035d25e91d7STyler Augustine                                               llvm::Instruction *inst) {
1036d25e91d7STyler Augustine   auto populateScopeMetadata = [this, op, inst](StringRef attrName,
1037d25e91d7STyler Augustine                                                 StringRef llvmMetadataName) {
1038d25e91d7STyler Augustine     auto scopes = op->getAttrOfType<ArrayAttr>(attrName);
1039d25e91d7STyler Augustine     if (!scopes || scopes.empty())
1040d25e91d7STyler Augustine       return;
1041d25e91d7STyler Augustine     llvm::Module *module = inst->getModule();
1042d25e91d7STyler Augustine     SmallVector<llvm::Metadata *> scopeMDs;
1043d25e91d7STyler Augustine     for (SymbolRefAttr scopeRef : scopes.getAsRange<SymbolRefAttr>())
1044d25e91d7STyler Augustine       scopeMDs.push_back(getAliasScope(*op, scopeRef));
1045bdaf0382SAlex Zinenko     llvm::MDNode *unionMD = llvm::MDNode::get(module->getContext(), scopeMDs);
1046d25e91d7STyler Augustine     inst->setMetadata(module->getMDKindID(llvmMetadataName), unionMD);
1047d25e91d7STyler Augustine   };
1048d25e91d7STyler Augustine 
1049d25e91d7STyler Augustine   populateScopeMetadata(LLVMDialect::getAliasScopesAttrName(), "alias.scope");
1050d25e91d7STyler Augustine   populateScopeMetadata(LLVMDialect::getNoAliasScopesAttrName(), "noalias");
1051d25e91d7STyler Augustine }
1052d25e91d7STyler Augustine 
1053c69c9e0fSAlex Zinenko llvm::Type *ModuleTranslation::convertType(Type type) {
1054b2ab375dSAlex Zinenko   return typeTranslator.translateType(type);
1055aec38c61SAlex Zinenko }
1056aec38c61SAlex Zinenko 
10578647e4c3SAlex Zinenko /// A helper to look up remapped operands in the value remapping table.
10588647e4c3SAlex Zinenko SmallVector<llvm::Value *> ModuleTranslation::lookupValues(ValueRange values) {
10598647e4c3SAlex Zinenko   SmallVector<llvm::Value *> remapped;
1060efadb6b8SAlex Zinenko   remapped.reserve(values.size());
10610881a4f1SAlex Zinenko   for (Value v : values)
10620881a4f1SAlex Zinenko     remapped.push_back(lookupValue(v));
1063efadb6b8SAlex Zinenko   return remapped;
1064efadb6b8SAlex Zinenko }
1065efadb6b8SAlex Zinenko 
106666900b3eSAlex Zinenko const llvm::DILocation *
106766900b3eSAlex Zinenko ModuleTranslation::translateLoc(Location loc, llvm::DILocalScope *scope) {
106866900b3eSAlex Zinenko   return debugTranslation->translateLoc(loc, scope);
106966900b3eSAlex Zinenko }
107066900b3eSAlex Zinenko 
1071176379e0SAlex Zinenko llvm::NamedMDNode *
1072176379e0SAlex Zinenko ModuleTranslation::getOrInsertNamedModuleMetadata(StringRef name) {
1073176379e0SAlex Zinenko   return llvmModule->getOrInsertNamedMetadata(name);
1074176379e0SAlex Zinenko }
1075176379e0SAlex Zinenko 
107672d013ddSAlex Zinenko void ModuleTranslation::StackFrame::anchor() {}
107772d013ddSAlex Zinenko 
1078ce8f10d6SAlex Zinenko static std::unique_ptr<llvm::Module>
1079ce8f10d6SAlex Zinenko prepareLLVMModule(Operation *m, llvm::LLVMContext &llvmContext,
1080ce8f10d6SAlex Zinenko                   StringRef name) {
1081f9dc2b70SMehdi Amini   m->getContext()->getOrLoadDialect<LLVM::LLVMDialect>();
1082db1c197bSAlex Zinenko   auto llvmModule = std::make_unique<llvm::Module>(name, llvmContext);
1083168213f9SAlex Zinenko   if (auto dataLayoutAttr =
1084*ea998709SAlex Zinenko           m->getAttr(LLVM::LLVMDialect::getDataLayoutAttrName())) {
1085168213f9SAlex Zinenko     llvmModule->setDataLayout(dataLayoutAttr.cast<StringAttr>().getValue());
1086*ea998709SAlex Zinenko   } else {
1087*ea998709SAlex Zinenko     FailureOr<llvm::DataLayout> llvmDataLayout(llvm::DataLayout(""));
1088*ea998709SAlex Zinenko     if (auto iface = dyn_cast<DataLayoutOpInterface>(m)) {
1089*ea998709SAlex Zinenko       if (DataLayoutSpecInterface spec = iface.getDataLayoutSpec()) {
1090*ea998709SAlex Zinenko         llvmDataLayout =
1091*ea998709SAlex Zinenko             translateDataLayout(spec, DataLayout(iface), m->getLoc());
1092*ea998709SAlex Zinenko       }
1093*ea998709SAlex Zinenko     } else if (auto mod = dyn_cast<ModuleOp>(m)) {
1094*ea998709SAlex Zinenko       if (DataLayoutSpecInterface spec = mod.getDataLayoutSpec()) {
1095*ea998709SAlex Zinenko         llvmDataLayout =
1096*ea998709SAlex Zinenko             translateDataLayout(spec, DataLayout(mod), m->getLoc());
1097*ea998709SAlex Zinenko       }
1098*ea998709SAlex Zinenko     }
1099*ea998709SAlex Zinenko     if (failed(llvmDataLayout))
1100*ea998709SAlex Zinenko       return nullptr;
1101*ea998709SAlex Zinenko     llvmModule->setDataLayout(*llvmDataLayout);
1102*ea998709SAlex Zinenko   }
11035dd5a083SNicolas Vasilache   if (auto targetTripleAttr =
11045dd5a083SNicolas Vasilache           m->getAttr(LLVM::LLVMDialect::getTargetTripleAttrName()))
11055dd5a083SNicolas Vasilache     llvmModule->setTargetTriple(targetTripleAttr.cast<StringAttr>().getValue());
11065d7231d8SStephan Herhut 
11075d7231d8SStephan Herhut   // Inject declarations for `malloc` and `free` functions that can be used in
11085d7231d8SStephan Herhut   // memref allocation/deallocation coming from standard ops lowering.
1109db1c197bSAlex Zinenko   llvm::IRBuilder<> builder(llvmContext);
11105d7231d8SStephan Herhut   llvmModule->getOrInsertFunction("malloc", builder.getInt8PtrTy(),
11115d7231d8SStephan Herhut                                   builder.getInt64Ty());
11125d7231d8SStephan Herhut   llvmModule->getOrInsertFunction("free", builder.getVoidTy(),
11135d7231d8SStephan Herhut                                   builder.getInt8PtrTy());
11145d7231d8SStephan Herhut 
11155d7231d8SStephan Herhut   return llvmModule;
11165d7231d8SStephan Herhut }
1117ce8f10d6SAlex Zinenko 
1118ce8f10d6SAlex Zinenko std::unique_ptr<llvm::Module>
1119ce8f10d6SAlex Zinenko mlir::translateModuleToLLVMIR(Operation *module, llvm::LLVMContext &llvmContext,
1120ce8f10d6SAlex Zinenko                               StringRef name) {
1121ce8f10d6SAlex Zinenko   if (!satisfiesLLVMModule(module))
1122ce8f10d6SAlex Zinenko     return nullptr;
1123*ea998709SAlex Zinenko 
1124ce8f10d6SAlex Zinenko   std::unique_ptr<llvm::Module> llvmModule =
1125ce8f10d6SAlex Zinenko       prepareLLVMModule(module, llvmContext, name);
1126*ea998709SAlex Zinenko   if (!llvmModule)
1127*ea998709SAlex Zinenko     return nullptr;
1128ce8f10d6SAlex Zinenko 
1129ce8f10d6SAlex Zinenko   LLVM::ensureDistinctSuccessors(module);
1130ce8f10d6SAlex Zinenko 
1131ce8f10d6SAlex Zinenko   ModuleTranslation translator(module, std::move(llvmModule));
1132ce8f10d6SAlex Zinenko   if (failed(translator.convertFunctionSignatures()))
1133ce8f10d6SAlex Zinenko     return nullptr;
1134ce8f10d6SAlex Zinenko   if (failed(translator.convertGlobals()))
1135ce8f10d6SAlex Zinenko     return nullptr;
11364a2930f4SArpith C. Jacob   if (failed(translator.createAccessGroupMetadata()))
11374a2930f4SArpith C. Jacob     return nullptr;
1138d25e91d7STyler Augustine   if (failed(translator.createAliasScopeMetadata()))
1139d25e91d7STyler Augustine     return nullptr;
1140ce8f10d6SAlex Zinenko   if (failed(translator.convertFunctions()))
1141ce8f10d6SAlex Zinenko     return nullptr;
11428647e4c3SAlex Zinenko 
11438647e4c3SAlex Zinenko   // Convert other top-level operations if possible.
11448647e4c3SAlex Zinenko   llvm::IRBuilder<> llvmBuilder(llvmContext);
11458647e4c3SAlex Zinenko   for (Operation &o : getModuleBody(module).getOperations()) {
114657b9b296SUday Bondhugula     if (!isa<LLVM::LLVMFuncOp, LLVM::GlobalOp, LLVM::GlobalCtorsOp,
114757b9b296SUday Bondhugula              LLVM::GlobalDtorsOp, LLVM::MetadataOp>(&o) &&
11488647e4c3SAlex Zinenko         !o.hasTrait<OpTrait::IsTerminator>() &&
11498647e4c3SAlex Zinenko         failed(translator.convertOperation(o, llvmBuilder))) {
11508647e4c3SAlex Zinenko       return nullptr;
11518647e4c3SAlex Zinenko     }
11528647e4c3SAlex Zinenko   }
11538647e4c3SAlex Zinenko 
1154ce8f10d6SAlex Zinenko   if (llvm::verifyModule(*translator.llvmModule, &llvm::errs()))
1155ce8f10d6SAlex Zinenko     return nullptr;
1156ce8f10d6SAlex Zinenko 
1157ce8f10d6SAlex Zinenko   return std::move(translator.llvmModule);
1158ce8f10d6SAlex Zinenko }
1159