summaryrefslogtreecommitdiff
path: root/minix/usr.bin/trace/proc.c
blob: 665ea9f125bd54740109aaaa29e2207780e548fc (plain)
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

#include "inc.h"

static TAILQ_HEAD(, trace_proc) proc_root;
static unsigned int nr_procs;

/*
 * Initialize the list of traced processes.
 */
void
proc_init(void)
{

	TAILQ_INIT(&proc_root);
	nr_procs = 0;
}

/*
 * Add a new process to the list of traced processes, allocating memory for it
 * first.  Return the new process structure with its PID assigned and the rest
 * zeroed out, or NULL upon allocation failure (with errno set appropriately).
 */
struct trace_proc *
proc_add(pid_t pid)
{
	struct trace_proc *proc;

	proc = (struct trace_proc *)malloc(sizeof(struct trace_proc));

	if (proc == NULL)
		return NULL;

	memset(proc, 0, sizeof(*proc));

	proc->pid = pid;

	TAILQ_INSERT_TAIL(&proc_root, proc, next);
	nr_procs++;

	return proc;
}

/*
 * Retrieve the data structure for a traced process based on its PID.  Return
 * a pointer to the structure, or NULL if no structure exists for this process.
 */
struct trace_proc *
proc_get(pid_t pid)
{
	struct trace_proc *proc;

	/* Linear search for now; se we can easily add a hashtable later.. */
	TAILQ_FOREACH(proc, &proc_root, next) {
		if (proc->pid == pid)
			return proc;
	}

	return NULL;
}

/*
 * Remove a process from the list of traced processes.
 */
void
proc_del(struct trace_proc * proc)
{

	TAILQ_REMOVE(&proc_root, proc, next);
	nr_procs--;

	free(proc);
}

/*
 * Iterator for the list of traced processes.  If a NULL pointer is given,
 * return the first process in the list; otherwise, return the next process in
 * the list.  Not stable with respect to list modifications.
 */
struct trace_proc *
proc_next(struct trace_proc * proc)
{

	if (proc == NULL)
		return TAILQ_FIRST(&proc_root);
	else
		return TAILQ_NEXT(proc, next);
}

/*
 * Return the number of processes in the list of traced processes.
 */
unsigned int
proc_count(void)
{

	return nr_procs;
}