Protocol Buffers - Google's data interchange format (grpc依赖)
https://developers.google.com/protocol-buffers/
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
43 lines
1.4 KiB
43 lines
1.4 KiB
/// ABI compatible struct with upb_StringView. |
|
/// |
|
/// Note that this has semantics similar to `std::string_view` in C++ and |
|
/// `&[u8]` in Rust, but is not ABI-compatible with either. |
|
/// |
|
/// If `len` is 0, then `ptr` is allowed to be either null or dangling. C++ |
|
/// considers a dangling 0-len `std::string_view` to be invalid, and Rust |
|
/// considers a `&[u8]` with a null data pointer to be invalid. |
|
#[repr(C)] |
|
#[derive(Copy, Clone)] |
|
pub struct StringView { |
|
/// Pointer to the first byte. |
|
/// Borrows the memory. |
|
pub ptr: *const u8, |
|
|
|
/// Length of the `[u8]` pointed to by `ptr`. |
|
pub len: usize, |
|
} |
|
|
|
impl StringView { |
|
/// Unsafely dereference this slice. |
|
/// |
|
/// # Safety |
|
/// - `self.ptr` must be dereferencable and immutable for `self.len` bytes |
|
/// for the lifetime `'a`. It can be null or dangling if `self.len == 0`. |
|
pub unsafe fn as_ref<'a>(self) -> &'a [u8] { |
|
if self.ptr.is_null() { |
|
assert_eq!(self.len, 0, "Non-empty slice with null data pointer"); |
|
&[] |
|
} else { |
|
// SAFETY: |
|
// - `ptr` is non-null |
|
// - `ptr` is valid for `len` bytes as promised by the caller. |
|
unsafe { std::slice::from_raw_parts(self.ptr, self.len) } |
|
} |
|
} |
|
} |
|
|
|
impl From<&[u8]> for StringView { |
|
fn from(slice: &[u8]) -> Self { |
|
Self { ptr: slice.as_ptr(), len: slice.len() } |
|
} |
|
}
|
|
|