CIRCT 23.0.0git
Loading...
Searching...
No Matches
ImportVerilog.cpp
Go to the documentation of this file.
1//===- ImportVerilog.cpp - Slang Verilog frontend integration -------------===//
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 implements bridging from the slang Verilog frontend to CIRCT dialects.
10//
11//===----------------------------------------------------------------------===//
12
19#include "mlir/Conversion/SCFToControlFlow/SCFToControlFlow.h"
20#include "mlir/IR/Diagnostics.h"
21#include "mlir/IR/Verifier.h"
22#include "mlir/Pass/PassManager.h"
23#include "mlir/Support/Timing.h"
24#include "mlir/Tools/mlir-translate/Translation.h"
25#include "mlir/Transforms/Passes.h"
26#include "llvm/ADT/Hashing.h"
27#include "llvm/Support/SourceMgr.h"
28
29#include "slang/analysis/AnalysisManager.h"
30#include "slang/diagnostics/DiagnosticClient.h"
31#include "slang/driver/Driver.h"
32#include "slang/parsing/Preprocessor.h"
33#include "slang/syntax/SyntaxPrinter.h"
34#include "slang/util/VersionInfo.h"
35
36using namespace mlir;
37using namespace circt;
38using namespace ImportVerilog;
39
40using llvm::SourceMgr;
41
43 std::string buffer;
44 llvm::raw_string_ostream os(buffer);
45 os << "slang version ";
46 os << slang::VersionInfo::getMajor() << ".";
47 os << slang::VersionInfo::getMinor() << ".";
48 os << slang::VersionInfo::getPatch() << "+";
49 os << slang::VersionInfo::getHash();
50 return buffer;
51}
52
53//===----------------------------------------------------------------------===//
54// Diagnostics
55//===----------------------------------------------------------------------===//
56
57/// Convert a slang `SourceLocation` to an MLIR `Location`.
58static Location convertLocation(MLIRContext *context,
59 const slang::SourceManager &sourceManager,
60 slang::SourceLocation loc) {
61 if (loc && loc.buffer() != slang::SourceLocation::NoLocation.buffer()) {
62 auto fileName = sourceManager.getFileName(loc);
63 auto line = sourceManager.getLineNumber(loc);
64 auto column = sourceManager.getColumnNumber(loc);
65 return FileLineColLoc::get(context, fileName, line, column);
66 }
67 return UnknownLoc::get(context);
68}
69
70/// Convert a slang `SourceRange` to an MLIR `Location`.
71static Location convertLocation(MLIRContext *context,
72 const slang::SourceManager &sourceManager,
73 slang::SourceRange range) {
74 auto start = range.start();
75 auto end = range.end();
76 if (start && start.buffer() != slang::SourceLocation::NoLocation.buffer()) {
77 auto fileName = sourceManager.getFileName(start);
78 auto startLine = sourceManager.getLineNumber(start);
79 auto startColumn = sourceManager.getColumnNumber(start);
80 if (end && end.buffer() == start.buffer()) {
81 auto endLine = sourceManager.getLineNumber(end);
82 auto endColumn = sourceManager.getColumnNumber(end);
83 return FileLineColRange::get(context, fileName, startLine, startColumn,
84 endLine, endColumn);
85 }
86 return FileLineColLoc::get(context, fileName, startLine, startColumn);
87 }
88 return UnknownLoc::get(context);
89}
90
91Location Context::convertLocation(slang::SourceLocation loc) {
92 return ::convertLocation(getContext(), sourceManager, loc);
93}
94
95Location Context::convertLocation(slang::SourceRange range) {
96 return ::convertLocation(getContext(), sourceManager, range);
97}
98
99namespace {
100/// A converter that can be plugged into a slang `DiagnosticEngine` as a client
101/// that will map slang diagnostics to their MLIR counterpart and emit them.
102class MlirDiagnosticClient : public slang::DiagnosticClient {
103public:
104 MlirDiagnosticClient(MLIRContext *context) : context(context) {}
105
106 void report(const slang::ReportedDiagnostic &diag) override {
107 // Generate the primary MLIR diagnostic.
108 auto &diagEngine = context->getDiagEngine();
109 Location loc = !diag.ranges.empty() ? convertLocation(diag.ranges[0])
110 : convertLocation(diag.location);
111
112 auto mlirDiag = diagEngine.emit(loc, getSeverity(diag.severity));
113 mlirDiag << diag.formattedMessage;
114
115 // Append the name of the option that can be used to control this
116 // diagnostic.
117 auto optionName = engine->getOptionName(diag.originalDiagnostic.code);
118 if (!optionName.empty())
119 mlirDiag << " [-W" << optionName << "]";
120
121 // Write out macro expansions, if we have any, in reverse order.
122 for (auto loc : std::views::reverse(diag.expansionLocs)) {
123 auto &note = mlirDiag.attachNote(
124 convertLocation(sourceManager->getFullyOriginalLoc(loc)));
125 auto macroName = sourceManager->getMacroName(loc);
126 if (macroName.empty())
127 note << "expanded from here";
128 else
129 note << "expanded from macro '" << macroName << "'";
130 }
131
132 // Write out the include stack.
133 slang::SmallVector<slang::SourceLocation> includeStack;
134 getIncludeStack(diag.location.buffer(), includeStack);
135 for (auto &loc : std::views::reverse(includeStack))
136 mlirDiag.attachNote(convertLocation(loc)) << "included from here";
137 }
138
139 /// Convert a slang `SourceLocation` to an MLIR `Location`.
140 Location convertLocation(slang::SourceLocation loc) const {
141 return ::convertLocation(context, *sourceManager, loc);
142 }
143
144 /// Convert a slang `SourceRange` to an MLIR `Location`.
145 Location convertLocation(slang::SourceRange range) const {
146 return ::convertLocation(context, *sourceManager, range);
147 }
148
149 static DiagnosticSeverity getSeverity(slang::DiagnosticSeverity severity) {
150 switch (severity) {
151 case slang::DiagnosticSeverity::Fatal:
152 case slang::DiagnosticSeverity::Error:
153 return DiagnosticSeverity::Error;
154 case slang::DiagnosticSeverity::Warning:
155 return DiagnosticSeverity::Warning;
156 case slang::DiagnosticSeverity::Ignored:
157 case slang::DiagnosticSeverity::Note:
158 return DiagnosticSeverity::Remark;
159 }
160 llvm_unreachable("all slang diagnostic severities should be handled");
161 return DiagnosticSeverity::Error;
162 }
163
164private:
165 MLIRContext *context;
166};
167} // namespace
168
169// Allow for `slang::BufferID` to be used as hash map keys.
170namespace llvm {
171template <>
172struct DenseMapInfo<slang::BufferID> {
173 static slang::BufferID getEmptyKey() { return slang::BufferID(); }
174 static slang::BufferID getTombstoneKey() {
175 return slang::BufferID(UINT32_MAX - 1, ""sv);
176 // UINT32_MAX is already used by `BufferID::getPlaceholder`.
177 }
178 static unsigned getHashValue(slang::BufferID id) {
179 return llvm::hash_value(id.getId());
180 }
181 static bool isEqual(slang::BufferID a, slang::BufferID b) { return a == b; }
182};
183} // namespace llvm
184
185//===----------------------------------------------------------------------===//
186// Driver
187//===----------------------------------------------------------------------===//
188
189namespace {
190const static ImportVerilogOptions defaultOptions;
191
192struct ImportDriver {
193 ImportDriver(MLIRContext *mlirContext, TimingScope &ts,
194 const ImportVerilogOptions *options)
195 : mlirContext(mlirContext), ts(ts),
196 options(options ? *options : defaultOptions) {}
197
198 LogicalResult prepareDriver(SourceMgr &sourceMgr);
199 LogicalResult importVerilog(ModuleOp module);
200 LogicalResult preprocessVerilog(llvm::raw_ostream &os);
201
202 MLIRContext *mlirContext;
203 TimingScope &ts;
204 const ImportVerilogOptions &options;
205
206 // Use slang's driver which conveniently packages a lot of the things we
207 // need for compilation.
208 slang::driver::Driver driver;
209};
210} // namespace
211
212/// Populate the Slang driver with source files from the given `sourceMgr`, and
213/// configure driver options based on the `ImportVerilogOptions` passed to the
214/// `ImportDriver` constructor.
215LogicalResult ImportDriver::prepareDriver(SourceMgr &sourceMgr) {
216 // Use slang's driver which conveniently packages a lot of the things we
217 // need for compilation.
218 auto diagClient = std::make_shared<MlirDiagnosticClient>(mlirContext);
219 driver.diagEngine.addClient(diagClient);
220
221 for (const auto &value : options.commandFiles)
222 if (!driver.processCommandFiles(value, /*makeRelative=*/true,
223 /*separateUnit=*/true))
224 return failure();
225
226 // Populate the source manager with the source files.
227 // NOTE: This is a bit ugly since we're essentially copying the Verilog
228 // source text in memory. At a later stage we'll want to extend slang's
229 // SourceManager such that it can contain non-owned buffers. This will do
230 // for now.
231 DenseSet<StringRef> seenBuffers;
232 for (unsigned i = 0, e = sourceMgr.getNumBuffers(); i < e; ++i) {
233 const llvm::MemoryBuffer *mlirBuffer = sourceMgr.getMemoryBuffer(i + 1);
234 auto name = mlirBuffer->getBufferIdentifier();
235 if (!name.empty() && !seenBuffers.insert(name).second)
236 continue; // Slang doesn't like listing the same buffer twice
237 auto slangBuffer =
238 driver.sourceManager.assignText(name, mlirBuffer->getBuffer());
239 driver.sourceLoader.addBuffer(slangBuffer);
240 }
241
242 for (const auto &libDir : options.libDirs)
243 driver.sourceLoader.addSearchDirectories(libDir);
244
245 for (const auto &libExt : options.libExts)
246 driver.sourceLoader.addSearchExtension(libExt);
247
248 for (const auto &[i, f] : llvm::enumerate(options.libraryFiles)) {
249 // Include a space to avoid conflicts with explicitly-specified names.
250 auto libName = "library " + std::to_string(i);
251 driver.sourceLoader.addLibraryFiles(libName, f);
252 }
253
254 for (const auto &includeDir : options.includeDirs)
255 if (driver.sourceManager.addUserDirectories(includeDir))
256 return failure();
257
258 for (const auto &includeSystemDir : options.includeSystemDirs)
259 if (driver.sourceManager.addSystemDirectories(includeSystemDir))
260 return failure();
261
262 // Populate the driver options.
263 driver.addStandardArgs();
264
265 driver.options.excludeExts.insert(options.excludeExts.begin(),
266 options.excludeExts.end());
267 driver.options.ignoreDirectives = options.ignoreDirectives;
268
269 driver.options.maxIncludeDepth = options.maxIncludeDepth;
270 driver.options.defines = options.defines;
271 driver.options.undefines = options.undefines;
272 driver.options.librariesInheritMacros = options.librariesInheritMacros;
273
274 driver.options.timeScale = options.timeScale;
275 driver.options
276 .compilationFlags[slang::ast::CompilationFlags::AllowUseBeforeDeclare] =
277 options.allowUseBeforeDeclare;
278 driver.options
279 .compilationFlags[slang::ast::CompilationFlags::IgnoreUnknownModules] =
280 options.ignoreUnknownModules;
281 driver.options.compilationFlags[slang::ast::CompilationFlags::LintMode] =
283 driver.options
284 .compilationFlags[slang::ast::CompilationFlags::DisableInstanceCaching] =
285 false;
286 driver.options.topModules = options.topModules;
287 driver.options.paramOverrides = options.paramOverrides;
288
289 driver.options.errorLimit = options.errorLimit;
290 driver.options.warningOptions = options.warningOptions;
291
292 driver.options.singleUnit = options.singleUnit;
293
294 // Parse pass through options.
295 if (!options.slangArgs.empty()) {
296 SmallVector<const char *> slangArgs;
297 slangArgs.push_back("slang"); // dummy program name
298 for (const auto &arg : options.slangArgs)
299 slangArgs.push_back(arg.c_str());
300 if (!driver.parseCommandLine(slangArgs.size(), slangArgs.data()))
301 return failure();
302 }
303
304 return success(driver.processOptions());
305}
306
307/// Parse and elaborate the prepared source files, and populate the given MLIR
308/// `module` with corresponding operations.
309LogicalResult ImportDriver::importVerilog(ModuleOp module) {
310 // Parse the input.
311 auto parseTimer = ts.nest("Verilog parser");
312 bool parseSuccess = driver.parseAllSources();
313 parseTimer.stop();
314
315 // Elaborate the input.
316 auto compileTimer = ts.nest("Verilog elaboration");
317 auto compilation = driver.createCompilation();
318
319 // Semantic analysis
320 auto analysisTimer = ts.nest("Semantic analysis");
321 driver.runAnalysis(*compilation);
322
323 for (auto &diag : compilation->getAllDiagnostics())
324 driver.diagEngine.issue(diag);
325 if (!parseSuccess || driver.diagEngine.getNumErrors() > 0)
326 return failure();
327 compileTimer.stop();
328
329 // If we were only supposed to lint the input, return here. This leaves the
330 // module empty, but any Slang linting messages got reported as diagnostics.
331 if (options.mode == ImportVerilogOptions::Mode::OnlyLint)
332 return success();
333
334 // Traverse the parsed Verilog AST and map it to the equivalent CIRCT ops.
335 mlirContext
336 ->loadDialect<moore::MooreDialect, hw::HWDialect, cf::ControlFlowDialect,
337 func::FuncDialect, verif::VerifDialect, ltl::LTLDialect,
338 debug::DebugDialect>();
339 auto conversionTimer = ts.nest("Verilog to dialect mapping");
340 Context context(options, *compilation, module, driver.sourceManager);
341 if (failed(context.convertCompilation()))
342 return failure();
343 conversionTimer.stop();
344
345 // Run the verifier on the constructed module to ensure it is clean.
346 auto verifierTimer = ts.nest("Post-parse verification");
347 return verify(module);
348}
349
350/// Preprocess the prepared source files and print them to the given output
351/// stream.
352LogicalResult ImportDriver::preprocessVerilog(llvm::raw_ostream &os) {
353 auto parseTimer = ts.nest("Verilog preprocessing");
354
355 // Run the preprocessor to completion across all sources previously added with
356 // `pushSource`, report diagnostics, and print the output.
357 auto preprocessAndPrint = [&](slang::parsing::Preprocessor &preprocessor) {
358 slang::syntax::SyntaxPrinter output;
359 output.setIncludeComments(false);
360 while (true) {
361 slang::parsing::Token token = preprocessor.next();
362 output.print(token);
363 if (token.kind == slang::parsing::TokenKind::EndOfFile)
364 break;
365 }
366
367 for (auto &diag : preprocessor.getDiagnostics()) {
368 if (diag.isError()) {
369 driver.diagEngine.issue(diag);
370 return failure();
371 }
372 }
373 os << output.str();
374 return success();
375 };
376
377 // Depending on whether the single-unit option is set, either add all source
378 // files to a single preprocessor such that they share define macros and
379 // directives, or create a separate preprocessor for each, such that each
380 // source file is in its own compilation unit.
381 auto optionBag = driver.createOptionBag();
382 if (driver.options.singleUnit == true) {
383 slang::BumpAllocator alloc;
384 slang::Diagnostics diagnostics;
385 slang::parsing::Preprocessor preprocessor(driver.sourceManager, alloc,
386 diagnostics, optionBag);
387 // Sources have to be pushed in reverse, as they form a stack in the
388 // preprocessor. Last pushed source is processed first.
389 auto sources = driver.sourceLoader.loadSources();
390 for (auto &buffer : std::views::reverse(sources))
391 preprocessor.pushSource(buffer);
392 if (failed(preprocessAndPrint(preprocessor)))
393 return failure();
394 } else {
395 for (auto &buffer : driver.sourceLoader.loadSources()) {
396 slang::BumpAllocator alloc;
397 slang::Diagnostics diagnostics;
398 slang::parsing::Preprocessor preprocessor(driver.sourceManager, alloc,
399 diagnostics, optionBag);
400 preprocessor.pushSource(buffer);
401 if (failed(preprocessAndPrint(preprocessor)))
402 return failure();
403 }
404 }
405
406 return success();
407}
408
409//===----------------------------------------------------------------------===//
410// Entry Points
411//===----------------------------------------------------------------------===//
412
413/// Parse the specified Verilog inputs into the specified MLIR context.
414LogicalResult circt::importVerilog(SourceMgr &sourceMgr,
415 MLIRContext *mlirContext, TimingScope &ts,
416 ModuleOp module,
417 const ImportVerilogOptions *options) {
418 ImportDriver importDriver(mlirContext, ts, options);
419 if (failed(importDriver.prepareDriver(sourceMgr)))
420 return failure();
421 return importDriver.importVerilog(module);
422}
423
424/// Run the files in a source manager through Slang's Verilog preprocessor and
425/// emit the result to the given output stream.
426LogicalResult circt::preprocessVerilog(SourceMgr &sourceMgr,
427 MLIRContext *mlirContext,
428 TimingScope &ts, llvm::raw_ostream &os,
429 const ImportVerilogOptions *options) {
430 ImportDriver importDriver(mlirContext, ts, options);
431 if (failed(importDriver.prepareDriver(sourceMgr)))
432 return failure();
433 return importDriver.preprocessVerilog(os);
434}
435
436/// Entry point as an MLIR translation.
438 static TranslateToMLIRRegistration fromVerilog(
439 "import-verilog", "import Verilog or SystemVerilog",
440 [](llvm::SourceMgr &sourceMgr, MLIRContext *context) {
441 TimingScope ts;
443 ModuleOp::create(UnknownLoc::get(context)));
444 ImportVerilogOptions options;
445 options.debugInfo = true;
446 options.warningOptions.push_back("no-missing-top");
447 if (failed(
448 importVerilog(sourceMgr, context, ts, module.get(), &options)))
449 module = {};
450 return module;
451 });
452}
453
454//===----------------------------------------------------------------------===//
455// Pass Pipeline
456//===----------------------------------------------------------------------===//
457
458/// Optimize and simplify the Moore dialect IR.
459void circt::populateVerilogToMoorePipeline(OpPassManager &pm) {
460 {
461 // Perform an initial cleanup and preprocessing across all
462 // modules/functions.
463 auto &anyPM = pm.nestAny();
464 anyPM.addPass(mlir::createCSEPass());
465 anyPM.addPass(mlir::createCanonicalizerPass());
466 }
467
468 pm.addPass(moore::createVTablesPass());
469
470 // Remove unused symbols.
471 pm.addPass(mlir::createSymbolDCEPass());
472
473 {
474 // Perform module-specific transformations.
475 auto &modulePM = pm.nest<moore::SVModuleOp>();
476 modulePM.addPass(moore::createSimplifyRefsPass());
477 // TODO: Enable the following once it not longer interferes with @(...)
478 // event control checks. The introduced dummy variables make the event
479 // control observe a static local variable that never changes, instead of
480 // observing a module-wide signal.
481 // modulePM.addPass(moore::createSimplifyProceduresPass());
482 modulePM.addPass(mlir::createSROA());
483 }
484
485 {
486 // Perform a final cleanup across all modules/functions.
487 auto &anyPM = pm.nestAny();
488 anyPM.addPass(mlir::createMem2Reg());
489 anyPM.addPass(mlir::createCSEPass());
490 anyPM.addPass(mlir::createCanonicalizerPass());
491 }
492}
493
494/// Convert Moore dialect IR into core dialect IR
495void circt::populateMooreToCorePipeline(OpPassManager &pm) {
496 // Perform the conversion.
497 pm.addPass(createConvertMooreToCorePass());
498
499 {
500 // Conversion to the core dialects likely uncovers new canonicalization
501 // opportunities.
502 auto &anyPM = pm.nestAny();
503 anyPM.addPass(mlir::createCSEPass());
504 anyPM.addPass(mlir::createCanonicalizerPass());
505 }
506}
507
508/// Convert LLHD dialect IR into core dialect IR
510 OpPassManager &pm, const LlhdToCorePipelineOptions &options) {
511 // Inline function calls and lower SCF to CF.
512 pm.addNestedPass<hw::HWModuleOp>(llhd::createWrapProceduralOpsPass());
513 pm.addPass(mlir::createSCFToControlFlowPass());
514 pm.addPass(llhd::createInlineCallsPass());
515 pm.addPass(mlir::createSymbolDCEPass());
516
517 // Simplify processes, replace signals with process results, and detect
518 // registers.
519 auto &modulePM = pm.nest<hw::HWModuleOp>();
520 // See https://github.com/llvm/circt/issues/8804.
521 if (options.sroa) {
522 modulePM.addPass(mlir::createSROA());
523 }
524 modulePM.addPass(llhd::createMem2RegPass());
525 modulePM.addPass(llhd::createHoistSignalsPass());
526 modulePM.addPass(llhd::createDeseqPass());
527 modulePM.addPass(llhd::createLowerProcessesPass());
528 modulePM.addPass(mlir::createCSEPass());
529 modulePM.addPass(mlir::createCanonicalizerPass());
530
531 // Unroll loops and remove control flow.
532 modulePM.addPass(llhd::createUnrollLoopsPass());
533 modulePM.addPass(mlir::createCSEPass());
534 modulePM.addPass(mlir::createCanonicalizerPass());
535 modulePM.addPass(llhd::createRemoveControlFlowPass());
536 modulePM.addPass(mlir::createCSEPass());
537 modulePM.addPass(mlir::createCanonicalizerPass());
538
539 // Convert `arith.select` generated by some of the control flow canonicalizers
540 // to `comb.mux`.
541 modulePM.addPass(createMapArithToCombPass(true));
542
543 // Simplify module-level signals.
544 modulePM.addPass(llhd::createCombineDrivesPass());
545 modulePM.addPass(llhd::createSig2Reg());
546 modulePM.addPass(mlir::createCSEPass());
547 modulePM.addPass(mlir::createCanonicalizerPass());
548
549 // Map `seq.firreg` with array type and `hw.array_inject` self-feedback to
550 // `seq.firmem` ops.
551 if (options.detectMemories) {
552 modulePM.addPass(seq::createRegOfVecToMem());
553 modulePM.addPass(mlir::createCSEPass());
554 modulePM.addPass(mlir::createCanonicalizerPass());
555 }
556}
static std::unique_ptr< Context > context
static Location convertLocation(MLIRContext *context, const slang::SourceManager &sourceManager, slang::SourceLocation loc)
Convert a slang SourceLocation to an MLIR Location.
static llvm::lsp::DiagnosticSeverity getSeverity(slang::DiagnosticSeverity severity)
std::unique_ptr< mlir::Pass > createSimplifyRefsPass()
std::unique_ptr< mlir::Pass > createVTablesPass()
The InstanceGraph op interface, see InstanceGraphInterface.td for more details.
std::unique_ptr< mlir::Pass > createMapArithToCombPass(bool enableBestEffortLowering=false)
void populateVerilogToMoorePipeline(mlir::OpPassManager &pm)
Optimize and simplify the Moore dialect IR.
void populateMooreToCorePipeline(mlir::OpPassManager &pm)
Convert Moore dialect IR into core dialect IR.
void populateLlhdToCorePipeline(mlir::OpPassManager &pm, const LlhdToCorePipelineOptions &options)
std::string getSlangVersion()
Return a human-readable string describing the slang frontend version linked into CIRCT.
std::unique_ptr< OperationPass< ModuleOp > > createConvertMooreToCorePass()
Create an Moore to Comb/HW/LLHD conversion pass.
mlir::LogicalResult importVerilog(llvm::SourceMgr &sourceMgr, mlir::MLIRContext *context, mlir::TimingScope &ts, mlir::ModuleOp module, const ImportVerilogOptions *options=nullptr)
Parse files in a source manager as Verilog source code and populate the given MLIR module with corres...
mlir::LogicalResult preprocessVerilog(llvm::SourceMgr &sourceMgr, mlir::MLIRContext *context, mlir::TimingScope &ts, llvm::raw_ostream &os, const ImportVerilogOptions *options=nullptr)
Run the files in a source manager through Slang's Verilog preprocessor and emit the result to the giv...
void registerFromVerilogTranslation()
Register the import-verilog MLIR translation.
llvm::hash_code hash_value(const DenseSet< T > &set)
Definition sv.py:1
Options that control how Verilog input files are parsed and processed.
std::vector< std::string > warningOptions
A list of warning options that will be passed to the DiagnosticEngine.
@ OnlyLint
Only lint the input, without elaboration and lowering to CIRCT IR.
bool debugInfo
Generate debug information in the form of debug dialect ops in the IR.
A helper class to facilitate the conversion from a Slang AST to MLIR operations.
const slang::SourceManager & sourceManager
MLIRContext * getContext()
Return the MLIR context.
Location convertLocation(slang::SourceLocation loc)
Convert a slang SourceLocation into an MLIR Location.
Convert LLHD dialect IR into core dialect IR.
static bool isEqual(slang::BufferID a, slang::BufferID b)
static slang::BufferID getTombstoneKey()
static unsigned getHashValue(slang::BufferID id)