例如:进程在执行2号信号处理函数时,再次触发2号信号,会再次执行2号信号的处理函数吗?
不会,会一直循环下去。
#include <stdio.h>
#include <signal.h>
#include <unistd.h>
typedef void (*sighandler_t)(int);
void handler(int sig)
{
while(1)
{
printf("sig=%d\n",sig);
sleep(1);
}
}
int main(int argc, const char *argv[])
{
sighandler_t s=signal(3,handler);
if(SIG_ERR==s)
{
perror("signal");
return -1;
}
while(1)
{
printf("this is main function\n");
sleep(1);
}
return 0;
}
结果
在上述练习的前提下,实现AB进程能够随时收发数据。
提示:用多进程或者多线程实现
A线程:
#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <errno.h>
#include <unistd.h>
#include <string.h>
int main(int argc, const char *argv[])
{
umask(0);
//创建
if(mkfifo("./myfifo",0664)<0)
{
if(errno!=EEXIST)
{
perror("mkfifo");
return-1;
}
}
printf("创建成功\n");
//创建
if(mkfifo("./myfifo1",0664)<0)
{
if(errno!=EEXIST)
{
perror("mkfifo");
return-1;
}
}
printf("创建成功\n");
int fd=open("./myfifo",O_RDONLY);
if(fd<0)
{
perror("open");
return -1;
}
int fd1=open("./myfifo1",O_WRONLY);
if(fd1<0)
{
perror("open");
return -1;
}
printf("open FIFO success\n");
char buf[128]="";
ssize_t res=0;
pid_t pid=fork();
if(pid>0)
{
while(1)
{
bzero(buf,sizeof(buf));
res=read(fd,buf,sizeof(buf));
if(res<0)
{
perror("read");
return -1;
}
printf("res=%ld %s\n",res,buf);
if(0==res)
{
printf("对方进程关闭\n");
return -1;
}
if(strcmp(buf,"quit")==0){
break;
}
}
}
else if(0==pid)
{
while(1)
{
printf("请输入>>>");
fgets(buf,sizeof(buf),stdin);
buf[strlen(buf)-1]=0;
res=write(fd1,buf,sizeof(buf));
if(res<0)
{
perror("write");
return -1;
}
if(strcmp(buf,"quit")==0){
break;
}
}
}
else
{
perror("fork");
return -1;
}
close(fd);
close(fd1);
return 0;
}
B
#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <errno.h>
#include <unistd.h>
#include <string.h>
int main(int argc, const char *argv[])
{
umask(0);
//创建
if(mkfifo("./myfifo",0664)<0)
{
if(errno!=EEXIST)
{
perror("mkfifo");
return-1;
}
}
printf("创建成功\n");
//创建
if(mkfifo("./myfifo1",0664)<0)
{
if(errno!=EEXIST)
{
perror("mkfifo");
return-1;
}
}
printf("创建成功\n");
int fd=open("myfifo",O_WRONLY);
if(fd<0)
{
perror("open");
return -1;
}
printf("成功\n");
int fd1=open("myfifo1",O_RDONLY);
if(fd1<0)
{
perror("open");
return -1;
}
printf("open FIFO success\n");
char buf[128]="";
ssize_t res=0;
pid_t pid=fork();
if(pid>0)
{
while(1)
{
bzero(buf,sizeof(buf));
printf("请输入>>>");
fgets(buf,sizeof(buf),stdin);
buf[strlen(buf)-1]=0;
res=write(fd,buf,sizeof(buf));
if(res<0)
{
perror("write");
return -1;
}
if(strcmp(buf,"quit")==0){
break;
}
}
}
else if(0==pid)
{
while(1)
{
res=read(fd1,buf,sizeof(buf));
if(res<0)
{
perror("read");
return -1;
}
printf("res=%ld %s\n",res,buf);
if(0==res)
{
printf("对方进程关闭\n");
return -1;
}
printf("cccc1");
if(strcmp(buf,"quit")==0){
break;
}
}
}
else
{
perror("fork");
return -1;
}
close(fd);
close(fd1);
return 0;
}
J结果