ndhc/nk/io.h
Nicholas J. Kain f7db9fd5e7
Correct regression introduced by previous commit.
safe_recv(..., len), when used on a blocking fd, will attempt
to call recv and collect data until either EOF, a hard error,
or len bytes are collected.

The previous commit used safe_recv() in a blocking mode to read
a single byte into a buffer that was larger than a byte.  This
would cause ndhc to stall as safe_recv() would try to fill that
buffer when no more data would ever be sent.

This issue would only happen if ndhc is supposed to run a script.

Introduce and use safe_recv_once() that will correct this problem and
fill the semantic gap for blocking fds.  I add a new call because in
some cases the above behavior might be required for a blocking fd, too.

Note that the above issue is not a problem for nonblocking fds; the
EAGAIN or EWOULDBLOCK path will return a short read.
2022-09-07 17:08:43 -04:00

65 lines
1.7 KiB
C

// Copyright 2010-2022 Nicholas J. Kain <njkain at gmail dot com>
// SPDX-License-Identifier: MIT
#ifndef NCM_IO_H_
#define NCM_IO_H_
#include <unistd.h>
#include <errno.h>
#include <limits.h>
#include <sys/socket.h>
#include <sys/types.h>
ssize_t safe_read(int fd, char *buf, size_t len);
// Same as above, but will only call read one time.
// Meant to be used with a blocking fd where we need <= len bytes.
static inline ssize_t safe_read_once(int fd, char *buf, size_t len)
{
if (len > SSIZE_MAX) len = SSIZE_MAX;
ssize_t r;
for (;;) {
r = read(fd, buf, len);
if (r >= 0 || errno != EINTR) break;
}
return r;
}
ssize_t safe_write(int fd, const char *buf, size_t len);
ssize_t safe_sendto(int fd, const char *buf, size_t len, int flags,
const struct sockaddr *dest_addr, socklen_t addrlen);
ssize_t safe_recv(int fd, char *buf, size_t len, int flags);
// Same as above, but will only call read one time.
// Meant to be used with a blocking fd where we need <= len bytes.
static inline ssize_t safe_recv_once(int fd, char *buf, size_t len, int flags)
{
if (len > SSIZE_MAX) len = SSIZE_MAX;
ssize_t r;
for (;;) {
r = recv(fd, buf, len, flags);
if (r >= 0 || errno != EINTR) break;
}
return r;
}
static inline ssize_t safe_recvmsg(int fd, struct msghdr *msg, int flags)
{
ssize_t r;
for (;;) {
r = recvmsg(fd, msg, flags);
if (r >= 0 || errno != EINTR) break;
}
return r;
}
static inline int safe_ftruncate(int fd, off_t length)
{
int r;
for (;;) {
r = ftruncate(fd, length);
if (!r || errno != EINTR) break;
}
return r;
}
#endif