Skip to content

Commit 8a8b464

Browse files
committed
Auto merge of rust-lang#136525 - matthiaskrgr:rollup-m8kqlek, r=matthiaskrgr
Rollup of 6 pull requests Successful merges: - rust-lang#134807 (fix(rustdoc): always use a channel when linking to doc.rust-lang.org) - rust-lang#134814 (Add `kl` and `widekl` target features, and the feature gate) - rust-lang#135836 (bootstrap: only build `crt{begin,end}.o` when compiling to MUSL) - rust-lang#136022 (Port ui/simd tests to use the intrinsic macro) - rust-lang#136309 (set rustc dylib on manually constructed rustc command) - rust-lang#136462 (mir_build: Simplify `lower_pattern_range_endpoint`) r? `@ghost` `@rustbot` modify labels: rollup
2 parents c705b7d + e7c09a8 commit 8a8b464

File tree

78 files changed

+630
-420
lines changed

Some content is hidden

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

78 files changed

+630
-420
lines changed

compiler/rustc_feature/src/unstable.rs

+2
Original file line numberDiff line numberDiff line change
@@ -529,6 +529,8 @@ declare_features! (
529529
(unstable, inline_const_pat, "1.58.0", Some(76001)),
530530
/// Allows using `pointer` and `reference` in intra-doc links
531531
(unstable, intra_doc_pointers, "1.51.0", Some(80896)),
532+
// Allows using the `kl` and `widekl` target features and the associated intrinsics
533+
(unstable, keylocker_x86, "CURRENT_RUSTC_VERSION", Some(134813)),
532534
// Allows setting the threshold for the `large_assignments` lint.
533535
(unstable, large_assignments, "1.52.0", Some(83518)),
534536
/// Allow to have type alias types for inter-crate use.

compiler/rustc_mir_build/src/thir/pattern/mod.rs

+42-39
Original file line numberDiff line numberDiff line change
@@ -155,42 +155,41 @@ impl<'a, 'tcx> PatCtxt<'a, 'tcx> {
155155
fn lower_pattern_range_endpoint(
156156
&mut self,
157157
expr: Option<&'tcx hir::PatExpr<'tcx>>,
158-
) -> Result<
159-
(Option<PatRangeBoundary<'tcx>>, Option<Ascription<'tcx>>, Option<LocalDefId>),
160-
ErrorGuaranteed,
161-
> {
162-
match expr {
163-
None => Ok((None, None, None)),
164-
Some(expr) => {
165-
let (kind, ascr, inline_const) = match self.lower_lit(expr) {
166-
PatKind::ExpandedConstant { subpattern, def_id, is_inline: true } => {
167-
(subpattern.kind, None, def_id.as_local())
168-
}
169-
PatKind::ExpandedConstant { subpattern, is_inline: false, .. } => {
170-
(subpattern.kind, None, None)
171-
}
172-
PatKind::AscribeUserType { ascription, subpattern: box Pat { kind, .. } } => {
173-
(kind, Some(ascription), None)
174-
}
175-
kind => (kind, None, None),
176-
};
177-
let value = match kind {
178-
PatKind::Constant { value } => value,
179-
PatKind::ExpandedConstant { subpattern, .. }
180-
if let PatKind::Constant { value } = subpattern.kind =>
181-
{
182-
value
183-
}
184-
_ => {
185-
let msg = format!(
186-
"found bad range pattern endpoint `{expr:?}` outside of error recovery"
187-
);
188-
return Err(self.tcx.dcx().span_delayed_bug(expr.span, msg));
158+
// Out-parameters collecting extra data to be reapplied by the caller
159+
ascriptions: &mut Vec<Ascription<'tcx>>,
160+
inline_consts: &mut Vec<LocalDefId>,
161+
) -> Result<Option<PatRangeBoundary<'tcx>>, ErrorGuaranteed> {
162+
let Some(expr) = expr else { return Ok(None) };
163+
164+
// Lower the endpoint into a temporary `PatKind` that will then be
165+
// deconstructed to obtain the constant value and other data.
166+
let mut kind: PatKind<'tcx> = self.lower_lit(expr);
167+
168+
// Unpeel any ascription or inline-const wrapper nodes.
169+
loop {
170+
match kind {
171+
PatKind::AscribeUserType { ascription, subpattern } => {
172+
ascriptions.push(ascription);
173+
kind = subpattern.kind;
174+
}
175+
PatKind::ExpandedConstant { is_inline, def_id, subpattern } => {
176+
if is_inline {
177+
inline_consts.extend(def_id.as_local());
189178
}
190-
};
191-
Ok((Some(PatRangeBoundary::Finite(value)), ascr, inline_const))
179+
kind = subpattern.kind;
180+
}
181+
_ => break,
192182
}
193183
}
184+
185+
// The unpeeled kind should now be a constant, giving us the endpoint value.
186+
let PatKind::Constant { value } = kind else {
187+
let msg =
188+
format!("found bad range pattern endpoint `{expr:?}` outside of error recovery");
189+
return Err(self.tcx.dcx().span_delayed_bug(expr.span, msg));
190+
};
191+
192+
Ok(Some(PatRangeBoundary::Finite(value)))
194193
}
195194

196195
/// Overflowing literals are linted against in a late pass. This is mostly fine, except when we
@@ -253,11 +252,15 @@ impl<'a, 'tcx> PatCtxt<'a, 'tcx> {
253252
self.tcx.dcx().span_bug(span, msg);
254253
}
255254

256-
let (lo, lo_ascr, lo_inline) = self.lower_pattern_range_endpoint(lo_expr)?;
257-
let (hi, hi_ascr, hi_inline) = self.lower_pattern_range_endpoint(hi_expr)?;
255+
// Collect extra data while lowering the endpoints, to be reapplied later.
256+
let mut ascriptions = vec![];
257+
let mut inline_consts = vec![];
258+
259+
let mut lower_endpoint =
260+
|expr| self.lower_pattern_range_endpoint(expr, &mut ascriptions, &mut inline_consts);
258261

259-
let lo = lo.unwrap_or(PatRangeBoundary::NegInfinity);
260-
let hi = hi.unwrap_or(PatRangeBoundary::PosInfinity);
262+
let lo = lower_endpoint(lo_expr)?.unwrap_or(PatRangeBoundary::NegInfinity);
263+
let hi = lower_endpoint(hi_expr)?.unwrap_or(PatRangeBoundary::PosInfinity);
261264

262265
let cmp = lo.compare_with(hi, ty, self.tcx, self.typing_env);
263266
let mut kind = PatKind::Range(Box::new(PatRange { lo, hi, end, ty }));
@@ -298,13 +301,13 @@ impl<'a, 'tcx> PatCtxt<'a, 'tcx> {
298301
// If we are handling a range with associated constants (e.g.
299302
// `Foo::<'a>::A..=Foo::B`), we need to put the ascriptions for the associated
300303
// constants somewhere. Have them on the range pattern.
301-
for ascription in [lo_ascr, hi_ascr].into_iter().flatten() {
304+
for ascription in ascriptions {
302305
kind = PatKind::AscribeUserType {
303306
ascription,
304307
subpattern: Box::new(Pat { span, ty, kind }),
305308
};
306309
}
307-
for def in [lo_inline, hi_inline].into_iter().flatten() {
310+
for def in inline_consts {
308311
kind = PatKind::ExpandedConstant {
309312
def_id: def.to_def_id(),
310313
is_inline: true,

compiler/rustc_span/src/symbol.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1148,6 +1148,7 @@ symbols! {
11481148
iterator,
11491149
iterator_collect_fn,
11501150
kcfi,
1151+
keylocker_x86,
11511152
keyword,
11521153
kind,
11531154
kreg,

compiler/rustc_target/src/target_features.rs

+2
Original file line numberDiff line numberDiff line change
@@ -409,6 +409,7 @@ const X86_FEATURES: &[(&str, Stability, ImpliedFeatures)] = &[
409409
("fma", Stable, &["avx"]),
410410
("fxsr", Stable, &[]),
411411
("gfni", Unstable(sym::avx512_target_feature), &["sse2"]),
412+
("kl", Unstable(sym::keylocker_x86), &["sse2"]),
412413
("lahfsahf", Unstable(sym::lahfsahf_target_feature), &[]),
413414
("lzcnt", Stable, &[]),
414415
("movbe", Stable, &[]),
@@ -435,6 +436,7 @@ const X86_FEATURES: &[(&str, Stability, ImpliedFeatures)] = &[
435436
("tbm", Unstable(sym::tbm_target_feature), &[]),
436437
("vaes", Unstable(sym::avx512_target_feature), &["avx2", "aes"]),
437438
("vpclmulqdq", Unstable(sym::avx512_target_feature), &["avx", "pclmulqdq"]),
439+
("widekl", Unstable(sym::keylocker_x86), &["kl"]),
438440
("x87", Unstable(sym::x87_target_feature), &[]),
439441
("xop", Unstable(sym::xop_target_feature), &[/*"fma4", */ "avx", "sse4a"]),
440442
("xsave", Stable, &[]),

src/bootstrap/src/core/build_steps/compile.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -339,7 +339,7 @@ fn copy_self_contained_objects(
339339
// to using gcc from a glibc-targeting toolchain for linking.
340340
// To do that we have to distribute musl startup objects as a part of Rust toolchain
341341
// and link with them manually in the self-contained mode.
342-
if target.contains("musl") && !target.contains("unikraft") {
342+
if target.needs_crt_begin_end() {
343343
let srcdir = builder.musl_libdir(target).unwrap_or_else(|| {
344344
panic!("Target {:?} does not have a \"musl-libdir\" key", target.triple)
345345
});

src/bootstrap/src/core/build_steps/llvm.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -1295,7 +1295,9 @@ impl Step for CrtBeginEnd {
12951295
}
12961296

12971297
fn make_run(run: RunConfig<'_>) {
1298-
run.builder.ensure(CrtBeginEnd { target: run.target });
1298+
if run.target.needs_crt_begin_end() {
1299+
run.builder.ensure(CrtBeginEnd { target: run.target });
1300+
}
12991301
}
13001302

13011303
/// Build crtbegin.o/crtend.o for musl target.

src/bootstrap/src/core/builder/cargo.rs

+5-1
Original file line numberDiff line numberDiff line change
@@ -659,14 +659,18 @@ impl Builder<'_> {
659659
// Build proc macros both for the host and the target unless proc-macros are not
660660
// supported by the target.
661661
if target != compiler.host && cmd_kind != Kind::Check {
662-
let error = command(self.rustc(compiler))
662+
let mut rustc_cmd = command(self.rustc(compiler));
663+
self.add_rustc_lib_path(compiler, &mut rustc_cmd);
664+
665+
let error = rustc_cmd
663666
.arg("--target")
664667
.arg(target.rustc_target_arg())
665668
.arg("--print=file-names")
666669
.arg("--crate-type=proc-macro")
667670
.arg("-")
668671
.run_capture(self)
669672
.stderr();
673+
670674
let not_supported = error
671675
.lines()
672676
.any(|line| line.contains("unsupported crate type `proc-macro`"));

src/bootstrap/src/core/config/config.rs

+4
Original file line numberDiff line numberDiff line change
@@ -575,6 +575,10 @@ impl TargetSelection {
575575
env::var("OSTYPE").is_ok_and(|v| v.to_lowercase().contains("cygwin"))
576576
}
577577

578+
pub fn needs_crt_begin_end(&self) -> bool {
579+
self.contains("musl") && !self.contains("unikraft")
580+
}
581+
578582
/// Path to the file defining the custom target, if any.
579583
pub fn filepath(&self) -> Option<&Path> {
580584
self.file.as_ref().map(Path::new)

src/librustdoc/clean/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1946,7 +1946,7 @@ fn can_elide_trait_object_lifetime_bound<'tcx>(
19461946
preds: &'tcx ty::List<ty::PolyExistentialPredicate<'tcx>>,
19471947
tcx: TyCtxt<'tcx>,
19481948
) -> bool {
1949-
// Below we quote extracts from https://doc.rust-lang.org/reference/lifetime-elision.html#default-trait-object-lifetimes
1949+
// Below we quote extracts from https://doc.rust-lang.org/stable/reference/lifetime-elision.html#default-trait-object-lifetimes
19501950

19511951
// > If the trait object is used as a type argument of a generic type then the containing type is
19521952
// > first used to try to infer a bound.

src/librustdoc/clean/utils.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -588,9 +588,9 @@ pub(crate) fn attrs_have_doc_flag<'a>(
588588
/// so that the channel is consistent.
589589
///
590590
/// Set by `bootstrap::Builder::doc_rust_lang_org_channel` in order to keep tests passing on beta/stable.
591-
pub(crate) const DOC_RUST_LANG_ORG_CHANNEL: &str = env!("DOC_RUST_LANG_ORG_CHANNEL");
592-
pub(crate) static DOC_CHANNEL: Lazy<&'static str> =
593-
Lazy::new(|| DOC_RUST_LANG_ORG_CHANNEL.rsplit('/').find(|c| !c.is_empty()).unwrap());
591+
pub(crate) const DOC_RUST_LANG_ORG_VERSION: &str = env!("DOC_RUST_LANG_ORG_CHANNEL");
592+
pub(crate) static RUSTDOC_VERSION: Lazy<&'static str> =
593+
Lazy::new(|| DOC_RUST_LANG_ORG_VERSION.rsplit('/').find(|c| !c.is_empty()).unwrap());
594594

595595
/// Render a sequence of macro arms in a format suitable for displaying to the user
596596
/// as part of an item declaration.

src/librustdoc/core.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -387,7 +387,7 @@ pub(crate) fn run_global_ctxt(
387387
let help = format!(
388388
"The following guide may be of use:\n\
389389
{}/rustdoc/how-to-write-documentation.html",
390-
crate::DOC_RUST_LANG_ORG_CHANNEL
390+
crate::DOC_RUST_LANG_ORG_VERSION
391391
);
392392
tcx.node_lint(
393393
crate::lint::MISSING_CRATE_LEVEL_DOCS,

src/librustdoc/html/layout.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -112,7 +112,7 @@ pub(crate) fn render<T: Print, S: Print>(
112112
display_krate_with_trailing_slash,
113113
display_krate_version_number,
114114
display_krate_version_extra,
115-
rust_channel: *crate::clean::utils::DOC_CHANNEL,
115+
rust_channel: *crate::clean::utils::RUSTDOC_VERSION,
116116
rustdoc_version,
117117
}
118118
.render()

src/librustdoc/html/render/context.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -32,7 +32,7 @@ use crate::html::render::write_shared::write_shared;
3232
use crate::html::url_parts_builder::UrlPartsBuilder;
3333
use crate::html::{layout, sources, static_files};
3434
use crate::scrape_examples::AllCallLocations;
35-
use crate::try_err;
35+
use crate::{DOC_RUST_LANG_ORG_VERSION, try_err};
3636

3737
/// Major driving force in all rustdoc rendering. This contains information
3838
/// about where in the tree-like hierarchy rendering is occurring and controls
@@ -730,7 +730,7 @@ impl<'tcx> FormatRenderer<'tcx> for Context<'tcx> {
730730
<noscript>\
731731
<section>\
732732
<p>You need to enable JavaScript to use keyboard commands or search.</p>\
733-
<p>For more information, browse the <a href=\"https://doc.rust-lang.org/rustdoc/\">rustdoc handbook</a>.</p>\
733+
<p>For more information, browse the <a href=\"{DOC_RUST_LANG_ORG_VERSION}/rustdoc/\">rustdoc handbook</a>.</p>\
734734
</section>\
735735
</noscript>",
736736
)

src/librustdoc/html/render/mod.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -79,7 +79,7 @@ use crate::html::markdown::{
7979
use crate::html::static_files::SCRAPE_EXAMPLES_HELP_MD;
8080
use crate::html::{highlight, sources};
8181
use crate::scrape_examples::{CallData, CallLocation};
82-
use crate::{DOC_RUST_LANG_ORG_CHANNEL, try_none};
82+
use crate::{DOC_RUST_LANG_ORG_VERSION, try_none};
8383

8484
pub(crate) fn ensure_trailing_slash(v: &str) -> impl fmt::Display + '_ {
8585
fmt::from_fn(move |f| {
@@ -480,7 +480,7 @@ fn scrape_examples_help(shared: &SharedContext<'_>) -> String {
480480
content.push_str(&format!(
481481
"## More information\n\n\
482482
If you want more information about this feature, please read the [corresponding chapter in \
483-
the Rustdoc book]({DOC_RUST_LANG_ORG_CHANNEL}/rustdoc/scraped-examples.html)."
483+
the Rustdoc book]({DOC_RUST_LANG_ORG_VERSION}/rustdoc/scraped-examples.html)."
484484
));
485485

486486
let mut ids = IdMap::default();

src/librustdoc/html/render/print_item.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -924,7 +924,7 @@ fn item_trait(w: &mut Buffer, cx: &Context<'_>, it: &clean::Item, t: &clean::Tra
924924
<a href=\"{base}/reference/items/traits.html#dyn-compatibility\">dyn compatible</a>.</p>\
925925
<p><i>In older versions of Rust, dyn compatibility was called \"object safety\", \
926926
so this trait is not object safe.</i></p></div>",
927-
base = crate::clean::utils::DOC_RUST_LANG_ORG_CHANNEL
927+
base = crate::clean::utils::DOC_RUST_LANG_ORG_VERSION
928928
),
929929
);
930930
}

src/librustdoc/html/static/js/main.js

+8-8
Original file line numberDiff line numberDiff line change
@@ -1534,10 +1534,10 @@ function preLoadCss(cssUrl) {
15341534

15351535
function buildHelpMenu() {
15361536
const book_info = document.createElement("span");
1537-
const channel = getVar("channel");
1537+
const drloChannel = `https://doc.rust-lang.org/${getVar("channel")}`;
15381538
book_info.className = "top";
15391539
book_info.innerHTML = `You can find more information in \
1540-
<a href="https://doc.rust-lang.org/${channel}/rustdoc/">the rustdoc book</a>.`;
1540+
<a href="${drloChannel}/rustdoc/">the rustdoc book</a>.`;
15411541

15421542
const shortcuts = [
15431543
["?", "Show this help dialog"],
@@ -1557,8 +1557,8 @@ function preLoadCss(cssUrl) {
15571557
div_shortcuts.innerHTML = "<h2>Keyboard Shortcuts</h2><dl>" + shortcuts + "</dl></div>";
15581558

15591559
const infos = [
1560-
`For a full list of all search features, take a look <a \
1561-
href="https://doc.rust-lang.org/${channel}/rustdoc/read-documentation/search.html">here</a>.`,
1560+
`For a full list of all search features, take a look \
1561+
<a href="${drloChannel}/rustdoc/read-documentation/search.html">here</a>.`,
15621562
"Prefix searches with a type followed by a colon (e.g., <code>fn:</code>) to \
15631563
restrict the search to a given item kind.",
15641564
"Accepted kinds are: <code>fn</code>, <code>mod</code>, <code>struct</code>, \
@@ -1568,10 +1568,10 @@ href="https://doc.rust-lang.org/${channel}/rustdoc/read-documentation/search.htm
15681568
<code>-&gt; vec</code> or <code>String, enum:Cow -&gt; bool</code>)",
15691569
"You can look for items with an exact name by putting double quotes around \
15701570
your request: <code>\"string\"</code>",
1571-
"Look for functions that accept or return \
1572-
<a href=\"https://doc.rust-lang.org/std/primitive.slice.html\">slices</a> and \
1573-
<a href=\"https://doc.rust-lang.org/std/primitive.array.html\">arrays</a> by writing \
1574-
square brackets (e.g., <code>-&gt; [u8]</code> or <code>[] -&gt; Option</code>)",
1571+
`Look for functions that accept or return \
1572+
<a href="${drloChannel}/std/primitive.slice.html">slices</a> and \
1573+
<a href="${drloChannel}/std/primitive.array.html">arrays</a> by writing square \
1574+
brackets (e.g., <code>-&gt; [u8]</code> or <code>[] -&gt; Option</code>)`,
15751575
"Look for items inside another one by searching for a path: <code>vec::Vec</code>",
15761576
].map(x => "<p>" + x + "</p>").join("");
15771577
const div_infos = document.createElement("div");

src/librustdoc/html/static/js/search.js

+5-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
// ignore-tidy-filelength
2-
/* global addClass, getNakedUrl, getSettingValue */
2+
/* global addClass, getNakedUrl, getSettingValue, getVar */
33
/* global onEachLazy, removeClass, searchState, browserSupportsHistoryApi, exports */
44

55
"use strict";
@@ -4923,17 +4923,18 @@ ${item.displayPath}<span class="${type}">${name}</span>\
49234923
}
49244924
});
49254925
} else if (query.error === null) {
4926+
const dlroChannel = `https://doc.rust-lang.org/${getVar("channel")}`;
49264927
output.className = "search-failed" + extraClass;
49274928
output.innerHTML = "No results :(<br/>" +
49284929
"Try on <a href=\"https://duckduckgo.com/?q=" +
49294930
encodeURIComponent("rust " + query.userQuery) +
49304931
"\">DuckDuckGo</a>?<br/><br/>" +
49314932
"Or try looking in one of these:<ul><li>The <a " +
4932-
"href=\"https://doc.rust-lang.org/reference/index.html\">Rust Reference</a> " +
4933+
`href="${dlroChannel}/reference/index.html">Rust Reference</a> ` +
49334934
" for technical details about the language.</li><li><a " +
4934-
"href=\"https://doc.rust-lang.org/rust-by-example/index.html\">Rust By " +
4935+
`href="${dlroChannel}/rust-by-example/index.html">Rust By ` +
49354936
"Example</a> for expository code examples.</a></li><li>The <a " +
4936-
"href=\"https://doc.rust-lang.org/book/index.html\">Rust Book</a> for " +
4937+
`href="${dlroChannel}/book/index.html">Rust Book</a> for ` +
49374938
"introductions to language features and the language itself.</li><li><a " +
49384939
"href=\"https://docs.rs\">Docs.rs</a> for documentation of crates released on" +
49394940
" <a href=\"https://crates.io/\">crates.io</a>.</li></ul>";

src/librustdoc/html/templates/type_layout.html

+1-1
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@ <h2 id="layout" class="section-header"> {# #}
1010
unstable</strong> and may even differ between compilations. {#+ #}
1111
The only exception is types with certain <code>repr(...)</code> {#+ #}
1212
attributes. Please see the Rust Reference's {#+ #}
13-
<a href="https://doc.rust-lang.org/reference/type-layout.html">“Type Layout”</a> {#+ #}
13+
<a href="{{ crate::DOC_RUST_LANG_ORG_VERSION }}/reference/type-layout.html">“Type Layout”</a> {#+ #}
1414
chapter for details on type layout guarantees. {# #}
1515
</p> {# #}
1616
</div> {# #}

src/librustdoc/html/templates/type_layout_size.html

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,6 @@
77
{{ size +}} bytes
88
{% endif %}
99
{% if is_uninhabited %}
10-
{# +#} (<a href="https://doc.rust-lang.org/stable/reference/glossary.html#uninhabited">uninhabited</a>)
10+
{# +#} (<a href="{{ crate::DOC_RUST_LANG_ORG_VERSION }}/reference/glossary.html#uninhabited">uninhabited</a>)
1111
{% endif %}
1212
{% endif %}

src/librustdoc/lib.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -82,7 +82,7 @@ use rustc_session::config::{ErrorOutputType, RustcOptGroup, make_crate_type_opti
8282
use rustc_session::{EarlyDiagCtxt, getopts};
8383
use tracing::info;
8484

85-
use crate::clean::utils::DOC_RUST_LANG_ORG_CHANNEL;
85+
use crate::clean::utils::DOC_RUST_LANG_ORG_VERSION;
8686

8787
/// A macro to create a FxHashMap.
8888
///
@@ -709,7 +709,7 @@ fn usage(argv0: &str) {
709709
println!("{}", options.usage(&format!("{argv0} [options] <input>")));
710710
println!(" @path Read newline separated options from `path`\n");
711711
println!(
712-
"More information available at {DOC_RUST_LANG_ORG_CHANNEL}/rustdoc/what-is-rustdoc.html",
712+
"More information available at {DOC_RUST_LANG_ORG_VERSION}/rustdoc/what-is-rustdoc.html",
713713
);
714714
}
715715

src/librustdoc/passes/collect_intra_doc_links.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -2168,7 +2168,7 @@ fn disambiguator_error(
21682168
report_diagnostic(cx.tcx, BROKEN_INTRA_DOC_LINKS, msg, &diag_info, |diag, _sp, _link_range| {
21692169
let msg = format!(
21702170
"see {}/rustdoc/write-documentation/linking-to-items-by-name.html#namespaces-and-disambiguators for more info about disambiguators",
2171-
crate::DOC_RUST_LANG_ORG_CHANNEL
2171+
crate::DOC_RUST_LANG_ORG_VERSION
21722172
);
21732173
diag.note(msg);
21742174
});

0 commit comments

Comments
 (0)