Skip to content

Commit 3153584

Browse files
committed
Auto merge of #95101 - Dylan-DPC:rollup-r1f1v9t, r=Dylan-DPC
Rollup of 6 pull requests Successful merges: - #92519 (Use verbatim paths for `process::Command` if necessary) - #92612 (Update stdlib for the l4re target) - #92663 (Implement `Write for Cursor<[u8; N]>`, plus `A: Allocator` cursor support) - #93263 (Consistently present absent stdio handles on Windows as NULL handles.) - #93692 (keyword_docs: document use of `in` with `pub` keyword) - #94984 (add `CStr` method that accepts any slice containing a nul-terminated string) Failed merges: r? `@ghost` `@rustbot` modify labels: rollup
2 parents 9b701e7 + 30b4182 commit 3153584

File tree

18 files changed

+1159
-114
lines changed

18 files changed

+1159
-114
lines changed

library/std/src/ffi/c_str.rs

+69
Original file line numberDiff line numberDiff line change
@@ -328,6 +328,27 @@ impl FromVecWithNulError {
328328
}
329329
}
330330

331+
/// An error indicating that no nul byte was present.
332+
///
333+
/// A slice used to create a [`CStr`] must contain a nul byte somewhere
334+
/// within the slice.
335+
///
336+
/// This error is created by the [`CStr::from_bytes_until_nul`] method.
337+
///
338+
#[derive(Clone, PartialEq, Eq, Debug)]
339+
#[unstable(feature = "cstr_from_bytes_until_nul", issue = "95027")]
340+
pub struct FromBytesUntilNulError(());
341+
342+
#[unstable(feature = "cstr_from_bytes_until_nul", issue = "95027")]
343+
impl Error for FromBytesUntilNulError {}
344+
345+
#[unstable(feature = "cstr_from_bytes_until_nul", issue = "95027")]
346+
impl fmt::Display for FromBytesUntilNulError {
347+
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
348+
write!(f, "data provided does not contain a nul")
349+
}
350+
}
351+
331352
/// An error indicating invalid UTF-8 when converting a [`CString`] into a [`String`].
332353
///
333354
/// `CString` is just a wrapper over a buffer of bytes with a nul terminator;
@@ -1239,12 +1260,60 @@ impl CStr {
12391260
}
12401261
}
12411262

1263+
/// Creates a C string wrapper from a byte slice.
1264+
///
1265+
/// This method will create a `CStr` from any byte slice that contains at
1266+
/// least one nul byte. The caller does not need to know or specify where
1267+
/// the nul byte is located.
1268+
///
1269+
/// If the first byte is a nul character, this method will return an
1270+
/// empty `CStr`. If multiple nul characters are present, the `CStr` will
1271+
/// end at the first one.
1272+
///
1273+
/// If the slice only has a single nul byte at the end, this method is
1274+
/// equivalent to [`CStr::from_bytes_with_nul`].
1275+
///
1276+
/// # Examples
1277+
/// ```
1278+
/// #![feature(cstr_from_bytes_until_nul)]
1279+
///
1280+
/// use std::ffi::CStr;
1281+
///
1282+
/// let mut buffer = [0u8; 16];
1283+
/// unsafe {
1284+
/// // Here we might call an unsafe C function that writes a string
1285+
/// // into the buffer.
1286+
/// let buf_ptr = buffer.as_mut_ptr();
1287+
/// buf_ptr.write_bytes(b'A', 8);
1288+
/// }
1289+
/// // Attempt to extract a C nul-terminated string from the buffer.
1290+
/// let c_str = CStr::from_bytes_until_nul(&buffer[..]).unwrap();
1291+
/// assert_eq!(c_str.to_str().unwrap(), "AAAAAAAA");
1292+
/// ```
1293+
///
1294+
#[unstable(feature = "cstr_from_bytes_until_nul", issue = "95027")]
1295+
pub fn from_bytes_until_nul(bytes: &[u8]) -> Result<&CStr, FromBytesUntilNulError> {
1296+
let nul_pos = memchr::memchr(0, bytes);
1297+
match nul_pos {
1298+
Some(nul_pos) => {
1299+
// SAFETY: We know there is a nul byte at nul_pos, so this slice
1300+
// (ending at the nul byte) is a well-formed C string.
1301+
let subslice = &bytes[..nul_pos + 1];
1302+
Ok(unsafe { CStr::from_bytes_with_nul_unchecked(subslice) })
1303+
}
1304+
None => Err(FromBytesUntilNulError(())),
1305+
}
1306+
}
1307+
12421308
/// Creates a C string wrapper from a byte slice.
12431309
///
12441310
/// This function will cast the provided `bytes` to a `CStr`
12451311
/// wrapper after ensuring that the byte slice is nul-terminated
12461312
/// and does not contain any interior nul bytes.
12471313
///
1314+
/// If the nul byte may not be at the end,
1315+
/// [`CStr::from_bytes_until_nul`] can be used instead.
1316+
///
12481317
/// # Examples
12491318
///
12501319
/// ```

library/std/src/ffi/c_str/tests.rs

+37
Original file line numberDiff line numberDiff line change
@@ -117,6 +117,43 @@ fn from_bytes_with_nul_interior() {
117117
assert!(cstr.is_err());
118118
}
119119

120+
#[test]
121+
fn cstr_from_bytes_until_nul() {
122+
// Test an empty slice. This should fail because it
123+
// does not contain a nul byte.
124+
let b = b"";
125+
assert_eq!(CStr::from_bytes_until_nul(&b[..]), Err(FromBytesUntilNulError(())));
126+
127+
// Test a non-empty slice, that does not contain a nul byte.
128+
let b = b"hello";
129+
assert_eq!(CStr::from_bytes_until_nul(&b[..]), Err(FromBytesUntilNulError(())));
130+
131+
// Test an empty nul-terminated string
132+
let b = b"\0";
133+
let r = CStr::from_bytes_until_nul(&b[..]).unwrap();
134+
assert_eq!(r.to_bytes(), b"");
135+
136+
// Test a slice with the nul byte in the middle
137+
let b = b"hello\0world!";
138+
let r = CStr::from_bytes_until_nul(&b[..]).unwrap();
139+
assert_eq!(r.to_bytes(), b"hello");
140+
141+
// Test a slice with the nul byte at the end
142+
let b = b"hello\0";
143+
let r = CStr::from_bytes_until_nul(&b[..]).unwrap();
144+
assert_eq!(r.to_bytes(), b"hello");
145+
146+
// Test a slice with two nul bytes at the end
147+
let b = b"hello\0\0";
148+
let r = CStr::from_bytes_until_nul(&b[..]).unwrap();
149+
assert_eq!(r.to_bytes(), b"hello");
150+
151+
// Test a slice containing lots of nul bytes
152+
let b = b"\0\0\0\0";
153+
let r = CStr::from_bytes_until_nul(&b[..]).unwrap();
154+
assert_eq!(r.to_bytes(), b"");
155+
}
156+
120157
#[test]
121158
fn into_boxed() {
122159
let orig: &[u8] = b"Hello, world!\0";

library/std/src/io/cursor.rs

+46-7
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ mod tests;
33

44
use crate::io::prelude::*;
55

6+
use crate::alloc::Allocator;
67
use crate::cmp;
78
use crate::io::{self, ErrorKind, IoSlice, IoSliceMut, ReadBuf, SeekFrom};
89

@@ -398,7 +399,10 @@ fn slice_write_vectored(
398399
}
399400

400401
// Resizing write implementation
401-
fn vec_write(pos_mut: &mut u64, vec: &mut Vec<u8>, buf: &[u8]) -> io::Result<usize> {
402+
fn vec_write<A>(pos_mut: &mut u64, vec: &mut Vec<u8, A>, buf: &[u8]) -> io::Result<usize>
403+
where
404+
A: Allocator,
405+
{
402406
let pos: usize = (*pos_mut).try_into().map_err(|_| {
403407
io::const_io_error!(
404408
ErrorKind::InvalidInput,
@@ -426,11 +430,14 @@ fn vec_write(pos_mut: &mut u64, vec: &mut Vec<u8>, buf: &[u8]) -> io::Result<usi
426430
Ok(buf.len())
427431
}
428432

429-
fn vec_write_vectored(
433+
fn vec_write_vectored<A>(
430434
pos_mut: &mut u64,
431-
vec: &mut Vec<u8>,
435+
vec: &mut Vec<u8, A>,
432436
bufs: &[IoSlice<'_>],
433-
) -> io::Result<usize> {
437+
) -> io::Result<usize>
438+
where
439+
A: Allocator,
440+
{
434441
let mut nwritten = 0;
435442
for buf in bufs {
436443
nwritten += vec_write(pos_mut, vec, buf)?;
@@ -462,7 +469,10 @@ impl Write for Cursor<&mut [u8]> {
462469
}
463470

464471
#[stable(feature = "cursor_mut_vec", since = "1.25.0")]
465-
impl Write for Cursor<&mut Vec<u8>> {
472+
impl<A> Write for Cursor<&mut Vec<u8, A>>
473+
where
474+
A: Allocator,
475+
{
466476
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
467477
vec_write(&mut self.pos, self.inner, buf)
468478
}
@@ -483,7 +493,10 @@ impl Write for Cursor<&mut Vec<u8>> {
483493
}
484494

485495
#[stable(feature = "rust1", since = "1.0.0")]
486-
impl Write for Cursor<Vec<u8>> {
496+
impl<A> Write for Cursor<Vec<u8, A>>
497+
where
498+
A: Allocator,
499+
{
487500
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
488501
vec_write(&mut self.pos, &mut self.inner, buf)
489502
}
@@ -504,7 +517,33 @@ impl Write for Cursor<Vec<u8>> {
504517
}
505518

506519
#[stable(feature = "cursor_box_slice", since = "1.5.0")]
507-
impl Write for Cursor<Box<[u8]>> {
520+
impl<A> Write for Cursor<Box<[u8], A>>
521+
where
522+
A: Allocator,
523+
{
524+
#[inline]
525+
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
526+
slice_write(&mut self.pos, &mut self.inner, buf)
527+
}
528+
529+
#[inline]
530+
fn write_vectored(&mut self, bufs: &[IoSlice<'_>]) -> io::Result<usize> {
531+
slice_write_vectored(&mut self.pos, &mut self.inner, bufs)
532+
}
533+
534+
#[inline]
535+
fn is_write_vectored(&self) -> bool {
536+
true
537+
}
538+
539+
#[inline]
540+
fn flush(&mut self) -> io::Result<()> {
541+
Ok(())
542+
}
543+
}
544+
545+
#[stable(feature = "cursor_array", since = "1.61.0")]
546+
impl<const N: usize> Write for Cursor<[u8; N]> {
508547
#[inline]
509548
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
510549
slice_write(&mut self.pos, &mut self.inner, buf)

library/std/src/io/cursor/tests.rs

+40-44
Original file line numberDiff line numberDiff line change
@@ -50,9 +50,11 @@ fn test_mem_mut_writer() {
5050
assert_eq!(&writer.get_ref()[..], b);
5151
}
5252

53-
#[test]
54-
fn test_box_slice_writer() {
55-
let mut writer = Cursor::new(vec![0u8; 9].into_boxed_slice());
53+
fn test_slice_writer<T>(writer: &mut Cursor<T>)
54+
where
55+
T: AsRef<[u8]>,
56+
Cursor<T>: Write,
57+
{
5658
assert_eq!(writer.position(), 0);
5759
assert_eq!(writer.write(&[0]).unwrap(), 1);
5860
assert_eq!(writer.position(), 1);
@@ -65,12 +67,14 @@ fn test_box_slice_writer() {
6567
assert_eq!(writer.write(&[8, 9]).unwrap(), 1);
6668
assert_eq!(writer.write(&[10]).unwrap(), 0);
6769
let b: &[_] = &[0, 1, 2, 3, 4, 5, 6, 7, 8];
68-
assert_eq!(&**writer.get_ref(), b);
70+
assert_eq!(writer.get_ref().as_ref(), b);
6971
}
7072

71-
#[test]
72-
fn test_box_slice_writer_vectored() {
73-
let mut writer = Cursor::new(vec![0u8; 9].into_boxed_slice());
73+
fn test_slice_writer_vectored<T>(writer: &mut Cursor<T>)
74+
where
75+
T: AsRef<[u8]>,
76+
Cursor<T>: Write,
77+
{
7478
assert_eq!(writer.position(), 0);
7579
assert_eq!(writer.write_vectored(&[IoSlice::new(&[0])]).unwrap(), 1);
7680
assert_eq!(writer.position(), 1);
@@ -85,53 +89,45 @@ fn test_box_slice_writer_vectored() {
8589
assert_eq!(writer.write_vectored(&[IoSlice::new(&[8, 9])]).unwrap(), 1);
8690
assert_eq!(writer.write_vectored(&[IoSlice::new(&[10])]).unwrap(), 0);
8791
let b: &[_] = &[0, 1, 2, 3, 4, 5, 6, 7, 8];
88-
assert_eq!(&**writer.get_ref(), b);
92+
assert_eq!(writer.get_ref().as_ref(), b);
93+
}
94+
95+
#[test]
96+
fn test_box_slice_writer() {
97+
let mut writer = Cursor::new(vec![0u8; 9].into_boxed_slice());
98+
test_slice_writer(&mut writer);
99+
}
100+
101+
#[test]
102+
fn test_box_slice_writer_vectored() {
103+
let mut writer = Cursor::new(vec![0u8; 9].into_boxed_slice());
104+
test_slice_writer_vectored(&mut writer);
105+
}
106+
107+
#[test]
108+
fn test_array_writer() {
109+
let mut writer = Cursor::new([0u8; 9]);
110+
test_slice_writer(&mut writer);
111+
}
112+
113+
#[test]
114+
fn test_array_writer_vectored() {
115+
let mut writer = Cursor::new([0u8; 9]);
116+
test_slice_writer_vectored(&mut writer);
89117
}
90118

91119
#[test]
92120
fn test_buf_writer() {
93121
let mut buf = [0 as u8; 9];
94-
{
95-
let mut writer = Cursor::new(&mut buf[..]);
96-
assert_eq!(writer.position(), 0);
97-
assert_eq!(writer.write(&[0]).unwrap(), 1);
98-
assert_eq!(writer.position(), 1);
99-
assert_eq!(writer.write(&[1, 2, 3]).unwrap(), 3);
100-
assert_eq!(writer.write(&[4, 5, 6, 7]).unwrap(), 4);
101-
assert_eq!(writer.position(), 8);
102-
assert_eq!(writer.write(&[]).unwrap(), 0);
103-
assert_eq!(writer.position(), 8);
104-
105-
assert_eq!(writer.write(&[8, 9]).unwrap(), 1);
106-
assert_eq!(writer.write(&[10]).unwrap(), 0);
107-
}
108-
let b: &[_] = &[0, 1, 2, 3, 4, 5, 6, 7, 8];
109-
assert_eq!(buf, b);
122+
let mut writer = Cursor::new(&mut buf[..]);
123+
test_slice_writer(&mut writer);
110124
}
111125

112126
#[test]
113127
fn test_buf_writer_vectored() {
114128
let mut buf = [0 as u8; 9];
115-
{
116-
let mut writer = Cursor::new(&mut buf[..]);
117-
assert_eq!(writer.position(), 0);
118-
assert_eq!(writer.write_vectored(&[IoSlice::new(&[0])]).unwrap(), 1);
119-
assert_eq!(writer.position(), 1);
120-
assert_eq!(
121-
writer
122-
.write_vectored(&[IoSlice::new(&[1, 2, 3]), IoSlice::new(&[4, 5, 6, 7])],)
123-
.unwrap(),
124-
7,
125-
);
126-
assert_eq!(writer.position(), 8);
127-
assert_eq!(writer.write_vectored(&[]).unwrap(), 0);
128-
assert_eq!(writer.position(), 8);
129-
130-
assert_eq!(writer.write_vectored(&[IoSlice::new(&[8, 9])]).unwrap(), 1);
131-
assert_eq!(writer.write_vectored(&[IoSlice::new(&[10])]).unwrap(), 0);
132-
}
133-
let b: &[_] = &[0, 1, 2, 3, 4, 5, 6, 7, 8];
134-
assert_eq!(buf, b);
129+
let mut writer = Cursor::new(&mut buf[..]);
130+
test_slice_writer_vectored(&mut writer);
135131
}
136132

137133
#[test]

0 commit comments

Comments
 (0)