Files

119 lines
2.6 KiB
C

#include <fcntl.h>
#include <stdarg.h>
#include <sys/mman.h>
#include <sys/select.h>
#include <sys/stat.h>
#include <sysdep.h>
#include <unistd.h>
int open(const char* pathname, int flags, ...)
{
mode_t mode = 0;
if ((flags & O_CREAT) != 0) {
va_list va;
va_start(va, flags);
mode = (mode_t)va_arg(va, unsigned);
va_end(va);
}
int res = DO_SYSCALL_3(SYS_OPEN, pathname, flags, mode);
RETURN_WITH_ERRNO(res, res, -1);
}
int creat(const char* path, mode_t mode)
{
int res = DO_SYSCALL_2(SYS_CREAT, path, mode);
RETURN_WITH_ERRNO(res, res, -1);
}
int close(int fd)
{
int res = DO_SYSCALL_1(SYS_CLOSE, fd);
RETURN_WITH_ERRNO(res, 0, -1);
}
ssize_t read(int fd, char* buf, size_t count)
{
return (ssize_t)DO_SYSCALL_3(SYS_READ, fd, buf, count);
}
ssize_t write(int fd, const void* buf, size_t count)
{
return (ssize_t)DO_SYSCALL_3(SYS_WRITE, fd, buf, count);
}
int dup(int oldfd)
{
int res = DO_SYSCALL_1(SYS_DUP, oldfd);
RETURN_WITH_ERRNO(res, res, -1);
}
int dup2(int oldfd, int newfd)
{
int res = DO_SYSCALL_2(SYS_DUP2, oldfd, newfd);
RETURN_WITH_ERRNO(res, res, -1);
}
off_t lseek(int fd, off_t off, int whence)
{
return (off_t)DO_SYSCALL_3(SYS_LSEEK, fd, off, whence);
}
int mkdir(const char* path)
{
int res = DO_SYSCALL_1(SYS_MKDIR, path);
RETURN_WITH_ERRNO(res, 0, -1);
}
int rmdir(const char* path)
{
int res = DO_SYSCALL_1(SYS_RMDIR, path);
RETURN_WITH_ERRNO(res, 0, -1);
}
int chdir(const char* path)
{
int res = DO_SYSCALL_1(SYS_CHDIR, path);
RETURN_WITH_ERRNO(res, 0, -1);
}
char* getcwd(char* buf, size_t size)
{
int res = DO_SYSCALL_2(SYS_GETCWD, buf, size);
RETURN_WITH_ERRNO(res, buf, NULL);
}
int unlink(const char* path)
{
int res = DO_SYSCALL_1(SYS_UNLINK, path);
RETURN_WITH_ERRNO(res, 0, -1);
}
int fstat(int nfds, stat_t* stat)
{
int res = DO_SYSCALL_2(SYS_FSTAT, nfds, stat);
RETURN_WITH_ERRNO(res, 0, -1);
}
int select(int nfds, fd_set_t* readfds, fd_set_t* writefds, fd_set_t* exceptfds, timeval_t* timeout)
{
int res = DO_SYSCALL_5(SYS_SELECT, nfds, readfds, writefds, exceptfds, timeout);
RETURN_WITH_ERRNO(res, res, -1);
}
void* mmap(void* addr, size_t length, int prot, int flags, int fd, off_t offset)
{
mmap_params_t mmap_params = { 0 };
mmap_params.addr = addr;
mmap_params.size = length;
mmap_params.prot = prot;
mmap_params.flags = flags;
mmap_params.fd = fd;
mmap_params.offset = offset;
return (void*)DO_SYSCALL_1(SYS_MMAP, &mmap_params);
}
int munmap(void* addr, size_t length)
{
int res = DO_SYSCALL_2(SYS_MUNMAP, addr, length);
RETURN_WITH_ERRNO(res, 0, -1);
}