1#include "cache.h"
2#include "unix-socket.h"
3
4static int unix_stream_socket(void)
5{
6 int fd = socket(AF_UNIX, SOCK_STREAM, 0);
7 if (fd < 0)
8 die_errno("unable to create socket");
9 return fd;
10}
11
12static int chdir_len(const char *orig, int len)
13{
14 char *path = xmemdupz(orig, len);
15 int r = chdir(path);
16 free(path);
17 return r;
18}
19
20struct unix_sockaddr_context {
21 char orig_dir[PATH_MAX];
22};
23
24static void unix_sockaddr_cleanup(struct unix_sockaddr_context *ctx)
25{
26 if (!ctx->orig_dir[0])
27 return;
28 /*
29 * If we fail, we can't just return an error, since we have
30 * moved the cwd of the whole process, which could confuse calling
31 * code. We are better off to just die.
32 */
33 if (chdir(ctx->orig_dir) < 0)
34 die("unable to restore original working directory");
35}
36
37static int unix_sockaddr_init(struct sockaddr_un *sa, const char *path,
38 struct unix_sockaddr_context *ctx)
39{
40 int size = strlen(path) + 1;
41
42 ctx->orig_dir[0] = '\0';
43 if (size > sizeof(sa->sun_path)) {
44 const char *slash = find_last_dir_sep(path);
45 const char *dir;
46
47 if (!slash) {
48 errno = ENAMETOOLONG;
49 return -1;
50 }
51
52 dir = path;
53 path = slash + 1;
54 size = strlen(path) + 1;
55 if (size > sizeof(sa->sun_path)) {
56 errno = ENAMETOOLONG;
57 return -1;
58 }
59
60 if (!getcwd(ctx->orig_dir, sizeof(ctx->orig_dir))) {
61 errno = ENAMETOOLONG;
62 return -1;
63 }
64 if (chdir_len(dir, slash - dir) < 0)
65 return -1;
66 }
67
68 memset(sa, 0, sizeof(*sa));
69 sa->sun_family = AF_UNIX;
70 memcpy(sa->sun_path, path, size);
71 return 0;
72}
73
74int unix_stream_connect(const char *path)
75{
76 int fd;
77 struct sockaddr_un sa;
78 struct unix_sockaddr_context ctx;
79
80 if (unix_sockaddr_init(&sa, path, &ctx) < 0)
81 return -1;
82 fd = unix_stream_socket();
83 if (connect(fd, (struct sockaddr *)&sa, sizeof(sa)) < 0) {
84 unix_sockaddr_cleanup(&ctx);
85 close(fd);
86 return -1;
87 }
88 unix_sockaddr_cleanup(&ctx);
89 return fd;
90}
91
92int unix_stream_listen(const char *path)
93{
94 int fd;
95 struct sockaddr_un sa;
96 struct unix_sockaddr_context ctx;
97
98 if (unix_sockaddr_init(&sa, path, &ctx) < 0)
99 return -1;
100 fd = unix_stream_socket();
101
102 unlink(path);
103 if (bind(fd, (struct sockaddr *)&sa, sizeof(sa)) < 0) {
104 unix_sockaddr_cleanup(&ctx);
105 close(fd);
106 return -1;
107 }
108
109 if (listen(fd, 5) < 0) {
110 unix_sockaddr_cleanup(&ctx);
111 close(fd);
112 return -1;
113 }
114
115 unix_sockaddr_cleanup(&ctx);
116 return fd;
117}