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
104
105
106
107
108
109
110
111
112
113
114
115
|
#include <sys/mman.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <stdlib.h>
#include <unistd.h>
#include "include/on_exit.h"
#include "include/ceph_assert.h"
#ifndef MAP_ANONYMOUS
# ifdef MAP_ANON
# define MAP_ANONYMOUS MAP_ANON
# else
// cppcheck-suppress preprocessorErrorDirective
# error "Don't know how to create anonymous mmap"
# endif
#endif
static int func_scope_val;
static void add(void *incp)
{
func_scope_val += *((int*)incp);
}
static void func_scope(void)
{
OnExitManager mgr;
int *inc_1 = (int*)malloc(sizeof(*inc_1));
*inc_1 = 5;
mgr.add_callback(add, inc_1);
int *inc_2 = (int*)malloc(sizeof(*inc_2));
*inc_2 = 3;
mgr.add_callback(add, inc_2);
}
// shared between processes
static int *shared_val;
#define MAIN_SCOPE_VAL 0x1111111
static OnExitManager main_scope_mgr;
static void main_scope_cb(void *val)
{
*shared_val = *((int*)val);
}
#define EXIT_FUNC_VAL 0x22222222
static OnExitManager exit_func_mgr;
static void exit_func_cb(void *val)
{
*shared_val = *((int*)val);
}
static void call_exit()
{
exit(3);
}
int main(int argc, char **argv)
{
// test basic function scope behavior
ceph_assert(func_scope_val == 0);
func_scope();
ceph_assert(func_scope_val == 8);
// shared mem for exit tests
shared_val = (int*)mmap(NULL, sizeof(int),
PROT_READ|PROT_WRITE, MAP_SHARED|MAP_ANONYMOUS, -1, 0);
ceph_assert(shared_val != MAP_FAILED);
// test normal exit returning from main
*shared_val = 0;
int pid = fork();
ceph_assert(pid >= 0);
if (pid) {
int status;
int ret = waitpid(pid, &status, 0);
ceph_assert(ret == pid); // should be our child
ceph_assert(status == 0);
ceph_assert(*shared_val == MAIN_SCOPE_VAL);
} else {
// child adds a callback to the static scope callback manager and then
// exits by returning from main. The parent checks the value after the
// child exits via the memory map.
ceph_assert(*shared_val == 0);
int *new_val = (int*)malloc(sizeof(*new_val));
*new_val = MAIN_SCOPE_VAL;
main_scope_mgr.add_callback(main_scope_cb, new_val);
return 0;
}
// test exit via exit()
*shared_val = 0;
pid = fork();
ceph_assert(pid >= 0);
if (pid) {
int status;
int ret = waitpid(pid, &status, 0);
ceph_assert(ret == pid); // should be our child
ceph_assert(WEXITSTATUS(status) == 3);
ceph_assert(*shared_val == EXIT_FUNC_VAL);
} else {
// child adds a callback to the static scope callback manager and then
// exits via exit().
ceph_assert(*shared_val == 0);
int *new_val = (int*)malloc(sizeof(*new_val));
*new_val = EXIT_FUNC_VAL;
exit_func_mgr.add_callback(exit_func_cb, new_val);
call_exit();
ceph_abort();
}
return 0;
}
|