summaryrefslogtreecommitdiff
path: root/sys/kern/vfs_syscalls.c
diff options
context:
space:
mode:
authorIan Moffett <ian@osmora.org>2024-07-22 14:31:35 -0400
committerIan Moffett <ian@osmora.org>2024-07-22 14:31:35 -0400
commit599ef07b89aa31c089398922ef65804f47f44b55 (patch)
tree595a84a66d105f049c82c545d35a7e08868b7e17 /sys/kern/vfs_syscalls.c
parent0393c8b5c2e229e022dcb63a8cd171ac10a23081 (diff)
kernel: vfs_syscalls: Add sys_read()
Signed-off-by: Ian Moffett <ian@osmora.org>
Diffstat (limited to 'sys/kern/vfs_syscalls.c')
-rw-r--r--sys/kern/vfs_syscalls.c83
1 files changed, 83 insertions, 0 deletions
diff --git a/sys/kern/vfs_syscalls.c b/sys/kern/vfs_syscalls.c
index c2ae580..371c1a5 100644
--- a/sys/kern/vfs_syscalls.c
+++ b/sys/kern/vfs_syscalls.c
@@ -32,6 +32,7 @@
#include <sys/types.h>
#include <sys/systm.h>
#include <sys/errno.h>
+#include <sys/sio.h>
#include <sys/filedesc.h>
#include <sys/namei.h>
#include <sys/proc.h>
@@ -42,6 +43,24 @@
#include <string.h>
/*
+ * Fetch a file descriptor from a file descriptor
+ * number.
+ *
+ * @fdno: File descriptor to fetch
+ */
+static struct filedesc *
+fd_get(int fdno)
+{
+ struct proc *td = this_td();
+
+ if (fdno < 0 || fdno > PROC_MAX_FILEDES) {
+ return NULL;
+ }
+
+ return td->fds[fdno];
+}
+
+/*
* Allocate a file descriptor.
*
* @fd_out: Pointer to allocated file descriptor output.
@@ -118,3 +137,67 @@ sys_open(struct syscall_args *scargs)
filedes->vp = nd.vp;
return filedes->fdno;
}
+
+/*
+ * arg0: fd
+ * arg1: buf
+ * arg2: count
+ */
+scret_t
+sys_read(struct syscall_args *scargs)
+{
+ int fd;
+ char *buf, *kbuf = NULL;
+ size_t count;
+ struct filedesc *filedes;
+ struct sio_txn sio;
+ scret_t retval = 0;
+
+ fd = scargs->arg0;
+ buf = (char *)scargs->arg1;
+ count = scargs->arg2;
+
+ if (count > SSIZE_MAX) {
+ retval = -EINVAL;
+ goto done;
+ }
+
+ filedes = fd_get(fd);
+ kbuf = dynalloc(count);
+
+ if (kbuf == NULL) {
+ retval = -ENOMEM;
+ goto done;
+ }
+
+ if (filedes == NULL) {
+ retval = -EBADF;
+ goto done;
+ }
+
+ if (filedes->is_dir) {
+ retval = -EISDIR;
+ goto done;
+ }
+
+ sio.len = count;
+ sio.buf = kbuf;
+ sio.offset = filedes->offset;
+
+ if ((count = vfs_vop_read(filedes->vp, &sio)) < 0) {
+ retval = -EIO;
+ goto done;
+ }
+
+ if (copyout(kbuf, buf, count) < 0) {
+ retval = -EFAULT;
+ goto done;
+ }
+
+ retval = count;
+done:
+ if (kbuf != NULL) {
+ dynfree(kbuf);
+ }
+ return retval;
+}