2.进程间通信--无名管道、信号
2017-08-16 本文已影响0人
石不琢
1.无名管道
int pipe(int pipefd[2]);
- 条件:只适用于具有亲缘关系的父子进程之间通信
- IO :文件IO
- 空间:无名管道在存在内核区
- 阻塞:当管道为空读端阻塞, 当管道为满写端阻塞
- 破裂:当读端关闭,再次向管道写数据,管道破裂
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
int main(int argc, const char *argv[])
{
int fd[2]; //fd[0]:读端 fd[1]:写端
char buf[32];
if(pipe(fd) == -1)
{
perror("pipe error");
exit(1);
}
pid_t pid = fork();
if(pid == -1)
{
perror("fork error");
exit(1);
}
else if(pid == 0)
{
//子:从终端读取数据,存到无名管道中
while(1)
{
fgets(buf, sizeof(buf), stdin);
write(fd[1], buf, 32);
if( strncmp(buf, "quit", 4) == 0)
{
exit(0);
}
}
}
else
{
//父:从无名管道读取数据,将数据打印到终端
while(1)
{
read(fd[0], buf, 32);
if(strncmp(buf, "quit", 4) == 0)
{
exit(0);
}
printf("-----> ");
fputs(buf, stdout);
}
}
return 0;
}
2.信号
#include <signal.h>
int kill(pid_t pid, int sig);
- 功能:向指定进程或进程组发送指定信号
- 参数:pid > 0 :向指定进程发送一个信号
pid = 0 :向同组下的所有进程发送信号(包括自己)
pid = -1 :向可以发送的所有进程发送信号(除了1号进程)
pid < -1 :向指定进程组下的所有进程发送信号,PGID = -pid_t
sig:要发送的信号 - 返回:成功return 0; 失败return -1;
int raise(int sig); 给进程本身发送一个sig信号
unsigned int alarm(unsigned int seconds);
- 功能:非阻塞模式,seconds秒之后发送SIGALRM信号给进程本身
新的alarm会覆盖之前的alarm操作 - 返回:承接之前alarm()函数剩余的秒数,作为返回值
typedef void (*sighandler_t)(int);
sighandler_t signal(int signum, sighandler_t handler);
- 功能:用于捕捉信号,设置信号的处理方式
- 注意:SIGKILL和SIGSTOP不可以被捕捉和忽略
#include <stdio.h>
#include <signal.h>
#include <stdlib.h>
void handler(int sig) //捕捉到的信号传递给sig
{
if(sig == SIGINT)
{
puts("catch SIGINT");
}
if(sig == SIGTSTP)
{
puts("catch SIGTSTP");
}
}
int main(int argc, const char *argv[])
{
if(signal(SIGINT, handler) == SIG_ERR) //ctrl + c -->handler
{
perror("signal error");
exit(1);
}
if(signal(SIGTSTP, handler) == SIG_ERR) //ctrl + z -->handler
{
perror("signal error");
exit(1);
}
if(signal(SIGQUIT, SIG_DFL) == SIG_ERR) //ctrl + \ ---> 默认
{
perror("signal error");
exit(1);
}
printf("hello\n");
while(1);
return 0;
}