-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathutil.c
102 lines (85 loc) · 2.07 KB
/
util.c
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
#include "includes.h"
/****************************************************************************
listen on a tcp port then call fn() for each new connection with stdin and stdout
set to the socket and stderr pointing at logfile
****************************************************************************/
void tcp_listener(int port, void (*fn)(void))
{
struct sockaddr_in sock;
int res;
int one=1;
memset((char *)&sock, 0, sizeof(sock));
sock.sin_port = htons(port);
sock.sin_family = AF_INET;
res = socket(AF_INET, SOCK_STREAM, 0);
setsockopt(res,SOL_SOCKET,SO_REUSEADDR,(char *)&one,sizeof(one));
bind(res, (struct sockaddr * ) &sock,sizeof(sock));
listen(res, 10);
while (1) {
int fd;
fd = accept(res,NULL,0);
if (fd == -1) continue;
signal(SIGCHLD, SIG_IGN);
if (fork() == 0) {
close(res);
/* setup stdin and stdout */
fflush(stdout);
fflush(stderr);
dup2(fd, 0);
dup2(fd, 1);
close(fd);
fn();
fflush(stdout);
_exit(0);
}
close(fd);
}
}
/*******************************************************************
mmap a file
********************************************************************/
void *map_file(const char *fname, size_t *size)
{
struct stat st;
void *p;
int fd;
fd = open(fname, O_RDONLY, 0);
if (fd == -1) {
fprintf(stderr, "Failed to load %s - %s\n", fname, strerror(errno));
return NULL;
}
fstat(fd, &st);
p = mmap(NULL, st.st_size+1, PROT_READ|PROT_WRITE, MAP_PRIVATE|MAP_FILE, fd, 0);
close(fd);
if (p == MMAP_FAILED) {
fprintf(stderr, "Failed to mmap %s - %s\n", fname, strerror(errno));
return NULL;
}
*size = st.st_size;
/* make sure its terminated */
*((char *)p+st.st_size) = 0;
return p;
}
void unmap_file(void *p, size_t size)
{
munmap(p, size+1);
}
void *x_malloc(size_t size)
{
void *ret;
ret = malloc(size);
if (!ret) {
fprintf(stderr, "Out of memory on size %d\n", (int)size);
_exit(1);
}
return ret;
}
/*
trim the tail of a string
*/
void trim_tail(char *s, char *trim_chars)
{
int len = strlen(s);
while (len > 0 && strchr(trim_chars, s[len-1])) len--;
s[len] = 0;
}