Skip to content

Commit fbccf50

Browse files
committed
Auto merge of #128278 - tgross35:rollup-zv7q0h5, r=tgross35
Rollup of 8 pull requests Successful merges: - #125897 (from_ref, from_mut: clarify documentation) - #128207 (improve error message when `global_asm!` uses `asm!` options) - #128241 (Remove logic to suggest clone of function output) - #128259 ([illumos/solaris] set MSG_NOSIGNAL while writing to sockets) - #128262 (Delete `SimplifyArmIdentity` and `SimplifyBranchSame` tests) - #128266 (update `rust.channel` default value documentation) - #128267 (Add rustdoc GUI test to check title with and without search) - #128271 (Disable jump threading of float equality) r? `@ghost` `@rustbot` modify labels: rollup
2 parents d9e1dea + f62ae7e commit fbccf50

39 files changed

+501
-587
lines changed

compiler/rustc_ast/src/ast.rs

+5
Original file line numberDiff line numberDiff line change
@@ -2266,6 +2266,11 @@ bitflags::bitflags! {
22662266
}
22672267

22682268
impl InlineAsmOptions {
2269+
pub const COUNT: usize = Self::all().bits().count_ones() as usize;
2270+
2271+
pub const GLOBAL_OPTIONS: Self = Self::ATT_SYNTAX.union(Self::RAW);
2272+
pub const NAKED_OPTIONS: Self = Self::ATT_SYNTAX.union(Self::RAW).union(Self::NORETURN);
2273+
22692274
pub fn human_readable_names(&self) -> Vec<&'static str> {
22702275
let mut options = vec![];
22712276

compiler/rustc_borrowck/src/diagnostics/conflict_errors.rs

-31
Original file line numberDiff line numberDiff line change
@@ -1306,37 +1306,6 @@ impl<'infcx, 'tcx> MirBorrowckCtxt<'_, '_, 'infcx, 'tcx> {
13061306
// result of `foo(...)` won't help.
13071307
break 'outer;
13081308
}
1309-
1310-
// We're suggesting `.clone()` on an borrowed value. See if the expression we have
1311-
// is an argument to a function or method call, and try to suggest cloning the
1312-
// *result* of the call, instead of the argument. This is closest to what people
1313-
// would actually be looking for in most cases, with maybe the exception of things
1314-
// like `fn(T) -> T`, but even then it is reasonable.
1315-
let typeck_results = self.infcx.tcx.typeck(self.mir_def_id());
1316-
let mut prev = expr;
1317-
while let hir::Node::Expr(parent) = self.infcx.tcx.parent_hir_node(prev.hir_id) {
1318-
if let hir::ExprKind::Call(..) | hir::ExprKind::MethodCall(..) = parent.kind
1319-
&& let Some(call_ty) = typeck_results.node_type_opt(parent.hir_id)
1320-
&& let call_ty = call_ty.peel_refs()
1321-
&& (!call_ty
1322-
.walk()
1323-
.any(|t| matches!(t.unpack(), ty::GenericArgKind::Lifetime(_)))
1324-
|| if let ty::Alias(ty::Projection, _) = call_ty.kind() {
1325-
// FIXME: this isn't quite right with lifetimes on assoc types,
1326-
// but ignore for now. We will only suggest cloning if
1327-
// `<Ty as Trait>::Assoc: Clone`, which should keep false positives
1328-
// down to a managable ammount.
1329-
true
1330-
} else {
1331-
false
1332-
})
1333-
&& self.implements_clone(call_ty)
1334-
&& self.suggest_cloning_inner(err, call_ty, parent)
1335-
{
1336-
return;
1337-
}
1338-
prev = parent;
1339-
}
13401309
}
13411310
}
13421311
let ty = ty.peel_refs();

compiler/rustc_builtin_macros/messages.ftl

+4
Original file line numberDiff line numberDiff line change
@@ -199,6 +199,10 @@ builtin_macros_format_use_positional = consider using a positional formatting ar
199199
200200
builtin_macros_global_asm_clobber_abi = `clobber_abi` cannot be used with `global_asm!`
201201
202+
builtin_macros_global_asm_unsupported_option = the `{$symbol}` option cannot be used with `global_asm!`
203+
.label = the `{$symbol}` option is not meaningful for global-scoped inline assembly
204+
.suggestion = remove this option
205+
202206
builtin_macros_invalid_crate_attribute = invalid crate attribute
203207
204208
builtin_macros_multiple_default_attrs = multiple `#[default]` attributes

compiler/rustc_builtin_macros/src/asm.rs

+43-22
Original file line numberDiff line numberDiff line change
@@ -310,6 +310,16 @@ fn err_duplicate_option(p: &Parser<'_>, symbol: Symbol, span: Span) {
310310
p.dcx().emit_err(errors::AsmOptAlreadyprovided { span, symbol, full_span });
311311
}
312312

313+
/// Report an invalid option error.
314+
///
315+
/// This function must be called immediately after the option token is parsed.
316+
/// Otherwise, the suggestion will be incorrect.
317+
fn err_unsupported_option(p: &Parser<'_>, symbol: Symbol, span: Span) {
318+
// Tool-only output
319+
let full_span = if p.token.kind == token::Comma { span.to(p.token.span) } else { span };
320+
p.dcx().emit_err(errors::GlobalAsmUnsupportedOption { span, symbol, full_span });
321+
}
322+
313323
/// Try to set the provided option in the provided `AsmArgs`.
314324
/// If it is already set, report a duplicate option error.
315325
///
@@ -318,13 +328,16 @@ fn err_duplicate_option(p: &Parser<'_>, symbol: Symbol, span: Span) {
318328
fn try_set_option<'a>(
319329
p: &Parser<'a>,
320330
args: &mut AsmArgs,
331+
is_global_asm: bool,
321332
symbol: Symbol,
322333
option: ast::InlineAsmOptions,
323334
) {
324-
if !args.options.contains(option) {
325-
args.options |= option;
326-
} else {
335+
if is_global_asm && !ast::InlineAsmOptions::GLOBAL_OPTIONS.contains(option) {
336+
err_unsupported_option(p, symbol, p.prev_token.span);
337+
} else if args.options.contains(option) {
327338
err_duplicate_option(p, symbol, p.prev_token.span);
339+
} else {
340+
args.options |= option;
328341
}
329342
}
330343

@@ -338,25 +351,33 @@ fn parse_options<'a>(
338351
p.expect(&token::OpenDelim(Delimiter::Parenthesis))?;
339352

340353
while !p.eat(&token::CloseDelim(Delimiter::Parenthesis)) {
341-
if !is_global_asm && p.eat_keyword(sym::pure) {
342-
try_set_option(p, args, sym::pure, ast::InlineAsmOptions::PURE);
343-
} else if !is_global_asm && p.eat_keyword(sym::nomem) {
344-
try_set_option(p, args, sym::nomem, ast::InlineAsmOptions::NOMEM);
345-
} else if !is_global_asm && p.eat_keyword(sym::readonly) {
346-
try_set_option(p, args, sym::readonly, ast::InlineAsmOptions::READONLY);
347-
} else if !is_global_asm && p.eat_keyword(sym::preserves_flags) {
348-
try_set_option(p, args, sym::preserves_flags, ast::InlineAsmOptions::PRESERVES_FLAGS);
349-
} else if !is_global_asm && p.eat_keyword(sym::noreturn) {
350-
try_set_option(p, args, sym::noreturn, ast::InlineAsmOptions::NORETURN);
351-
} else if !is_global_asm && p.eat_keyword(sym::nostack) {
352-
try_set_option(p, args, sym::nostack, ast::InlineAsmOptions::NOSTACK);
353-
} else if !is_global_asm && p.eat_keyword(sym::may_unwind) {
354-
try_set_option(p, args, kw::Raw, ast::InlineAsmOptions::MAY_UNWIND);
355-
} else if p.eat_keyword(sym::att_syntax) {
356-
try_set_option(p, args, sym::att_syntax, ast::InlineAsmOptions::ATT_SYNTAX);
357-
} else if p.eat_keyword(kw::Raw) {
358-
try_set_option(p, args, kw::Raw, ast::InlineAsmOptions::RAW);
359-
} else {
354+
const OPTIONS: [(Symbol, ast::InlineAsmOptions); ast::InlineAsmOptions::COUNT] = [
355+
(sym::pure, ast::InlineAsmOptions::PURE),
356+
(sym::nomem, ast::InlineAsmOptions::NOMEM),
357+
(sym::readonly, ast::InlineAsmOptions::READONLY),
358+
(sym::preserves_flags, ast::InlineAsmOptions::PRESERVES_FLAGS),
359+
(sym::noreturn, ast::InlineAsmOptions::NORETURN),
360+
(sym::nostack, ast::InlineAsmOptions::NOSTACK),
361+
(sym::may_unwind, ast::InlineAsmOptions::MAY_UNWIND),
362+
(sym::att_syntax, ast::InlineAsmOptions::ATT_SYNTAX),
363+
(kw::Raw, ast::InlineAsmOptions::RAW),
364+
];
365+
366+
'blk: {
367+
for (symbol, option) in OPTIONS {
368+
let kw_matched =
369+
if !is_global_asm || ast::InlineAsmOptions::GLOBAL_OPTIONS.contains(option) {
370+
p.eat_keyword(symbol)
371+
} else {
372+
p.eat_keyword_noexpect(symbol)
373+
};
374+
375+
if kw_matched {
376+
try_set_option(p, args, is_global_asm, symbol, option);
377+
break 'blk;
378+
}
379+
}
380+
360381
return p.unexpected();
361382
}
362383

compiler/rustc_builtin_macros/src/errors.rs

+11
Original file line numberDiff line numberDiff line change
@@ -845,6 +845,17 @@ pub(crate) struct AsmOptAlreadyprovided {
845845
pub(crate) full_span: Span,
846846
}
847847

848+
#[derive(Diagnostic)]
849+
#[diag(builtin_macros_global_asm_unsupported_option)]
850+
pub(crate) struct GlobalAsmUnsupportedOption {
851+
#[primary_span]
852+
#[label]
853+
pub(crate) span: Span,
854+
pub(crate) symbol: Symbol,
855+
#[suggestion(code = "", applicability = "machine-applicable", style = "tool-only")]
856+
pub(crate) full_span: Span,
857+
}
858+
848859
#[derive(Diagnostic)]
849860
#[diag(builtin_macros_test_runner_invalid)]
850861
pub(crate) struct TestRunnerInvalid {

compiler/rustc_mir_transform/src/jump_threading.rs

+7
Original file line numberDiff line numberDiff line change
@@ -509,6 +509,13 @@ impl<'tcx, 'a> TOFinder<'tcx, 'a> {
509509
BinOp::Ne => ScalarInt::FALSE,
510510
_ => return None,
511511
};
512+
if value.const_.ty().is_floating_point() {
513+
// Floating point equality does not follow bit-patterns.
514+
// -0.0 and NaN both have special rules for equality,
515+
// and therefore we cannot use integer comparisons for them.
516+
// Avoid handling them, though this could be extended in the future.
517+
return None;
518+
}
512519
let value = value.const_.normalize(self.tcx, self.param_env).try_to_scalar_int()?;
513520
let conds = conditions.map(self.arena, |c| Condition {
514521
value,

compiler/rustc_parse/src/parser/mod.rs

+5-2
Original file line numberDiff line numberDiff line change
@@ -599,7 +599,7 @@ impl<'a> Parser<'a> {
599599

600600
/// If the next token is the given keyword, eats it and returns `true`.
601601
/// Otherwise, returns `false`. An expectation is also added for diagnostics purposes.
602-
// Public for rustfmt usage.
602+
// Public for rustc_builtin_macros and rustfmt usage.
603603
#[inline]
604604
pub fn eat_keyword(&mut self, kw: Symbol) -> bool {
605605
if self.check_keyword(kw) {
@@ -631,8 +631,11 @@ impl<'a> Parser<'a> {
631631
false
632632
}
633633

634+
/// If the next token is the given keyword, eats it and returns `true`.
635+
/// Otherwise, returns `false`. No expectation is added.
636+
// Public for rustc_builtin_macros usage.
634637
#[inline]
635-
fn eat_keyword_noexpect(&mut self, kw: Symbol) -> bool {
638+
pub fn eat_keyword_noexpect(&mut self, kw: Symbol) -> bool {
636639
if self.token.is_keyword(kw) {
637640
self.bump();
638641
true

compiler/rustc_passes/src/naked_functions.rs

+1-4
Original file line numberDiff line numberDiff line change
@@ -244,10 +244,7 @@ impl<'tcx> CheckInlineAssembly<'tcx> {
244244
self.tcx.dcx().emit_err(NakedFunctionsOperands { unsupported_operands });
245245
}
246246

247-
let supported_options =
248-
InlineAsmOptions::RAW | InlineAsmOptions::NORETURN | InlineAsmOptions::ATT_SYNTAX;
249-
let unsupported_options = asm.options.difference(supported_options);
250-
247+
let unsupported_options = asm.options.difference(InlineAsmOptions::NAKED_OPTIONS);
251248
if !unsupported_options.is_empty() {
252249
self.tcx.dcx().emit_err(NakedFunctionsAsmOptions {
253250
span,

config.example.toml

+4-1
Original file line numberDiff line numberDiff line change
@@ -578,7 +578,10 @@
578578
# The "channel" for the Rust build to produce. The stable/beta channels only
579579
# allow using stable features, whereas the nightly and dev channels allow using
580580
# nightly features
581-
#channel = "dev"
581+
#
582+
# If using tarball sources, default value for `channel` is taken from the `src/ci/channel` file;
583+
# otherwise, it's "dev".
584+
#channel = if "is a tarball source" { content of `src/ci/channel` file } else { "dev" }
582585

583586
# A descriptive string to be appended to `rustc --version` output, which is
584587
# also used in places like debuginfo `DW_AT_producer`. This may be useful for

library/alloc/src/vec/mod.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -1277,7 +1277,7 @@ impl<T, A: Allocator> Vec<T, A> {
12771277
/// valid for zero sized reads if the vector didn't allocate.
12781278
///
12791279
/// The caller must ensure that the vector outlives the pointer this
1280-
/// function returns, or else it will end up pointing to garbage.
1280+
/// function returns, or else it will end up dangling.
12811281
/// Modifying the vector may cause its buffer to be reallocated,
12821282
/// which would also make any pointers to it invalid.
12831283
///
@@ -1337,7 +1337,7 @@ impl<T, A: Allocator> Vec<T, A> {
13371337
/// raw pointer valid for zero sized reads if the vector didn't allocate.
13381338
///
13391339
/// The caller must ensure that the vector outlives the pointer this
1340-
/// function returns, or else it will end up pointing to garbage.
1340+
/// function returns, or else it will end up dangling.
13411341
/// Modifying the vector may cause its buffer to be reallocated,
13421342
/// which would also make any pointers to it invalid.
13431343
///

library/core/src/ptr/mod.rs

+84-4
Original file line numberDiff line numberDiff line change
@@ -777,8 +777,51 @@ where
777777

778778
/// Convert a reference to a raw pointer.
779779
///
780-
/// This is equivalent to `r as *const T`, but is a bit safer since it will never silently change
781-
/// type or mutability, in particular if the code is refactored.
780+
/// For `r: &T`, `from_ref(r)` is equivalent to `r as *const T` (except for the caveat noted below),
781+
/// but is a bit safer since it will never silently change type or mutability, in particular if the
782+
/// code is refactored.
783+
///
784+
/// The caller must ensure that the pointee outlives the pointer this function returns, or else it
785+
/// will end up dangling.
786+
///
787+
/// The caller must also ensure that the memory the pointer (non-transitively) points to is never
788+
/// written to (except inside an `UnsafeCell`) using this pointer or any pointer derived from it. If
789+
/// you need to mutate the pointee, use [`from_mut`]`. Specifically, to turn a mutable reference `m:
790+
/// &mut T` into `*const T`, prefer `from_mut(m).cast_const()` to obtain a pointer that can later be
791+
/// used for mutation.
792+
///
793+
/// ## Interaction with lifetime extension
794+
///
795+
/// Note that this has subtle interactions with the rules for lifetime extension of temporaries in
796+
/// tail expressions. This code is valid, albeit in a non-obvious way:
797+
/// ```rust
798+
/// # type T = i32;
799+
/// # fn foo() -> T { 42 }
800+
/// // The temporary holding the return value of `foo` has its lifetime extended,
801+
/// // because the surrounding expression involves no function call.
802+
/// let p = &foo() as *const T;
803+
/// unsafe { p.read() };
804+
/// ```
805+
/// Naively replacing the cast with `from_ref` is not valid:
806+
/// ```rust,no_run
807+
/// # use std::ptr;
808+
/// # type T = i32;
809+
/// # fn foo() -> T { 42 }
810+
/// // The temporary holding the return value of `foo` does *not* have its lifetime extended,
811+
/// // because the surrounding expression involves no function call.
812+
/// let p = ptr::from_ref(&foo());
813+
/// unsafe { p.read() }; // UB! Reading from a dangling pointer ⚠️
814+
/// ```
815+
/// The recommended way to write this code is to avoid relying on lifetime extension
816+
/// when raw pointers are involved:
817+
/// ```rust
818+
/// # use std::ptr;
819+
/// # type T = i32;
820+
/// # fn foo() -> T { 42 }
821+
/// let x = foo();
822+
/// let p = ptr::from_ref(&x);
823+
/// unsafe { p.read() };
824+
/// ```
782825
#[inline(always)]
783826
#[must_use]
784827
#[stable(feature = "ptr_from_ref", since = "1.76.0")]
@@ -791,8 +834,45 @@ pub const fn from_ref<T: ?Sized>(r: &T) -> *const T {
791834

792835
/// Convert a mutable reference to a raw pointer.
793836
///
794-
/// This is equivalent to `r as *mut T`, but is a bit safer since it will never silently change
795-
/// type or mutability, in particular if the code is refactored.
837+
/// For `r: &mut T`, `from_mut(r)` is equivalent to `r as *mut T` (except for the caveat noted
838+
/// below), but is a bit safer since it will never silently change type or mutability, in particular
839+
/// if the code is refactored.
840+
///
841+
/// The caller must ensure that the pointee outlives the pointer this function returns, or else it
842+
/// will end up dangling.
843+
///
844+
/// ## Interaction with lifetime extension
845+
///
846+
/// Note that this has subtle interactions with the rules for lifetime extension of temporaries in
847+
/// tail expressions. This code is valid, albeit in a non-obvious way:
848+
/// ```rust
849+
/// # type T = i32;
850+
/// # fn foo() -> T { 42 }
851+
/// // The temporary holding the return value of `foo` has its lifetime extended,
852+
/// // because the surrounding expression involves no function call.
853+
/// let p = &mut foo() as *mut T;
854+
/// unsafe { p.write(T::default()) };
855+
/// ```
856+
/// Naively replacing the cast with `from_mut` is not valid:
857+
/// ```rust,no_run
858+
/// # use std::ptr;
859+
/// # type T = i32;
860+
/// # fn foo() -> T { 42 }
861+
/// // The temporary holding the return value of `foo` does *not* have its lifetime extended,
862+
/// // because the surrounding expression involves no function call.
863+
/// let p = ptr::from_mut(&mut foo());
864+
/// unsafe { p.write(T::default()) }; // UB! Writing to a dangling pointer ⚠️
865+
/// ```
866+
/// The recommended way to write this code is to avoid relying on lifetime extension
867+
/// when raw pointers are involved:
868+
/// ```rust
869+
/// # use std::ptr;
870+
/// # type T = i32;
871+
/// # fn foo() -> T { 42 }
872+
/// let mut x = foo();
873+
/// let p = ptr::from_mut(&mut x);
874+
/// unsafe { p.write(T::default()) };
875+
/// ```
796876
#[inline(always)]
797877
#[must_use]
798878
#[stable(feature = "ptr_from_ref", since = "1.76.0")]

library/core/src/slice/mod.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -726,7 +726,7 @@ impl<T> [T] {
726726
/// Returns a raw pointer to the slice's buffer.
727727
///
728728
/// The caller must ensure that the slice outlives the pointer this
729-
/// function returns, or else it will end up pointing to garbage.
729+
/// function returns, or else it will end up dangling.
730730
///
731731
/// The caller must also ensure that the memory the pointer (non-transitively) points to
732732
/// is never written to (except inside an `UnsafeCell`) using this pointer or any pointer
@@ -761,7 +761,7 @@ impl<T> [T] {
761761
/// Returns an unsafe mutable pointer to the slice's buffer.
762762
///
763763
/// The caller must ensure that the slice outlives the pointer this
764-
/// function returns, or else it will end up pointing to garbage.
764+
/// function returns, or else it will end up dangling.
765765
///
766766
/// Modifying the container referenced by this slice may cause its buffer
767767
/// to be reallocated, which would also make any pointers to it invalid.

library/std/src/os/unix/net/datagram.rs

+4
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,8 @@ use crate::{fmt, io};
2020
target_os = "freebsd",
2121
target_os = "openbsd",
2222
target_os = "netbsd",
23+
target_os = "solaris",
24+
target_os = "illumos",
2325
target_os = "haiku",
2426
target_os = "nto",
2527
))]
@@ -31,6 +33,8 @@ use libc::MSG_NOSIGNAL;
3133
target_os = "freebsd",
3234
target_os = "openbsd",
3335
target_os = "netbsd",
36+
target_os = "solaris",
37+
target_os = "illumos",
3438
target_os = "haiku",
3539
target_os = "nto",
3640
)))]

library/std/src/sys_common/net.rs

+1
Original file line numberDiff line numberDiff line change
@@ -42,6 +42,7 @@ cfg_if::cfg_if! {
4242
target_os = "hurd",
4343
target_os = "dragonfly", target_os = "freebsd",
4444
target_os = "openbsd", target_os = "netbsd",
45+
target_os = "solaris", target_os = "illumos",
4546
target_os = "haiku", target_os = "nto"))] {
4647
use libc::MSG_NOSIGNAL;
4748
} else {

0 commit comments

Comments
 (0)