aboutsummaryrefslogtreecommitdiff
path: root/sys/kern
diff options
context:
space:
mode:
authorIan Moffett <ian@osmora.org>2024-03-01 20:24:41 -0500
committerIan Moffett <ian@osmora.org>2024-03-01 20:24:41 -0500
commitec28488329d766a939a28292ffff22fac3963736 (patch)
tree62a33197d0fa8ec98c0e7d83b23118a3029e6e59 /sys/kern
parent4edf5a67ff4681139ee76866e2e3b1f45249b3b0 (diff)
kernel/amd64: vfs_subr: Add path parsing helper
Signed-off-by: Ian Moffett <ian@osmora.org>
Diffstat (limited to 'sys/kern')
-rw-r--r--sys/kern/vfs_subr.c57
1 files changed, 57 insertions, 0 deletions
diff --git a/sys/kern/vfs_subr.c b/sys/kern/vfs_subr.c
index 5338a8c..5740edf 100644
--- a/sys/kern/vfs_subr.c
+++ b/sys/kern/vfs_subr.c
@@ -159,3 +159,60 @@ vfs_alloc_vnode(struct vnode **vnode, struct mount *mp, int type)
*vnode = new_vnode;
return 0;
}
+
+/*
+ * Returns the rootname of a path
+ * For example, "/foo/bar/" will be "foo" and
+ * "/foo/bar/baz" will also be "foo"
+ *
+ * There will be no slashes in the returned string
+ * unless "/" is passed.
+ *
+ * XXX: Returns memory allocated by dynalloc,
+ * remember to free the memory with dynfree()
+ *
+ * @path: Path to get rootname of
+ * @new_path: New path will be placed here.
+ */
+int
+vfs_rootname(const char *path, char **new_path)
+{
+ char *tmp = NULL;
+ const char *ptr = path;
+ size_t len = 0;
+
+ if (!vfs_is_valid_path(path)) {
+ *new_path = NULL;
+ return -EINVAL;
+ }
+
+ if (*path == '/') {
+ /* Skip first '/' */
+ ++ptr;
+ ++path;
+ }
+
+ for (; *ptr != '\0' && *ptr != '/'; ++ptr) {
+ if (*ptr == '/') {
+ break;
+ }
+ ++len;
+ }
+
+ tmp = dynalloc(sizeof(char) * len + 1);
+ if (tmp == NULL) {
+ *new_path = NULL;
+ return -ENOMEM;
+ }
+
+ if (len == 0) {
+ /* Handle input that is just "/" */
+ tmp[0] = '/';
+ tmp[1] = '\0';
+ } else {
+ memcpy(tmp, path, len + 2);
+ }
+
+ *new_path = tmp;
+ return 0;
+}