Skip to content

Commit 6fff796

Browse files
committedJan 22, 2024
Auto merge of rust-lang#120196 - matthiaskrgr:rollup-id2zocf, r=matthiaskrgr
Rollup of 8 pull requests Successful merges: - rust-lang#120005 (Update Readme) - rust-lang#120045 (Un-hide `iter::repeat_n`) - rust-lang#120128 (Make stable_mir::with_tables sound) - rust-lang#120145 (fix: Drop guard was deallocating with the incorrect size) - rust-lang#120158 (`rustc_mir_dataflow`: Restore removed exports) - rust-lang#120167 (Capture the rationale for `-Zallow-features=` in bootstrap.py) - rust-lang#120174 (Warn users about limited review for tier 2 and 3 code) - rust-lang#120180 (Document some alternatives to `Vec::split_off`) Failed merges: - rust-lang#120171 (Fix assume and assert in jump threading) r? `@ghost` `@rustbot` modify labels: rollup
2 parents a58ec8f + 3eb7fe3 commit 6fff796

File tree

22 files changed

+575
-406
lines changed

22 files changed

+575
-406
lines changed
 

‎README.md

+4-2
Original file line numberDiff line numberDiff line change
@@ -15,6 +15,7 @@ If you wish to _contribute_ to the compiler, you should read
1515
<summary>Table of Contents</summary>
1616

1717
- [Quick Start](#quick-start)
18+
- [Installing from Source](#installing-from-source)
1819
- [Getting Help](#getting-help)
1920
- [Contributing](#contributing)
2021
- [License](#license)
@@ -29,9 +30,10 @@ Read ["Installation"] from [The Book].
2930
["Installation"]: https://doc.rust-lang.org/book/ch01-01-installation.html
3031
[The Book]: https://doc.rust-lang.org/book/index.html
3132

32-
## Installing from source
33+
## Installing from Source
3334

34-
If you really want to install from source (though this is not recommended), see [INSTALL.md](INSTALL.md).
35+
If you really want to install from source (though this is not recommended), see
36+
[INSTALL.md](INSTALL.md).
3537

3638
## Getting Help
3739

‎compiler/rustc_arena/src/lib.rs

+13
Original file line numberDiff line numberDiff line change
@@ -484,6 +484,19 @@ impl DroplessArena {
484484
}
485485
}
486486

487+
/// Used by `Lift` to check whether this slice is allocated
488+
/// in this arena.
489+
#[inline]
490+
pub fn contains_slice<T>(&self, slice: &[T]) -> bool {
491+
for chunk in self.chunks.borrow_mut().iter_mut() {
492+
let ptr = slice.as_ptr().cast::<u8>().cast_mut();
493+
if chunk.start() <= ptr && chunk.end() >= ptr {
494+
return true;
495+
}
496+
}
497+
false
498+
}
499+
487500
/// Allocates a string slice that is copied into the `DroplessArena`, returning a
488501
/// reference to it. Will panic if passed an empty string.
489502
///

‎compiler/rustc_middle/src/mir/consts.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -195,7 +195,7 @@ impl<'tcx> ConstValue<'tcx> {
195195
/// Constants
196196
197197
#[derive(Clone, Copy, PartialEq, Eq, TyEncodable, TyDecodable, Hash, HashStable, Debug)]
198-
#[derive(TypeFoldable, TypeVisitable)]
198+
#[derive(TypeFoldable, TypeVisitable, Lift)]
199199
pub enum Const<'tcx> {
200200
/// This constant came from the type system.
201201
///
@@ -456,7 +456,7 @@ impl<'tcx> Const<'tcx> {
456456

457457
/// An unevaluated (potentially generic) constant used in MIR.
458458
#[derive(Copy, Clone, Debug, Eq, PartialEq, PartialOrd, Ord, TyEncodable, TyDecodable)]
459-
#[derive(Hash, HashStable, TypeFoldable, TypeVisitable)]
459+
#[derive(Hash, HashStable, TypeFoldable, TypeVisitable, Lift)]
460460
pub struct UnevaluatedConst<'tcx> {
461461
pub def: DefId,
462462
pub args: GenericArgsRef<'tcx>,

‎compiler/rustc_middle/src/ty/context.rs

+22-1
Original file line numberDiff line numberDiff line change
@@ -1416,6 +1416,7 @@ nop_lift! {const_; Const<'a> => Const<'tcx>}
14161416
nop_lift! {const_allocation; ConstAllocation<'a> => ConstAllocation<'tcx>}
14171417
nop_lift! {predicate; Predicate<'a> => Predicate<'tcx>}
14181418
nop_lift! {predicate; Clause<'a> => Clause<'tcx>}
1419+
nop_lift! {layout; Layout<'a> => Layout<'tcx>}
14191420

14201421
nop_list_lift! {type_lists; Ty<'a> => Ty<'tcx>}
14211422
nop_list_lift! {poly_existential_predicates; PolyExistentialPredicate<'a> => PolyExistentialPredicate<'tcx>}
@@ -1424,8 +1425,28 @@ nop_list_lift! {bound_variable_kinds; ty::BoundVariableKind => ty::BoundVariable
14241425
// This is the impl for `&'a GenericArgs<'a>`.
14251426
nop_list_lift! {args; GenericArg<'a> => GenericArg<'tcx>}
14261427

1428+
macro_rules! nop_slice_lift {
1429+
($ty:ty => $lifted:ty) => {
1430+
impl<'a, 'tcx> Lift<'tcx> for &'a [$ty] {
1431+
type Lifted = &'tcx [$lifted];
1432+
fn lift_to_tcx(self, tcx: TyCtxt<'tcx>) -> Option<Self::Lifted> {
1433+
if self.is_empty() {
1434+
return Some(&[]);
1435+
}
1436+
tcx.interners
1437+
.arena
1438+
.dropless
1439+
.contains_slice(self)
1440+
.then(|| unsafe { mem::transmute(self) })
1441+
}
1442+
}
1443+
};
1444+
}
1445+
1446+
nop_slice_lift! {ty::ValTree<'a> => ty::ValTree<'tcx>}
1447+
14271448
TrivialLiftImpls! {
1428-
ImplPolarity,
1449+
ImplPolarity, Promoted
14291450
}
14301451

14311452
macro_rules! sty_debug_print {

‎compiler/rustc_mir_dataflow/src/lib.rs

+5-3
Original file line numberDiff line numberDiff line change
@@ -16,15 +16,17 @@ extern crate rustc_middle;
1616

1717
use rustc_middle::ty;
1818

19+
// Please change the public `use` directives cautiously, as they might be used by external tools.
20+
// See issue #120130.
1921
pub use self::drop_flag_effects::{
2022
drop_flag_effects_for_function_entry, drop_flag_effects_for_location,
2123
move_path_children_matching, on_all_children_bits, on_lookup_result_bits,
2224
};
2325
pub use self::framework::{
24-
fmt, lattice, visit_results, Analysis, AnalysisDomain, Direction, GenKill, GenKillAnalysis,
25-
JoinSemiLattice, MaybeReachable, Results, ResultsCursor, ResultsVisitable, ResultsVisitor,
26+
fmt, graphviz, lattice, visit_results, Analysis, AnalysisDomain, Backward, Direction, Engine,
27+
Forward, GenKill, GenKillAnalysis, JoinSemiLattice, MaybeReachable, Results, ResultsCursor,
28+
ResultsVisitable, ResultsVisitor, SwitchIntEdgeEffects,
2629
};
27-
use self::framework::{Backward, SwitchIntEdgeEffects};
2830
use self::move_paths::MoveData;
2931

3032
pub mod debuginfo;

‎compiler/rustc_smir/src/rustc_internal/internal.rs

+213-193
Large diffs are not rendered by default.

‎compiler/rustc_smir/src/rustc_internal/mod.rs

+33-7
Original file line numberDiff line numberDiff line change
@@ -24,12 +24,38 @@ use std::ops::Index;
2424
mod internal;
2525
pub mod pretty;
2626

27+
/// Convert an internal Rust compiler item into its stable counterpart, if one exists.
28+
///
29+
/// # Warning
30+
///
31+
/// This function is unstable, and its behavior may change at any point.
32+
/// E.g.: Items that were previously supported, may no longer be supported, or its translation may
33+
/// change.
34+
///
35+
/// # Panics
36+
///
37+
/// This function will panic if StableMIR has not been properly initialized.
2738
pub fn stable<'tcx, S: Stable<'tcx>>(item: S) -> S::T {
2839
with_tables(|tables| item.stable(tables))
2940
}
3041

31-
pub fn internal<'tcx, S: RustcInternal<'tcx>>(item: S) -> S::T {
32-
with_tables(|tables| item.internal(tables))
42+
/// Convert a stable item into its internal Rust compiler counterpart, if one exists.
43+
///
44+
/// # Warning
45+
///
46+
/// This function is unstable, and it's behavior may change at any point.
47+
/// Not every stable item can be converted to an internal one.
48+
/// Furthermore, items that were previously supported, may no longer be supported in newer versions.
49+
///
50+
/// # Panics
51+
///
52+
/// This function will panic if StableMIR has not been properly initialized.
53+
pub fn internal<'tcx, S>(tcx: TyCtxt<'tcx>, item: S) -> S::T<'tcx>
54+
where
55+
S: RustcInternal,
56+
{
57+
// The tcx argument ensures that the item won't outlive the type context.
58+
with_tables(|tables| item.internal(tables, tcx))
3359
}
3460

3561
impl<'tcx> Index<stable_mir::DefId> for Tables<'tcx> {
@@ -162,12 +188,12 @@ where
162188

163189
/// Loads the current context and calls a function with it.
164190
/// Do not nest these, as that will ICE.
165-
pub(crate) fn with_tables<'tcx, R>(f: impl FnOnce(&mut Tables<'tcx>) -> R) -> R {
191+
pub(crate) fn with_tables<R>(f: impl for<'tcx> FnOnce(&mut Tables<'tcx>) -> R) -> R {
166192
assert!(TLV.is_set());
167193
TLV.with(|tlv| {
168194
let ptr = tlv.get();
169195
assert!(!ptr.is_null());
170-
let wrapper = ptr as *const TablesWrapper<'tcx>;
196+
let wrapper = ptr as *const TablesWrapper<'_>;
171197
let mut tables = unsafe { (*wrapper).0.borrow_mut() };
172198
f(&mut *tables)
173199
})
@@ -393,7 +419,7 @@ impl<K: PartialEq + Hash + Eq, V: Copy + Debug + PartialEq + IndexedVal> Index<V
393419
/// Trait used to translate a stable construct to its rustc counterpart.
394420
///
395421
/// This is basically a mirror of [crate::rustc_smir::Stable].
396-
pub trait RustcInternal<'tcx> {
397-
type T;
398-
fn internal(&self, tables: &mut Tables<'tcx>) -> Self::T;
422+
pub trait RustcInternal {
423+
type T<'tcx>;
424+
fn internal<'tcx>(&self, tables: &mut Tables<'_>, tcx: TyCtxt<'tcx>) -> Self::T<'tcx>;
399425
}

‎compiler/rustc_smir/src/rustc_smir/alloc.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -27,7 +27,8 @@ pub fn new_allocation<'tcx>(
2727
const_value: ConstValue<'tcx>,
2828
tables: &mut Tables<'tcx>,
2929
) -> Allocation {
30-
try_new_allocation(ty, const_value, tables).unwrap()
30+
try_new_allocation(ty, const_value, tables)
31+
.expect(&format!("Failed to convert: {const_value:?} to {ty:?}"))
3132
}
3233

3334
#[allow(rustc::usage_of_qualified_ty)]

‎compiler/rustc_smir/src/rustc_smir/context.rs

+74-43
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,7 @@ use stable_mir::{Crate, CrateItem, CrateNum, DefId, Error, Filename, ItemKind, S
2929
use std::cell::RefCell;
3030
use std::iter;
3131

32-
use crate::rustc_internal::{internal, RustcInternal};
32+
use crate::rustc_internal::RustcInternal;
3333
use crate::rustc_smir::builder::BodyBuilder;
3434
use crate::rustc_smir::{alloc, new_item_kind, smir_crate, Stable, Tables};
3535

@@ -74,9 +74,8 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
7474

7575
fn trait_decls(&self, crate_num: CrateNum) -> stable_mir::TraitDecls {
7676
let mut tables = self.0.borrow_mut();
77-
tables
78-
.tcx
79-
.traits(crate_num.internal(&mut *tables))
77+
let tcx = tables.tcx;
78+
tcx.traits(crate_num.internal(&mut *tables, tcx))
8079
.iter()
8180
.map(|trait_def_id| tables.trait_def(*trait_def_id))
8281
.collect()
@@ -101,9 +100,8 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
101100

102101
fn trait_impls(&self, crate_num: CrateNum) -> stable_mir::ImplTraitDecls {
103102
let mut tables = self.0.borrow_mut();
104-
tables
105-
.tcx
106-
.trait_impls_in_crate(crate_num.internal(&mut *tables))
103+
let tcx = tables.tcx;
104+
tcx.trait_impls_in_crate(crate_num.internal(&mut *tables, tcx))
107105
.iter()
108106
.map(|impl_def_id| tables.impl_def(*impl_def_id))
109107
.collect()
@@ -229,57 +227,68 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
229227

230228
fn adt_kind(&self, def: AdtDef) -> AdtKind {
231229
let mut tables = self.0.borrow_mut();
232-
def.internal(&mut *tables).adt_kind().stable(&mut *tables)
230+
let tcx = tables.tcx;
231+
def.internal(&mut *tables, tcx).adt_kind().stable(&mut *tables)
233232
}
234233

235234
fn adt_is_box(&self, def: AdtDef) -> bool {
236235
let mut tables = self.0.borrow_mut();
237-
def.internal(&mut *tables).is_box()
236+
let tcx = tables.tcx;
237+
def.internal(&mut *tables, tcx).is_box()
238238
}
239239

240240
fn adt_is_simd(&self, def: AdtDef) -> bool {
241241
let mut tables = self.0.borrow_mut();
242-
def.internal(&mut *tables).repr().simd()
242+
let tcx = tables.tcx;
243+
def.internal(&mut *tables, tcx).repr().simd()
243244
}
244245

245246
fn adt_is_cstr(&self, def: AdtDef) -> bool {
246247
let mut tables = self.0.borrow_mut();
247-
let def_id = def.0.internal(&mut *tables);
248+
let tcx = tables.tcx;
249+
let def_id = def.0.internal(&mut *tables, tcx);
248250
tables.tcx.lang_items().c_str() == Some(def_id)
249251
}
250252

251253
fn fn_sig(&self, def: FnDef, args: &GenericArgs) -> PolyFnSig {
252254
let mut tables = self.0.borrow_mut();
253-
let def_id = def.0.internal(&mut *tables);
254-
let sig = tables.tcx.fn_sig(def_id).instantiate(tables.tcx, args.internal(&mut *tables));
255+
let tcx = tables.tcx;
256+
let def_id = def.0.internal(&mut *tables, tcx);
257+
let sig =
258+
tables.tcx.fn_sig(def_id).instantiate(tables.tcx, args.internal(&mut *tables, tcx));
255259
sig.stable(&mut *tables)
256260
}
257261

258262
fn closure_sig(&self, args: &GenericArgs) -> PolyFnSig {
259263
let mut tables = self.0.borrow_mut();
260-
let args_ref = args.internal(&mut *tables);
264+
let tcx = tables.tcx;
265+
let args_ref = args.internal(&mut *tables, tcx);
261266
let sig = args_ref.as_closure().sig();
262267
sig.stable(&mut *tables)
263268
}
264269

265270
fn adt_variants_len(&self, def: AdtDef) -> usize {
266271
let mut tables = self.0.borrow_mut();
267-
def.internal(&mut *tables).variants().len()
272+
let tcx = tables.tcx;
273+
def.internal(&mut *tables, tcx).variants().len()
268274
}
269275

270276
fn variant_name(&self, def: VariantDef) -> Symbol {
271277
let mut tables = self.0.borrow_mut();
272-
def.internal(&mut *tables).name.to_string()
278+
let tcx = tables.tcx;
279+
def.internal(&mut *tables, tcx).name.to_string()
273280
}
274281

275282
fn variant_fields(&self, def: VariantDef) -> Vec<FieldDef> {
276283
let mut tables = self.0.borrow_mut();
277-
def.internal(&mut *tables).fields.iter().map(|f| f.stable(&mut *tables)).collect()
284+
let tcx = tables.tcx;
285+
def.internal(&mut *tables, tcx).fields.iter().map(|f| f.stable(&mut *tables)).collect()
278286
}
279287

280288
fn eval_target_usize(&self, cnst: &Const) -> Result<u64, Error> {
281289
let mut tables = self.0.borrow_mut();
282-
let mir_const = cnst.internal(&mut *tables);
290+
let tcx = tables.tcx;
291+
let mir_const = cnst.internal(&mut *tables, tcx);
283292
mir_const
284293
.try_eval_target_usize(tables.tcx, ParamEnv::empty())
285294
.ok_or_else(|| Error::new(format!("Const `{cnst:?}` cannot be encoded as u64")))
@@ -299,30 +308,36 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
299308

300309
fn new_rigid_ty(&self, kind: RigidTy) -> stable_mir::ty::Ty {
301310
let mut tables = self.0.borrow_mut();
302-
let internal_kind = kind.internal(&mut *tables);
311+
let tcx = tables.tcx;
312+
let internal_kind = kind.internal(&mut *tables, tcx);
303313
tables.tcx.mk_ty_from_kind(internal_kind).stable(&mut *tables)
304314
}
305315

306316
fn new_box_ty(&self, ty: stable_mir::ty::Ty) -> stable_mir::ty::Ty {
307317
let mut tables = self.0.borrow_mut();
308-
let inner = ty.internal(&mut *tables);
318+
let tcx = tables.tcx;
319+
let inner = ty.internal(&mut *tables, tcx);
309320
ty::Ty::new_box(tables.tcx, inner).stable(&mut *tables)
310321
}
311322

312323
fn def_ty(&self, item: stable_mir::DefId) -> stable_mir::ty::Ty {
313324
let mut tables = self.0.borrow_mut();
314-
tables.tcx.type_of(item.internal(&mut *tables)).instantiate_identity().stable(&mut *tables)
325+
let tcx = tables.tcx;
326+
tcx.type_of(item.internal(&mut *tables, tcx)).instantiate_identity().stable(&mut *tables)
315327
}
316328

317329
fn def_ty_with_args(&self, item: stable_mir::DefId, args: &GenericArgs) -> stable_mir::ty::Ty {
318330
let mut tables = self.0.borrow_mut();
319-
let args = args.internal(&mut *tables);
320-
let def_ty = tables.tcx.type_of(item.internal(&mut *tables));
331+
let tcx = tables.tcx;
332+
let args = args.internal(&mut *tables, tcx);
333+
let def_ty = tables.tcx.type_of(item.internal(&mut *tables, tcx));
321334
def_ty.instantiate(tables.tcx, args).stable(&mut *tables)
322335
}
323336

324337
fn const_literal(&self, cnst: &stable_mir::ty::Const) -> String {
325-
internal(cnst).to_string()
338+
let mut tables = self.0.borrow_mut();
339+
let tcx = tables.tcx;
340+
cnst.internal(&mut *tables, tcx).to_string()
326341
}
327342

328343
fn span_of_an_item(&self, def_id: stable_mir::DefId) -> Span {
@@ -337,7 +352,8 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
337352

338353
fn rigid_ty_discriminant_ty(&self, ty: &RigidTy) -> stable_mir::ty::Ty {
339354
let mut tables = self.0.borrow_mut();
340-
let internal_kind = ty.internal(&mut *tables);
355+
let tcx = tables.tcx;
356+
let internal_kind = ty.internal(&mut *tables, tcx);
341357
let internal_ty = tables.tcx.mk_ty_from_kind(internal_kind);
342358
internal_ty.discriminant_ty(tables.tcx).stable(&mut *tables)
343359
}
@@ -407,8 +423,9 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
407423
args: &stable_mir::ty::GenericArgs,
408424
) -> Option<stable_mir::mir::mono::Instance> {
409425
let mut tables = self.0.borrow_mut();
410-
let def_id = def.0.internal(&mut *tables);
411-
let args_ref = args.internal(&mut *tables);
426+
let tcx = tables.tcx;
427+
let def_id = def.0.internal(&mut *tables, tcx);
428+
let args_ref = args.internal(&mut *tables, tcx);
412429
match Instance::resolve(tables.tcx, ParamEnv::reveal_all(), def_id, args_ref) {
413430
Ok(Some(instance)) => Some(instance.stable(&mut *tables)),
414431
Ok(None) | Err(_) => None,
@@ -417,7 +434,8 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
417434

418435
fn resolve_drop_in_place(&self, ty: stable_mir::ty::Ty) -> stable_mir::mir::mono::Instance {
419436
let mut tables = self.0.borrow_mut();
420-
let internal_ty = ty.internal(&mut *tables);
437+
let tcx = tables.tcx;
438+
let internal_ty = ty.internal(&mut *tables, tcx);
421439
let instance = Instance::resolve_drop_in_place(tables.tcx, internal_ty);
422440
instance.stable(&mut *tables)
423441
}
@@ -428,8 +446,9 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
428446
args: &GenericArgs,
429447
) -> Option<stable_mir::mir::mono::Instance> {
430448
let mut tables = self.0.borrow_mut();
431-
let def_id = def.0.internal(&mut *tables);
432-
let args_ref = args.internal(&mut *tables);
449+
let tcx = tables.tcx;
450+
let def_id = def.0.internal(&mut *tables, tcx);
451+
let args_ref = args.internal(&mut *tables, tcx);
433452
Instance::resolve_for_fn_ptr(tables.tcx, ParamEnv::reveal_all(), def_id, args_ref)
434453
.stable(&mut *tables)
435454
}
@@ -441,36 +460,44 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
441460
kind: ClosureKind,
442461
) -> Option<stable_mir::mir::mono::Instance> {
443462
let mut tables = self.0.borrow_mut();
444-
let def_id = def.0.internal(&mut *tables);
445-
let args_ref = args.internal(&mut *tables);
446-
let closure_kind = kind.internal(&mut *tables);
463+
let tcx = tables.tcx;
464+
let def_id = def.0.internal(&mut *tables, tcx);
465+
let args_ref = args.internal(&mut *tables, tcx);
466+
let closure_kind = kind.internal(&mut *tables, tcx);
447467
Instance::resolve_closure(tables.tcx, def_id, args_ref, closure_kind).stable(&mut *tables)
448468
}
449469

450470
fn eval_instance(&self, def: InstanceDef, const_ty: Ty) -> Result<Allocation, Error> {
451471
let mut tables = self.0.borrow_mut();
452472
let instance = tables.instances[def];
453-
let result = tables.tcx.const_eval_instance(
473+
let tcx = tables.tcx;
474+
let result = tcx.const_eval_instance(
454475
ParamEnv::reveal_all(),
455476
instance,
456-
Some(tables.tcx.def_span(instance.def_id())),
477+
Some(tcx.def_span(instance.def_id())),
457478
);
458479
result
459480
.map(|const_val| {
460-
alloc::try_new_allocation(const_ty.internal(&mut *tables), const_val, &mut *tables)
481+
alloc::try_new_allocation(
482+
const_ty.internal(&mut *tables, tcx),
483+
const_val,
484+
&mut *tables,
485+
)
461486
})
462487
.map_err(|e| e.stable(&mut *tables))?
463488
}
464489

465490
fn eval_static_initializer(&self, def: StaticDef) -> Result<Allocation, Error> {
466491
let mut tables = self.0.borrow_mut();
467-
let def_id = def.0.internal(&mut *tables);
492+
let tcx = tables.tcx;
493+
let def_id = def.0.internal(&mut *tables, tcx);
468494
tables.tcx.eval_static_initializer(def_id).stable(&mut *tables)
469495
}
470496

471497
fn global_alloc(&self, alloc: stable_mir::mir::alloc::AllocId) -> GlobalAlloc {
472498
let mut tables = self.0.borrow_mut();
473-
let alloc_id = alloc.internal(&mut *tables);
499+
let tcx = tables.tcx;
500+
let alloc_id = alloc.internal(&mut *tables, tcx);
474501
tables.tcx.global_alloc(alloc_id).stable(&mut *tables)
475502
}
476503

@@ -480,9 +507,11 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
480507
) -> Option<stable_mir::mir::alloc::AllocId> {
481508
let mut tables = self.0.borrow_mut();
482509
let GlobalAlloc::VTable(ty, trait_ref) = global_alloc else { return None };
483-
let alloc_id = tables
484-
.tcx
485-
.vtable_allocation((ty.internal(&mut *tables), trait_ref.internal(&mut *tables)));
510+
let tcx = tables.tcx;
511+
let alloc_id = tables.tcx.vtable_allocation((
512+
ty.internal(&mut *tables, tcx),
513+
trait_ref.internal(&mut *tables, tcx),
514+
));
486515
Some(alloc_id.stable(&mut *tables))
487516
}
488517

@@ -510,14 +539,16 @@ impl<'tcx> Context for TablesWrapper<'tcx> {
510539

511540
fn ty_layout(&self, ty: Ty) -> Result<Layout, Error> {
512541
let mut tables = self.0.borrow_mut();
513-
let ty = ty.internal(&mut *tables);
542+
let tcx = tables.tcx;
543+
let ty = ty.internal(&mut *tables, tcx);
514544
let layout = tables.layout_of(ty)?.layout;
515545
Ok(layout.stable(&mut *tables))
516546
}
517547

518548
fn layout_shape(&self, id: Layout) -> LayoutShape {
519549
let mut tables = self.0.borrow_mut();
520-
id.internal(&mut *tables).0.stable(&mut *tables)
550+
let tcx = tables.tcx;
551+
id.internal(&mut *tables, tcx).0.stable(&mut *tables)
521552
}
522553
}
523554

‎compiler/rustc_smir/src/rustc_smir/convert/abi.rs

+17-17
Original file line numberDiff line numberDiff line change
@@ -14,15 +14,15 @@ use stable_mir::{opaque, Opaque};
1414

1515
impl<'tcx> Stable<'tcx> for rustc_target::abi::VariantIdx {
1616
type T = VariantIdx;
17-
fn stable(&self, _: &mut Tables<'tcx>) -> Self::T {
17+
fn stable(&self, _: &mut Tables<'_>) -> Self::T {
1818
VariantIdx::to_val(self.as_usize())
1919
}
2020
}
2121

2222
impl<'tcx> Stable<'tcx> for rustc_abi::Endian {
2323
type T = stable_mir::target::Endian;
2424

25-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
25+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
2626
match self {
2727
rustc_abi::Endian::Little => stable_mir::target::Endian::Little,
2828
rustc_abi::Endian::Big => stable_mir::target::Endian::Big,
@@ -33,16 +33,16 @@ impl<'tcx> Stable<'tcx> for rustc_abi::Endian {
3333
impl<'tcx> Stable<'tcx> for rustc_target::abi::TyAndLayout<'tcx, ty::Ty<'tcx>> {
3434
type T = TyAndLayout;
3535

36-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
36+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
3737
TyAndLayout { ty: self.ty.stable(tables), layout: self.layout.stable(tables) }
3838
}
3939
}
4040

4141
impl<'tcx> Stable<'tcx> for rustc_target::abi::Layout<'tcx> {
4242
type T = Layout;
4343

44-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
45-
tables.layout_id(*self)
44+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
45+
tables.layout_id(tables.tcx.lift(*self).unwrap())
4646
}
4747
}
4848

@@ -51,7 +51,7 @@ impl<'tcx> Stable<'tcx>
5151
{
5252
type T = LayoutShape;
5353

54-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
54+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
5555
LayoutShape {
5656
fields: self.fields.stable(tables),
5757
variants: self.variants.stable(tables),
@@ -65,7 +65,7 @@ impl<'tcx> Stable<'tcx>
6565
impl<'tcx> Stable<'tcx> for rustc_target::abi::call::FnAbi<'tcx, ty::Ty<'tcx>> {
6666
type T = FnAbi;
6767

68-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
68+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
6969
assert!(self.args.len() >= self.fixed_count as usize);
7070
assert!(!self.c_variadic || matches!(self.conv, Conv::C));
7171
FnAbi {
@@ -81,7 +81,7 @@ impl<'tcx> Stable<'tcx> for rustc_target::abi::call::FnAbi<'tcx, ty::Ty<'tcx>> {
8181
impl<'tcx> Stable<'tcx> for rustc_target::abi::call::ArgAbi<'tcx, ty::Ty<'tcx>> {
8282
type T = ArgAbi;
8383

84-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
84+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
8585
ArgAbi {
8686
ty: self.layout.ty.stable(tables),
8787
layout: self.layout.layout.stable(tables),
@@ -93,7 +93,7 @@ impl<'tcx> Stable<'tcx> for rustc_target::abi::call::ArgAbi<'tcx, ty::Ty<'tcx>>
9393
impl<'tcx> Stable<'tcx> for rustc_target::abi::call::Conv {
9494
type T = CallConvention;
9595

96-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
96+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
9797
match self {
9898
Conv::C => CallConvention::C,
9999
Conv::Rust => CallConvention::Rust,
@@ -122,7 +122,7 @@ impl<'tcx> Stable<'tcx> for rustc_target::abi::call::Conv {
122122
impl<'tcx> Stable<'tcx> for rustc_target::abi::call::PassMode {
123123
type T = PassMode;
124124

125-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
125+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
126126
match self {
127127
rustc_target::abi::call::PassMode::Ignore => PassMode::Ignore,
128128
rustc_target::abi::call::PassMode::Direct(attr) => PassMode::Direct(opaque(attr)),
@@ -146,7 +146,7 @@ impl<'tcx> Stable<'tcx> for rustc_target::abi::call::PassMode {
146146
impl<'tcx> Stable<'tcx> for rustc_abi::FieldsShape<rustc_target::abi::FieldIdx> {
147147
type T = FieldsShape;
148148

149-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
149+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
150150
match self {
151151
rustc_abi::FieldsShape::Primitive => FieldsShape::Primitive,
152152
rustc_abi::FieldsShape::Union(count) => FieldsShape::Union(*count),
@@ -165,7 +165,7 @@ impl<'tcx> Stable<'tcx>
165165
{
166166
type T = VariantsShape;
167167

168-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
168+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
169169
match self {
170170
rustc_abi::Variants::Single { index } => {
171171
VariantsShape::Single { index: index.stable(tables) }
@@ -185,7 +185,7 @@ impl<'tcx> Stable<'tcx>
185185
impl<'tcx> Stable<'tcx> for rustc_abi::TagEncoding<rustc_target::abi::VariantIdx> {
186186
type T = TagEncoding;
187187

188-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
188+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
189189
match self {
190190
rustc_abi::TagEncoding::Direct => TagEncoding::Direct,
191191
rustc_abi::TagEncoding::Niche { untagged_variant, niche_variants, niche_start } => {
@@ -202,7 +202,7 @@ impl<'tcx> Stable<'tcx> for rustc_abi::TagEncoding<rustc_target::abi::VariantIdx
202202
impl<'tcx> Stable<'tcx> for rustc_abi::Abi {
203203
type T = ValueAbi;
204204

205-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
205+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
206206
match *self {
207207
rustc_abi::Abi::Uninhabited => ValueAbi::Uninhabited,
208208
rustc_abi::Abi::Scalar(scalar) => ValueAbi::Scalar(scalar.stable(tables)),
@@ -220,23 +220,23 @@ impl<'tcx> Stable<'tcx> for rustc_abi::Abi {
220220
impl<'tcx> Stable<'tcx> for rustc_abi::Size {
221221
type T = Size;
222222

223-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
223+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
224224
self.bytes_usize()
225225
}
226226
}
227227

228228
impl<'tcx> Stable<'tcx> for rustc_abi::Align {
229229
type T = Align;
230230

231-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
231+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
232232
self.bytes()
233233
}
234234
}
235235

236236
impl<'tcx> Stable<'tcx> for rustc_abi::Scalar {
237237
type T = Opaque;
238238

239-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
239+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
240240
opaque(self)
241241
}
242242
}

‎compiler/rustc_smir/src/rustc_smir/convert/error.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -8,15 +8,15 @@ use rustc_middle::ty::layout::LayoutError;
88
impl<'tcx> Stable<'tcx> for LayoutError<'tcx> {
99
type T = stable_mir::Error;
1010

11-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
11+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
1212
stable_mir::Error::new(format!("{self:?}"))
1313
}
1414
}
1515

1616
impl<'tcx> Stable<'tcx> for AllocError {
1717
type T = stable_mir::Error;
1818

19-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
19+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
2020
stable_mir::Error::new(format!("{self:?}"))
2121
}
2222
}

‎compiler/rustc_smir/src/rustc_smir/convert/mir.rs

+42-40
Large diffs are not rendered by default.

‎compiler/rustc_smir/src/rustc_smir/convert/mod.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ mod ty;
1111

1212
impl<'tcx> Stable<'tcx> for rustc_hir::Unsafety {
1313
type T = stable_mir::mir::Safety;
14-
fn stable(&self, _: &mut Tables<'tcx>) -> Self::T {
14+
fn stable(&self, _: &mut Tables<'_>) -> Self::T {
1515
match self {
1616
rustc_hir::Unsafety::Unsafe => stable_mir::mir::Safety::Unsafe,
1717
rustc_hir::Unsafety::Normal => stable_mir::mir::Safety::Normal,
@@ -21,14 +21,14 @@ impl<'tcx> Stable<'tcx> for rustc_hir::Unsafety {
2121

2222
impl<'tcx> Stable<'tcx> for FieldIdx {
2323
type T = usize;
24-
fn stable(&self, _: &mut Tables<'tcx>) -> Self::T {
24+
fn stable(&self, _: &mut Tables<'_>) -> Self::T {
2525
self.as_usize()
2626
}
2727
}
2828

2929
impl<'tcx> Stable<'tcx> for rustc_hir::CoroutineSource {
3030
type T = stable_mir::mir::CoroutineSource;
31-
fn stable(&self, _: &mut Tables<'tcx>) -> Self::T {
31+
fn stable(&self, _: &mut Tables<'_>) -> Self::T {
3232
use rustc_hir::CoroutineSource;
3333
match self {
3434
CoroutineSource::Block => stable_mir::mir::CoroutineSource::Block,
@@ -40,7 +40,7 @@ impl<'tcx> Stable<'tcx> for rustc_hir::CoroutineSource {
4040

4141
impl<'tcx> Stable<'tcx> for rustc_hir::CoroutineKind {
4242
type T = stable_mir::mir::CoroutineKind;
43-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
43+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
4444
use rustc_hir::{CoroutineDesugaring, CoroutineKind};
4545
match *self {
4646
CoroutineKind::Desugared(CoroutineDesugaring::Async, source) => {
@@ -71,15 +71,15 @@ impl<'tcx> Stable<'tcx> for rustc_hir::CoroutineKind {
7171
impl<'tcx> Stable<'tcx> for rustc_span::Symbol {
7272
type T = stable_mir::Symbol;
7373

74-
fn stable(&self, _tables: &mut Tables<'tcx>) -> Self::T {
74+
fn stable(&self, _tables: &mut Tables<'_>) -> Self::T {
7575
self.to_string()
7676
}
7777
}
7878

7979
impl<'tcx> Stable<'tcx> for rustc_span::Span {
8080
type T = stable_mir::ty::Span;
8181

82-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
82+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
8383
tables.create_span(*self)
8484
}
8585
}

‎compiler/rustc_smir/src/rustc_smir/convert/ty.rs

+61-56
Large diffs are not rendered by default.

‎compiler/rustc_smir/src/rustc_smir/mod.rs

+8-8
Original file line numberDiff line numberDiff line change
@@ -102,11 +102,11 @@ pub(crate) fn new_item_kind(kind: DefKind) -> ItemKind {
102102
}
103103

104104
/// Trait used to convert between an internal MIR type to a Stable MIR type.
105-
pub trait Stable<'tcx> {
105+
pub trait Stable<'cx> {
106106
/// The stable representation of the type implementing Stable.
107107
type T;
108108
/// Converts an object to the equivalent Stable MIR representation.
109-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T;
109+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T;
110110
}
111111

112112
impl<'tcx, T> Stable<'tcx> for &T
@@ -115,7 +115,7 @@ where
115115
{
116116
type T = T::T;
117117

118-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
118+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
119119
(*self).stable(tables)
120120
}
121121
}
@@ -126,7 +126,7 @@ where
126126
{
127127
type T = Option<T::T>;
128128

129-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
129+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
130130
self.as_ref().map(|value| value.stable(tables))
131131
}
132132
}
@@ -138,7 +138,7 @@ where
138138
{
139139
type T = Result<T::T, E::T>;
140140

141-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
141+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
142142
match self {
143143
Ok(val) => Ok(val.stable(tables)),
144144
Err(error) => Err(error.stable(tables)),
@@ -151,7 +151,7 @@ where
151151
T: Stable<'tcx>,
152152
{
153153
type T = Vec<T::T>;
154-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
154+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
155155
self.iter().map(|e| e.stable(tables)).collect()
156156
}
157157
}
@@ -162,7 +162,7 @@ where
162162
U: Stable<'tcx>,
163163
{
164164
type T = (T::T, U::T);
165-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
165+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
166166
(self.0.stable(tables), self.1.stable(tables))
167167
}
168168
}
@@ -172,7 +172,7 @@ where
172172
T: Stable<'tcx>,
173173
{
174174
type T = RangeInclusive<T::T>;
175-
fn stable(&self, tables: &mut Tables<'tcx>) -> Self::T {
175+
fn stable(&self, tables: &mut Tables<'_>) -> Self::T {
176176
RangeInclusive::new(self.start().stable(tables), self.end().stable(tables))
177177
}
178178
}

‎library/alloc/src/vec/in_place_collect.rs

+6-4
Original file line numberDiff line numberDiff line change
@@ -72,7 +72,7 @@
7272
//! This is handled by the [`InPlaceDrop`] guard for sink items (`U`) and by
7373
//! [`vec::IntoIter::forget_allocation_drop_remaining()`] for remaining source items (`T`).
7474
//!
75-
//! If dropping any remaining source item (`T`) panics then [`InPlaceDstBufDrop`] will handle dropping
75+
//! If dropping any remaining source item (`T`) panics then [`InPlaceDstDataSrcBufDrop`] will handle dropping
7676
//! the already collected sink items (`U`) and freeing the allocation.
7777
//!
7878
//! [`vec::IntoIter::forget_allocation_drop_remaining()`]: super::IntoIter::forget_allocation_drop_remaining()
@@ -158,11 +158,12 @@ use crate::alloc::{handle_alloc_error, Global};
158158
use core::alloc::Allocator;
159159
use core::alloc::Layout;
160160
use core::iter::{InPlaceIterable, SourceIter, TrustedRandomAccessNoCoerce};
161+
use core::marker::PhantomData;
161162
use core::mem::{self, ManuallyDrop, SizedTypeProperties};
162163
use core::num::NonZeroUsize;
163164
use core::ptr::{self, NonNull};
164165

165-
use super::{InPlaceDrop, InPlaceDstBufDrop, SpecFromIter, SpecFromIterNested, Vec};
166+
use super::{InPlaceDrop, InPlaceDstDataSrcBufDrop, SpecFromIter, SpecFromIterNested, Vec};
166167

167168
const fn in_place_collectible<DEST, SRC>(
168169
step_merge: Option<NonZeroUsize>,
@@ -265,7 +266,7 @@ where
265266
);
266267
}
267268

268-
// The ownership of the allocation and the new `T` values is temporarily moved into `dst_guard`.
269+
// The ownership of the source allocation and the new `T` values is temporarily moved into `dst_guard`.
269270
// This is safe because
270271
// * `forget_allocation_drop_remaining` immediately forgets the allocation
271272
// before any panic can occur in order to avoid any double free, and then proceeds to drop
@@ -276,7 +277,8 @@ where
276277
// Note: This access to the source wouldn't be allowed by the TrustedRandomIteratorNoCoerce
277278
// contract (used by SpecInPlaceCollect below). But see the "O(1) collect" section in the
278279
// module documentation why this is ok anyway.
279-
let dst_guard = InPlaceDstBufDrop { ptr: dst_buf, len, cap: dst_cap };
280+
let dst_guard =
281+
InPlaceDstDataSrcBufDrop { ptr: dst_buf, len, src_cap, src: PhantomData::<I::Src> };
280282
src.forget_allocation_drop_remaining();
281283

282284
// Adjust the allocation if the source had a capacity in bytes that wasn't a multiple

‎library/alloc/src/vec/in_place_drop.rs

+18-8
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,10 @@
1-
use core::ptr::{self};
1+
use core::marker::PhantomData;
2+
use core::ptr::{self, drop_in_place};
23
use core::slice::{self};
34

5+
use crate::alloc::Global;
6+
use crate::raw_vec::RawVec;
7+
48
// A helper struct for in-place iteration that drops the destination slice of iteration,
59
// i.e. the head. The source slice (the tail) is dropped by IntoIter.
610
pub(super) struct InPlaceDrop<T> {
@@ -23,17 +27,23 @@ impl<T> Drop for InPlaceDrop<T> {
2327
}
2428
}
2529

26-
// A helper struct for in-place collection that drops the destination allocation and elements,
27-
// to avoid leaking them if some other destructor panics.
28-
pub(super) struct InPlaceDstBufDrop<T> {
29-
pub(super) ptr: *mut T,
30+
// A helper struct for in-place collection that drops the destination items together with
31+
// the source allocation - i.e. before the reallocation happened - to avoid leaking them
32+
// if some other destructor panics.
33+
pub(super) struct InPlaceDstDataSrcBufDrop<Src, Dest> {
34+
pub(super) ptr: *mut Dest,
3035
pub(super) len: usize,
31-
pub(super) cap: usize,
36+
pub(super) src_cap: usize,
37+
pub(super) src: PhantomData<Src>,
3238
}
3339

34-
impl<T> Drop for InPlaceDstBufDrop<T> {
40+
impl<Src, Dest> Drop for InPlaceDstDataSrcBufDrop<Src, Dest> {
3541
#[inline]
3642
fn drop(&mut self) {
37-
unsafe { super::Vec::from_raw_parts(self.ptr, self.len, self.cap) };
43+
unsafe {
44+
let _drop_allocation =
45+
RawVec::<Src>::from_raw_parts_in(self.ptr.cast::<Src>(), self.src_cap, Global);
46+
drop_in_place(core::ptr::slice_from_raw_parts_mut::<Dest>(self.ptr, self.len));
47+
};
3848
}
3949
}

‎library/alloc/src/vec/mod.rs

+7-1
Original file line numberDiff line numberDiff line change
@@ -123,7 +123,7 @@ use self::set_len_on_drop::SetLenOnDrop;
123123
mod set_len_on_drop;
124124

125125
#[cfg(not(no_global_oom_handling))]
126-
use self::in_place_drop::{InPlaceDrop, InPlaceDstBufDrop};
126+
use self::in_place_drop::{InPlaceDrop, InPlaceDstDataSrcBufDrop};
127127

128128
#[cfg(not(no_global_oom_handling))]
129129
mod in_place_drop;
@@ -2167,6 +2167,12 @@ impl<T, A: Allocator> Vec<T, A> {
21672167
/// `[at, len)`. After the call, the original vector will be left containing
21682168
/// the elements `[0, at)` with its previous capacity unchanged.
21692169
///
2170+
/// - If you want to take ownership of the entire contents and capacity of
2171+
/// the vector, see [`mem::take`] or [`mem::replace`].
2172+
/// - If you don't need the returned vector at all, see [`Vec::truncate`].
2173+
/// - If you want to take ownership of an arbitrary subslice, or you don't
2174+
/// necessarily want to store the removed items in a vector, see [`Vec::drain`].
2175+
///
21702176
/// # Panics
21712177
///
21722178
/// Panics if `at > len`.

‎library/core/src/iter/sources/repeat_n.rs

-2
Original file line numberDiff line numberDiff line change
@@ -59,7 +59,6 @@ use crate::num::NonZeroUsize;
5959
/// ```
6060
#[inline]
6161
#[unstable(feature = "iter_repeat_n", issue = "104434")]
62-
#[doc(hidden)] // waiting on ACP#120 to decide whether to expose publicly
6362
pub fn repeat_n<T: Clone>(element: T, count: usize) -> RepeatN<T> {
6463
let mut element = ManuallyDrop::new(element);
6564

@@ -79,7 +78,6 @@ pub fn repeat_n<T: Clone>(element: T, count: usize) -> RepeatN<T> {
7978
/// See its documentation for more.
8079
#[derive(Clone, Debug)]
8180
#[unstable(feature = "iter_repeat_n", issue = "104434")]
82-
#[doc(hidden)] // waiting on ACP#120 to decide whether to expose publicly
8381
pub struct RepeatN<A> {
8482
count: usize,
8583
// Invariant: has been dropped iff count == 0.

‎src/bootstrap/bootstrap.py

+20-8
Original file line numberDiff line numberDiff line change
@@ -924,17 +924,29 @@ def build_bootstrap_cmd(self, env):
924924
# default toolchain is not nightly.
925925
#
926926
# But that setting has the collateral effect of rust-analyzer also
927-
# passing RUSTC_BOOTSTRAP=1 to all x.py invocations too (the various overrideCommand).
928-
# For compiling bootstrap that can cause spurious rebuilding of bootstrap when
929-
# rust-analyzer x.py invocations are interleaved with handwritten ones on the
930-
# command line.
927+
# passing RUSTC_BOOTSTRAP=1 to all x.py invocations too (the various
928+
# overrideCommand).
931929
#
932-
# Set RUSTC_BOOTSTRAP=1 consistently.
930+
# Set a consistent RUSTC_BOOTSTRAP=1 here to prevent spurious rebuilds
931+
# of bootstrap when rust-analyzer x.py invocations are interleaved with
932+
# handwritten ones on the command line.
933933
env["RUSTC_BOOTSTRAP"] = "1"
934934

935-
default_rustflags = "" if env.get("RUSTFLAGS_BOOTSTRAP", "") else "-Zallow-features="
936-
937-
env.setdefault("RUSTFLAGS", default_rustflags)
935+
# If any of RUSTFLAGS or RUSTFLAGS_BOOTSTRAP are present and nonempty,
936+
# we allow arbitrary compiler flags in there, including unstable ones
937+
# such as `-Zthreads=8`.
938+
#
939+
# But if there aren't custom flags being passed to bootstrap, then we
940+
# cancel the RUSTC_BOOTSTRAP=1 from above by passing `-Zallow-features=`
941+
# to ensure unstable language or library features do not accidentally
942+
# get introduced into bootstrap over time. Distros rely on being able to
943+
# compile bootstrap with a variety of their toolchains, not necessarily
944+
# the same as Rust's CI uses.
945+
if env.get("RUSTFLAGS", "") or env.get("RUSTFLAGS_BOOTSTRAP", ""):
946+
# Preserve existing RUSTFLAGS.
947+
env.setdefault("RUSTFLAGS", "")
948+
else:
949+
env["RUSTFLAGS"] = "-Zallow-features="
938950

939951
target_features = []
940952
if self.get_toml("crt-static", build_section) == "true":

‎src/doc/rustc/src/platform-support.md

+18
Original file line numberDiff line numberDiff line change
@@ -72,6 +72,12 @@ ensure that each tier 2 target can be used as build target after each change. Au
7272
not always run so it's not guaranteed to produce a working build, but tier 2
7373
targets often work to quite a good degree and patches are always welcome!
7474

75+
Tier 2 target-specific code is not closely scrutinized by Rust team(s) when
76+
modifications are made. Bugs are possible in all code, but the level of quality
77+
control for these targets is likely to be lower. See [library team
78+
policy](https://std-dev-guide.rust-lang.org/policy/target-code.html) for
79+
details on the review practices for standard library code.
80+
7581
Tier 2 targets with host tools additionally support running tools like `rustc`
7682
and `cargo` natively on the target, and automated builds ensure that the host
7783
tools build as well. This allows the target to be used as a development
@@ -121,6 +127,12 @@ The `std` column in the table below has the following meanings:
121127

122128
[`no_std`]: https://rust-embedded.github.io/book/intro/no-std.html
123129

130+
Tier 2 target-specific code is not closely scrutinized by Rust team(s) when
131+
modifications are made. Bugs are possible in all code, but the level of quality
132+
control for these targets is likely to be lower. See [library team
133+
policy](https://std-dev-guide.rust-lang.org/policy/target-code.html) for
134+
details on the review practices for standard library code.
135+
124136
**NOTE:** The `rust-docs` component is not usually built for tier 2 targets,
125137
so Rustup may install the documentation for a similar tier 1 target instead.
126138

@@ -211,6 +223,12 @@ The `std` column in the table below has the following meanings:
211223

212224
[`no_std`]: https://rust-embedded.github.io/book/intro/no-std.html
213225

226+
Tier 3 target-specific code is not closely scrutinized by Rust team(s) when
227+
modifications are made. Bugs are possible in all code, but the level of quality
228+
control for these targets is likely to be lower. See [library team
229+
policy](https://std-dev-guide.rust-lang.org/policy/target-code.html) for
230+
details on the review practices for standard library code.
231+
214232
The `host` column indicates whether the codebase includes support for building
215233
host tools.
216234

‎tests/ui-fulldeps/stable-mir/smir_internal.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -26,11 +26,11 @@ use std::ops::ControlFlow;
2626

2727
const CRATE_NAME: &str = "input";
2828

29-
fn test_translation(_tcx: TyCtxt) -> ControlFlow<()> {
29+
fn test_translation(tcx: TyCtxt<'_>) -> ControlFlow<()> {
3030
let main_fn = stable_mir::entry_fn().unwrap();
3131
let body = main_fn.body();
3232
let orig_ty = body.locals()[0].ty;
33-
let rustc_ty = rustc_internal::internal(&orig_ty);
33+
let rustc_ty = rustc_internal::internal(tcx, &orig_ty);
3434
assert!(rustc_ty.is_unit());
3535
ControlFlow::Continue(())
3636
}

0 commit comments

Comments
 (0)
Please sign in to comment.