1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462
// Copyright 2016 The Fuchsia Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
//! Type-safe bindings for Zircon sockets.
#![allow(clippy::bad_bit_mask)] // TODO(https://fxbug.dev/42080521): stop using bitflags for SocketOpts
use crate::{
object_get_info_single, object_get_property, object_set_property, ok, sys, AsHandleRef, Handle,
HandleBased, HandleRef, ObjectQuery, Peered, Property, PropertyQuery, Status, Topic,
};
use bitflags::bitflags;
use std::mem::MaybeUninit;
/// An object representing a Zircon
/// [socket](https://fuchsia.dev/fuchsia-src/concepts/kernel/concepts#message_passing_sockets_and_channels)
///
/// As essentially a subtype of `Handle`, it can be freely interconverted.
#[derive(Debug, Eq, PartialEq, Ord, PartialOrd, Hash)]
#[repr(transparent)]
pub struct Socket(Handle);
impl_handle_based!(Socket);
impl Peered for Socket {}
bitflags! {
#[repr(transparent)]
#[derive(Clone, Copy, Debug, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct SocketOpts: u32 {
const STREAM = 0 << 0;
const DATAGRAM = 1 << 0;
}
}
bitflags! {
#[repr(transparent)]
#[derive(Clone, Copy, Debug, Default, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct SocketReadOpts: u32 {
const PEEK = 1 << 3;
}
}
bitflags! {
#[repr(transparent)]
#[derive(Clone, Copy, Debug, Default, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct SocketWriteOpts: u32 {
}
}
/// Write disposition to set on a zircon socket with
/// [zx_socket_set_disposition](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_set_disposition.md).
#[derive(Debug, PartialEq, Eq, Clone, Copy)]
pub enum SocketWriteDisposition {
/// Corresponds to `ZX_SOCKET_DISPOSITION_WRITE_ENABLED`.
Enabled,
/// Corresponds to `ZX_SOCKET_DISPOSITION_WRITE_DISABLED`.
Disabled,
}
impl SocketWriteDisposition {
/// Get a [`SocketWriteDisposition`] from the raw `u32` argument passed to
/// [zx_socket_set_disposition](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_set_disposition.md).
pub fn from_raw(raw: u32) -> Result<Option<SocketWriteDisposition>, Status> {
match raw {
0 => Ok(None),
sys::ZX_SOCKET_DISPOSITION_WRITE_ENABLED => Ok(Some(SocketWriteDisposition::Enabled)),
sys::ZX_SOCKET_DISPOSITION_WRITE_DISABLED => Ok(Some(SocketWriteDisposition::Disabled)),
_ => Err(Status::INVALID_ARGS),
}
}
}
impl From<SocketWriteDisposition> for u32 {
fn from(disposition: SocketWriteDisposition) -> Self {
match disposition {
SocketWriteDisposition::Enabled => sys::ZX_SOCKET_DISPOSITION_WRITE_ENABLED,
SocketWriteDisposition::Disabled => sys::ZX_SOCKET_DISPOSITION_WRITE_DISABLED,
}
}
}
#[repr(C)]
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
pub struct SocketInfo {
pub options: SocketOpts,
pub rx_buf_max: usize,
pub rx_buf_size: usize,
pub rx_buf_available: usize,
pub tx_buf_max: usize,
pub tx_buf_size: usize,
}
impl Default for SocketInfo {
fn default() -> SocketInfo {
SocketInfo {
options: SocketOpts::STREAM,
rx_buf_max: 0,
rx_buf_size: 0,
rx_buf_available: 0,
tx_buf_max: 0,
tx_buf_size: 0,
}
}
}
impl From<sys::zx_info_socket_t> for SocketInfo {
fn from(socket: sys::zx_info_socket_t) -> SocketInfo {
SocketInfo {
options: SocketOpts::from_bits_truncate(socket.options),
rx_buf_max: socket.rx_buf_max,
rx_buf_size: socket.rx_buf_size,
rx_buf_available: socket.rx_buf_available,
tx_buf_max: socket.tx_buf_max,
tx_buf_size: socket.tx_buf_size,
}
}
}
// zx_info_socket_t is able to be safely replaced with a byte representation and is a PoD type.
struct SocketInfoQuery;
unsafe impl ObjectQuery for SocketInfoQuery {
const TOPIC: Topic = Topic::SOCKET;
type InfoTy = sys::zx_info_socket_t;
}
impl Socket {
/// Create a streaming socket, accessed through a pair of endpoints. Data written
/// into one may be read from the other.
///
/// Wraps
/// [zx_socket_create](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_create.md).
///
/// # Panics
///
/// If the process' job policy denies socket creation or the kernel reports no memory
/// available to create a new socket.
pub fn create_stream() -> (Socket, Socket) {
Self::try_create(SocketOpts::STREAM).expect("socket creation can't fail with valid options")
}
/// Create a datagram socket, accessed through a pair of endpoints. Data written
/// into one may be read from the other.
///
/// Wraps
/// [zx_socket_create](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_create.md).
///
/// # Panics
///
/// If the process' job policy denies socket creation or the kernel reports no memory
/// available to create a new socket.
pub fn create_datagram() -> (Socket, Socket) {
Self::try_create(SocketOpts::DATAGRAM)
.expect("socket creation can't fail with valid options")
}
fn try_create(sock_opts: SocketOpts) -> Result<(Socket, Socket), Status> {
unsafe {
let mut out0 = 0;
let mut out1 = 0;
let status = sys::zx_socket_create(sock_opts.bits(), &mut out0, &mut out1);
ok(status)?;
Ok((Self::from(Handle::from_raw(out0)), Self::from(Handle::from_raw(out1))))
}
}
/// Write the given bytes into the socket.
///
/// Return value (on success) is number of bytes actually written.
///
/// Wraps
/// [zx_socket_write](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_write.md).
pub fn write(&self, bytes: &[u8]) -> Result<usize, Status> {
self.write_opts(bytes, SocketWriteOpts::default())
}
/// Write the given bytes into the socket.
///
/// Return value (on success) is number of bytes actually written.
///
/// # Safety
///
/// `bytes` must be valid to read from for `len` bytes.
///
/// Wraps
/// [zx_socket_write](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_write.md).
pub unsafe fn write_raw(&self, bytes: *const u8, len: usize) -> Result<usize, Status> {
// SAFETY: our caller is responsible for upholding this call's invariants
unsafe { self.write_raw_opts(bytes, len, SocketWriteOpts::default()) }
}
/// Write the given bytes into the socket, with options.
///
/// Return value (on success) is number of bytes actually written.
///
/// Wraps
/// [zx_socket_write](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_write.md).
pub fn write_opts(&self, bytes: &[u8], opts: SocketWriteOpts) -> Result<usize, Status> {
// SAFETY: this slice is valid to read from for `len` bytes.
unsafe { self.write_raw_opts(bytes.as_ptr(), bytes.len(), opts) }
}
/// Write the given bytes into the socket, with options.
///
/// Return value (on success) is number of bytes actually written.
///
/// # Safety
///
/// `bytes` must be valid to read from for `len` bytes.
///
/// Wraps
/// [zx_socket_write](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_write.md).
pub unsafe fn write_raw_opts(
&self,
bytes: *const u8,
len: usize,
opts: SocketWriteOpts,
) -> Result<usize, Status> {
let mut actual = 0;
// SAFETY: this is an FFI call and our caller is responsible for upholding pointer validity.
let status = unsafe {
sys::zx_socket_write(self.raw_handle(), opts.bits(), bytes, len, &mut actual)
};
ok(status).map(|()| actual)
}
/// Read the given bytes from the socket.
/// Return value (on success) is number of bytes actually read.
///
/// Wraps
/// [zx_socket_read](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_read.md).
pub fn read(&self, bytes: &mut [u8]) -> Result<usize, Status> {
self.read_opts(bytes, SocketReadOpts::default())
}
/// Read the given bytes from the socket, with options.
/// Return value (on success) is number of bytes actually read.
///
/// Wraps
/// [zx_socket_read](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_read.md).
pub fn read_opts(&self, bytes: &mut [u8], opts: SocketReadOpts) -> Result<usize, Status> {
// SAFETY: `bytes` is valid to write to for its whole length.
unsafe { self.read_raw_opts(bytes.as_mut_ptr(), bytes.len(), opts) }
}
/// Read the given bytes from the socket.
///
/// Return value (on success) is number of bytes actually read.
///
/// # Safety
///
/// `bytes` must be valid to write to for `len` bytes.
///
/// Wraps
/// [zx_socket_read](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_read.md).
pub unsafe fn read_raw(&self, bytes: *mut u8, len: usize) -> Result<usize, Status> {
// SAFETY: our caller is responsible for this call's invariants
unsafe { self.read_raw_opts(bytes, len, SocketReadOpts::default()) }
}
/// Read the given bytes from the socket, with options.
///
/// Return value (on success) is number of bytes actually read.
///
/// # Safety
///
/// `bytes` must be valid to write to for `len` bytes.
///
/// Wraps
/// [zx_socket_read](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_read.md).
pub unsafe fn read_raw_opts(
&self,
bytes: *mut u8,
len: usize,
opts: SocketReadOpts,
) -> Result<usize, Status> {
let mut actual = 0;
// SAFETY: our caller is responsible for upholding pointer invariants.
let status =
unsafe { sys::zx_socket_read(self.raw_handle(), opts.bits(), bytes, len, &mut actual) };
ok(status).map(|()| actual)
}
/// Like [`Socket::read_uninit_opts`] with default options.
pub fn read_uninit<'a>(
&self,
bytes: &'a mut [MaybeUninit<u8>],
) -> Result<&'a mut [u8], Status> {
self.read_uninit_opts(bytes, SocketReadOpts::default())
}
/// Same as [Socket::read_opts], but reads into memory that might not be
/// initialized, returning an initialized slice of bytes on success.
pub fn read_uninit_opts<'a>(
&self,
bytes: &'a mut [MaybeUninit<u8>],
opts: SocketReadOpts,
) -> Result<&'a mut [u8], Status> {
// SAFETY: `bytes` is valid to write to for its whole length.
// TODO(https://fxbug.dev/42079723) use MaybeUninit::slice_as_mut_ptr when stable.
let actual =
unsafe { self.read_raw_opts(bytes.as_mut_ptr().cast::<u8>(), bytes.len(), opts)? };
let (valid, _uninit) = bytes.split_at_mut(actual);
// SAFETY: the kernel has initialized all of `valid`'s bytes.
// TODO(https://fxbug.dev/42079723) use MaybeUninit::slice_assume_init_mut when stable.
Ok(unsafe { std::slice::from_raw_parts_mut(valid.as_mut_ptr().cast::<u8>(), valid.len()) })
}
/// Close half of the socket, so attempts by the other side to write will fail.
///
/// Implements the `ZX_SOCKET_DISPOSITION_WRITE_DISABLED` option of
/// [zx_socket_set_disposition](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_set_disposition.md).
pub fn half_close(&self) -> Result<(), Status> {
self.set_disposition(None, Some(SocketWriteDisposition::Disabled))
}
/// Sets the disposition of write calls for a socket handle and its peer.
///
/// Wraps
/// [zx_socket_set_disposition](https://fuchsia.dev/fuchsia-src/reference/syscalls/socket_set_disposition.md).
pub fn set_disposition(
&self,
disposition: Option<SocketWriteDisposition>,
disposition_peer: Option<SocketWriteDisposition>,
) -> Result<(), Status> {
let status = unsafe {
sys::zx_socket_set_disposition(
self.raw_handle(),
disposition.map(u32::from).unwrap_or(0),
disposition_peer.map(u32::from).unwrap_or(0),
)
};
ok(status)
}
/// Returns the number of bytes available on the socket.
pub fn outstanding_read_bytes(&self) -> Result<usize, Status> {
Ok(self.info()?.rx_buf_available)
}
/// Wraps the
/// [zx_object_get_info](https://fuchsia.dev/fuchsia-src/reference/syscalls/object_get_info.md)
/// syscall for the ZX_INFO_SOCKET topic.
pub fn info(&self) -> Result<SocketInfo, Status> {
Ok(SocketInfo::from(object_get_info_single::<SocketInfoQuery>(self.as_handle_ref())?))
}
}
unsafe_handle_properties!(object: Socket,
props: [
{query_ty: SOCKET_RX_THRESHOLD, tag: SocketRxThresholdTag, prop_ty: usize, get:get_rx_threshold, set: set_rx_threshold},
{query_ty: SOCKET_TX_THRESHOLD, tag: SocketTxThresholdTag, prop_ty: usize, get:get_tx_threshold, set: set_tx_threshold},
]
);
// TODO(wesleyac): Test peeking
#[cfg(test)]
mod tests {
use std::mem::MaybeUninit;
use super::*;
fn socket_basic_helper(opts: SocketOpts) {
let (s1, s2) = match opts {
SocketOpts::STREAM => Socket::create_stream(),
SocketOpts::DATAGRAM => Socket::create_datagram(),
_ => panic!("unsupported socket options"),
};
// Write two packets and read from other end
assert_eq!(s1.write(b"hello").unwrap(), 5);
assert_eq!(s1.write(b"world").unwrap(), 5);
let mut read_vec = vec![0; 11];
if opts == SocketOpts::DATAGRAM {
assert_eq!(s2.read(&mut read_vec).unwrap(), 5);
assert_eq!(&read_vec[0..5], b"hello");
assert_eq!(s2.read(&mut read_vec).unwrap(), 5);
assert_eq!(&read_vec[0..5], b"world");
} else {
assert_eq!(s2.read(&mut read_vec).unwrap(), 10);
assert_eq!(&read_vec[0..10], b"helloworld");
}
// Try reading when there is nothing to read.
assert_eq!(s2.read(&mut read_vec), Err(Status::SHOULD_WAIT));
// Disable writes from the socket peer.
assert!(s1.half_close().is_ok());
assert_eq!(s2.write(b"fail"), Err(Status::BAD_STATE));
assert_eq!(s1.read(&mut read_vec), Err(Status::BAD_STATE));
// Writing to the peer should still work.
assert_eq!(s2.read(&mut read_vec), Err(Status::SHOULD_WAIT));
assert_eq!(s1.write(b"back").unwrap(), 4);
assert_eq!(s2.read(&mut read_vec).unwrap(), 4);
assert_eq!(&read_vec[0..4], b"back");
}
#[test]
fn socket_basic() {
socket_basic_helper(SocketOpts::STREAM);
socket_basic_helper(SocketOpts::DATAGRAM);
}
#[test]
fn socket_info() {
let (s1, s2) = Socket::create_stream();
let s1info = s1.info().unwrap();
// Socket should be empty.
assert_eq!(s1info.rx_buf_available, 0);
assert_eq!(s1info.rx_buf_size, 0);
assert_eq!(s1info.tx_buf_size, 0);
// Put some data in one end.
assert_eq!(s1.write(b"hello").unwrap(), 5);
// We should see the info change on each end correspondingly.
let s1info = s1.info().unwrap();
let s2info = s2.info().unwrap();
assert_eq!(s1info.tx_buf_size, 5);
assert_eq!(s1info.rx_buf_size, 0);
assert_eq!(s2info.rx_buf_size, 5);
assert_eq!(s2info.rx_buf_available, 5);
assert_eq!(s2info.tx_buf_size, 0);
}
#[test]
fn socket_disposition() {
const PAYLOAD: &'static [u8] = b"Hello";
let (s1, s2) = Socket::create_stream();
// Disable write on s1 but enable on s2.
assert_eq!(
s1.set_disposition(
Some(SocketWriteDisposition::Disabled),
Some(SocketWriteDisposition::Enabled)
),
Ok(())
);
assert_eq!(s2.write(PAYLOAD), Ok(PAYLOAD.len()));
assert_eq!(s1.write(PAYLOAD), Err(Status::BAD_STATE));
let mut buf = [0u8; PAYLOAD.len() + 1];
assert_eq!(s1.read(&mut buf[..]), Ok(PAYLOAD.len()));
assert_eq!(&buf[..PAYLOAD.len()], PAYLOAD);
// Setting disposition to None changes nothing.
assert_eq!(s1.set_disposition(None, None), Ok(()));
assert_eq!(s2.write(PAYLOAD), Ok(PAYLOAD.len()));
assert_eq!(s1.write(PAYLOAD), Err(Status::BAD_STATE));
}
#[test]
fn read_uninit() {
let (s1, s2) = Socket::create_stream();
let message = b"hello";
assert_eq!(s1.write(&message[..]).unwrap(), 5);
let mut recv = [MaybeUninit::<u8>::uninit(); 16];
let got = s2.read_uninit(&mut recv[..]).unwrap();
assert_eq!(got, &message[..]);
}
}