Skip to content

Commit db07ccc

Browse files
committed
Auto merge of #113730 - belovdv:jobserver-init-check, r=petrochenkov
Report errors in jobserver inherited through environment variables This pr attempts to catch situations, when jobserver exists, but is not being inherited. r? `@petrochenkov`
2 parents 21d88b3 + 45e6342 commit db07ccc

File tree

10 files changed

+114
-37
lines changed

10 files changed

+114
-37
lines changed

Cargo.lock

+2-2
Original file line numberDiff line numberDiff line change
@@ -2086,9 +2086,9 @@ dependencies = [
20862086

20872087
[[package]]
20882088
name = "jobserver"
2089-
version = "0.1.26"
2089+
version = "0.1.27"
20902090
source = "registry+https://github.com/rust-lang/crates.io-index"
2091-
checksum = "936cfd212a0155903bcbc060e316fb6cc7cbf2e1907329391ebadc1fe0ce77c2"
2091+
checksum = "8c37f63953c4c63420ed5fd3d6d398c719489b9f872b9fa683262f8edd363c7d"
20922092
dependencies = [
20932093
"libc",
20942094
]

compiler/rustc_codegen_ssa/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@ ar_archive_writer = "0.1.5"
99
bitflags = "1.2.1"
1010
cc = "1.0.69"
1111
itertools = "0.11"
12-
jobserver = "0.1.22"
12+
jobserver = "0.1.27"
1313
pathdiff = "0.2.0"
1414
regex = "1.4"
1515
rustc_arena = { path = "../rustc_arena" }

compiler/rustc_data_structures/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ elsa = "=1.7.1"
1111
ena = "0.14.2"
1212
indexmap = { version = "2.0.0" }
1313
itertools = "0.11"
14-
jobserver_crate = { version = "0.1.13", package = "jobserver" }
14+
jobserver_crate = { version = "0.1.27", package = "jobserver" }
1515
libc = "0.2"
1616
measureme = "10.0.0"
1717
rustc-hash = "1.1.0"
Original file line numberDiff line numberDiff line change
@@ -1,40 +1,78 @@
11
pub use jobserver_crate::Client;
2-
use std::sync::LazyLock;
3-
4-
// We can only call `from_env` once per process
5-
6-
// Note that this is unsafe because it may misinterpret file descriptors
7-
// on Unix as jobserver file descriptors. We hopefully execute this near
8-
// the beginning of the process though to ensure we don't get false
9-
// positives, or in other words we try to execute this before we open
10-
// any file descriptors ourselves.
11-
//
12-
// Pick a "reasonable maximum" if we don't otherwise have
13-
// a jobserver in our environment, capping out at 32 so we
14-
// don't take everything down by hogging the process run queue.
15-
// The fixed number is used to have deterministic compilation
16-
// across machines.
17-
//
18-
// Also note that we stick this in a global because there could be
19-
// multiple rustc instances in this process, and the jobserver is
20-
// per-process.
21-
static GLOBAL_CLIENT: LazyLock<Client> = LazyLock::new(|| unsafe {
22-
Client::from_env().unwrap_or_else(|| {
23-
let client = Client::new(32).expect("failed to create jobserver");
24-
// Acquire a token for the main thread which we can release later
25-
client.acquire_raw().ok();
26-
client
27-
})
2+
3+
use jobserver_crate::{FromEnv, FromEnvErrorKind};
4+
5+
use std::sync::{LazyLock, OnceLock};
6+
7+
// We can only call `from_env_ext` once per process
8+
9+
// We stick this in a global because there could be multiple rustc instances
10+
// in this process, and the jobserver is per-process.
11+
static GLOBAL_CLIENT: LazyLock<Result<Client, String>> = LazyLock::new(|| {
12+
// Note that this is unsafe because it may misinterpret file descriptors
13+
// on Unix as jobserver file descriptors. We hopefully execute this near
14+
// the beginning of the process though to ensure we don't get false
15+
// positives, or in other words we try to execute this before we open
16+
// any file descriptors ourselves.
17+
let FromEnv { client, var } = unsafe { Client::from_env_ext(true) };
18+
19+
let error = match client {
20+
Ok(client) => return Ok(client),
21+
Err(e) => e,
22+
};
23+
24+
if matches!(
25+
error.kind(),
26+
FromEnvErrorKind::NoEnvVar | FromEnvErrorKind::NoJobserver | FromEnvErrorKind::Unsupported
27+
) {
28+
return Ok(default_client());
29+
}
30+
31+
// Environment specifies jobserver, but it looks incorrect.
32+
// Safety: `error.kind()` should be `NoEnvVar` if `var == None`.
33+
let (name, value) = var.unwrap();
34+
Err(format!(
35+
"failed to connect to jobserver from environment variable `{name}={:?}`: {error}",
36+
value
37+
))
2838
});
2939

40+
// Create a new jobserver if there's no inherited one.
41+
fn default_client() -> Client {
42+
// Pick a "reasonable maximum" capping out at 32
43+
// so we don't take everything down by hogging the process run queue.
44+
// The fixed number is used to have deterministic compilation across machines.
45+
let client = Client::new(32).expect("failed to create jobserver");
46+
47+
// Acquire a token for the main thread which we can release later
48+
client.acquire_raw().ok();
49+
50+
client
51+
}
52+
53+
static GLOBAL_CLIENT_CHECKED: OnceLock<Client> = OnceLock::new();
54+
55+
pub fn check(report_warning: impl FnOnce(&'static str)) {
56+
let client_checked = match &*GLOBAL_CLIENT {
57+
Ok(client) => client.clone(),
58+
Err(e) => {
59+
report_warning(e);
60+
default_client()
61+
}
62+
};
63+
GLOBAL_CLIENT_CHECKED.set(client_checked).ok();
64+
}
65+
66+
const ACCESS_ERROR: &str = "jobserver check should have been called earlier";
67+
3068
pub fn client() -> Client {
31-
GLOBAL_CLIENT.clone()
69+
GLOBAL_CLIENT_CHECKED.get().expect(ACCESS_ERROR).clone()
3270
}
3371

3472
pub fn acquire_thread() {
35-
GLOBAL_CLIENT.acquire_raw().ok();
73+
GLOBAL_CLIENT_CHECKED.get().expect(ACCESS_ERROR).acquire_raw().ok();
3674
}
3775

3876
pub fn release_thread() {
39-
GLOBAL_CLIENT.release_raw().ok();
77+
GLOBAL_CLIENT_CHECKED.get().expect(ACCESS_ERROR).release_raw().ok();
4078
}

compiler/rustc_session/src/session.rs

+16-1
Original file line numberDiff line numberDiff line change
@@ -24,7 +24,7 @@ use rustc_errors::registry::Registry;
2424
use rustc_errors::{
2525
error_code, fallback_fluent_bundle, DiagnosticBuilder, DiagnosticId, DiagnosticMessage,
2626
ErrorGuaranteed, FluentBundle, Handler, IntoDiagnostic, LazyFallbackBundle, MultiSpan, Noted,
27-
TerminalUrl,
27+
SubdiagnosticMessage, TerminalUrl,
2828
};
2929
use rustc_macros::HashStable_Generic;
3030
pub use rustc_span::def_id::StableCrateId;
@@ -1469,6 +1469,11 @@ pub fn build_session(
14691469
let asm_arch =
14701470
if target_cfg.allow_asm { InlineAsmArch::from_str(&target_cfg.arch).ok() } else { None };
14711471

1472+
// Check jobserver before getting `jobserver::client`.
1473+
jobserver::check(|err| {
1474+
handler.early_warn_with_note(err, "the build environment is likely misconfigured")
1475+
});
1476+
14721477
let sess = Session {
14731478
target: target_cfg,
14741479
host,
@@ -1776,6 +1781,16 @@ impl EarlyErrorHandler {
17761781
pub fn early_warn(&self, msg: impl Into<DiagnosticMessage>) {
17771782
self.handler.struct_warn(msg).emit()
17781783
}
1784+
1785+
#[allow(rustc::untranslatable_diagnostic)]
1786+
#[allow(rustc::diagnostic_outside_of_impl)]
1787+
pub fn early_warn_with_note(
1788+
&self,
1789+
msg: impl Into<DiagnosticMessage>,
1790+
note: impl Into<SubdiagnosticMessage>,
1791+
) {
1792+
self.handler.struct_warn(msg).note(note).emit()
1793+
}
17791794
}
17801795

17811796
fn mk_emitter(output: ErrorOutputType) -> Box<DynEmitter> {

src/tools/miri/cargo-miri/src/phases.rs

+8
Original file line numberDiff line numberDiff line change
@@ -501,6 +501,14 @@ pub fn phase_runner(mut binary_args: impl Iterator<Item = String>, phase: Runner
501501
// Set missing env vars. We prefer build-time env vars over run-time ones; see
502502
// <https://github.com/rust-lang/miri/issues/1661> for the kind of issue that fixes.
503503
for (name, val) in info.env {
504+
// `CARGO_MAKEFLAGS` contains information about how to reach the
505+
// jobserver, but by the time the program is being run, that jobserver
506+
// no longer exists. Hence we shouldn't forward this.
507+
// FIXME: Miri builds the final crate without a jobserver.
508+
// This may be fixed with github.com/rust-lang/cargo/issues/12597.
509+
if name == "CARGO_MAKEFLAGS" {
510+
continue;
511+
}
504512
if let Some(old_val) = env::var_os(&name) {
505513
if old_val == val {
506514
// This one did not actually change, no need to re-set it.
+9-3
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,15 @@
11
include ../tools.mk
22

33
# only-linux
4-
# ignore-test: This test randomly fails, see https://github.com/rust-lang/rust/issues/110321
4+
# ignore-cross-compile
55

6-
# Test compiler behavior in case: `jobserver-auth` points to correct pipe which is not jobserver.
6+
# Test compiler behavior in case environment specifies wrong jobserver.
77

88
all:
9-
bash -c 'echo "fn main() {}" | MAKEFLAGS="--jobserver-auth=3,3" $(RUSTC) - 3</dev/null' 2>&1 | diff jobserver.stderr -
9+
bash -c 'echo "fn main() {}" | MAKEFLAGS="--jobserver-auth=3,3" $(RUSTC)' 2>&1 | diff cannot_open_fd.stderr -
10+
bash -c 'echo "fn main() {}" | MAKEFLAGS="--jobserver-auth=3,3" $(RUSTC) - 3</dev/null' 2>&1 | diff not_a_pipe.stderr -
11+
12+
# This test randomly fails, see https://github.com/rust-lang/rust/issues/110321
13+
disabled:
14+
bash -c 'echo "fn main() {}" | MAKEFLAGS="--jobserver-auth=3,3" $(RUSTC) - 3< <(cat /dev/null)' 2>&1 | diff poisoned_pipe.stderr -
15+
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
warning: failed to connect to jobserver from environment variable `MAKEFLAGS="--jobserver-auth=3,3"`: cannot open file descriptor 3 from the jobserver environment variable value: Bad file descriptor (os error 9)
2+
|
3+
= note: the build environment is likely misconfigured
4+
5+
error: no input filename given
6+
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
warning: failed to connect to jobserver from environment variable `MAKEFLAGS="--jobserver-auth=3,3"`: file descriptor 3 from the jobserver environment variable value is not a pipe
2+
|
3+
= note: the build environment is likely misconfigured
4+

0 commit comments

Comments
 (0)