C语言

2.进程间通信--无名管道、信号

2017-08-16  本文已影响0人  石不琢

1.无名管道

int pipe(int pipefd[2]);

#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);

int raise(int sig); 给进程本身发送一个sig信号

unsigned int alarm(unsigned int seconds);

typedef void (*sighandler_t)(int);
sighandler_t signal(int signum, sighandler_t handler);

#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;
}
上一篇 下一篇

猜你喜欢

热点阅读