LLVM 22.0.0git
MIR2Vec.h
Go to the documentation of this file.
1//===- MIR2Vec.h - Implementation of MIR2Vec ------------------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM
4// Exceptions. See the LICENSE file for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8///
9/// \file
10/// This file defines the MIR2Vec framework for generating Machine IR
11/// embeddings.
12///
13/// Design Overview:
14/// ----------------------
15/// 1. MIR2VecVocabProvider - Core vocabulary loading logic (no PM dependency)
16/// - Can be used standalone or wrapped by the pass manager
17/// - Requires MachineModuleInfo with parsed machine functions
18///
19/// 2. MIR2VecVocabLegacyAnalysis - Pass manager wrapper (ImmutablePass)
20/// - Integrated and used by llc -print-mir2vec
21///
22/// 3. MIREmbedder - Generates embeddings from vocabulary
23/// - SymbolicMIREmbedder: MIR2Vec embedding implementation
24///
25/// MIR2Vec extends IR2Vec to support Machine IR embeddings. It represents the
26/// LLVM Machine IR as embeddings which can be used as input to machine learning
27/// algorithms.
28///
29/// The original idea of MIR2Vec is described in the following paper:
30///
31/// RL4ReAl: Reinforcement Learning for Register Allocation. S. VenkataKeerthy,
32/// Siddharth Jain, Anilava Kundu, Rohit Aggarwal, Albert Cohen, and Ramakrishna
33/// Upadrasta. 2023. RL4ReAl: Reinforcement Learning for Register Allocation.
34/// Proceedings of the 32nd ACM SIGPLAN International Conference on Compiler
35/// Construction (CC 2023). https://doi.org/10.1145/3578360.3580273.
36/// https://arxiv.org/abs/2204.02013
37///
38//===----------------------------------------------------------------------===//
39
40#ifndef LLVM_CODEGEN_MIR2VEC_H
41#define LLVM_CODEGEN_MIR2VEC_H
42
51#include "llvm/IR/PassManager.h"
52#include "llvm/Pass.h"
54#include "llvm/Support/Error.h"
56#include <map>
57#include <set>
58#include <string>
59
60namespace llvm {
61
62class Module;
63class raw_ostream;
64class LLVMContext;
66class TargetInstrInfo;
67
68enum class MIR2VecKind { Symbolic };
69
70namespace mir2vec {
71
72// Forward declarations
73class MIREmbedder;
75
78
83
84/// Class for storing and accessing the MIR2Vec vocabulary.
85/// The MIRVocabulary class manages seed embeddings for LLVM Machine IR
88 using VocabMap = std::map<std::string, ir2vec::Embedding>;
89
90 // MIRVocabulary Layout:
91 // +-------------------+-----------------------------------------------------+
92 // | Entity Type | Description |
93 // +-------------------+-----------------------------------------------------+
94 // | 1. Opcodes | Target specific opcodes derived from TII, grouped |
95 // | | by instruction semantics. |
96 // | 2. Common Operands| All common operand types, except register operands, |
97 // | | defined by MachineOperand::MachineOperandType enum. |
98 // | 3. Physical | Register classes defined by the target, specialized |
99 // | Reg classes | by physical registers. |
100 // | 4. Virtual | Register classes defined by the target, specialized |
101 // | Reg classes | by virtual and physical registers. |
102 // +-------------------+-----------------------------------------------------+
103
104 /// Layout information for the MIR vocabulary. Defines the starting index
105 /// and size of each section in the vocabulary.
106 struct {
107 size_t OpcodeBase = 0;
109 size_t PhyRegBase = 0;
110 size_t VirtRegBase = 0;
111 size_t TotalEntries = 0;
112 } Layout;
113
114 // TODO: See if we can have only one reg classes section instead of physical
115 // and virtual separate sections in the vocabulary. This would reduce the
116 // number of vocabulary entities significantly.
117 // We can potentially distinguish physical and virtual registers by
118 // considering them as a separate feature.
119 enum class Section : unsigned {
120 Opcodes = 0,
121 CommonOperands = 1,
122 PhyRegisters = 2,
123 VirtRegisters = 3,
124 MaxSections
125 };
126
127 ir2vec::VocabStorage Storage;
128 std::set<std::string> UniqueBaseOpcodeNames;
129 SmallVector<std::string, 24> RegisterOperandNames;
130
131 // Some instructions have optional register operands that may be NoRegister.
132 // We return a zero vector in such cases.
133 Embedding ZeroEmbedding;
134
135 // We have specialized MO_Register handling in the Register operand section,
136 // so we don't include it here. Also, no MO_DbgInstrRef for now.
137 static constexpr StringLiteral CommonOperandNames[] = {
138 "Immediate", "CImmediate", "FPImmediate", "MBB",
139 "FrameIndex", "ConstantPoolIndex", "TargetIndex", "JumpTableIndex",
140 "ExternalSymbol", "GlobalAddress", "BlockAddress", "RegisterMask",
141 "RegisterLiveOut", "Metadata", "MCSymbol", "CFIIndex",
142 "IntrinsicID", "Predicate", "ShuffleMask"};
143 static_assert(std::size(CommonOperandNames) == MachineOperand::MO_Last - 1 &&
144 "Common operand names size changed, update accordingly");
145
146 const TargetInstrInfo &TII;
147 const TargetRegisterInfo &TRI;
148 const MachineRegisterInfo &MRI;
149
150 void generateStorage(const VocabMap &OpcodeMap,
151 const VocabMap &CommonOperandMap,
152 const VocabMap &PhyRegMap, const VocabMap &VirtRegMap);
153 void buildCanonicalOpcodeMapping();
154 void buildRegisterOperandMapping();
155
156 /// Get canonical index for a machine opcode
157 unsigned getCanonicalOpcodeIndex(unsigned Opcode) const;
158
159 /// Get index for a common (non-register) machine operand
160 unsigned
161 getCommonOperandIndex(MachineOperand::MachineOperandType OperandType) const;
162
163 /// Get index for a register machine operand
164 unsigned getRegisterOperandIndex(Register Reg) const;
165
166 // Accessors for operand types
167 const Embedding &
168 operator[](MachineOperand::MachineOperandType OperandType) const {
169 unsigned LocalIndex = getCommonOperandIndex(OperandType);
170 return Storage[static_cast<unsigned>(Section::CommonOperands)][LocalIndex];
171 }
172
173 const Embedding &operator[](Register Reg) const {
174 // Reg is sometimes NoRegister (0) for optional operands. We return a zero
175 // vector in this case.
176 if (!Reg.isValid())
177 return ZeroEmbedding;
178 // TODO: Implement proper stack slot handling for MIR2Vec embeddings.
179 // Stack slots represent frame indices and should have their own
180 // embedding strategy rather than defaulting to register class 0.
181 // Consider: 1) Separate vocabulary section for stack slots
182 // 2) Stack slot size/alignment based embeddings
183 // 3) Frame index based categorization
184 if (Reg.isStack())
185 return ZeroEmbedding;
186
187 unsigned LocalIndex = getRegisterOperandIndex(Reg);
188 auto SectionID =
189 Reg.isPhysical() ? Section::PhyRegisters : Section::VirtRegisters;
190 return Storage[static_cast<unsigned>(SectionID)][LocalIndex];
191 }
192
193 /// Get entity ID (flat index) for a common operand type
194 /// This is used for triplet generation
195 unsigned getEntityIDForCommonOperand(
196 MachineOperand::MachineOperandType OperandType) const {
197 return Layout.CommonOperandBase + getCommonOperandIndex(OperandType);
198 }
199
200 /// Get entity ID (flat index) for a register
201 /// This is used for triplet generation
202 unsigned getEntityIDForRegister(Register Reg) const {
203 if (!Reg.isValid() || Reg.isStack())
204 return Layout
205 .VirtRegBase; // Return VirtRegBase for invalid/stack registers
206 unsigned LocalIndex = getRegisterOperandIndex(Reg);
207 size_t BaseOffset =
208 Reg.isPhysical() ? Layout.PhyRegBase : Layout.VirtRegBase;
209 return BaseOffset + LocalIndex;
210 }
211
212public:
213 /// Static method for extracting base opcode names (public for testing)
214 static std::string extractBaseOpcodeName(StringRef InstrName);
215
216 /// Get indices from opcode or operand names. These are public for testing.
217 /// String based lookups are inefficient and should be avoided in general.
218 unsigned getCanonicalIndexForBaseName(StringRef BaseName) const;
219 unsigned getCanonicalIndexForOperandName(StringRef OperandName) const;
221 bool IsPhysical = true) const;
222
223 /// Get the string key for a vocabulary entry at the given position
224 std::string getStringKey(unsigned Pos) const;
225
226 unsigned getDimension() const { return Storage.getDimension(); }
227
228 /// Get entity ID (flat index) for an opcode
229 /// This is used for triplet generation
230 unsigned getEntityIDForOpcode(unsigned Opcode) const {
231 return Layout.OpcodeBase + getCanonicalOpcodeIndex(Opcode);
232 }
233
234 /// Get entity ID (flat index) for a machine operand
235 /// This is used for triplet generation
238 return getEntityIDForRegister(MO.getReg());
239 return getEntityIDForCommonOperand(MO.getType());
240 }
241
242 // Accessor methods
243 const Embedding &operator[](unsigned Opcode) const {
244 unsigned LocalIndex = getCanonicalOpcodeIndex(Opcode);
245 return Storage[static_cast<unsigned>(Section::Opcodes)][LocalIndex];
246 }
247
248 const Embedding &operator[](MachineOperand Operand) const {
249 auto OperandType = Operand.getType();
250 if (OperandType == MachineOperand::MO_Register)
251 return operator[](Operand.getReg());
252 else
253 return operator[](OperandType);
254 }
255
256 // Iterator access
258 const_iterator begin() const { return Storage.begin(); }
259
260 const_iterator end() const { return Storage.end(); }
261
262 MIRVocabulary() = delete;
263
264 /// Factory method to create MIRVocabulary from vocabulary map
266 create(VocabMap &&OpcMap, VocabMap &&CommonOperandsMap, VocabMap &&PhyRegMap,
267 VocabMap &&VirtRegMap, const TargetInstrInfo &TII,
268 const TargetRegisterInfo &TRI, const MachineRegisterInfo &MRI);
269
270 /// Create a dummy vocabulary for testing purposes.
273 const TargetRegisterInfo &TRI,
274 const MachineRegisterInfo &MRI, unsigned Dim = 1);
275
276 /// Total number of entries in the vocabulary
277 size_t getCanonicalSize() const { return Storage.size(); }
278
279private:
280 MIRVocabulary(VocabMap &&OpcMap, VocabMap &&CommonOperandsMap,
281 VocabMap &&PhyRegMap, VocabMap &&VirtRegMap,
283 const MachineRegisterInfo &MRI);
284};
285
286/// Base class for MIR embedders
288protected:
291
292 /// Dimension of the embeddings; Captured from the vocabulary
293 const unsigned Dimension;
294
295 /// Weight for opcode embeddings
297
303
304 /// Function to compute embeddings.
306
307 /// Function to compute the embedding for a given machine basic block.
309
310 /// Function to compute the embedding for a given machine instruction.
311 /// Specific to the kind of embeddings being computed.
312 virtual Embedding computeEmbeddings(const MachineInstr &MI) const = 0;
313
314public:
315 virtual ~MIREmbedder() = default;
316
317 /// Factory method to create an Embedder object of the specified kind
318 /// Returns nullptr if the requested kind is not supported.
319 static std::unique_ptr<MIREmbedder> create(MIR2VecKind Mode,
320 const MachineFunction &MF,
321 const MIRVocabulary &Vocab);
322
323 /// Computes and returns the embedding for a given machine instruction MI in
324 /// the machine function MF.
326 return computeEmbeddings(MI);
327 }
328
329 /// Computes and returns the embedding for a given machine basic block in the
330 /// machine function MF.
334
335 /// Computes and returns the embedding for the current machine function.
337 // Currently, we always (re)compute the embeddings for the function. This is
338 // cheaper than caching the vector.
339 return computeEmbeddings();
340 }
341};
342
343/// Class for computing Symbolic embeddings
344/// Symbolic embeddings are constructed based on the entity-level
345/// representations obtained from the MIR Vocabulary.
347private:
348 Embedding computeEmbeddings(const MachineInstr &MI) const override;
349
350public:
352 static std::unique_ptr<SymbolicMIREmbedder>
354};
355
356} // namespace mir2vec
357
358/// MIR2Vec vocabulary provider used by pass managers and standalone tools.
359/// This class encapsulates the core vocabulary loading logic and can be used
360/// independently of the pass manager infrastructure. For pass-based usage,
361/// see MIR2VecVocabLegacyAnalysis.
362///
363/// Note: This provider pattern makes new PM migration straightforward when
364/// needed. A new PM analysis wrapper can be added that delegates to this
365/// provider, similar to how MIR2VecVocabLegacyAnalysis currently wraps it.
367 using VocabMap = std::map<std::string, mir2vec::Embedding>;
368
369public:
370 MIR2VecVocabProvider(const MachineModuleInfo &MMI) : MMI(MMI) {}
371
373
374private:
375 Error readVocabulary(VocabMap &OpcVocab, VocabMap &CommonOperandVocab,
376 VocabMap &PhyRegVocabMap, VocabMap &VirtRegVocabMap);
377 const MachineModuleInfo &MMI;
378};
379
380/// Pass to analyze and populate MIR2Vec vocabulary from a module
382 using VocabVector = std::vector<mir2vec::Embedding>;
383 using VocabMap = std::map<std::string, mir2vec::Embedding>;
384
385 StringRef getPassName() const override;
386
387protected:
388 void getAnalysisUsage(AnalysisUsage &AU) const override {
390 AU.setPreservesAll();
391 }
392 std::unique_ptr<MIR2VecVocabProvider> Provider;
393
394public:
395 static char ID;
397
399 MachineModuleInfo &MMI =
401 if (!Provider)
402 Provider = std::make_unique<MIR2VecVocabProvider>(MMI);
403 return Provider->getVocabulary(M);
404 }
405
407 assert(Provider && "Provider not initialized");
408 return *Provider;
409 }
410};
411
412/// This pass prints the embeddings in the MIR2Vec vocabulary
414 raw_ostream &OS;
415
416public:
417 static char ID;
420
421 bool runOnMachineFunction(MachineFunction &MF) override;
422 bool doFinalization(Module &M) override;
428
429 StringRef getPassName() const override {
430 return "MIR2Vec Vocabulary Printer Pass";
431 }
432};
433
434/// This pass prints the MIR2Vec embeddings for machine functions, basic blocks,
435/// and instructions
437 raw_ostream &OS;
438
439public:
440 static char ID;
443
444 bool runOnMachineFunction(MachineFunction &MF) override;
450
451 StringRef getPassName() const override {
452 return "MIR2Vec Embedder Printer Pass";
453 }
454};
455
456/// Create a machine pass that prints MIR2Vec embeddings
457MachineFunctionPass *createMIR2VecPrinterLegacyPass(raw_ostream &OS);
458
459} // namespace llvm
460
461#endif // LLVM_CODEGEN_MIR2VEC_H
unsigned const MachineRegisterInfo * MRI
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock & MBB
Provides ErrorOr<T> smart pointer.
const HexagonInstrInfo * TII
This file defines the IR2Vec vocabulary analysis(IR2VecVocabAnalysis), the core ir2vec::Embedder inte...
IRTranslator LLVM IR MI
This header defines various interfaces for pass management in LLVM.
#define RegName(no)
#define F(x, y, z)
Definition MD5.cpp:55
Register Reg
Register const TargetRegisterInfo * TRI
Promote Memory to Register
Definition Mem2Reg.cpp:110
static cl::opt< RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode > Mode("regalloc-enable-advisor", cl::Hidden, cl::init(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Default), cl::desc("Enable regalloc advisor mode"), cl::values(clEnumValN(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Default, "default", "Default"), clEnumValN(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Release, "release", "precompiled"), clEnumValN(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Development, "development", "for training")))
Represent the analysis usage information of a pass.
AnalysisUsage & addRequired()
void setPreservesAll()
Set by analyses that do not transform their input at all.
Lightweight error class with error context and mandatory checking.
Definition Error.h:159
Tagged union holding either a T or a Error.
Definition Error.h:485
ImmutablePass(char &pid)
Definition Pass.h:287
This is an important class for using LLVM in a threaded context.
Definition LLVMContext.h:68
MIR2VecPrinterLegacyPass(raw_ostream &OS)
Definition MIR2Vec.h:441
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - Subclasses that override getAnalysisUsage must call this.
Definition MIR2Vec.h:445
bool runOnMachineFunction(MachineFunction &MF) override
runOnMachineFunction - This method must be overloaded to perform the desired machine code transformat...
Definition MIR2Vec.cpp:632
StringRef getPassName() const override
getPassName - Return a nice clean name for a pass.
Definition MIR2Vec.h:451
Pass to analyze and populate MIR2Vec vocabulary from a module.
Definition MIR2Vec.h:381
MIR2VecVocabProvider & getProvider()
Definition MIR2Vec.h:406
Expected< mir2vec::MIRVocabulary > getMIR2VecVocabulary(const Module &M)
Definition MIR2Vec.h:398
std::unique_ptr< MIR2VecVocabProvider > Provider
Definition MIR2Vec.h:392
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - This function should be overriden by passes that need analysis information to do t...
Definition MIR2Vec.h:388
StringRef getPassName() const override
getPassName - Return a nice clean name for a pass.
Definition MIR2Vec.h:429
bool doFinalization(Module &M) override
doFinalization - Virtual method overriden by subclasses to do any necessary clean up after all passes...
Definition MIR2Vec.cpp:599
bool runOnMachineFunction(MachineFunction &MF) override
runOnMachineFunction - This method must be overloaded to perform the desired machine code transformat...
Definition MIR2Vec.cpp:595
MIR2VecVocabPrinterLegacyPass(raw_ostream &OS)
Definition MIR2Vec.h:418
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - Subclasses that override getAnalysisUsage must call this.
Definition MIR2Vec.h:423
MIR2Vec vocabulary provider used by pass managers and standalone tools.
Definition MIR2Vec.h:366
MIR2VecVocabProvider(const MachineModuleInfo &MMI)
Definition MIR2Vec.h:370
Expected< mir2vec::MIRVocabulary > getVocabulary(const Module &M)
Definition MIR2Vec.cpp:424
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - Subclasses that override getAnalysisUsage must call this.
Representation of each machine instruction.
This class contains meta information specific to a module.
MachineOperand class - Representation of each machine instruction operand.
MachineOperandType getType() const
getType - Returns the MachineOperandType for this operand.
Register getReg() const
getReg - Returns the register number.
@ MO_Register
Register operand.
MachineRegisterInfo - Keep track of information for virtual and physical registers,...
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
AnalysisType & getAnalysis() const
getAnalysis<AnalysisType>() - This function is used by subclasses to get to the analysis information ...
virtual StringRef getPassName() const
getPassName - Return a nice clean name for a pass.
Definition Pass.cpp:85
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
A wrapper around a string literal that serves as a proxy for constructing global tables of StringRefs...
Definition StringRef.h:854
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
TargetInstrInfo - Interface to description of machine instruction set.
TargetRegisterInfo base class - We assume that the target defines a static array of TargetRegisterDes...
Iterator support for section-based access.
Definition IR2Vec.h:196
Generic storage class for section-based vocabularies.
Definition IR2Vec.h:151
Base class for MIR embedders.
Definition MIR2Vec.h:287
const unsigned Dimension
Dimension of the embeddings; Captured from the vocabulary.
Definition MIR2Vec.h:293
Embedding getMFunctionVector() const
Computes and returns the embedding for the current machine function.
Definition MIR2Vec.h:336
const MIRVocabulary & Vocab
Definition MIR2Vec.h:290
Embedding getMInstVector(const MachineInstr &MI) const
Computes and returns the embedding for a given machine instruction MI in the machine function MF.
Definition MIR2Vec.h:325
virtual Embedding computeEmbeddings(const MachineInstr &MI) const =0
Function to compute the embedding for a given machine instruction.
Embedding getMBBVector(const MachineBasicBlock &MBB) const
Computes and returns the embedding for a given machine basic block in the machine function MF.
Definition MIR2Vec.h:331
const float RegOperandWeight
Definition MIR2Vec.h:296
MIREmbedder(const MachineFunction &MF, const MIRVocabulary &Vocab)
Definition MIR2Vec.h:298
const float CommonOperandWeight
Definition MIR2Vec.h:296
Embedding computeEmbeddings() const
Function to compute embeddings.
Definition MIR2Vec.cpp:549
const float OpcWeight
Weight for opcode embeddings.
Definition MIR2Vec.h:296
const MachineFunction & MF
Definition MIR2Vec.h:289
virtual ~MIREmbedder()=default
static std::unique_ptr< MIREmbedder > create(MIR2VecKind Mode, const MachineFunction &MF, const MIRVocabulary &Vocab)
Factory method to create an Embedder object of the specified kind Returns nullptr if the requested ki...
Definition MIR2Vec.cpp:516
Class for storing and accessing the MIR2Vec vocabulary.
Definition MIR2Vec.h:86
unsigned getDimension() const
Definition MIR2Vec.h:226
unsigned getEntityIDForOpcode(unsigned Opcode) const
Get entity ID (flat index) for an opcode This is used for triplet generation.
Definition MIR2Vec.h:230
const_iterator end() const
Definition MIR2Vec.h:260
unsigned getCanonicalIndexForOperandName(StringRef OperandName) const
Definition MIR2Vec.cpp:159
const Embedding & operator[](MachineOperand Operand) const
Definition MIR2Vec.h:248
unsigned getCanonicalIndexForRegisterClass(StringRef RegName, bool IsPhysical=true) const
Definition MIR2Vec.cpp:169
static Expected< MIRVocabulary > create(VocabMap &&OpcMap, VocabMap &&CommonOperandsMap, VocabMap &&PhyRegMap, VocabMap &&VirtRegMap, const TargetInstrInfo &TII, const TargetRegisterInfo &TRI, const MachineRegisterInfo &MRI)
Factory method to create MIRVocabulary from vocabulary map.
Definition MIR2Vec.cpp:93
static std::string extractBaseOpcodeName(StringRef InstrName)
Static method for extracting base opcode names (public for testing)
Definition MIR2Vec.cpp:114
ir2vec::VocabStorage::const_iterator const_iterator
Definition MIR2Vec.h:257
const_iterator begin() const
Definition MIR2Vec.h:258
const Embedding & operator[](unsigned Opcode) const
Definition MIR2Vec.h:243
size_t getCanonicalSize() const
Total number of entries in the vocabulary.
Definition MIR2Vec.h:277
static Expected< MIRVocabulary > createDummyVocabForTest(const TargetInstrInfo &TII, const TargetRegisterInfo &TRI, const MachineRegisterInfo &MRI, unsigned Dim=1)
Create a dummy vocabulary for testing purposes.
Definition MIR2Vec.cpp:377
unsigned getEntityIDForMachineOperand(const MachineOperand &MO) const
Get entity ID (flat index) for a machine operand This is used for triplet generation.
Definition MIR2Vec.h:236
std::string getStringKey(unsigned Pos) const
Get the string key for a vocabulary entry at the given position.
Definition MIR2Vec.cpp:179
unsigned getCanonicalIndexForBaseName(StringRef BaseName) const
Get indices from opcode or operand names.
Definition MIR2Vec.cpp:144
Class for computing Symbolic embeddings Symbolic embeddings are constructed based on the entity-level...
Definition MIR2Vec.h:346
static std::unique_ptr< SymbolicMIREmbedder > create(const MachineFunction &MF, const MIRVocabulary &Vocab)
Definition MIR2Vec.cpp:563
SymbolicMIREmbedder(const MachineFunction &F, const MIRVocabulary &Vocab)
Definition MIR2Vec.cpp:558
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
DenseMap< const MachineInstr *, Embedding > MachineInstEmbeddingsMap
Definition MIR2Vec.h:80
llvm::cl::OptionCategory MIR2VecCategory
cl::opt< float > OpcWeight
cl::opt< float > RegOperandWeight
Definition MIR2Vec.h:77
ir2vec::Embedding Embedding
Definition MIR2Vec.h:79
DenseMap< const MachineBasicBlock *, Embedding > MachineBlockEmbeddingsMap
Definition MIR2Vec.h:81
cl::opt< float > CommonOperandWeight
Definition MIR2Vec.h:77
This is an optimization pass for GlobalISel generic memory operations.
MachineFunctionPass * createMIR2VecPrinterLegacyPass(raw_ostream &OS)
Create a machine pass that prints MIR2Vec embeddings.
Definition MIR2Vec.cpp:673
MIR2VecKind
Definition MIR2Vec.h:68
Embedding is a datatype that wraps std::vector<double>.
Definition IR2Vec.h:87