[OpenACC] Implement 'device_type' for 'data' construct
[llvm-project.git] / mlir / lib / Target / SPIRV / Deserialization / Deserializer.h
blob264d580c40f097ae59a6962c287ef09ebb3ca828
1 //===- Deserializer.h - MLIR SPIR-V Deserializer ----------------*- C++ -*-===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 // This file declares the SPIR-V binary to MLIR SPIR-V module deserializer.
11 //===----------------------------------------------------------------------===//
13 #ifndef MLIR_TARGET_SPIRV_DESERIALIZER_H
14 #define MLIR_TARGET_SPIRV_DESERIALIZER_H
16 #include "mlir/Dialect/SPIRV/IR/SPIRVEnums.h"
17 #include "mlir/Dialect/SPIRV/IR/SPIRVOps.h"
18 #include "mlir/IR/Builders.h"
19 #include "llvm/ADT/ArrayRef.h"
20 #include "llvm/ADT/SetVector.h"
21 #include "llvm/ADT/StringRef.h"
22 #include "llvm/Support/ScopedPrinter.h"
23 #include <cstdint>
24 #include <optional>
26 namespace mlir {
27 namespace spirv {
29 //===----------------------------------------------------------------------===//
30 // Utility Definitions
31 //===----------------------------------------------------------------------===//
33 /// A struct for containing a header block's merge and continue targets.
34 ///
35 /// This struct is used to track original structured control flow info from
36 /// SPIR-V blob. This info will be used to create
37 /// spirv.mlir.selection/spirv.mlir.loop later.
38 struct BlockMergeInfo {
39 Block *mergeBlock;
40 Block *continueBlock; // nullptr for spirv.mlir.selection
41 Location loc;
42 uint32_t control; // Selection/loop control
44 BlockMergeInfo(Location location, uint32_t control)
45 : mergeBlock(nullptr), continueBlock(nullptr), loc(location),
46 control(control) {}
47 BlockMergeInfo(Location location, uint32_t control, Block *m,
48 Block *c = nullptr)
49 : mergeBlock(m), continueBlock(c), loc(location), control(control) {}
52 /// A struct for containing OpLine instruction information.
53 struct DebugLine {
54 uint32_t fileID;
55 uint32_t line;
56 uint32_t column;
59 /// Map from a selection/loop's header block to its merge (and continue) target.
60 using BlockMergeInfoMap = DenseMap<Block *, BlockMergeInfo>;
62 /// A "deferred struct type" is a struct type with one or more member types not
63 /// known when the Deserializer first encounters the struct. This happens, for
64 /// example, with recursive structs where a pointer to the struct type is
65 /// forward declared through OpTypeForwardPointer in the SPIR-V module before
66 /// the struct declaration; the actual pointer to struct type should be defined
67 /// later through an OpTypePointer. For example, the following C struct:
68 ///
69 /// struct A {
70 /// A* next;
71 /// };
72 ///
73 /// would be represented in the SPIR-V module as:
74 ///
75 /// OpName %A "A"
76 /// OpTypeForwardPointer %APtr Generic
77 /// %A = OpTypeStruct %APtr
78 /// %APtr = OpTypePointer Generic %A
79 ///
80 /// This means that the spirv::StructType cannot be fully constructed directly
81 /// when the Deserializer encounters it. Instead we create a
82 /// DeferredStructTypeInfo that contains all the information we know about the
83 /// spirv::StructType. Once all forward references for the struct are resolved,
84 /// the struct's body is set with all member info.
85 struct DeferredStructTypeInfo {
86 spirv::StructType deferredStructType;
88 // A list of all unresolved member types for the struct. First element of each
89 // item is operand ID, second element is member index in the struct.
90 SmallVector<std::pair<uint32_t, unsigned>, 0> unresolvedMemberTypes;
92 // The list of member types. For unresolved members, this list contains
93 // place-holder empty types that will be updated later.
94 SmallVector<Type, 4> memberTypes;
95 SmallVector<spirv::StructType::OffsetInfo, 0> offsetInfo;
96 SmallVector<spirv::StructType::MemberDecorationInfo, 0> memberDecorationsInfo;
99 /// A struct that collects the info needed to materialize/emit a
100 /// SpecConstantOperation op.
101 struct SpecConstOperationMaterializationInfo {
102 spirv::Opcode enclodesOpcode;
103 uint32_t resultTypeID;
104 SmallVector<uint32_t> enclosedOpOperands;
107 //===----------------------------------------------------------------------===//
108 // Deserializer Declaration
109 //===----------------------------------------------------------------------===//
111 /// A SPIR-V module serializer.
113 /// A SPIR-V binary module is a single linear stream of instructions; each
114 /// instruction is composed of 32-bit words. The first word of an instruction
115 /// records the total number of words of that instruction using the 16
116 /// higher-order bits. So this deserializer uses that to get instruction
117 /// boundary and parse instructions and build a SPIR-V ModuleOp gradually.
119 // TODO: clean up created ops on errors
120 class Deserializer {
121 public:
122 /// Creates a deserializer for the given SPIR-V `binary` module.
123 /// The SPIR-V ModuleOp will be created into `context.
124 explicit Deserializer(ArrayRef<uint32_t> binary, MLIRContext *context);
126 /// Deserializes the remembered SPIR-V binary module.
127 LogicalResult deserialize();
129 /// Collects the final SPIR-V ModuleOp.
130 OwningOpRef<spirv::ModuleOp> collect();
132 private:
133 //===--------------------------------------------------------------------===//
134 // Module structure
135 //===--------------------------------------------------------------------===//
137 /// Initializes the `module` ModuleOp in this deserializer instance.
138 OwningOpRef<spirv::ModuleOp> createModuleOp();
140 /// Processes SPIR-V module header in `binary`.
141 LogicalResult processHeader();
143 /// Processes the SPIR-V OpCapability with `operands` and updates bookkeeping
144 /// in the deserializer.
145 LogicalResult processCapability(ArrayRef<uint32_t> operands);
147 /// Processes the SPIR-V OpExtension with `operands` and updates bookkeeping
148 /// in the deserializer.
149 LogicalResult processExtension(ArrayRef<uint32_t> words);
151 /// Processes the SPIR-V OpExtInstImport with `operands` and updates
152 /// bookkeeping in the deserializer.
153 LogicalResult processExtInstImport(ArrayRef<uint32_t> words);
155 /// Attaches (version, capabilities, extensions) triple to `module` as an
156 /// attribute.
157 void attachVCETriple();
159 /// Processes the SPIR-V OpMemoryModel with `operands` and updates `module`.
160 LogicalResult processMemoryModel(ArrayRef<uint32_t> operands);
162 /// Process SPIR-V OpName with `operands`.
163 LogicalResult processName(ArrayRef<uint32_t> operands);
165 /// Processes an OpDecorate instruction.
166 LogicalResult processDecoration(ArrayRef<uint32_t> words);
168 // Processes an OpMemberDecorate instruction.
169 LogicalResult processMemberDecoration(ArrayRef<uint32_t> words);
171 /// Processes an OpMemberName instruction.
172 LogicalResult processMemberName(ArrayRef<uint32_t> words);
174 /// Gets the function op associated with a result <id> of OpFunction.
175 spirv::FuncOp getFunction(uint32_t id) { return funcMap.lookup(id); }
177 /// Processes the SPIR-V function at the current `offset` into `binary`.
178 /// The operands to the OpFunction instruction is passed in as ``operands`.
179 /// This method processes each instruction inside the function and dispatches
180 /// them to their handler method accordingly.
181 LogicalResult processFunction(ArrayRef<uint32_t> operands);
183 /// Processes OpFunctionEnd and finalizes function. This wires up block
184 /// argument created from OpPhi instructions and also structurizes control
185 /// flow.
186 LogicalResult processFunctionEnd(ArrayRef<uint32_t> operands);
188 /// Gets the constant's attribute and type associated with the given <id>.
189 std::optional<std::pair<Attribute, Type>> getConstant(uint32_t id);
191 /// Gets the info needed to materialize the spec constant operation op
192 /// associated with the given <id>.
193 std::optional<SpecConstOperationMaterializationInfo>
194 getSpecConstantOperation(uint32_t id);
196 /// Gets the constant's integer attribute with the given <id>. Returns a
197 /// null IntegerAttr if the given is not registered or does not correspond
198 /// to an integer constant.
199 IntegerAttr getConstantInt(uint32_t id);
201 /// Returns a symbol to be used for the function name with the given
202 /// result <id>. This tries to use the function's OpName if
203 /// exists; otherwise creates one based on the <id>.
204 std::string getFunctionSymbol(uint32_t id);
206 /// Returns a symbol to be used for the specialization constant with the given
207 /// result <id>. This tries to use the specialization constant's OpName if
208 /// exists; otherwise creates one based on the <id>.
209 std::string getSpecConstantSymbol(uint32_t id);
211 /// Gets the specialization constant with the given result <id>.
212 spirv::SpecConstantOp getSpecConstant(uint32_t id) {
213 return specConstMap.lookup(id);
216 /// Gets the composite specialization constant with the given result <id>.
217 spirv::SpecConstantCompositeOp getSpecConstantComposite(uint32_t id) {
218 return specConstCompositeMap.lookup(id);
221 /// Creates a spirv::SpecConstantOp.
222 spirv::SpecConstantOp createSpecConstant(Location loc, uint32_t resultID,
223 TypedAttr defaultValue);
225 /// Processes the OpVariable instructions at current `offset` into `binary`.
226 /// It is expected that this method is used for variables that are to be
227 /// defined at module scope and will be deserialized into a
228 /// spirv.GlobalVariable instruction.
229 LogicalResult processGlobalVariable(ArrayRef<uint32_t> operands);
231 /// Gets the global variable associated with a result <id> of OpVariable.
232 spirv::GlobalVariableOp getGlobalVariable(uint32_t id) {
233 return globalVariableMap.lookup(id);
236 /// Sets the function argument's attributes. |argID| is the function
237 /// argument's result <id>, and |argIndex| is its index in the function's
238 /// argument list.
239 LogicalResult setFunctionArgAttrs(uint32_t argID,
240 SmallVectorImpl<Attribute> &argAttrs,
241 size_t argIndex);
243 /// Gets the symbol name from the name of decoration.
244 StringAttr getSymbolDecoration(StringRef decorationName) {
245 auto attrName = llvm::convertToSnakeFromCamelCase(decorationName);
246 return opBuilder.getStringAttr(attrName);
249 //===--------------------------------------------------------------------===//
250 // Type
251 //===--------------------------------------------------------------------===//
253 /// Gets type for a given result <id>.
254 Type getType(uint32_t id) { return typeMap.lookup(id); }
256 /// Get the type associated with the result <id> of an OpUndef.
257 Type getUndefType(uint32_t id) { return undefMap.lookup(id); }
259 /// Returns true if the given `type` is for SPIR-V void type.
260 bool isVoidType(Type type) const { return isa<NoneType>(type); }
262 /// Processes a SPIR-V type instruction with given `opcode` and `operands` and
263 /// registers the type into `module`.
264 LogicalResult processType(spirv::Opcode opcode, ArrayRef<uint32_t> operands);
266 LogicalResult processOpTypePointer(ArrayRef<uint32_t> operands);
268 LogicalResult processArrayType(ArrayRef<uint32_t> operands);
270 LogicalResult processCooperativeMatrixTypeKHR(ArrayRef<uint32_t> operands);
272 LogicalResult processCooperativeMatrixTypeNV(ArrayRef<uint32_t> operands);
274 LogicalResult processFunctionType(ArrayRef<uint32_t> operands);
276 LogicalResult processImageType(ArrayRef<uint32_t> operands);
278 LogicalResult processSampledImageType(ArrayRef<uint32_t> operands);
280 LogicalResult processRuntimeArrayType(ArrayRef<uint32_t> operands);
282 LogicalResult processStructType(ArrayRef<uint32_t> operands);
284 LogicalResult processMatrixType(ArrayRef<uint32_t> operands);
286 LogicalResult processTypeForwardPointer(ArrayRef<uint32_t> operands);
288 //===--------------------------------------------------------------------===//
289 // Constant
290 //===--------------------------------------------------------------------===//
292 /// Processes a SPIR-V Op{|Spec}Constant instruction with the given
293 /// `operands`. `isSpec` indicates whether this is a specialization constant.
294 LogicalResult processConstant(ArrayRef<uint32_t> operands, bool isSpec);
296 /// Processes a SPIR-V Op{|Spec}Constant{True|False} instruction with the
297 /// given `operands`. `isSpec` indicates whether this is a specialization
298 /// constant.
299 LogicalResult processConstantBool(bool isTrue, ArrayRef<uint32_t> operands,
300 bool isSpec);
302 /// Processes a SPIR-V OpConstantComposite instruction with the given
303 /// `operands`.
304 LogicalResult processConstantComposite(ArrayRef<uint32_t> operands);
306 /// Processes a SPIR-V OpSpecConstantComposite instruction with the given
307 /// `operands`.
308 LogicalResult processSpecConstantComposite(ArrayRef<uint32_t> operands);
310 /// Processes a SPIR-V OpSpecConstantOp instruction with the given
311 /// `operands`.
312 LogicalResult processSpecConstantOperation(ArrayRef<uint32_t> operands);
314 /// Materializes/emits an OpSpecConstantOp instruction.
315 Value materializeSpecConstantOperation(uint32_t resultID,
316 spirv::Opcode enclosedOpcode,
317 uint32_t resultTypeID,
318 ArrayRef<uint32_t> enclosedOpOperands);
320 /// Processes a SPIR-V OpConstantNull instruction with the given `operands`.
321 LogicalResult processConstantNull(ArrayRef<uint32_t> operands);
323 //===--------------------------------------------------------------------===//
324 // Debug
325 //===--------------------------------------------------------------------===//
327 /// Discontinues any source-level location information that might be active
328 /// from a previous OpLine instruction.
329 void clearDebugLine();
331 /// Creates a FileLineColLoc with the OpLine location information.
332 Location createFileLineColLoc(OpBuilder opBuilder);
334 /// Processes a SPIR-V OpLine instruction with the given `operands`.
335 LogicalResult processDebugLine(ArrayRef<uint32_t> operands);
337 /// Processes a SPIR-V OpString instruction with the given `operands`.
338 LogicalResult processDebugString(ArrayRef<uint32_t> operands);
340 //===--------------------------------------------------------------------===//
341 // Control flow
342 //===--------------------------------------------------------------------===//
344 /// Returns the block for the given label <id>.
345 Block *getBlock(uint32_t id) const { return blockMap.lookup(id); }
347 // In SPIR-V, structured control flow is explicitly declared using merge
348 // instructions (OpSelectionMerge and OpLoopMerge). In the SPIR-V dialect,
349 // we use spirv.mlir.selection and spirv.mlir.loop to group structured control
350 // flow. The deserializer need to turn structured control flow marked with
351 // merge instructions into using spirv.mlir.selection/spirv.mlir.loop ops.
353 // Because structured control flow can nest and the basic block order have
354 // flexibility, we cannot isolate a structured selection/loop without
355 // deserializing all the blocks. So we use the following approach:
357 // 1. Deserialize all basic blocks in a function and create MLIR blocks for
358 // them into the function's region. In the meanwhile, keep a map between
359 // selection/loop header blocks to their corresponding merge (and continue)
360 // target blocks.
361 // 2. For each selection/loop header block, recursively get all basic blocks
362 // reachable (except the merge block) and put them in a newly created
363 // spirv.mlir.selection/spirv.mlir.loop's region. Structured control flow
364 // guarantees that we enter and exit in structured ways and the construct
365 // is nestable.
366 // 3. Put the new spirv.mlir.selection/spirv.mlir.loop op at the beginning of
367 // the
368 // old merge block and redirect all branches to the old header block to the
369 // old merge block (which contains the spirv.mlir.selection/spirv.mlir.loop
370 // op now).
372 /// For OpPhi instructions, we use block arguments to represent them. OpPhi
373 /// encodes a list of (value, predecessor) pairs. At the time of handling the
374 /// block containing an OpPhi instruction, the predecessor block might not be
375 /// processed yet, also the value sent by it. So we need to defer handling
376 /// the block argument from the predecessors. We use the following approach:
378 /// 1. For each OpPhi instruction, add a block argument to the current block
379 /// in construction. Record the block argument in `valueMap` so its uses
380 /// can be resolved. For the list of (value, predecessor) pairs, update
381 /// `blockPhiInfo` for bookkeeping.
382 /// 2. After processing all blocks, loop over `blockPhiInfo` to fix up each
383 /// block recorded there to create the proper block arguments on their
384 /// terminators.
386 /// A data structure for containing a SPIR-V block's phi info. It will be
387 /// represented as block argument in SPIR-V dialect.
388 using BlockPhiInfo =
389 SmallVector<uint32_t, 2>; // The result <id> of the values sent
391 /// Gets or creates the block corresponding to the given label <id>. The newly
392 /// created block will always be placed at the end of the current function.
393 Block *getOrCreateBlock(uint32_t id);
395 LogicalResult processBranch(ArrayRef<uint32_t> operands);
397 LogicalResult processBranchConditional(ArrayRef<uint32_t> operands);
399 /// Processes a SPIR-V OpLabel instruction with the given `operands`.
400 LogicalResult processLabel(ArrayRef<uint32_t> operands);
402 /// Processes a SPIR-V OpSelectionMerge instruction with the given `operands`.
403 LogicalResult processSelectionMerge(ArrayRef<uint32_t> operands);
405 /// Processes a SPIR-V OpLoopMerge instruction with the given `operands`.
406 LogicalResult processLoopMerge(ArrayRef<uint32_t> operands);
408 /// Processes a SPIR-V OpPhi instruction with the given `operands`.
409 LogicalResult processPhi(ArrayRef<uint32_t> operands);
411 /// Creates block arguments on predecessors previously recorded when handling
412 /// OpPhi instructions.
413 LogicalResult wireUpBlockArgument();
415 /// Extracts blocks belonging to a structured selection/loop into a
416 /// spirv.mlir.selection/spirv.mlir.loop op. This method iterates until all
417 /// blocks declared as selection/loop headers are handled.
418 LogicalResult structurizeControlFlow();
420 //===--------------------------------------------------------------------===//
421 // Instruction
422 //===--------------------------------------------------------------------===//
424 /// Get the Value associated with a result <id>.
426 /// This method materializes normal constants and inserts "casting" ops
427 /// (`spirv.mlir.addressof` and `spirv.mlir.referenceof`) to turn an symbol
428 /// into a SSA value for handling uses of module scope constants/variables in
429 /// functions.
430 Value getValue(uint32_t id);
432 /// Slices the first instruction out of `binary` and returns its opcode and
433 /// operands via `opcode` and `operands` respectively. Returns failure if
434 /// there is no more remaining instructions (`expectedOpcode` will be used to
435 /// compose the error message) or the next instruction is malformed.
436 LogicalResult
437 sliceInstruction(spirv::Opcode &opcode, ArrayRef<uint32_t> &operands,
438 std::optional<spirv::Opcode> expectedOpcode = std::nullopt);
440 /// Processes a SPIR-V instruction with the given `opcode` and `operands`.
441 /// This method is the main entrance for handling SPIR-V instruction; it
442 /// checks the instruction opcode and dispatches to the corresponding handler.
443 /// Processing of Some instructions (like OpEntryPoint and OpExecutionMode)
444 /// might need to be deferred, since they contain forward references to <id>s
445 /// in the deserialized binary, but module in SPIR-V dialect expects these to
446 /// be ssa-uses.
447 LogicalResult processInstruction(spirv::Opcode opcode,
448 ArrayRef<uint32_t> operands,
449 bool deferInstructions = true);
451 /// Processes a SPIR-V instruction from the given `operands`. It should
452 /// deserialize into an op with the given `opName` and `numOperands`.
453 /// This method is a generic one for dispatching any SPIR-V ops without
454 /// variadic operands and attributes in TableGen definitions.
455 LogicalResult processOpWithoutGrammarAttr(ArrayRef<uint32_t> words,
456 StringRef opName, bool hasResult,
457 unsigned numOperands);
459 /// Processes a OpUndef instruction. Adds a spirv.Undef operation at the
460 /// current insertion point.
461 LogicalResult processUndef(ArrayRef<uint32_t> operands);
463 /// Method to dispatch to the specialized deserialization function for an
464 /// operation in SPIR-V dialect that is a mirror of an instruction in the
465 /// SPIR-V spec. This is auto-generated from ODS. Dispatch is handled for
466 /// all operations in SPIR-V dialect that have hasOpcode == 1.
467 LogicalResult dispatchToAutogenDeserialization(spirv::Opcode opcode,
468 ArrayRef<uint32_t> words);
470 /// Processes a SPIR-V OpExtInst with given `operands`. This slices the
471 /// entries of `operands` that specify the extended instruction set <id> and
472 /// the instruction opcode. The op deserializer is then invoked using the
473 /// other entries.
474 LogicalResult processExtInst(ArrayRef<uint32_t> operands);
476 /// Dispatches the deserialization of extended instruction set operation based
477 /// on the extended instruction set name, and instruction opcode. This is
478 /// autogenerated from ODS.
479 LogicalResult
480 dispatchToExtensionSetAutogenDeserialization(StringRef extensionSetName,
481 uint32_t instructionID,
482 ArrayRef<uint32_t> words);
484 /// Method to deserialize an operation in the SPIR-V dialect that is a mirror
485 /// of an instruction in the SPIR-V spec. This is auto generated if hasOpcode
486 /// == 1 and autogenSerialization == 1 in ODS.
487 template <typename OpTy>
488 LogicalResult processOp(ArrayRef<uint32_t> words) {
489 return emitError(unknownLoc, "unsupported deserialization for ")
490 << OpTy::getOperationName() << " op";
493 private:
494 /// The SPIR-V binary module.
495 ArrayRef<uint32_t> binary;
497 /// Contains the data of the OpLine instruction which precedes the current
498 /// processing instruction.
499 std::optional<DebugLine> debugLine;
501 /// The current word offset into the binary module.
502 unsigned curOffset = 0;
504 /// MLIRContext to create SPIR-V ModuleOp into.
505 MLIRContext *context;
507 // TODO: create Location subclass for binary blob
508 Location unknownLoc;
510 /// The SPIR-V ModuleOp.
511 OwningOpRef<spirv::ModuleOp> module;
513 /// The current function under construction.
514 std::optional<spirv::FuncOp> curFunction;
516 /// The current block under construction.
517 Block *curBlock = nullptr;
519 OpBuilder opBuilder;
521 spirv::Version version = spirv::Version::V_1_0;
523 /// The list of capabilities used by the module.
524 llvm::SmallSetVector<spirv::Capability, 4> capabilities;
526 /// The list of extensions used by the module.
527 llvm::SmallSetVector<spirv::Extension, 2> extensions;
529 // Result <id> to type mapping.
530 DenseMap<uint32_t, Type> typeMap;
532 // Result <id> to constant attribute and type mapping.
534 /// In the SPIR-V binary format, all constants are placed in the module and
535 /// shared by instructions at module level and in subsequent functions. But in
536 /// the SPIR-V dialect, we materialize the constant to where it's used in the
537 /// function. So when seeing a constant instruction in the binary format, we
538 /// don't immediately emit a constant op into the module, we keep its value
539 /// (and type) here. Later when it's used, we materialize the constant.
540 DenseMap<uint32_t, std::pair<Attribute, Type>> constantMap;
542 // Result <id> to spec constant mapping.
543 DenseMap<uint32_t, spirv::SpecConstantOp> specConstMap;
545 // Result <id> to composite spec constant mapping.
546 DenseMap<uint32_t, spirv::SpecConstantCompositeOp> specConstCompositeMap;
548 /// Result <id> to info needed to materialize an OpSpecConstantOp
549 /// mapping.
550 DenseMap<uint32_t, SpecConstOperationMaterializationInfo>
551 specConstOperationMap;
553 // Result <id> to variable mapping.
554 DenseMap<uint32_t, spirv::GlobalVariableOp> globalVariableMap;
556 // Result <id> to function mapping.
557 DenseMap<uint32_t, spirv::FuncOp> funcMap;
559 // Result <id> to block mapping.
560 DenseMap<uint32_t, Block *> blockMap;
562 // Header block to its merge (and continue) target mapping.
563 BlockMergeInfoMap blockMergeInfo;
565 // For each pair of {predecessor, target} blocks, maps the pair of blocks to
566 // the list of phi arguments passed from predecessor to target.
567 DenseMap<std::pair<Block * /*predecessor*/, Block * /*target*/>, BlockPhiInfo>
568 blockPhiInfo;
570 // Result <id> to value mapping.
571 DenseMap<uint32_t, Value> valueMap;
573 // Mapping from result <id> to undef value of a type.
574 DenseMap<uint32_t, Type> undefMap;
576 // Result <id> to name mapping.
577 DenseMap<uint32_t, StringRef> nameMap;
579 // Result <id> to debug info mapping.
580 DenseMap<uint32_t, StringRef> debugInfoMap;
582 // Result <id> to decorations mapping.
583 DenseMap<uint32_t, NamedAttrList> decorations;
585 // Result <id> to type decorations.
586 DenseMap<uint32_t, uint32_t> typeDecorations;
588 // Result <id> to member decorations.
589 // decorated-struct-type-<id> ->
590 // (struct-member-index -> (decoration -> decoration-operands))
591 DenseMap<uint32_t,
592 DenseMap<uint32_t, DenseMap<spirv::Decoration, ArrayRef<uint32_t>>>>
593 memberDecorationMap;
595 // Result <id> to member name.
596 // struct-type-<id> -> (struct-member-index -> name)
597 DenseMap<uint32_t, DenseMap<uint32_t, StringRef>> memberNameMap;
599 // Result <id> to extended instruction set name.
600 DenseMap<uint32_t, StringRef> extendedInstSets;
602 // List of instructions that are processed in a deferred fashion (after an
603 // initial processing of the entire binary). Some operations like
604 // OpEntryPoint, and OpExecutionMode use forward references to function
605 // <id>s. In SPIR-V dialect the corresponding operations (spirv.EntryPoint and
606 // spirv.ExecutionMode) need these references resolved. So these instructions
607 // are deserialized and stored for processing once the entire binary is
608 // processed.
609 SmallVector<std::pair<spirv::Opcode, ArrayRef<uint32_t>>, 4>
610 deferredInstructions;
612 /// A list of IDs for all types forward-declared through OpTypeForwardPointer
613 /// instructions.
614 SetVector<uint32_t> typeForwardPointerIDs;
616 /// A list of all structs which have unresolved member types.
617 SmallVector<DeferredStructTypeInfo, 0> deferredStructTypesInfos;
619 #ifndef NDEBUG
620 /// A logger used to emit information during the deserialzation process.
621 llvm::ScopedPrinter logger;
622 #endif
625 } // namespace spirv
626 } // namespace mlir
628 #endif // MLIR_TARGET_SPIRV_DESERIALIZER_H