我有几段代码来建立一个Unix域套接字和一个使用这个套接字的服务。虽然这里有一些令人困惑的错误导致失败。
创建Unix域套接字的代码用c:
编写#include <sys/socket.h>
#include <sys/stat.h>
#include <sys/wait.h>
#include <sys/un.h>
#include <unistd.h>
#include <fcntl.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <signal.h>
#include <errno.h>
int main(int ac, char *av[])
{
if (ac != 4) {
printf("Usage: %s dummy-fd sockpath binary\n", av[0]);
exit(-1);
}
char *sockpn = av[2];
char *bin = av[3];
int srvfd = socket(AF_UNIX, SOCK_STREAM, 0);
if (srvfd < 0) {
perror("socket");
exit(-1);
}
fcntl(srvfd, F_SETFD, FD_CLOEXEC);
struct stat st;
if (stat(sockpn, &st) >= 0) {
if (!S_ISSOCK(st.st_mode)) {
fprintf(stderr, "socket pathname %s exists and is not a socket\n",
sockpn);
exit(-1);
}
unlink(sockpn);
}
struct sockaddr_un addr;
addr.sun_family = AF_UNIX;
snprintf(&addr.sun_path[0], sizeof(addr.sun_path), "%s", sockpn);
if (bind(srvfd, (struct sockaddr *) &addr, sizeof(addr)) < 0) {
fprintf(stderr, "WARNING: cannot bind to socket %s (%s), exiting\n",
sockpn, strerror(errno));
exit(-1);
}
// allow anyone to connect; for access control, use directory permissions
chmod(sockpn, 0777);
listen(srvfd, 5);
signal(SIGCHLD, SIG_IGN);
signal(SIGPIPE, SIG_IGN);
for (;;) {
struct sockaddr_un client_addr;
unsigned int addrlen = sizeof(client_addr);
int cfd = accept(srvfd, (struct sockaddr *) &client_addr, &addrlen);
if (cfd < 0) {
perror("accept");
continue;
}
int pid = fork();
if (pid < 0) {
perror("fork");
close(cfd);
continue;
}
if (pid == 0) {
// Child process
dup2(cfd, 0);
dup2(cfd, 1);
close(cfd);
execl(bin, bin, 0);
perror("execl");
exit(-1);
}
close(cfd);
}
}
使用此袜子的客户端Python如下(unixclient.py):
def call(pn, req):
sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
sock.connect(pn)
sock.send(req)
sock.shutdown(socket.SHUT_DOWN)
data = ""
while True:
buf = sock.recv(1024)
if not buf:
break
data += buf
sock.close()
return data
我在另一个Python代码中触发这段客户端代码,导入此文件并调用call
函数:(两者都是“/ jail / zoobar / echosvc”和“/ jail / zoobar / echosvc / sock“将失败”
resp = call("/jail/zoobar/echosvc", str1)
出现错误,显示:
FIle "zoobar/unixclient.py", line 8, in call
sock.connect(pn)
File "<string>", line 1, in connect
error: [ERROR 2] No such file or directory
然而我发誓目录并且套接字确实存在(/ jail / zoobar / echosvc / sock),并且权限也是正确的(777),所以我无法理解这个奇怪的错误。有人知道吗?
我非常感谢您不遗余力地提供帮助。
答案 0 :(得分:1)
看起来你正试图打开错误的文件名。代码如下:
resp = call("/jail/zoobar/echosvc", str1)
但你说“文件存在”:
/jail/zoobar/echosvc/sock
尝试将您的致电热线更改为:
resp = call("/jail/zoobar/echosvc/sock", str1)