aboutsummaryrefslogtreecommitdiff
path: root/src/kernel/lib/data/tree.c
blob: 65b8433919f4da202620e0f7418d6c9a5d74fd30 (plain) (blame)
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
#include <lib/data.h>
#include <memory/alloc.h>
#include <stdint.h>

struct tree *tree_create()
{
	return (struct tree *)kcalloc(sizeof(struct tree), 1);
}

struct tree_node *treenode_create(void *value)
{
	struct tree_node *n = kcalloc(sizeof(struct tree_node), 1);
	n->value = value;
	n->children = list_create();
	return n;
}

struct tree_node *tree_insert(struct tree *tree, struct tree_node *subroot, void *value)
{
	struct tree_node *treenode = kcalloc(sizeof(struct tree_node), 1);
	treenode->children = list_create();
	treenode->value = value;

	if (!tree->root) {
		tree->root = treenode;
		return treenode;
	}
	list_insert_front(subroot->children, treenode);
	return treenode;
}

struct tree_node *tree_find_parent(struct tree *tree, struct tree_node *remove_node,
				   int *child_index)
{
	if (remove_node == tree->root)
		return NULL;
	return tree_find_parent_recur(tree, remove_node, tree->root, child_index);
}

struct tree_node *tree_find_parent_recur(struct tree *tree, struct tree_node *remove_node,
					 struct tree_node *subroot, int *child_index)
{
	int idx;
	if ((idx = list_contain(subroot->children, remove_node)) != -1) {
		*child_index = idx;
		return subroot;
	}
	foreach(child, subroot->children)
	{
		struct tree_node *ret =
			tree_find_parent_recur(tree, remove_node, child->val, child_index);
		if (ret != NULL) {
			return ret;
		}
	}
	return NULL;
}

void tree_remove(struct tree *tree, struct tree_node *remove_node)
{
	int child_index = -1;
	struct tree_node *parent = tree_find_parent(tree, remove_node, &child_index);
	if (parent != NULL) {
		struct tree_node *freethis = list_remove_by_index(parent->children, child_index);
		kfree(freethis);
	}
}

void tree2list_recur(struct tree_node *subroot, struct list *list)
{
	if (subroot == NULL)
		return;
	foreach(child, subroot->children)
	{
		struct tree_node *curr_treenode = (struct tree_node *)child->val;
		void *curr_val = curr_treenode->value;
		list_insert_back(list, curr_val);
		tree2list_recur(child->val, list);
	}
}

void tree2list(struct tree *tree, struct list *list)
{
	tree2list_recur(tree->root, list);
}

void tree2array(struct tree *tree, void **array, int *size)
{
	tree2array_recur(tree->root, array, size);
}

void tree2array_recur(struct tree_node *subroot, void **array, int *size)
{
	if (subroot == NULL)
		return;
	void *curr_val = (void *)subroot->value;
	array[*size] = curr_val;
	*size = *size + 1;
	foreach(child, subroot->children)
	{
		tree2array_recur(child->val, array, size);
	}
}