Skip to content

Commit a1740a9

Browse files
committed
Auto merge of rust-lang#134292 - matthiaskrgr:rollup-3kbjocl, r=matthiaskrgr
Rollup of 8 pull requests Successful merges: - rust-lang#134181 (Tweak multispan rendering to reduce output length) - rust-lang#134209 (validate `--skip` and `--exclude` paths) - rust-lang#134231 (rustdoc-search: fix mismatched path when parent re-exported twice) - rust-lang#134236 (crashes: more tests v2) - rust-lang#134240 (Only dist `llvm-objcopy` if llvm tools are enabled) - rust-lang#134244 (rustc_borrowck: Stop suggesting the invalid syntax `&mut raw const`) - rust-lang#134251 (A bunch of cleanups (part 2)) - rust-lang#134256 (Use a more precise span in placeholder_type_error_diag) r? `@ghost` `@rustbot` modify labels: rollup
2 parents 4a204be + 75e7789 commit a1740a9

File tree

223 files changed

+568
-957
lines changed

Some content is hidden

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

223 files changed

+568
-957
lines changed

Cargo.lock

-1
Original file line numberDiff line numberDiff line change
@@ -3507,7 +3507,6 @@ dependencies = [
35073507
"cc",
35083508
"either",
35093509
"itertools",
3510-
"jobserver",
35113510
"libc",
35123511
"object 0.36.5",
35133512
"pathdiff",

compiler/rustc_borrowck/src/diagnostics/mutability_errors.rs

+53-16
Original file line numberDiff line numberDiff line change
@@ -1100,12 +1100,12 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, 'infcx, 'tcx> {
11001100
}
11011101
let decl_span = local_decl.source_info.span;
11021102

1103-
let label = match *local_decl.local_info() {
1103+
let amp_mut_sugg = match *local_decl.local_info() {
11041104
LocalInfo::User(mir::BindingForm::ImplicitSelf(_)) => {
11051105
let suggestion = suggest_ampmut_self(self.infcx.tcx, decl_span);
11061106
let additional =
11071107
local_trait.map(|span| (span, suggest_ampmut_self(self.infcx.tcx, span)));
1108-
Some((true, decl_span, suggestion, additional))
1108+
Some(AmpMutSugg { has_sugg: true, span: decl_span, suggestion, additional })
11091109
}
11101110

11111111
LocalInfo::User(mir::BindingForm::Var(mir::VarBindingForm {
@@ -1150,7 +1150,7 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, 'infcx, 'tcx> {
11501150
None
11511151
}
11521152
None => {
1153-
let (has_sugg, decl_span, sugg) = if name != kw::SelfLower {
1153+
if name != kw::SelfLower {
11541154
suggest_ampmut(
11551155
self.infcx.tcx,
11561156
local_decl.ty,
@@ -1165,7 +1165,12 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, 'infcx, 'tcx> {
11651165
..
11661166
})) => {
11671167
let sugg = suggest_ampmut_self(self.infcx.tcx, decl_span);
1168-
(true, decl_span, sugg)
1168+
Some(AmpMutSugg {
1169+
has_sugg: true,
1170+
span: decl_span,
1171+
suggestion: sugg,
1172+
additional: None,
1173+
})
11691174
}
11701175
// explicit self (eg `self: &'a Self`)
11711176
_ => suggest_ampmut(
@@ -1176,8 +1181,7 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, 'infcx, 'tcx> {
11761181
opt_ty_info,
11771182
),
11781183
}
1179-
};
1180-
Some((has_sugg, decl_span, sugg, None))
1184+
}
11811185
}
11821186
}
11831187
}
@@ -1187,15 +1191,24 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, 'infcx, 'tcx> {
11871191
..
11881192
})) => {
11891193
let pattern_span: Span = local_decl.source_info.span;
1190-
suggest_ref_mut(self.infcx.tcx, pattern_span)
1191-
.map(|span| (true, span, "mut ".to_owned(), None))
1194+
suggest_ref_mut(self.infcx.tcx, pattern_span).map(|span| AmpMutSugg {
1195+
has_sugg: true,
1196+
span,
1197+
suggestion: "mut ".to_owned(),
1198+
additional: None,
1199+
})
11921200
}
11931201

11941202
_ => unreachable!(),
11951203
};
11961204

1197-
match label {
1198-
Some((true, err_help_span, suggested_code, additional)) => {
1205+
match amp_mut_sugg {
1206+
Some(AmpMutSugg {
1207+
has_sugg: true,
1208+
span: err_help_span,
1209+
suggestion: suggested_code,
1210+
additional,
1211+
}) => {
11991212
let mut sugg = vec![(err_help_span, suggested_code)];
12001213
if let Some(s) = additional {
12011214
sugg.push(s);
@@ -1217,7 +1230,9 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, 'infcx, 'tcx> {
12171230
);
12181231
}
12191232
}
1220-
Some((false, err_label_span, message, _)) => {
1233+
Some(AmpMutSugg {
1234+
has_sugg: false, span: err_label_span, suggestion: message, ..
1235+
}) => {
12211236
let def_id = self.body.source.def_id();
12221237
let hir_id = if let Some(local_def_id) = def_id.as_local()
12231238
&& let Some(body) = self.infcx.tcx.hir().maybe_body_owned_by(local_def_id)
@@ -1422,6 +1437,13 @@ fn suggest_ampmut_self<'tcx>(tcx: TyCtxt<'tcx>, span: Span) -> String {
14221437
}
14231438
}
14241439

1440+
struct AmpMutSugg {
1441+
has_sugg: bool,
1442+
span: Span,
1443+
suggestion: String,
1444+
additional: Option<(Span, String)>,
1445+
}
1446+
14251447
// When we want to suggest a user change a local variable to be a `&mut`, there
14261448
// are three potential "obvious" things to highlight:
14271449
//
@@ -1443,7 +1465,7 @@ fn suggest_ampmut<'tcx>(
14431465
decl_span: Span,
14441466
opt_assignment_rhs_span: Option<Span>,
14451467
opt_ty_info: Option<Span>,
1446-
) -> (bool, Span, String) {
1468+
) -> Option<AmpMutSugg> {
14471469
// if there is a RHS and it starts with a `&` from it, then check if it is
14481470
// mutable, and if not, put suggest putting `mut ` to make it mutable.
14491471
// we don't have to worry about lifetime annotations here because they are
@@ -1456,6 +1478,11 @@ fn suggest_ampmut<'tcx>(
14561478
&& let Ok(src) = tcx.sess.source_map().span_to_snippet(assignment_rhs_span)
14571479
&& let Some(stripped) = src.strip_prefix('&')
14581480
{
1481+
let is_raw_ref = stripped.trim_start().starts_with("raw ");
1482+
// We don't support raw refs yet
1483+
if is_raw_ref {
1484+
return None;
1485+
}
14591486
let is_mut = if let Some(rest) = stripped.trim_start().strip_prefix("mut") {
14601487
match rest.chars().next() {
14611488
// e.g. `&mut x`
@@ -1479,7 +1506,12 @@ fn suggest_ampmut<'tcx>(
14791506

14801507
// FIXME(Ezrashaw): returning is bad because we still might want to
14811508
// update the annotated type, see #106857.
1482-
return (true, span, "mut ".to_owned());
1509+
return Some(AmpMutSugg {
1510+
has_sugg: true,
1511+
span,
1512+
suggestion: "mut ".to_owned(),
1513+
additional: None,
1514+
});
14831515
}
14841516
}
14851517

@@ -1504,18 +1536,23 @@ fn suggest_ampmut<'tcx>(
15041536
&& let Some(ws_pos) = src.find(char::is_whitespace)
15051537
{
15061538
let span = span.with_lo(span.lo() + BytePos(ws_pos as u32)).shrink_to_lo();
1507-
(true, span, " mut".to_owned())
1539+
Some(AmpMutSugg { has_sugg: true, span, suggestion: " mut".to_owned(), additional: None })
15081540
// if there is already a binding, we modify it to be `mut`
15091541
} else if binding_exists {
15101542
// shrink the span to just after the `&` in `&variable`
15111543
let span = span.with_lo(span.lo() + BytePos(1)).shrink_to_lo();
1512-
(true, span, "mut ".to_owned())
1544+
Some(AmpMutSugg { has_sugg: true, span, suggestion: "mut ".to_owned(), additional: None })
15131545
} else {
15141546
// otherwise, suggest that the user annotates the binding; we provide the
15151547
// type of the local.
15161548
let ty = decl_ty.builtin_deref(true).unwrap();
15171549

1518-
(false, span, format!("{}mut {}", if decl_ty.is_ref() { "&" } else { "*" }, ty))
1550+
Some(AmpMutSugg {
1551+
has_sugg: false,
1552+
span,
1553+
suggestion: format!("{}mut {}", if decl_ty.is_ref() { "&" } else { "*" }, ty),
1554+
additional: None,
1555+
})
15191556
}
15201557
}
15211558

compiler/rustc_codegen_cranelift/src/concurrency_limiter.rs

+4-6
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,7 @@
11
use std::sync::{Arc, Condvar, Mutex};
22

3-
use jobserver::HelperThread;
3+
use rustc_data_structures::jobserver::{self, HelperThread};
44
use rustc_errors::DiagCtxtHandle;
5-
use rustc_session::Session;
65

76
// FIXME don't panic when a worker thread panics
87

@@ -14,14 +13,13 @@ pub(super) struct ConcurrencyLimiter {
1413
}
1514

1615
impl ConcurrencyLimiter {
17-
pub(super) fn new(sess: &Session, pending_jobs: usize) -> Self {
16+
pub(super) fn new(pending_jobs: usize) -> Self {
1817
let state = Arc::new(Mutex::new(state::ConcurrencyLimiterState::new(pending_jobs)));
1918
let available_token_condvar = Arc::new(Condvar::new());
2019

2120
let state_helper = state.clone();
2221
let available_token_condvar_helper = available_token_condvar.clone();
23-
let helper_thread = sess
24-
.jobserver
22+
let helper_thread = jobserver::client()
2523
.clone()
2624
.into_helper_thread(move |token| {
2725
let mut state = state_helper.lock().unwrap();
@@ -113,7 +111,7 @@ impl Drop for ConcurrencyLimiterToken {
113111
}
114112

115113
mod state {
116-
use jobserver::Acquired;
114+
use rustc_data_structures::jobserver::Acquired;
117115

118116
#[derive(Debug)]
119117
pub(super) struct ConcurrencyLimiterState {

compiler/rustc_codegen_cranelift/src/driver/aot.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -679,7 +679,7 @@ pub(crate) fn run_aot(
679679
metadata_module: None,
680680
metadata,
681681
crate_info: CrateInfo::new(tcx, target_cpu),
682-
concurrency_limiter: ConcurrencyLimiter::new(tcx.sess, 0),
682+
concurrency_limiter: ConcurrencyLimiter::new(0),
683683
});
684684
};
685685

@@ -711,7 +711,7 @@ pub(crate) fn run_aot(
711711
CguReuse::PreLto | CguReuse::PostLto => false,
712712
});
713713

714-
let concurrency_limiter = IntoDynSyncSend(ConcurrencyLimiter::new(tcx.sess, todo_cgus.len()));
714+
let concurrency_limiter = IntoDynSyncSend(ConcurrencyLimiter::new(todo_cgus.len()));
715715

716716
let modules = tcx.sess.time("codegen mono items", || {
717717
let mut modules: Vec<_> = par_map(todo_cgus, |(_, cgu)| {

compiler/rustc_codegen_cranelift/src/driver/jit.rs

+1-6
Original file line numberDiff line numberDiff line change
@@ -287,12 +287,7 @@ fn dep_symbol_lookup_fn(
287287

288288
let mut dylib_paths = Vec::new();
289289

290-
let data = &crate_info
291-
.dependency_formats
292-
.iter()
293-
.find(|(crate_type, _data)| *crate_type == rustc_session::config::CrateType::Executable)
294-
.unwrap()
295-
.1;
290+
let data = &crate_info.dependency_formats[&rustc_session::config::CrateType::Executable].1;
296291
// `used_crates` is in reverse postorder in terms of dependencies. Reverse the order here to
297292
// get a postorder which ensures that all dependencies of a dylib are loaded before the dylib
298293
// itself. This helps the dynamic linker to find dylibs not in the regular dynamic library

compiler/rustc_codegen_cranelift/src/lib.rs

-1
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,6 @@
1212
#![warn(unused_lifetimes)]
1313
// tidy-alphabetical-end
1414

15-
extern crate jobserver;
1615
#[macro_use]
1716
extern crate rustc_middle;
1817
extern crate rustc_abi;

compiler/rustc_codegen_ssa/Cargo.toml

-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,6 @@ bitflags = "2.4.1"
1111
cc = "1.1.23"
1212
either = "1.5.0"
1313
itertools = "0.12"
14-
jobserver = "0.1.28"
1514
pathdiff = "0.2.0"
1615
regex = "1.4"
1716
rustc_abi = { path = "../rustc_abi" }

compiler/rustc_codegen_ssa/src/back/link.rs

+13-21
Original file line numberDiff line numberDiff line change
@@ -236,7 +236,13 @@ pub fn each_linked_rlib(
236236
) -> Result<(), errors::LinkRlibError> {
237237
let crates = info.used_crates.iter();
238238

239-
let fmts = if crate_type.is_none() {
239+
let fmts = if let Some(crate_type) = crate_type {
240+
let Some(fmts) = info.dependency_formats.get(&crate_type) else {
241+
return Err(errors::LinkRlibError::MissingFormat);
242+
};
243+
244+
fmts
245+
} else {
240246
for combination in info.dependency_formats.iter().combinations(2) {
241247
let (ty1, list1) = &combination[0];
242248
let (ty2, list2) = &combination[1];
@@ -252,18 +258,7 @@ pub fn each_linked_rlib(
252258
if info.dependency_formats.is_empty() {
253259
return Err(errors::LinkRlibError::MissingFormat);
254260
}
255-
&info.dependency_formats[0].1
256-
} else {
257-
let fmts = info
258-
.dependency_formats
259-
.iter()
260-
.find_map(|&(ty, ref list)| if Some(ty) == crate_type { Some(list) } else { None });
261-
262-
let Some(fmts) = fmts else {
263-
return Err(errors::LinkRlibError::MissingFormat);
264-
};
265-
266-
fmts
261+
info.dependency_formats.first().unwrap().1
267262
};
268263

269264
for &cnum in crates {
@@ -624,8 +619,7 @@ fn link_staticlib(
624619
let fmts = codegen_results
625620
.crate_info
626621
.dependency_formats
627-
.iter()
628-
.find_map(|&(ty, ref list)| if ty == CrateType::Staticlib { Some(list) } else { None })
622+
.get(&CrateType::Staticlib)
629623
.expect("no dependency formats for staticlib");
630624

631625
let mut all_rust_dylibs = vec![];
@@ -2355,11 +2349,10 @@ fn linker_with_args(
23552349
// they are used within inlined functions or instantiated generic functions. We do this *after*
23562350
// handling the raw-dylib symbols in the current crate to make sure that those are chosen first
23572351
// by the linker.
2358-
let (_, dependency_linkage) = codegen_results
2352+
let dependency_linkage = codegen_results
23592353
.crate_info
23602354
.dependency_formats
2361-
.iter()
2362-
.find(|(ty, _)| *ty == crate_type)
2355+
.get(&crate_type)
23632356
.expect("failed to find crate type in dependency format list");
23642357

23652358
// We sort the libraries below
@@ -2738,11 +2731,10 @@ fn add_upstream_rust_crates(
27382731
// Linking to a rlib involves just passing it to the linker (the linker
27392732
// will slurp up the object files inside), and linking to a dynamic library
27402733
// involves just passing the right -l flag.
2741-
let (_, data) = codegen_results
2734+
let data = codegen_results
27422735
.crate_info
27432736
.dependency_formats
2744-
.iter()
2745-
.find(|(ty, _)| *ty == crate_type)
2737+
.get(&crate_type)
27462738
.expect("failed to find crate type in dependency format list");
27472739

27482740
if sess.target.is_like_aix {

compiler/rustc_codegen_ssa/src/back/linker.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1749,7 +1749,7 @@ fn for_each_exported_symbols_include_dep<'tcx>(
17491749
}
17501750

17511751
let formats = tcx.dependency_formats(());
1752-
let deps = formats.iter().find_map(|(t, list)| (*t == crate_type).then_some(list)).unwrap();
1752+
let deps = &formats[&crate_type];
17531753

17541754
for (index, dep_format) in deps.iter().enumerate() {
17551755
let cnum = CrateNum::new(index + 1);

compiler/rustc_codegen_ssa/src/back/write.rs

+2-5
Original file line numberDiff line numberDiff line change
@@ -6,9 +6,9 @@ use std::sync::Arc;
66
use std::sync::mpsc::{Receiver, Sender, channel};
77
use std::{fs, io, mem, str, thread};
88

9-
use jobserver::{Acquired, Client};
109
use rustc_ast::attr;
1110
use rustc_data_structures::fx::{FxHashMap, FxIndexMap};
11+
use rustc_data_structures::jobserver::{self, Acquired};
1212
use rustc_data_structures::memmap::Mmap;
1313
use rustc_data_structures::profiling::{SelfProfilerRef, VerboseTimingGuard};
1414
use rustc_errors::emitter::Emitter;
@@ -456,7 +456,6 @@ pub(crate) fn start_async_codegen<B: ExtraBackendMethods>(
456456
metadata_module: Option<CompiledModule>,
457457
) -> OngoingCodegen<B> {
458458
let (coordinator_send, coordinator_receive) = channel();
459-
let sess = tcx.sess;
460459

461460
let crate_attrs = tcx.hir().attrs(rustc_hir::CRATE_HIR_ID);
462461
let no_builtins = attr::contains_name(crate_attrs, sym::no_builtins);
@@ -477,7 +476,6 @@ pub(crate) fn start_async_codegen<B: ExtraBackendMethods>(
477476
shared_emitter,
478477
codegen_worker_send,
479478
coordinator_receive,
480-
sess.jobserver.clone(),
481479
Arc::new(regular_config),
482480
Arc::new(metadata_config),
483481
Arc::new(allocator_config),
@@ -1093,7 +1091,6 @@ fn start_executing_work<B: ExtraBackendMethods>(
10931091
shared_emitter: SharedEmitter,
10941092
codegen_worker_send: Sender<CguMessage>,
10951093
coordinator_receive: Receiver<Box<dyn Any + Send>>,
1096-
jobserver: Client,
10971094
regular_config: Arc<ModuleConfig>,
10981095
metadata_config: Arc<ModuleConfig>,
10991096
allocator_config: Arc<ModuleConfig>,
@@ -1145,7 +1142,7 @@ fn start_executing_work<B: ExtraBackendMethods>(
11451142
// get tokens on `coordinator_receive` which will
11461143
// get managed in the main loop below.
11471144
let coordinator_send2 = coordinator_send.clone();
1148-
let helper = jobserver
1145+
let helper = jobserver::client()
11491146
.into_helper_thread(move |token| {
11501147
drop(coordinator_send2.send(Box::new(Message::Token::<B>(token))));
11511148
})

compiler/rustc_data_structures/src/jobserver.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
use std::sync::{LazyLock, OnceLock};
22

3-
pub use jobserver_crate::Client;
3+
pub use jobserver_crate::{Acquired, Client, HelperThread};
44
use jobserver_crate::{FromEnv, FromEnvErrorKind};
55

66
// We can only call `from_env_ext` once per process

0 commit comments

Comments
 (0)