Skip to content

Commit 41f3d25

Browse files
committed
Auto merge of #33130 - eddyb:mir-const, r=nikomatsakis
Implement constant support in MIR. All of the intended features in `trans::consts` are now supported by `mir::constant`. The implementation is considered a temporary measure until `miri` replaces it. A `-Z orbit` bootstrap build will only translate LLVM IR from AST for `#[rustc_no_mir]` functions. Furthermore, almost all checks of constant expressions have been moved to MIR. In non-`const` functions, trees of temporaries are promoted, as per RFC 1414 (rvalue promotion). Promotion before MIR borrowck would allow reasoning about promoted values' lifetimes. The improved checking comes at the cost of four `[breaking-change]`s: * repeat counts must contain a constant expression, e.g.: `let arr = [0; { println!("foo"); 5 }];` used to be allowed (it behaved like `let arr = [0; 5];`) * dereference of a reference to a `static` cannot be used in another `static`, e.g.: `static X: [u8; 1] = [1]; static Y: u8 = (&X)[0];` was unintentionally allowed before * the type of a `static` *must* be `Sync`, irrespective of the initializer, e.g. `static FOO: *const T = &BAR;` worked as `&T` is `Sync`, but it shouldn't because `*const T` isn't * a `static` cannot wrap `UnsafeCell` around a type that *may* need drop, e.g. `static X: MakeSync<UnsafeCell<Option<String>>> = MakeSync(UnsafeCell::new(None));` was previously allowed based on the fact `None` alone doesn't need drop, but in `UnsafeCell` it can be later changed to `Some(String)` which *does* need dropping The drop restrictions are relaxed by RFC 1440 (#33156), which is implemented, but feature-gated. However, creating `UnsafeCell` from constants is unstable, so users can just enable the feature gate.
2 parents 0d61bb3 + 29dd7e0 commit 41f3d25

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

74 files changed

+3381
-1351
lines changed

mk/crates.mk

+1-1
Original file line numberDiff line numberDiff line change
@@ -111,7 +111,7 @@ DEPS_rustc_lint := rustc log syntax rustc_const_eval
111111
DEPS_rustc_llvm := native:rustllvm libc std rustc_bitflags
112112
DEPS_rustc_metadata := rustc syntax rbml rustc_const_math
113113
DEPS_rustc_passes := syntax rustc core rustc_const_eval
114-
DEPS_rustc_mir := rustc syntax rustc_const_math rustc_const_eval
114+
DEPS_rustc_mir := rustc syntax rustc_const_math rustc_const_eval rustc_bitflags
115115
DEPS_rustc_resolve := arena rustc log syntax
116116
DEPS_rustc_platform_intrinsics := std
117117
DEPS_rustc_plugin := rustc rustc_metadata syntax rustc_mir

src/librustc/dep_graph/dep_node.rs

+2
Original file line numberDiff line numberDiff line change
@@ -64,6 +64,7 @@ pub enum DepNode<D: Clone + Debug> {
6464
IntrinsicCheck(D),
6565
MatchCheck(D),
6666
MirMapConstruction(D),
67+
MirPass(D),
6768
MirTypeck(D),
6869
BorrowCheck(D),
6970
RvalueCheck(D),
@@ -186,6 +187,7 @@ impl<D: Clone + Debug> DepNode<D> {
186187
IntrinsicCheck(ref d) => op(d).map(IntrinsicCheck),
187188
MatchCheck(ref d) => op(d).map(MatchCheck),
188189
MirMapConstruction(ref d) => op(d).map(MirMapConstruction),
190+
MirPass(ref d) => op(d).map(MirPass),
189191
MirTypeck(ref d) => op(d).map(MirTypeck),
190192
BorrowCheck(ref d) => op(d).map(BorrowCheck),
191193
RvalueCheck(ref d) => op(d).map(RvalueCheck),

src/librustc/hir/map/def_collector.rs

+68-14
Original file line numberDiff line numberDiff line change
@@ -97,6 +97,31 @@ impl<'ast> DefCollector<'ast> {
9797
f(self);
9898
self.parent_def = parent;
9999
}
100+
101+
fn visit_ast_const_integer(&mut self, expr: &'ast Expr) {
102+
// Find the node which will be used after lowering.
103+
if let ExprKind::Paren(ref inner) = expr.node {
104+
return self.visit_ast_const_integer(inner);
105+
}
106+
107+
// FIXME(eddyb) Closures should have separate
108+
// function definition IDs and expression IDs.
109+
if let ExprKind::Closure(..) = expr.node {
110+
return;
111+
}
112+
113+
self.create_def(expr.id, DefPathData::Initializer);
114+
}
115+
116+
fn visit_hir_const_integer(&mut self, expr: &'ast hir::Expr) {
117+
// FIXME(eddyb) Closures should have separate
118+
// function definition IDs and expression IDs.
119+
if let hir::ExprClosure(..) = expr.node {
120+
return;
121+
}
122+
123+
self.create_def(expr.id, DefPathData::Initializer);
124+
}
100125
}
101126

102127
impl<'ast> visit::Visitor<'ast> for DefCollector<'ast> {
@@ -126,14 +151,17 @@ impl<'ast> visit::Visitor<'ast> for DefCollector<'ast> {
126151
let variant_def_index =
127152
this.create_def(v.node.data.id(),
128153
DefPathData::EnumVariant(v.node.name.name));
129-
130-
for (index, field) in v.node.data.fields().iter().enumerate() {
131-
let name = field.ident.map(|ident| ident.name)
132-
.unwrap_or(token::intern(&index.to_string()));
133-
this.create_def_with_parent(Some(variant_def_index),
134-
field.id,
135-
DefPathData::Field(name));
136-
}
154+
this.with_parent(variant_def_index, |this| {
155+
for (index, field) in v.node.data.fields().iter().enumerate() {
156+
let name = field.ident.map(|ident| ident.name)
157+
.unwrap_or_else(|| token::intern(&index.to_string()));
158+
this.create_def(field.id, DefPathData::Field(name));
159+
}
160+
161+
if let Some(ref expr) = v.node.disr_expr {
162+
this.visit_ast_const_integer(expr);
163+
}
164+
});
137165
}
138166
}
139167
ItemKind::Struct(ref struct_def, _) => {
@@ -221,6 +249,10 @@ impl<'ast> visit::Visitor<'ast> for DefCollector<'ast> {
221249
fn visit_expr(&mut self, expr: &'ast Expr) {
222250
let parent_def = self.parent_def;
223251

252+
if let ExprKind::Repeat(_, ref count) = expr.node {
253+
self.visit_ast_const_integer(count);
254+
}
255+
224256
if let ExprKind::Closure(..) = expr.node {
225257
let def = self.create_def(expr.id, DefPathData::ClosureExpr);
226258
self.parent_def = Some(def);
@@ -230,6 +262,13 @@ impl<'ast> visit::Visitor<'ast> for DefCollector<'ast> {
230262
self.parent_def = parent_def;
231263
}
232264

265+
fn visit_ty(&mut self, ty: &'ast Ty) {
266+
if let TyKind::FixedLengthVec(_, ref length) = ty.node {
267+
self.visit_ast_const_integer(length);
268+
}
269+
visit::walk_ty(self, ty);
270+
}
271+
233272
fn visit_lifetime_def(&mut self, def: &'ast LifetimeDef) {
234273
self.create_def(def.lifetime.id, DefPathData::LifetimeDef(def.lifetime.name));
235274
}
@@ -276,11 +315,15 @@ impl<'ast> intravisit::Visitor<'ast> for DefCollector<'ast> {
276315
this.create_def(v.node.data.id(),
277316
DefPathData::EnumVariant(v.node.name));
278317

279-
for field in v.node.data.fields() {
280-
this.create_def_with_parent(Some(variant_def_index),
281-
field.id,
282-
DefPathData::Field(field.name));
283-
}
318+
this.with_parent(variant_def_index, |this| {
319+
for field in v.node.data.fields() {
320+
this.create_def(field.id,
321+
DefPathData::Field(field.name));
322+
}
323+
if let Some(ref expr) = v.node.disr_expr {
324+
this.visit_hir_const_integer(expr);
325+
}
326+
});
284327
}
285328
}
286329
hir::ItemStruct(ref struct_def, _) => {
@@ -365,6 +408,10 @@ impl<'ast> intravisit::Visitor<'ast> for DefCollector<'ast> {
365408
fn visit_expr(&mut self, expr: &'ast hir::Expr) {
366409
let parent_def = self.parent_def;
367410

411+
if let hir::ExprRepeat(_, ref count) = expr.node {
412+
self.visit_hir_const_integer(count);
413+
}
414+
368415
if let hir::ExprClosure(..) = expr.node {
369416
let def = self.create_def(expr.id, DefPathData::ClosureExpr);
370417
self.parent_def = Some(def);
@@ -374,11 +421,18 @@ impl<'ast> intravisit::Visitor<'ast> for DefCollector<'ast> {
374421
self.parent_def = parent_def;
375422
}
376423

424+
fn visit_ty(&mut self, ty: &'ast hir::Ty) {
425+
if let hir::TyFixedLengthVec(_, ref length) = ty.node {
426+
self.visit_hir_const_integer(length);
427+
}
428+
intravisit::walk_ty(self, ty);
429+
}
430+
377431
fn visit_lifetime_def(&mut self, def: &'ast hir::LifetimeDef) {
378432
self.create_def(def.lifetime.id, DefPathData::LifetimeDef(def.lifetime.name));
379433
}
380434

381435
fn visit_macro_def(&mut self, macro_def: &'ast hir::MacroDef) {
382436
self.create_def(macro_def.id, DefPathData::MacroDef(macro_def.name));
383437
}
384-
}
438+
}

src/librustc/mir/repr.rs

+12
Original file line numberDiff line numberDiff line change
@@ -36,6 +36,11 @@ pub struct Mir<'tcx> {
3636
/// used (eventually) for debuginfo. Indexed by a `ScopeId`.
3737
pub scopes: Vec<ScopeData>,
3838

39+
/// Rvalues promoted from this function, such as borrows of constants.
40+
/// Each of them is the Mir of a constant with the fn's type parameters
41+
/// in scope, but no vars or args and a separate set of temps.
42+
pub promoted: Vec<Mir<'tcx>>,
43+
3944
/// Return type of the function.
4045
pub return_ty: FnOutput<'tcx>,
4146

@@ -987,6 +992,10 @@ pub enum Literal<'tcx> {
987992
Value {
988993
value: ConstVal,
989994
},
995+
Promoted {
996+
// Index into the `promoted` vector of `Mir`.
997+
index: usize
998+
},
990999
}
9911000

9921001
impl<'tcx> Debug for Constant<'tcx> {
@@ -1007,6 +1016,9 @@ impl<'tcx> Debug for Literal<'tcx> {
10071016
write!(fmt, "const ")?;
10081017
fmt_const_val(fmt, value)
10091018
}
1019+
Promoted { index } => {
1020+
write!(fmt, "promoted{}", index)
1021+
}
10101022
}
10111023
}
10121024
}

src/librustc/mir/transform.rs

+74-3
Original file line numberDiff line numberDiff line change
@@ -8,31 +8,102 @@
88
// option. This file may not be copied, modified, or distributed
99
// except according to those terms.
1010

11+
use dep_graph::DepNode;
12+
use hir;
13+
use hir::map::DefPathData;
14+
use hir::def_id::DefId;
1115
use mir::mir_map::MirMap;
1216
use mir::repr::Mir;
1317
use ty::TyCtxt;
1418
use syntax::ast::NodeId;
1519

20+
/// Where a specific Mir comes from.
21+
#[derive(Copy, Clone)]
22+
pub enum MirSource {
23+
/// Functions and methods.
24+
Fn(NodeId),
25+
26+
/// Constants and associated constants.
27+
Const(NodeId),
28+
29+
/// Initializer of a `static` item.
30+
Static(NodeId, hir::Mutability),
31+
32+
/// Promoted rvalues within a function.
33+
Promoted(NodeId, usize)
34+
}
35+
36+
impl MirSource {
37+
pub fn from_node(tcx: &TyCtxt, id: NodeId) -> MirSource {
38+
use hir::*;
39+
40+
// Handle constants in enum discriminants, types, and repeat expressions.
41+
let def_id = tcx.map.local_def_id(id);
42+
let def_key = tcx.def_key(def_id);
43+
if def_key.disambiguated_data.data == DefPathData::Initializer {
44+
return MirSource::Const(id);
45+
}
46+
47+
match tcx.map.get(id) {
48+
map::NodeItem(&Item { node: ItemConst(..), .. }) |
49+
map::NodeTraitItem(&TraitItem { node: ConstTraitItem(..), .. }) |
50+
map::NodeImplItem(&ImplItem { node: ImplItemKind::Const(..), .. }) => {
51+
MirSource::Const(id)
52+
}
53+
map::NodeItem(&Item { node: ItemStatic(_, m, _), .. }) => {
54+
MirSource::Static(id, m)
55+
}
56+
// Default to function if it's not a constant or static.
57+
_ => MirSource::Fn(id)
58+
}
59+
}
60+
61+
pub fn item_id(&self) -> NodeId {
62+
match *self {
63+
MirSource::Fn(id) |
64+
MirSource::Const(id) |
65+
MirSource::Static(id, _) |
66+
MirSource::Promoted(id, _) => id
67+
}
68+
}
69+
}
70+
1671
/// Various information about pass.
1772
pub trait Pass {
1873
// fn name() for printouts of various sorts?
1974
// fn should_run(Session) to check if pass should run?
75+
fn dep_node(&self, def_id: DefId) -> DepNode<DefId> {
76+
DepNode::MirPass(def_id)
77+
}
2078
}
2179

2280
/// A pass which inspects the whole MirMap.
2381
pub trait MirMapPass<'tcx>: Pass {
24-
fn run_pass(&mut self, cx: &TyCtxt<'tcx>, map: &mut MirMap<'tcx>);
82+
fn run_pass(&mut self, tcx: &TyCtxt<'tcx>, map: &mut MirMap<'tcx>);
2583
}
2684

2785
/// A pass which inspects Mir of functions in isolation.
2886
pub trait MirPass<'tcx>: Pass {
29-
fn run_pass(&mut self, cx: &TyCtxt<'tcx>, id: NodeId, mir: &mut Mir<'tcx>);
87+
fn run_pass_on_promoted(&mut self, tcx: &TyCtxt<'tcx>,
88+
item_id: NodeId, index: usize,
89+
mir: &mut Mir<'tcx>) {
90+
self.run_pass(tcx, MirSource::Promoted(item_id, index), mir);
91+
}
92+
fn run_pass(&mut self, tcx: &TyCtxt<'tcx>, src: MirSource, mir: &mut Mir<'tcx>);
3093
}
3194

3295
impl<'tcx, T: MirPass<'tcx>> MirMapPass<'tcx> for T {
3396
fn run_pass(&mut self, tcx: &TyCtxt<'tcx>, map: &mut MirMap<'tcx>) {
3497
for (&id, mir) in &mut map.map {
35-
MirPass::run_pass(self, tcx, id, mir);
98+
let def_id = tcx.map.local_def_id(id);
99+
let _task = tcx.dep_graph.in_task(self.dep_node(def_id));
100+
101+
let src = MirSource::from_node(tcx, id);
102+
MirPass::run_pass(self, tcx, src, mir);
103+
104+
for (i, mir) in mir.promoted.iter_mut().enumerate() {
105+
self.run_pass_on_promoted(tcx, id, i, mir);
106+
}
36107
}
37108
}
38109
}

src/librustc/mir/visit.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -244,6 +244,7 @@ macro_rules! make_mir_visitor {
244244
let Mir {
245245
ref $($mutability)* basic_blocks,
246246
ref $($mutability)* scopes,
247+
promoted: _, // Visited by passes separately.
247248
ref $($mutability)* return_ty,
248249
ref $($mutability)* var_decls,
249250
ref $($mutability)* arg_decls,
@@ -649,10 +650,11 @@ macro_rules! make_mir_visitor {
649650
ref $($mutability)* substs } => {
650651
self.visit_def_id(def_id);
651652
self.visit_substs(substs);
652-
},
653+
}
653654
Literal::Value { ref $($mutability)* value } => {
654655
self.visit_const_val(value);
655656
}
657+
Literal::Promoted { index: _ } => {}
656658
}
657659
}
658660

src/librustc/ty/mod.rs

+11-1
Original file line numberDiff line numberDiff line change
@@ -25,7 +25,7 @@ use middle::cstore::{self, LOCAL_CRATE};
2525
use hir::def::{self, Def, ExportMap};
2626
use hir::def_id::DefId;
2727
use middle::lang_items::{FnTraitLangItem, FnMutTraitLangItem, FnOnceTraitLangItem};
28-
use middle::region::{CodeExtent};
28+
use middle::region::{CodeExtent, ROOT_CODE_EXTENT};
2929
use traits;
3030
use ty;
3131
use ty::subst::{Subst, Substs, VecPerParamSpace};
@@ -1376,6 +1376,7 @@ impl<'a, 'tcx> ParameterEnvironment<'a, 'tcx> {
13761376
}
13771377
hir::ItemEnum(..) |
13781378
hir::ItemStruct(..) |
1379+
hir::ItemTy(..) |
13791380
hir::ItemImpl(..) |
13801381
hir::ItemConst(..) |
13811382
hir::ItemStatic(..) => {
@@ -1408,6 +1409,15 @@ impl<'a, 'tcx> ParameterEnvironment<'a, 'tcx> {
14081409
// This is a convenience to allow closures to work.
14091410
ParameterEnvironment::for_item(cx, cx.map.get_parent(id))
14101411
}
1412+
Some(ast_map::NodeForeignItem(item)) => {
1413+
let def_id = cx.map.local_def_id(id);
1414+
let scheme = cx.lookup_item_type(def_id);
1415+
let predicates = cx.lookup_predicates(def_id);
1416+
cx.construct_parameter_environment(item.span,
1417+
&scheme.generics,
1418+
&predicates,
1419+
ROOT_CODE_EXTENT)
1420+
}
14111421
_ => {
14121422
bug!("ParameterEnvironment::from_item(): \
14131423
`{}` is not an item",

src/librustc_driver/driver.rs

+2-5
Original file line numberDiff line numberDiff line change
@@ -37,7 +37,7 @@ use rustc_privacy;
3737
use rustc_plugin::registry::Registry;
3838
use rustc_plugin as plugin;
3939
use rustc::hir::lowering::{lower_crate, LoweringContext};
40-
use rustc_passes::{no_asm, loops, consts, const_fn, rvalues, static_recursion};
40+
use rustc_passes::{no_asm, loops, consts, rvalues, static_recursion};
4141
use rustc_const_eval::check_match;
4242
use super::Compilation;
4343

@@ -726,10 +726,6 @@ pub fn phase_2_configure_and_expand(sess: &Session,
726726
})
727727
})?;
728728

729-
time(time_passes,
730-
"const fn bodies and arguments",
731-
|| const_fn::check_crate(sess, &krate))?;
732-
733729
if sess.opts.debugging_opts.input_stats {
734730
println!("Post-expansion node count: {}", count_nodes(&krate));
735731
}
@@ -903,6 +899,7 @@ pub fn phase_3_run_analysis_passes<'tcx, F, R>(sess: &'tcx Session,
903899
let mut passes = sess.mir_passes.borrow_mut();
904900
// Push all the built-in passes.
905901
passes.push_pass(box mir::transform::remove_dead_blocks::RemoveDeadBlocks);
902+
passes.push_pass(box mir::transform::qualify_consts::QualifyAndPromoteConstants);
906903
passes.push_pass(box mir::transform::type_check::TypeckMir);
907904
passes.push_pass(box mir::transform::simplify_cfg::SimplifyCfg);
908905
passes.push_pass(box mir::transform::remove_dead_blocks::RemoveDeadBlocks);

src/librustc_metadata/decoder.rs

+3
Original file line numberDiff line numberDiff line change
@@ -855,6 +855,9 @@ pub fn maybe_get_item_mir<'tcx>(cdata: Cmd,
855855
};
856856

857857
def_id_and_span_translator.visit_mir(&mut mir);
858+
for promoted in &mut mir.promoted {
859+
def_id_and_span_translator.visit_mir(promoted);
860+
}
858861

859862
mir
860863
});

src/librustc_mir/Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -16,4 +16,5 @@ rustc_back = { path = "../librustc_back" }
1616
rustc_const_eval = { path = "../librustc_const_eval" }
1717
rustc_const_math = { path = "../librustc_const_math" }
1818
rustc_data_structures = { path = "../librustc_data_structures" }
19+
rustc_bitflags = { path = "../librustc_bitflags" }
1920
syntax = { path = "../libsyntax" }

0 commit comments

Comments
 (0)