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 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495
#[cfg(uds_supported)]
use super::c_wrappers;
use super::{
imports::*,
util::{check_ancillary_unsound, fill_out_msghdr_r, mk_msghdr_r, mk_msghdr_w},
AncillaryData, AncillaryDataBuf, EncodedAncillaryData, PathDropGuard, ToUdSocketPath,
UdSocketPath,
};
#[cfg(any(doc, target_os = "linux"))]
use crate::{ReliableReadMsg, Sealed};
use std::{
fmt::{self, Debug, Formatter},
io::{self, IoSlice, IoSliceMut},
iter,
mem::{size_of_val, zeroed},
};
use to_method::To;
/// A datagram socket in the Unix domain.
///
/// All such sockets have the `SOCK_DGRAM` socket type; in other words, this is the Unix domain version of a UDP socket.
pub struct UdSocket {
// TODO make this not 'static
_drop_guard: PathDropGuard<'static>,
fd: FdOps,
}
impl UdSocket {
/// Creates a new socket that can be referred to by the specified path.
///
/// If the socket path exceeds the [maximum socket path length] (which includes the first 0 byte when using the [socket namespace]), an error is returned. Errors can also be produced for different reasons, i.e. errors should always be handled regardless of whether the path is known to be short enough or not.
///
/// After the socket is dropped, the socket file will be left over. Use [`bind_with_drop_guard()`](Self::bind_with_drop_guard) to mitigate this automatically, even during panics (if unwinding is enabled).
///
/// # Example
/// See [`ToUdSocketPath`] for an example of using various string types to specify socket paths.
///
/// # System calls
/// - `socket`
/// - `bind`
///
/// [maximum socket path length]: const.MAX_UDSOCKET_PATH_LEN.html " "
/// [socket namespace]: enum.UdSocketPath.html#namespaced " "
/// [`ToUdSocketPath`]: trait.ToUdSocketPath.html " "
pub fn bind<'a>(path: impl ToUdSocketPath<'a>) -> io::Result<Self> {
Self::_bind(path.to_socket_path()?, false)
}
/// Creates a new socket that can be referred to by the specified path, remembers the address, and installs a drop guard that will delete the socket file once the socket is dropped.
///
/// See the documentation of [`bind()`](Self::bind).
pub fn bind_with_drop_guard<'a>(path: impl ToUdSocketPath<'a>) -> io::Result<Self> {
Self::_bind(path.to_socket_path()?, true)
}
fn _bind(path: UdSocketPath<'_>, keep_drop_guard: bool) -> io::Result<Self> {
let addr = path.borrow().try_to::<sockaddr_un>()?;
let fd = c_wrappers::create_uds(SOCK_DGRAM, false)?;
unsafe {
// SAFETY: addr is well-constructed
c_wrappers::bind(&fd, &addr)?;
}
c_wrappers::set_passcred(&fd, true)?;
let dg = if keep_drop_guard && matches!(path, UdSocketPath::File(..)) {
PathDropGuard {
path: path.to_owned(),
enabled: true,
}
} else {
PathDropGuard::dummy()
};
Ok(Self {
fd,
_drop_guard: dg,
})
}
/// Selects the Unix domain socket to send packets to. You can also just use [`.send_to()`](Self::send_to) instead, but supplying the address to the kernel once is more efficient.
///
/// # Example
/// ```no_run
/// # fn main() -> Result<(), Box<dyn std::error::Error>> {
/// # #[cfg(unix)] {
/// use interprocess::os::unix::udsocket::UdSocket;
///
/// let conn = UdSocket::bind("/tmp/side_a.sock")?;
/// conn.set_destination("/tmp/side_b.sock")?;
/// // Communicate with datagrams here!
/// # }
/// # Ok(()) }
/// ```
/// See [`ToUdSocketPath`] for an example of using various string types to specify socket paths.
///
/// # System calls
/// - `connect`
pub fn set_destination<'a>(&self, path: impl ToUdSocketPath<'a>) -> io::Result<()> {
let path = path.to_socket_path()?;
self._set_destination(&path)
}
fn _set_destination(&self, path: &UdSocketPath<'_>) -> io::Result<()> {
let addr = path.borrow().try_to::<sockaddr_un>()?;
unsafe {
// SAFETY: addr is well-constructed
c_wrappers::connect(&self.fd, &addr)?;
}
Ok(())
}
/// Incorrect API; do not use.
// TODO banish
#[deprecated = "\
creates unusable socket that is not bound to any address, use `.set_destination()` instead"]
pub fn connect<'a>(path: impl ToUdSocketPath<'a>) -> io::Result<Self> {
let path = path.to_socket_path()?;
Self::_connect(&path, false)
}
fn _connect(path: &UdSocketPath<'_>, keep_drop_guard: bool) -> io::Result<Self> {
let fd = c_wrappers::create_uds(SOCK_DGRAM, false)?;
c_wrappers::set_passcred(&fd, true)?;
let dg = if keep_drop_guard && matches!(path, UdSocketPath::File(..)) {
PathDropGuard {
path: path.to_owned(),
enabled: true,
}
} else {
PathDropGuard::dummy()
};
let socket = Self {
fd,
_drop_guard: dg,
};
socket._set_destination(path)?;
Ok(socket)
}
// TODO banish
fn add_fake_trunc_flag(x: usize) -> (usize, bool) {
(x, false)
}
/// Receives a single datagram from the socket, returning the size of the received datagram.
///
/// *Note: there is an additional meaningless boolean return value which is always `false`. It used to signify whether the datagram was truncated or not, but the functionality was implemented incorrectly and only on Linux, leading to its removal in version 1.2.0. In the next breaking release, 2.0.0, the return value will be changed to just `io::Result<usize>`.*
///
/// # System calls
/// - `read`
pub fn recv(&self, buf: &mut [u8]) -> io::Result<(usize, bool)> {
self.fd.read(buf).map(Self::add_fake_trunc_flag)
}
/// Receives a single datagram from the socket, making use of [scatter input] and returning the size of the received datagram.
///
/// *Note: there is an additional meaningless boolean return value which is always `false`. It used to signify whether the datagram was truncated or not, but the functionality was implemented incorrectly and only on Linux, leading to its removal in version 1.2.0. In the next breaking release, 2.0.0, the return value will be changed to just `io::Result<usize>`.*
///
/// # System calls
/// - `readv`
///
/// [scatter input]: https://en.wikipedia.org/wiki/Vectored_I/O " "
pub fn recv_vectored(&self, bufs: &mut [IoSliceMut<'_>]) -> io::Result<(usize, bool)> {
self.fd.read_vectored(bufs).map(Self::add_fake_trunc_flag)
}
/// Receives a single datagram and ancillary data from the socket. The return value is in the following order:
/// - How many bytes of the datagram were received
/// - *Deprecated `bool` field (always `false`), see note*
/// - How many bytes of ancillary data were received
/// - *Another deprecated `bool` field (always `false`), see note*
///
/// *Note: there are two additional meaningless boolean return values which are always `false`. They used to signify whether the datagram, and the ancillary data respectively, were truncated or not, but the functionality was implemented incorrectly and only on Linux, leading to its removal in version 1.2.0. In the next breaking release, 2.0.0, the return value will be changed to just `io::Result<usize>`.*
///
/// # System calls
/// - `recvmsg`
///
/// [scatter input]: https://en.wikipedia.org/wiki/Vectored_I/O " "
pub fn recv_ancillary<'a: 'b, 'b>(
&self,
buf: &mut [u8],
abuf: &'b mut AncillaryDataBuf<'a>,
) -> io::Result<(usize, bool, usize, bool)> {
check_ancillary_unsound()?;
self.recv_ancillary_vectored(&mut [IoSliceMut::new(buf)], abuf)
}
/// Receives a single datagram and ancillary data from the socket, making use of [scatter input]. The return value is in the following order:
/// - How many bytes of the datagram were received
/// - *Deprecated `bool` field (always `false`), see note*
/// - How many bytes of ancillary data were received
/// - *Another deprecated `bool` field (always `false`), see note*
///
/// *Note: there are two additional meaningless boolean return values which are always `false`. They used to signify whether the datagram, and the ancillary data respectively, were truncated or not, but the functionality was implemented incorrectly and only on Linux, leading to its removal in version 1.2.0. In the next breaking release, 2.0.0, the return value will be changed to just `io::Result<(usize, usize)>`.*
///
/// # System calls
/// - `recvmsg`
///
/// [scatter input]: https://en.wikipedia.org/wiki/Vectored_I/O " "
#[allow(clippy::useless_conversion)]
pub fn recv_ancillary_vectored<'a: 'b, 'b>(
&self,
bufs: &mut [IoSliceMut<'_>],
abuf: &'b mut AncillaryDataBuf<'a>,
) -> io::Result<(usize, bool, usize, bool)> {
check_ancillary_unsound()?;
let mut hdr = mk_msghdr_r(bufs, abuf.as_mut())?;
let (success, bytes_read) = unsafe {
let result = libc::recvmsg(self.as_raw_fd(), &mut hdr as *mut _, 0);
(result != -1, result as usize)
};
if success {
Ok((bytes_read, false, hdr.msg_controllen as _, false))
} else {
Err(io::Error::last_os_error())
}
}
/// Receives a single datagram and the source address from the socket, returning how much of the buffer was filled out and whether a part of the datagram was discarded because the buffer was too small.
///
/// # System calls
/// - `recvmsg`
/// - Future versions of `interprocess` may use `recvfrom` instead; for now, this method is a wrapper around [`recv_from_vectored`].
///
/// [`recv_from_vectored`]: #method.recv_from_vectored " "
// TODO use recvfrom
pub fn recv_from<'a: 'b, 'b>(
&self,
buf: &mut [u8],
addr_buf: &'b mut UdSocketPath<'a>,
) -> io::Result<(usize, bool)> {
self.recv_from_vectored(&mut [IoSliceMut::new(buf)], addr_buf)
}
/// Receives a single datagram and the source address from the socket, making use of [scatter input] and returning how much of the buffer was filled out and whether a part of the datagram was discarded because the buffer was too small.
///
/// # System calls
/// - `recvmsg`
///
/// [scatter input]: https://en.wikipedia.org/wiki/Vectored_I/O " "
pub fn recv_from_vectored<'a: 'b, 'b>(
&self,
bufs: &mut [IoSliceMut<'_>],
addr_buf: &'b mut UdSocketPath<'a>,
) -> io::Result<(usize, bool)> {
self.recv_from_ancillary_vectored(bufs, &mut AncillaryDataBuf::Owned(Vec::new()), addr_buf)
.map(|x| (x.0, x.1))
}
/// Receives a single datagram, ancillary data and the source address from the socket. The return value is in the following order:
/// - How many bytes of the datagram were received
/// - *Deprecated `bool` field (always `false`), see note*
/// - How many bytes of ancillary data were received
/// - *Another deprecated `bool` field (always `false`), see note*
///
/// *Note: there are two additional meaningless boolean return values which are always `false`. They used to signify whether the datagram, and the ancillary data respectively, were truncated or not, but the functionality was implemented incorrectly and only on Linux, leading to its removal in version 1.2.0. In the next breaking release, 2.0.0, the return value will be changed to just `io::Result<(usize, usize)>`.*
///
/// # System calls
/// - `recvmsg`
pub fn recv_from_ancillary<'a: 'b, 'b, 'c: 'd, 'd>(
&self,
buf: &mut [u8],
abuf: &'b mut AncillaryDataBuf<'a>,
addr_buf: &'d mut UdSocketPath<'c>,
) -> io::Result<(usize, bool, usize, bool)> {
if !abuf.as_ref().is_empty() {
// Branching required because recv_from_vectored always uses
// recvmsg (no non-ancillary counterpart)
check_ancillary_unsound()?;
}
self.recv_from_ancillary_vectored(&mut [IoSliceMut::new(buf)], abuf, addr_buf)
}
/// Receives a single datagram, ancillary data and the source address from the socket, making use of [scatter input]. The return value is in the following order:
/// - How many bytes of the datagram were received
/// - Whether a part of the datagram was discarded because the buffer was too small
/// - How many bytes of ancillary data were received
/// - Whether some ancillary data was discarded because the buffer was too small
///
/// # System calls
/// - `recvmsg`
///
/// [scatter input]: https://en.wikipedia.org/wiki/Vectored_I/O " "
pub fn recv_from_ancillary_vectored<'a: 'b, 'b, 'c: 'd, 'd>(
&self,
bufs: &mut [IoSliceMut<'_>],
abuf: &'b mut AncillaryDataBuf<'a>,
addr_buf: &'d mut UdSocketPath<'c>,
) -> io::Result<(usize, bool, usize, bool)> {
check_ancillary_unsound()?;
// SAFETY: msghdr consists of integers and pointers, all of which are nullable
let mut hdr = unsafe { zeroed::<msghdr>() };
// Same goes for sockaddr_un
let mut addr_buf_staging = unsafe { zeroed::<sockaddr_un>() };
// It's a void* so the doublecast is mandatory
hdr.msg_name = &mut addr_buf_staging as *mut _ as *mut _;
hdr.msg_namelen = size_of_val(&addr_buf_staging).try_to::<u32>().unwrap();
fill_out_msghdr_r(&mut hdr, bufs, abuf.as_mut())?;
let (success, bytes_read) = unsafe {
let result = libc::recvmsg(self.as_raw_fd(), &mut hdr as *mut _, 0);
(result != -1, result as usize)
};
let path_length = hdr.msg_namelen as usize;
if success {
addr_buf.write_sockaddr_un_to_self(&addr_buf_staging, path_length);
Ok((bytes_read, false, hdr.msg_controllen as _, false))
} else {
Err(io::Error::last_os_error())
}
}
/// Returns the size of the next datagram available on the socket without discarding it.
///
/// This method is only available on Linux since kernel version 2.2. On lower kernel versions, it will fail; on other platforms, it's absent and thus any usage of it will result in a compile-time error.
///
/// # System calls
/// - `recv`
#[cfg(any(doc, target_os = "linux"))]
#[cfg_attr(feature = "doc_cfg", doc(cfg(target_os = "linux")))]
pub fn peek_msg_size(&self) -> io::Result<usize> {
let mut buffer = [0_u8; 0];
let (success, size) = unsafe {
let size = libc::recv(
self.as_raw_fd(),
buffer.as_mut_ptr() as *mut _,
buffer.len(),
libc::MSG_TRUNC | libc::MSG_PEEK,
);
(size != -1, size as usize)
};
if success {
Ok(size)
} else {
Err(io::Error::last_os_error())
}
}
/// Sends a datagram into the socket.
///
/// # System calls
/// - `write`
pub fn send(&self, buf: &[u8]) -> io::Result<usize> {
self.fd.write(buf)
}
/// Sends a datagram into the socket, making use of [gather output] for the main data.
///
///
/// # System calls
/// - `sendmsg`
/// - Future versions of `interprocess` may use `writev` instead; for now, this method is a wrapper around [`send_ancillary_vectored`].
///
/// [gather output]: https://en.wikipedia.org/wiki/Vectored_I/O " "
/// [`send_ancillary_vectored`]: #method.send_ancillary_vectored " "
pub fn send_vectored(&self, bufs: &[IoSlice<'_>]) -> io::Result<usize> {
self.send_ancillary_vectored(bufs, iter::empty())
.map(|x| x.0)
}
/// Sends a datagram and ancillary data into the socket.
///
/// The ancillary data buffer is automatically converted from the supplied value, if possible. For that reason, slices and `Vec`s of `AncillaryData` can be passed directly.
///
/// # System calls
/// - `sendmsg`
pub fn send_ancillary<'a>(
&self,
buf: &[u8],
ancillary_data: impl IntoIterator<Item = AncillaryData<'a>>,
) -> io::Result<(usize, usize)> {
check_ancillary_unsound()?;
self.send_ancillary_vectored(&[IoSlice::new(buf)], ancillary_data)
}
/// Sends a datagram and ancillary data into the socket, making use of [gather output] for the main data.
///
/// The ancillary data buffer is automatically converted from the supplied value, if possible. For that reason, slices and `Vec`s of `AncillaryData` can be passed directly.
///
/// # System calls
/// - `sendmsg`
///
/// [gather output]: https://en.wikipedia.org/wiki/Vectored_I/O " "
pub fn send_ancillary_vectored<'a>(
&self,
bufs: &[IoSlice<'_>],
ancillary_data: impl IntoIterator<Item = AncillaryData<'a>>,
) -> io::Result<(usize, usize)> {
check_ancillary_unsound()?;
let abuf = ancillary_data
.into_iter()
.collect::<EncodedAncillaryData<'_>>();
let hdr = mk_msghdr_w(bufs, abuf.as_ref())?;
let (success, bytes_written) = unsafe {
let result = libc::sendmsg(self.as_raw_fd(), &hdr as *const _, 0);
(result != -1, result as usize)
};
if success {
Ok((bytes_written, hdr.msg_controllen as _))
} else {
Err(io::Error::last_os_error())
}
}
/// Enables or disables the nonblocking mode for the socket. By default, it is disabled.
///
/// In nonblocking mode, calls to the `recv…` methods and the `Read` trait methods will never wait for at least one message to become available; calls to `send…` methods and the `Write` trait methods will never wait for the other side to remove enough bytes from the buffer for the write operation to be performed. Those operations will instead return a [`WouldBlock`] error immediately, allowing the thread to perform other useful operations in the meantime.
///
/// [`accept`]: #method.accept " "
/// [`incoming`]: #method.incoming " "
/// [`WouldBlock`]: https://doc.rust-lang.org/std/io/enum.ErrorKind.html#variant.WouldBlock " "
pub fn set_nonblocking(&self, nonblocking: bool) -> io::Result<()> {
c_wrappers::set_nonblocking(&self.fd, nonblocking)
}
/// Checks whether the socket is currently in nonblocking mode or not.
pub fn is_nonblocking(&self) -> io::Result<bool> {
c_wrappers::get_nonblocking(&self.fd)
}
/// Fetches the credentials of the other end of the connection without using ancillary data. The returned structure contains the process identifier, user identifier and group identifier of the peer.
#[cfg(any(doc, uds_peercred))]
#[cfg_attr( // uds_peercred template
feature = "doc_cfg",
doc(cfg(any(
all(
target_os = "linux",
any(
target_env = "gnu",
target_env = "musl",
target_env = "musleabi",
target_env = "musleabihf"
)
),
target_os = "emscripten",
target_os = "redox",
target_os = "haiku"
)))
)]
pub fn get_peer_credentials(&self) -> io::Result<ucred> {
c_wrappers::get_peer_ucred(&self.fd)
}
}
impl Debug for UdSocket {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
f.debug_struct("UdSocket")
.field("fd", &self.as_raw_fd())
.field("has_drop_guard", &self._drop_guard.enabled)
.finish()
}
}
#[cfg(any(doc, target_os = "linux"))]
#[cfg_attr(feature = "doc_cfg", doc(cfg(target_os = "linux")))]
impl ReliableReadMsg for UdSocket {
fn read_msg(&mut self, buf: &mut [u8]) -> io::Result<Result<usize, Vec<u8>>> {
let msg_size = self.peek_msg_size()?;
if msg_size > buf.len() {
let mut new_buffer = vec![0; msg_size];
let len = self.recv(&mut new_buffer)?.0;
new_buffer.truncate(len);
Ok(Err(new_buffer))
} else {
Ok(Ok(self.recv(buf)?.0))
}
}
fn try_read_msg(&mut self, buf: &mut [u8]) -> io::Result<Result<usize, usize>> {
let msg_size = self.peek_msg_size()?;
if msg_size > buf.len() {
Ok(Err(msg_size))
} else {
Ok(Ok(self.recv(buf)?.0))
}
}
}
#[cfg(any(doc, target_os = "linux"))]
impl Sealed for UdSocket {}
impl AsRawFd for UdSocket {
#[cfg(unix)]
fn as_raw_fd(&self) -> c_int {
self.fd.as_raw_fd()
}
}
impl IntoRawFd for UdSocket {
#[cfg(unix)]
fn into_raw_fd(self) -> c_int {
self.fd.into_raw_fd()
}
}
impl FromRawFd for UdSocket {
#[cfg(unix)]
unsafe fn from_raw_fd(fd: c_int) -> Self {
let fd = unsafe { FdOps::from_raw_fd(fd) };
Self {
fd,
_drop_guard: PathDropGuard::dummy(),
}
}
}