1// Copyright 2022 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
45//! This crate contains facilities to interact with netsvc over the
6//! network.
78pub mod debuglog;
9pub mod netboot;
10pub mod tftp;
1112use thiserror::Error;
1314/// A witness type for a valid string backed by a [`zerocopy::SplitByteSlice`].
15struct ValidStr<B>(B);
1617/// Helper to convince the compiler we're holding buffer views.
18fn as_buffer_view_mut<'a, B: packet::BufferViewMut<&'a mut [u8]>>(
19 v: B,
20) -> impl packet::BufferViewMut<&'a mut [u8]> {
21 v
22}
2324fn find_null_termination<B: zerocopy::SplitByteSlice>(b: &B) -> Option<usize> {
25 b.as_ref().iter().enumerate().find_map(|(index, c)| (*c == 0).then_some(index))
26}
2728#[derive(Debug, Eq, PartialEq, Clone, Error)]
29pub enum ValidStrError {
30#[error("missing null termination")]
31NoNullTermination,
32#[error("failed to decode: {0}")]
33Encoding(std::str::Utf8Error),
34}
3536impl<B> ValidStr<B>
37where
38B: zerocopy::SplitByteSlice,
39{
40/// Attempts to create a new `ValidStr` that wraps all the contents of
41 /// `bytes`.
42fn new(bytes: B) -> Result<Self, std::str::Utf8Error> {
43// NB: map doesn't work here because of lifetimes.
44match std::str::from_utf8(bytes.as_ref()) {
45Ok(_) => Ok(Self(bytes)),
46Err(e) => Err(e),
47 }
48 }
4950/// Splits this `ValidStr` into a valid string up to the first null
51 /// character and the rest of the internal container if there is one.
52 ///
53 /// The returned `ValidStr` is guaranteed to not contain a null character,
54 /// and the returned tail `ByteSlice` may either be a slice starting with a
55 /// null character or an empty slice.
56fn truncate_null(self) -> (Self, B) {
57let Self(bytes) = self;
58let split = find_null_termination(&bytes).unwrap_or_else(|| bytes.as_ref().len());
59let (bytes, rest) = bytes.split_at(split).ok().unwrap();
60 (Self(bytes), rest)
61 }
6263fn as_str(&self) -> &str {
64// safety: ValidStr is a witness type for a valid UTF8 string that
65 // keeps the byte slice reference
66unsafe { std::str::from_utf8_unchecked(self.0.as_ref()) }
67 }
6869/// Attempts to create a new `ValidStr` from the provided `BufferView`,
70 /// consuming the buffer until the first null termination character.
71 ///
72 /// The returned `ValidStr` will not contain the null character, but the
73 /// null character will be consumed from `buffer`.
74 ///
75 /// Note that the bytes might be consumed from the buffer view even in case
76 /// of errors.
77fn new_null_terminated_from_buffer<BV: packet::BufferView<B>>(
78 buffer: &mut BV,
79 ) -> Result<Self, ValidStrError> {
80let v = buffer.as_ref();
81let eos = find_null_termination(&v).ok_or(ValidStrError::NoNullTermination)?;
82// Unwrap is safe, we just found null termination above.
83let bytes = buffer.take_front(eos + 1).unwrap();
84let (bytes, null_char) = bytes.split_at(eos).ok().unwrap();
85// TODO(https://github.com/rust-lang/rust/issues/82775): Use
86 // debug_assert_matches from std when available.
87debug_assert!(
88matches!(null_char.as_ref(), [0]),
89"bad null character value: {:?}",
90 null_char.as_ref()
91 );
92let _ = null_char;
93Self::new(bytes).map_err(ValidStrError::Encoding)
94 }
95}
9697impl<B> std::fmt::Debug for ValidStr<B>
98where
99B: zerocopy::SplitByteSlice,
100{
101fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> Result<(), std::fmt::Error> {
102self.as_str().fmt(f)
103 }
104}
105106impl<B> AsRef<str> for ValidStr<B>
107where
108B: zerocopy::SplitByteSlice,
109{
110fn as_ref(&self) -> &str {
111self.as_str()
112 }
113}
114115#[cfg(test)]
116mod tests {
117use super::*;
118119use assert_matches::assert_matches;
120121#[test]
122fn test_new_valid_str() {
123const VALID: &'static str = "some valid string";
124const INVALID: [u8; 2] = [0xc3, 0x28];
125assert_eq!(
126 ValidStr::new(VALID.as_bytes()).expect("can create from valid string").as_str(),
127 VALID
128 );
129assert_matches!(ValidStr::new(&INVALID[..]), Err(_));
130 }
131132#[test]
133fn test_truncate_null() {
134const VALID: &'static str = "some valid string\x00 rest";
135let (trunc, rest) =
136 ValidStr::new(VALID.as_bytes()).expect("can create from valid string").truncate_null();
137assert_eq!(trunc.as_str(), "some valid string");
138assert_eq!(rest, "\x00 rest".as_bytes());
139 }
140141#[test]
142fn test_get_from_bufer() {
143fn make_buffer(contents: &str) -> packet::Buf<&[u8]> {
144 packet::Buf::new(contents.as_bytes(), ..)
145 }
146fn get_from_buffer<'a>(
147mut bv: impl packet::BufferView<&'a [u8]>,
148 ) -> (Result<ValidStr<&'a [u8]>, ValidStrError>, &'a str) {
149let valid_str = ValidStr::new_null_terminated_from_buffer(&mut bv);
150 (valid_str, std::str::from_utf8(bv.into_rest()).unwrap())
151 }
152153let mut buffer = make_buffer("no null termination");
154let (valid_str, rest) = get_from_buffer(buffer.buffer_view());
155assert_matches!(valid_str, Err(ValidStrError::NoNullTermination));
156assert_eq!(rest, "no null termination");
157158let mut buffer = make_buffer("null\x00termination");
159let (valid_str, rest) = get_from_buffer(buffer.buffer_view());
160let valid_str = valid_str.expect("can find termination");
161assert_matches!(valid_str.as_str(), "null");
162assert_eq!(rest, "termination");
163164let mut buffer = make_buffer("");
165let (valid_str, rest) = get_from_buffer(buffer.buffer_view());
166assert_matches!(valid_str, Err(ValidStrError::NoNullTermination));
167assert_eq!(rest, "");
168 }
169}