Skip to content

Commit eac2f83

Browse files
authored
Rollup merge of rust-lang#103464 - JakobDegen:mir-parsing, r=oli-obk
Add support for custom mir This implements rust-lang/compiler-team#564 . Details about the design, motivation, etc. can be found in there. r? `@oli-obk`
2 parents b760d04 + a2f3649 commit eac2f83

File tree

23 files changed

+921
-41
lines changed

23 files changed

+921
-41
lines changed

compiler/rustc_borrowck/src/lib.rs

+14
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@ extern crate tracing;
1818

1919
use rustc_data_structures::fx::{FxHashMap, FxHashSet};
2020
use rustc_data_structures::graph::dominators::Dominators;
21+
use rustc_data_structures::vec_map::VecMap;
2122
use rustc_errors::{Diagnostic, DiagnosticBuilder, ErrorGuaranteed};
2223
use rustc_hir as hir;
2324
use rustc_hir::def_id::LocalDefId;
@@ -129,6 +130,19 @@ fn mir_borrowck<'tcx>(
129130
) -> &'tcx BorrowCheckResult<'tcx> {
130131
let (input_body, promoted) = tcx.mir_promoted(def);
131132
debug!("run query mir_borrowck: {}", tcx.def_path_str(def.did.to_def_id()));
133+
134+
if input_body.borrow().should_skip() {
135+
debug!("Skipping borrowck because of injected body");
136+
// Let's make up a borrowck result! Fun times!
137+
let result = BorrowCheckResult {
138+
concrete_opaque_types: VecMap::new(),
139+
closure_requirements: None,
140+
used_mut_upvars: SmallVec::new(),
141+
tainted_by_errors: None,
142+
};
143+
return tcx.arena.alloc(result);
144+
}
145+
132146
let hir_owner = tcx.hir().local_def_id_to_hir_id(def.did).owner;
133147

134148
let infcx =

compiler/rustc_feature/src/active.rs

+2
Original file line numberDiff line numberDiff line change
@@ -152,6 +152,8 @@ declare_features! (
152152
(active, anonymous_lifetime_in_impl_trait, "1.63.0", None, None),
153153
/// Allows identifying the `compiler_builtins` crate.
154154
(active, compiler_builtins, "1.13.0", None, None),
155+
/// Allows writing custom MIR
156+
(active, custom_mir, "1.65.0", None, None),
155157
/// Outputs useful `assert!` messages
156158
(active, generic_assert, "1.63.0", None, None),
157159
/// Allows using the `rust-intrinsic`'s "ABI".

compiler/rustc_feature/src/builtin_attrs.rs

+4
Original file line numberDiff line numberDiff line change
@@ -810,6 +810,10 @@ pub const BUILTIN_ATTRIBUTES: &[BuiltinAttribute] = &[
810810
rustc_attr!(TEST, rustc_polymorphize_error, Normal, template!(Word), WarnFollowing),
811811
rustc_attr!(TEST, rustc_def_path, Normal, template!(Word), WarnFollowing),
812812
rustc_attr!(TEST, rustc_mir, Normal, template!(List: "arg1, arg2, ..."), DuplicatesOk),
813+
gated!(
814+
custom_mir, Normal, template!(List: r#"dialect = "...", phase = "...""#),
815+
ErrorFollowing, "the `#[custom_mir]` attribute is just used for the Rust test suite",
816+
),
813817
rustc_attr!(TEST, rustc_dump_program_clauses, Normal, template!(Word), WarnFollowing),
814818
rustc_attr!(TEST, rustc_dump_env_program_clauses, Normal, template!(Word), WarnFollowing),
815819
rustc_attr!(TEST, rustc_object_lifetime_default, Normal, template!(Word), WarnFollowing),

compiler/rustc_middle/src/mir/mod.rs

+59
Original file line numberDiff line numberDiff line change
@@ -138,6 +138,48 @@ impl MirPhase {
138138
}
139139
}
140140
}
141+
142+
/// Parses an `MirPhase` from a pair of strings. Panics if this isn't possible for any reason.
143+
pub fn parse(dialect: String, phase: Option<String>) -> Self {
144+
match &*dialect.to_ascii_lowercase() {
145+
"built" => {
146+
assert!(phase.is_none(), "Cannot specify a phase for `Built` MIR");
147+
MirPhase::Built
148+
}
149+
"analysis" => Self::Analysis(AnalysisPhase::parse(phase)),
150+
"runtime" => Self::Runtime(RuntimePhase::parse(phase)),
151+
_ => panic!("Unknown MIR dialect {}", dialect),
152+
}
153+
}
154+
}
155+
156+
impl AnalysisPhase {
157+
pub fn parse(phase: Option<String>) -> Self {
158+
let Some(phase) = phase else {
159+
return Self::Initial;
160+
};
161+
162+
match &*phase.to_ascii_lowercase() {
163+
"initial" => Self::Initial,
164+
"post_cleanup" | "post-cleanup" | "postcleanup" => Self::PostCleanup,
165+
_ => panic!("Unknown analysis phase {}", phase),
166+
}
167+
}
168+
}
169+
170+
impl RuntimePhase {
171+
pub fn parse(phase: Option<String>) -> Self {
172+
let Some(phase) = phase else {
173+
return Self::Initial;
174+
};
175+
176+
match &*phase.to_ascii_lowercase() {
177+
"initial" => Self::Initial,
178+
"post_cleanup" | "post-cleanup" | "postcleanup" => Self::PostCleanup,
179+
"optimized" => Self::Optimized,
180+
_ => panic!("Unknown runtime phase {}", phase),
181+
}
182+
}
141183
}
142184

143185
impl Display for MirPhase {
@@ -293,6 +335,13 @@ pub struct Body<'tcx> {
293335
/// potentially allow things like `[u8; std::mem::size_of::<T>() * 0]` due to this.
294336
pub is_polymorphic: bool,
295337

338+
/// The phase at which this MIR should be "injected" into the compilation process.
339+
///
340+
/// Everything that comes before this `MirPhase` should be skipped.
341+
///
342+
/// This is only `Some` if the function that this body comes from was annotated with `rustc_custom_mir`.
343+
pub injection_phase: Option<MirPhase>,
344+
296345
pub tainted_by_errors: Option<ErrorGuaranteed>,
297346
}
298347

@@ -339,6 +388,7 @@ impl<'tcx> Body<'tcx> {
339388
span,
340389
required_consts: Vec::new(),
341390
is_polymorphic: false,
391+
injection_phase: None,
342392
tainted_by_errors,
343393
};
344394
body.is_polymorphic = body.has_non_region_param();
@@ -366,6 +416,7 @@ impl<'tcx> Body<'tcx> {
366416
required_consts: Vec::new(),
367417
var_debug_info: Vec::new(),
368418
is_polymorphic: false,
419+
injection_phase: None,
369420
tainted_by_errors: None,
370421
};
371422
body.is_polymorphic = body.has_non_region_param();
@@ -508,6 +559,14 @@ impl<'tcx> Body<'tcx> {
508559
pub fn generator_kind(&self) -> Option<GeneratorKind> {
509560
self.generator.as_ref().map(|generator| generator.generator_kind)
510561
}
562+
563+
#[inline]
564+
pub fn should_skip(&self) -> bool {
565+
let Some(injection_phase) = self.injection_phase else {
566+
return false;
567+
};
568+
injection_phase > self.phase
569+
}
511570
}
512571

513572
#[derive(Copy, Clone, PartialEq, Eq, Debug, TyEncodable, TyDecodable, HashStable)]
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,155 @@
1+
//! Provides the implementation of the `custom_mir` attribute.
2+
//!
3+
//! Up until MIR building, this attribute has absolutely no effect. The `mir!` macro is a normal
4+
//! decl macro that expands like any other, and the code goes through parsing, name resolution and
5+
//! type checking like all other code. In MIR building we finally detect whether this attribute is
6+
//! present, and if so we branch off into this module, which implements the attribute by
7+
//! implementing a custom lowering from THIR to MIR.
8+
//!
9+
//! The result of this lowering is returned "normally" from the `mir_built` query, with the only
10+
//! notable difference being that the `injected` field in the body is set. Various components of the
11+
//! MIR pipeline, like borrowck and the pass manager will then consult this field (via
12+
//! `body.should_skip()`) to skip the parts of the MIR pipeline that precede the MIR phase the user
13+
//! specified.
14+
//!
15+
//! This file defines the general framework for the custom parsing. The parsing for all the
16+
//! "top-level" constructs can be found in the `parse` submodule, while the parsing for statements,
17+
//! terminators, and everything below can be found in the `parse::instruction` submodule.
18+
//!
19+
20+
use rustc_ast::Attribute;
21+
use rustc_data_structures::fx::FxHashMap;
22+
use rustc_hir::def_id::DefId;
23+
use rustc_index::vec::IndexVec;
24+
use rustc_middle::{
25+
mir::*,
26+
thir::*,
27+
ty::{Ty, TyCtxt},
28+
};
29+
use rustc_span::Span;
30+
31+
mod parse;
32+
33+
pub(super) fn build_custom_mir<'tcx>(
34+
tcx: TyCtxt<'tcx>,
35+
did: DefId,
36+
thir: &Thir<'tcx>,
37+
expr: ExprId,
38+
params: &IndexVec<ParamId, Param<'tcx>>,
39+
return_ty: Ty<'tcx>,
40+
return_ty_span: Span,
41+
span: Span,
42+
attr: &Attribute,
43+
) -> Body<'tcx> {
44+
let mut body = Body {
45+
basic_blocks: BasicBlocks::new(IndexVec::new()),
46+
source: MirSource::item(did),
47+
phase: MirPhase::Built,
48+
source_scopes: IndexVec::new(),
49+
generator: None,
50+
local_decls: LocalDecls::new(),
51+
user_type_annotations: IndexVec::new(),
52+
arg_count: params.len(),
53+
spread_arg: None,
54+
var_debug_info: Vec::new(),
55+
span,
56+
required_consts: Vec::new(),
57+
is_polymorphic: false,
58+
tainted_by_errors: None,
59+
injection_phase: None,
60+
pass_count: 1,
61+
};
62+
63+
body.local_decls.push(LocalDecl::new(return_ty, return_ty_span));
64+
body.basic_blocks_mut().push(BasicBlockData::new(None));
65+
body.source_scopes.push(SourceScopeData {
66+
span,
67+
parent_scope: None,
68+
inlined: None,
69+
inlined_parent_scope: None,
70+
local_data: ClearCrossCrate::Clear,
71+
});
72+
body.injection_phase = Some(parse_attribute(attr));
73+
74+
let mut pctxt = ParseCtxt {
75+
tcx,
76+
thir,
77+
source_info: SourceInfo { span, scope: OUTERMOST_SOURCE_SCOPE },
78+
body: &mut body,
79+
local_map: FxHashMap::default(),
80+
block_map: FxHashMap::default(),
81+
};
82+
83+
let res = (|| {
84+
pctxt.parse_args(&params)?;
85+
pctxt.parse_body(expr)
86+
})();
87+
if let Err(err) = res {
88+
tcx.sess.diagnostic().span_fatal(
89+
err.span,
90+
format!("Could not parse {}, found: {:?}", err.expected, err.item_description),
91+
)
92+
}
93+
94+
body
95+
}
96+
97+
fn parse_attribute(attr: &Attribute) -> MirPhase {
98+
let meta_items = attr.meta_item_list().unwrap();
99+
let mut dialect: Option<String> = None;
100+
let mut phase: Option<String> = None;
101+
102+
for nested in meta_items {
103+
let name = nested.name_or_empty();
104+
let value = nested.value_str().unwrap().as_str().to_string();
105+
match name.as_str() {
106+
"dialect" => {
107+
assert!(dialect.is_none());
108+
dialect = Some(value);
109+
}
110+
"phase" => {
111+
assert!(phase.is_none());
112+
phase = Some(value);
113+
}
114+
other => {
115+
panic!("Unexpected key {}", other);
116+
}
117+
}
118+
}
119+
120+
let Some(dialect) = dialect else {
121+
assert!(phase.is_none());
122+
return MirPhase::Built;
123+
};
124+
125+
MirPhase::parse(dialect, phase)
126+
}
127+
128+
struct ParseCtxt<'tcx, 'body> {
129+
tcx: TyCtxt<'tcx>,
130+
thir: &'body Thir<'tcx>,
131+
source_info: SourceInfo,
132+
133+
body: &'body mut Body<'tcx>,
134+
local_map: FxHashMap<LocalVarId, Local>,
135+
block_map: FxHashMap<LocalVarId, BasicBlock>,
136+
}
137+
138+
struct ParseError {
139+
span: Span,
140+
item_description: String,
141+
expected: String,
142+
}
143+
144+
impl<'tcx, 'body> ParseCtxt<'tcx, 'body> {
145+
fn expr_error(&self, expr: ExprId, expected: &'static str) -> ParseError {
146+
let expr = &self.thir[expr];
147+
ParseError {
148+
span: expr.span,
149+
item_description: format!("{:?}", expr.kind),
150+
expected: expected.to_string(),
151+
}
152+
}
153+
}
154+
155+
type PResult<T> = Result<T, ParseError>;

0 commit comments

Comments
 (0)