Skip to content

Commit 3e99439

Browse files
committed
Auto merge of #85414 - RalfJung:rollup-ueqcik4, r=RalfJung
Rollup of 8 pull requests Successful merges: - #85087 (`eval_fn_call`: check the ABI of `body.source`) - #85302 (Expand WASI abbreviation in docs) - #85355 (More tests for issue-85255) - #85367 (Fix invalid input:disabled CSS selector) - #85374 (mark internal inplace_iteration traits as hidden) - #85408 (remove size field from Allocation) - #85409 (Simplify `cfg(any(unix, target_os="redox"))` in example to just `cfg(unix)`) - #85412 (remove some functions that were only used by Miri) Failed merges: r? `@ghost` `@rustbot` modify labels: rollup
2 parents fa72878 + a28be5c commit 3e99439

35 files changed

+174
-183
lines changed

compiler/rustc_middle/src/mir/interpret/allocation.rs

+5-29
Original file line numberDiff line numberDiff line change
@@ -27,8 +27,6 @@ pub struct Allocation<Tag = (), Extra = ()> {
2727
relocations: Relocations<Tag>,
2828
/// Denotes which part of this allocation is initialized.
2929
init_mask: InitMask,
30-
/// The size of the allocation. Currently, must always equal `bytes.len()`.
31-
pub size: Size,
3230
/// The alignment of the allocation to detect unaligned reads.
3331
/// (`Align` guarantees that this is a power of two.)
3432
pub align: Align,
@@ -94,7 +92,6 @@ impl<Tag> Allocation<Tag> {
9492
bytes,
9593
relocations: Relocations::new(),
9694
init_mask: InitMask::new(size, true),
97-
size,
9895
align,
9996
mutability: Mutability::Not,
10097
extra: (),
@@ -110,7 +107,6 @@ impl<Tag> Allocation<Tag> {
110107
bytes: vec![0; size.bytes_usize()],
111108
relocations: Relocations::new(),
112109
init_mask: InitMask::new(size, false),
113-
size,
114110
align,
115111
mutability: Mutability::Mut,
116112
extra: (),
@@ -127,7 +123,6 @@ impl Allocation<(), ()> {
127123
) -> Allocation<T, E> {
128124
Allocation {
129125
bytes: self.bytes,
130-
size: self.size,
131126
relocations: Relocations::from_presorted(
132127
self.relocations
133128
.iter()
@@ -150,7 +145,11 @@ impl Allocation<(), ()> {
150145
/// Raw accessors. Provide access to otherwise private bytes.
151146
impl<Tag, Extra> Allocation<Tag, Extra> {
152147
pub fn len(&self) -> usize {
153-
self.size.bytes_usize()
148+
self.bytes.len()
149+
}
150+
151+
pub fn size(&self) -> Size {
152+
Size::from_bytes(self.len())
154153
}
155154

156155
/// Looks at a slice which may describe uninitialized bytes or describe a relocation. This differs
@@ -276,29 +275,6 @@ impl<'tcx, Tag: Copy, Extra: AllocationExtra<Tag>> Allocation<Tag, Extra> {
276275

277276
/// Reading and writing.
278277
impl<'tcx, Tag: Copy, Extra: AllocationExtra<Tag>> Allocation<Tag, Extra> {
279-
/// Reads bytes until a `0` is encountered. Will error if the end of the allocation is reached
280-
/// before a `0` is found.
281-
///
282-
/// Most likely, you want to call `Memory::read_c_str` instead of this method.
283-
pub fn read_c_str(
284-
&self,
285-
cx: &impl HasDataLayout,
286-
ptr: Pointer<Tag>,
287-
) -> InterpResult<'tcx, &[u8]> {
288-
let offset = ptr.offset.bytes_usize();
289-
Ok(match self.bytes[offset..].iter().position(|&c| c == 0) {
290-
Some(size) => {
291-
let size_with_null = Size::from_bytes(size) + Size::from_bytes(1);
292-
// Go through `get_bytes` for checks and AllocationExtra hooks.
293-
// We read the null, so we include it in the request, but we want it removed
294-
// from the result, so we do subslicing.
295-
&self.get_bytes(cx, ptr, size_with_null)?[..size]
296-
}
297-
// This includes the case where `offset` is out-of-bounds to begin with.
298-
None => throw_ub!(UnterminatedCString(ptr.erase_tag())),
299-
})
300-
}
301-
302278
/// Validates that `ptr.offset` and `ptr.offset + size` do not point to the middle of a
303279
/// relocation. If `allow_uninit_and_ptr` is `false`, also enforces that the memory in the
304280
/// given range contains neither relocations nor uninitialized bytes.

compiler/rustc_mir/src/interpret/memory.rs

+7-82
Original file line numberDiff line numberDiff line change
@@ -244,7 +244,7 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
244244
let new_ptr = self.allocate(new_size, new_align, kind);
245245
let old_size = match old_size_and_align {
246246
Some((size, _align)) => size,
247-
None => self.get_raw(ptr.alloc_id)?.size,
247+
None => self.get_raw(ptr.alloc_id)?.size(),
248248
};
249249
self.copy(ptr, new_ptr, old_size.min(new_size), /*nonoverlapping*/ true)?;
250250
self.deallocate(ptr, old_size_and_align, kind)?;
@@ -306,11 +306,11 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
306306
);
307307
}
308308
if let Some((size, align)) = old_size_and_align {
309-
if size != alloc.size || align != alloc.align {
309+
if size != alloc.size() || align != alloc.align {
310310
throw_ub_format!(
311311
"incorrect layout on deallocation: {} has size {} and alignment {}, but gave size {} and alignment {}",
312312
ptr.alloc_id,
313-
alloc.size.bytes(),
313+
alloc.size().bytes(),
314314
alloc.align.bytes(),
315315
size.bytes(),
316316
align.bytes(),
@@ -319,11 +319,11 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
319319
}
320320

321321
// Let the machine take some extra action
322-
let size = alloc.size;
322+
let size = alloc.size();
323323
AllocationExtra::memory_deallocated(&mut alloc, ptr, size)?;
324324

325325
// Don't forget to remember size and align of this now-dead allocation
326-
let old = self.dead_alloc_map.insert(ptr.alloc_id, (alloc.size, alloc.align));
326+
let old = self.dead_alloc_map.insert(ptr.alloc_id, (alloc.size(), alloc.align));
327327
if old.is_some() {
328328
bug!("Nothing can be deallocated twice");
329329
}
@@ -586,7 +586,7 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
586586
// a) cause cycles in case `id` refers to a static
587587
// b) duplicate a global's allocation in miri
588588
if let Some((_, alloc)) = self.alloc_map.get(id) {
589-
return Ok((alloc.size, alloc.align));
589+
return Ok((alloc.size(), alloc.align));
590590
}
591591

592592
// # Function pointers
@@ -614,7 +614,7 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
614614
Some(GlobalAlloc::Memory(alloc)) => {
615615
// Need to duplicate the logic here, because the global allocations have
616616
// different associated types than the interpreter-local ones.
617-
Ok((alloc.size, alloc.align))
617+
Ok((alloc.size(), alloc.align))
618618
}
619619
Some(GlobalAlloc::Function(_)) => bug!("We already checked function pointers above"),
620620
// The rest must be dead.
@@ -804,41 +804,6 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
804804
self.get_raw(ptr.alloc_id)?.get_bytes(self, ptr, size)
805805
}
806806

807-
/// Reads a 0-terminated sequence of bytes from memory. Returns them as a slice.
808-
///
809-
/// Performs appropriate bounds checks.
810-
pub fn read_c_str(&self, ptr: Scalar<M::PointerTag>) -> InterpResult<'tcx, &[u8]> {
811-
let ptr = self.force_ptr(ptr)?; // We need to read at least 1 byte, so we *need* a ptr.
812-
self.get_raw(ptr.alloc_id)?.read_c_str(self, ptr)
813-
}
814-
815-
/// Reads a 0x0000-terminated u16-sequence from memory. Returns them as a Vec<u16>.
816-
/// Terminator 0x0000 is not included in the returned Vec<u16>.
817-
///
818-
/// Performs appropriate bounds checks.
819-
pub fn read_wide_str(&self, ptr: Scalar<M::PointerTag>) -> InterpResult<'tcx, Vec<u16>> {
820-
let size_2bytes = Size::from_bytes(2);
821-
let align_2bytes = Align::from_bytes(2).unwrap();
822-
// We need to read at least 2 bytes, so we *need* a ptr.
823-
let mut ptr = self.force_ptr(ptr)?;
824-
let allocation = self.get_raw(ptr.alloc_id)?;
825-
let mut u16_seq = Vec::new();
826-
827-
loop {
828-
ptr = self
829-
.check_ptr_access(ptr.into(), size_2bytes, align_2bytes)?
830-
.expect("cannot be a ZST");
831-
let single_u16 = allocation.read_scalar(self, ptr, size_2bytes)?.to_u16()?;
832-
if single_u16 != 0x0000 {
833-
u16_seq.push(single_u16);
834-
ptr = ptr.offset(size_2bytes, self)?;
835-
} else {
836-
break;
837-
}
838-
}
839-
Ok(u16_seq)
840-
}
841-
842807
/// Writes the given stream of bytes into memory.
843808
///
844809
/// Performs appropriate bounds checks.
@@ -866,46 +831,6 @@ impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> Memory<'mir, 'tcx, M> {
866831
self.get_raw_mut(ptr.alloc_id)?.write_bytes(&tcx, ptr, src)
867832
}
868833

869-
/// Writes the given stream of u16s into memory.
870-
///
871-
/// Performs appropriate bounds checks.
872-
pub fn write_u16s(
873-
&mut self,
874-
ptr: Scalar<M::PointerTag>,
875-
src: impl IntoIterator<Item = u16>,
876-
) -> InterpResult<'tcx> {
877-
let mut src = src.into_iter();
878-
let (lower, upper) = src.size_hint();
879-
let len = upper.expect("can only write bounded iterators");
880-
assert_eq!(lower, len, "can only write iterators with a precise length");
881-
882-
let size = Size::from_bytes(lower);
883-
let ptr = match self.check_ptr_access(ptr, size, Align::from_bytes(2).unwrap())? {
884-
Some(ptr) => ptr,
885-
None => {
886-
// zero-sized access
887-
assert_matches!(
888-
src.next(),
889-
None,
890-
"iterator said it was empty but returned an element"
891-
);
892-
return Ok(());
893-
}
894-
};
895-
let tcx = self.tcx;
896-
let allocation = self.get_raw_mut(ptr.alloc_id)?;
897-
898-
for idx in 0..len {
899-
let val = Scalar::from_u16(
900-
src.next().expect("iterator was shorter than it said it would be"),
901-
);
902-
let offset_ptr = ptr.offset(Size::from_bytes(idx) * 2, &tcx)?; // `Size` multiplication
903-
allocation.write_scalar(&tcx, offset_ptr, val.into(), Size::from_bytes(2))?;
904-
}
905-
assert_matches!(src.next(), None, "iterator was longer than it said it would be");
906-
Ok(())
907-
}
908-
909834
/// Expects the caller to have checked bounds and alignment.
910835
pub fn copy(
911836
&mut self,

compiler/rustc_mir/src/interpret/terminator.rs

+18-11
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,10 @@ use std::convert::TryFrom;
33

44
use rustc_middle::ty::layout::TyAndLayout;
55
use rustc_middle::ty::Instance;
6-
use rustc_middle::{mir, ty};
6+
use rustc_middle::{
7+
mir,
8+
ty::{self, Ty},
9+
};
710
use rustc_target::abi::{self, LayoutOf as _};
811
use rustc_target::spec::abi::Abi;
912

@@ -228,15 +231,12 @@ impl<'mir, 'tcx: 'mir, M: Machine<'mir, 'tcx>> InterpCx<'mir, 'tcx, M> {
228231
};
229232

230233
// ABI check
231-
{
232-
let callee_abi = {
233-
let instance_ty = instance.ty(*self.tcx, self.param_env);
234-
match instance_ty.kind() {
235-
ty::FnDef(..) => instance_ty.fn_sig(*self.tcx).abi(),
236-
ty::Closure(..) => Abi::RustCall,
237-
ty::Generator(..) => Abi::Rust,
238-
_ => span_bug!(self.cur_span(), "unexpected callee ty: {:?}", instance_ty),
239-
}
234+
let check_abi = |this: &Self, instance_ty: Ty<'tcx>| -> InterpResult<'tcx> {
235+
let callee_abi = match instance_ty.kind() {
236+
ty::FnDef(..) => instance_ty.fn_sig(*this.tcx).abi(),
237+
ty::Closure(..) => Abi::RustCall,
238+
ty::Generator(..) => Abi::Rust,
239+
_ => span_bug!(this.cur_span(), "unexpected callee ty: {:?}", instance_ty),
240240
};
241241
let normalize_abi = |abi| match abi {
242242
Abi::Rust | Abi::RustCall | Abi::RustIntrinsic | Abi::PlatformIntrinsic =>
@@ -253,10 +253,12 @@ impl<'mir, 'tcx: 'mir, M: Machine<'mir, 'tcx>> InterpCx<'mir, 'tcx, M> {
253253
caller_abi.name()
254254
)
255255
}
256-
}
256+
Ok(())
257+
};
257258

258259
match instance.def {
259260
ty::InstanceDef::Intrinsic(..) => {
261+
check_abi(self, instance.ty(*self.tcx, self.param_env))?;
260262
assert!(caller_abi == Abi::RustIntrinsic || caller_abi == Abi::PlatformIntrinsic);
261263
M::call_intrinsic(self, instance, args, ret, unwind)
262264
}
@@ -274,6 +276,11 @@ impl<'mir, 'tcx: 'mir, M: Machine<'mir, 'tcx>> InterpCx<'mir, 'tcx, M> {
274276
None => return Ok(()),
275277
};
276278

279+
// Check against the ABI of the MIR body we are calling (not the ABI of `instance`;
280+
// these can differ when `find_mir_or_eval_fn` does something clever like resolve
281+
// exported symbol names).
282+
check_abi(self, self.tcx.type_of(body.source.def_id()))?;
283+
277284
self.push_stack_frame(
278285
instance,
279286
body,

compiler/rustc_mir/src/util/pretty.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -776,8 +776,8 @@ pub struct RenderAllocation<'a, 'tcx, Tag, Extra> {
776776
impl<Tag: Copy + Debug, Extra> std::fmt::Display for RenderAllocation<'a, 'tcx, Tag, Extra> {
777777
fn fmt(&self, w: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
778778
let RenderAllocation { tcx, alloc } = *self;
779-
write!(w, "size: {}, align: {})", alloc.size.bytes(), alloc.align.bytes())?;
780-
if alloc.size == Size::ZERO {
779+
write!(w, "size: {}, align: {})", alloc.size().bytes(), alloc.align.bytes())?;
780+
if alloc.size() == Size::ZERO {
781781
// We are done.
782782
return write!(w, " {{}}");
783783
}
@@ -822,9 +822,9 @@ fn write_allocation_bytes<Tag: Copy + Debug, Extra>(
822822
w: &mut dyn std::fmt::Write,
823823
prefix: &str,
824824
) -> std::fmt::Result {
825-
let num_lines = alloc.size.bytes_usize().saturating_sub(BYTES_PER_LINE);
825+
let num_lines = alloc.size().bytes_usize().saturating_sub(BYTES_PER_LINE);
826826
// Number of chars needed to represent all line numbers.
827-
let pos_width = format!("{:x}", alloc.size.bytes()).len();
827+
let pos_width = format!("{:x}", alloc.size().bytes()).len();
828828

829829
if num_lines > 0 {
830830
write!(w, "{}0x{:02$x} │ ", prefix, 0, pos_width)?;
@@ -845,7 +845,7 @@ fn write_allocation_bytes<Tag: Copy + Debug, Extra>(
845845
}
846846
};
847847

848-
while i < alloc.size {
848+
while i < alloc.size() {
849849
// The line start already has a space. While we could remove that space from the line start
850850
// printing and unconditionally print a space here, that would cause the single-line case
851851
// to have a single space before it, which looks weird.
@@ -929,7 +929,7 @@ fn write_allocation_bytes<Tag: Copy + Debug, Extra>(
929929
i += Size::from_bytes(1);
930930
}
931931
// Print a new line header if the next line still has some bytes to print.
932-
if i == line_start + Size::from_bytes(BYTES_PER_LINE) && i != alloc.size {
932+
if i == line_start + Size::from_bytes(BYTES_PER_LINE) && i != alloc.size() {
933933
line_start = write_allocation_newline(w, line_start, &ascii, pos_width, prefix)?;
934934
ascii.clear();
935935
}

library/alloc/src/collections/binary_heap.rs

+2
Original file line numberDiff line numberDiff line change
@@ -1299,6 +1299,7 @@ impl<T> ExactSizeIterator for IntoIter<T> {
12991299
impl<T> FusedIterator for IntoIter<T> {}
13001300

13011301
#[unstable(issue = "none", feature = "inplace_iteration")]
1302+
#[doc(hidden)]
13021303
unsafe impl<T> SourceIter for IntoIter<T> {
13031304
type Source = IntoIter<T>;
13041305

@@ -1309,6 +1310,7 @@ unsafe impl<T> SourceIter for IntoIter<T> {
13091310
}
13101311

13111312
#[unstable(issue = "none", feature = "inplace_iteration")]
1313+
#[doc(hidden)]
13121314
unsafe impl<I> InPlaceIterable for IntoIter<I> {}
13131315

13141316
impl<I> AsIntoIter for IntoIter<I> {

library/alloc/src/vec/into_iter.rs

+2
Original file line numberDiff line numberDiff line change
@@ -264,9 +264,11 @@ unsafe impl<#[may_dangle] T, A: Allocator> Drop for IntoIter<T, A> {
264264
}
265265

266266
#[unstable(issue = "none", feature = "inplace_iteration")]
267+
#[doc(hidden)]
267268
unsafe impl<T, A: Allocator> InPlaceIterable for IntoIter<T, A> {}
268269

269270
#[unstable(issue = "none", feature = "inplace_iteration")]
271+
#[doc(hidden)]
270272
unsafe impl<T, A: Allocator> SourceIter for IntoIter<T, A> {
271273
type Source = Self;
272274

library/core/src/iter/adapters/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -88,6 +88,7 @@ pub use self::zip::zip;
8888
/// [`FromIterator`]: crate::iter::FromIterator
8989
/// [`as_inner`]: SourceIter::as_inner
9090
#[unstable(issue = "none", feature = "inplace_iteration")]
91+
#[doc(hidden)]
9192
pub unsafe trait SourceIter {
9293
/// A source stage in an iterator pipeline.
9394
type Source: Iterator;

library/core/src/iter/traits/marker.rs

+1
Original file line numberDiff line numberDiff line change
@@ -53,4 +53,5 @@ unsafe impl<I: TrustedLen + ?Sized> TrustedLen for &mut I {}
5353
/// [`next()`]: Iterator::next
5454
/// [`try_fold()`]: Iterator::try_fold
5555
#[unstable(issue = "none", feature = "inplace_iteration")]
56+
#[doc(hidden)]
5657
pub unsafe trait InPlaceIterable: Iterator {}

library/std/src/ffi/os_str.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -601,7 +601,7 @@ impl OsStr {
601601
/// // sequences simply through collecting user command line arguments, for
602602
/// // example.
603603
///
604-
/// #[cfg(any(unix, target_os = "redox"))] {
604+
/// #[cfg(unix)] {
605605
/// use std::ffi::OsStr;
606606
/// use std::os::unix::ffi::OsStrExt;
607607
///

library/std/src/os/wasi/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
//! Platform-specific extensions to `std` for WASI.
1+
//! Platform-specific extensions to `std` for the WebAssembly System Interface (WASI).
22
//!
33
//! Provides access to platform-level information on WASI, and exposes
44
//! WASI-specific functions that would otherwise be inappropriate as

src/librustdoc/html/static/themes/ayu.css

+2-2
Original file line numberDiff line numberDiff line change
@@ -248,8 +248,8 @@ details.undocumented > summary::before {
248248
box-shadow: 0 0 0 1px #148099,0 0 0 2px transparent;
249249
}
250250

251-
.search-focus:disabled {
252-
color: #929292;
251+
.search-input:disabled {
252+
background-color: #3e3e3e;
253253
}
254254

255255
.module-item .stab,

src/librustdoc/html/static/themes/dark.css

+1-1
Original file line numberDiff line numberDiff line change
@@ -209,7 +209,7 @@ details.undocumented > summary::before {
209209
border-color: #008dfd;
210210
}
211211

212-
.search-focus:disabled {
212+
.search-input:disabled {
213213
background-color: #c5c4c4;
214214
}
215215

0 commit comments

Comments
 (0)