在Linux中,socketpair()函数用于创建一对相互连接的套接字。它可以用于在同一个进程内部进行进程间通信(Inter-Process Communication,IPC)。
socketpair()函数的原型如下:
#include <sys/types.h>
#include <sys/socket.h>
int socketpair(int domain, int type, int protocol, int sv[2]);
参数说明:
socketpair()函数创建了一对连接的套接字,这两个套接字可以通过索引0和1在同一个进程内进行通信。其中,索引0的套接字用于读取数据,索引1的套接字用于写入数据。
下面是一个使用socketpair()函数进行进程间通信的示例:
#include <stdio.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/socket.h>
int main() {
int sv[2];
char buf[1024];
pid_t pid;
if (socketpair(AF_UNIX, SOCK_STREAM, 0, sv) < 0) {
perror("socketpair");
return 1;
}
pid = fork();
if (pid < 0) {
perror("fork");
return 1;
} else if (pid == 0) {
// 子进程
close(sv[0]); // 子进程关闭读取端
write(sv[1], "Hello from child", sizeof("Hello from child"));
close(sv[1]);
} else {
// 父进程
close(sv[1]); // 父进程关闭写入端
read(sv[0], buf, sizeof(buf));
printf("Received: %s\n", buf);
close(sv[0]);
}
return 0;
}
在上述示例中,首先使用socketpair()函数创建了一对相互连接的套接字,然后通过fork()函数创建了一个子进程。子进程使用write()函数向父进程传递了一段信息,父进程使用read()函数读取到了子进程发送的信息,并进行打印输出。
总结来说,socketpair()函数可以用于在同一个进程内进行进程间通信,提供了一种简单的方式来实现进程间数据传递。