操作系统复习

2020-07-02  本文已影响0人  Elaine_Vita

一、API相关

1.fork()

https://www.cnblogs.com/bastard/archive/2012/08/31/2664896.html

例子1 计数问题

#include <unistd.h>
#include <stdio.h> 
int main () 
{ 
    pid_t fpid; //fpid表示fork函数返回的值
    int count=0;
    fpid=fork(); 
    if (fpid < 0) 
        printf("error in fork!"); 
    else if (fpid == 0) {
        printf("i am the child process, my process id is %d/n",getpid()); 
        printf("我是爹的儿子/n");//对某些人来说中文看着更直白。
        count++;
    }
    else {
        printf("i am the parent process, my process id is %d/n",getpid()); 
        printf("我是孩子他爹/n");
        count++;
    }
    printf("统计结果是: %d/n",count);
    return 0;
}

在fork之后,子进程几乎复制了父进程的所有内容,但有自己独立的寄存器、内存和文件系统,此时父进程和子进程同时都保存了count这个变量,由于这两个进程是相互独立的,所以两个count是各自进程独有的,所以两次打印出的都是1,而不是出现1和2。

例子2 有趣的printf缓冲区

#include <unistd.h>
#include <stdio.h>
int main() {
    pid_t fpid;//fpid表示fork函数返回的值
    //printf("fork!");
    printf("fork!/n");
    fpid = fork();
    if (fpid < 0)
        printf("error in fork!");
    else if (fpid == 0)
        printf("I am the child process, my process id is %d/n", getpid());
    else
        printf("I am the parent process, my process id is %d/n", getpid());
    return 0;
}

执行结果如下:
fork!
I am the parent process, my process id is 3361
I am the child process, my process id is 3362
如果把语句printf("fork!/n");注释掉,执行printf("fork!");
则新的程序的执行结果是:
fork!I am the parent process, my process id is 3298
fork!I am the child process, my process id is 3299

printf的缓冲机制:
当执行printf时,操作系统仅仅是把要输出的内容放入stdout的缓冲区中,并没有实际的写到屏幕上。但是,换行符‘\n’则会立即刷新stdout,从而立刻打印。

运行了printf("fork!")后,“fork!”仅仅被放到了缓冲里,由于fork后子进程的缓冲区复制父进程的缓冲区,因此在子进程stdout缓冲区也保存了fork! 。
而运行printf("fork! \n")后,“fork!”被立即打印到了屏幕上,之后fork到的子进程里的stdout缓冲里不会有fork! 。因此你看到的结果会是fork! 被printf了1次!

相关知识

2.wait()

3.exec()

4.signal()/kill()

二、命令

上一篇下一篇

猜你喜欢

热点阅读