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
116
117
118
|
#include <stdio.h>
#include <stdbool.h>
#include <string.h>
#include <unistd.h>
#include <getopt.h>
#include <fcntl.h>
#include <sys/file.h>
#include <sys/mman.h>
#include <sys/types.h>
static const size_t M_SIZE = 1;
static bool use_fcntl = false;
static bool close_fd = true;
static bool should_wait = false;
static bool verbose = false;
static const char *path;
static bool parse_args (const int argc, const char **argv) {
int opt;
while ((opt = getopt(argc, (char *const*)argv, "fnwV")) != -1) {
switch (opt) {
case 'f': use_fcntl = true; break;
case 'n': close_fd = false; break;
case 'w': should_wait = true; break;
case 'V': verbose = true; break;
default: return false;
}
}
if (optind >= argc) {
return false;
}
else {
path = argv[optind];
}
return true;
}
int main (const int argc, const char **argv) {
int ec = 0;
int fd = -1;
int f_ret;
void *m = MAP_FAILED;
if (!parse_args(argc, argv)) {
ec = 2;
fprintf(stderr, "Usage: %s -fnw <lock file path>\n", argv[0]);
goto END;
}
if (!verbose) {
close(STDOUT_FILENO);
}
fd = open(path, O_CREAT | O_TRUNC | O_RDWR, 0755);
if (fd < 0) {
ec = 1;
perror(path);
goto END;
}
if (use_fcntl) {
struct flock fl;
memset(&fl, 0, sizeof(fl));
fl.l_type = F_WRLCK;
fl.l_whence = SEEK_SET;
fl.l_len = M_SIZE;
f_ret = fcntl(fd, F_SETLK, &fl);
}
else {
f_ret = flock(fd, LOCK_EX | LOCK_NB);
}
if (f_ret != 0) {
ec = 1;
perror(path);
goto END;
}
f_ret = ftruncate(fd, M_SIZE);
if (f_ret != 0) {
ec = 1;
perror(path);
goto END;
}
m = mmap(NULL, M_SIZE, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
if (m == MAP_FAILED) {
ec = 1;
perror(path);
goto END;
}
// This block
if (close_fd) {
close(fd);
fd = -1;
}
printf("Lock holding\n");
if (should_wait) {
pause();
}
END:
if (fd >= 0) {
close(fd);
}
if (m != MAP_FAILED) {
munmap(m, M_SIZE);
}
return ec;
}
|