使用fork()内部计数器不增加

时间:2015-03-03 01:10:24

标签: c process fork

我正在这里开展一个小项目,其中一个部分需要我做一些事情,如果一个标志打开,其他东西是标志同时关闭(使用fork())。虽然我知道这可能会带来mutex个问题,我似乎无法让它发挥作用。不管怎么说,我认为我从未获得过互斥锁。

我的代码看起来像这样:

int i=0;
int w;
int pos=0;
pid_t pid;
char c[1];
for(i=0;i<len;i++) //len is the length of a file I'm reading. 
{
    pid=fork();
    if(pid)
    {
        wait(&w);
    }
    else
    {
        read(fd,&c,1); //fd is an int referencing a the file i'm reading. Using open(char* [], O_RDONLY);
        printf("I'm son %d, read: %s, pos value: %d\n",getpid(),c,pos);
        if(pos==0)
        {
           printf("I'm son %d, writing out in out1.txt\n",getpid());
           //some writing instructions...
           pos=1;
        }
        else
        {
           printf("I'm son %d, writing out in out2.txt\n",getpid());
           //some writing instructions...
           pos=0;
        }
        exit(0);
    }
}

问题是我总是进入同一个if,因此,我总是只在其中一个文件中编写,我需要在两个文件之间交替写入。

Actual output: 
I'm son <NUMBER>, read: 0, pos value: 0
I'm son <NUMBER>, writing out in out1.txt
I'm son <NUMBER>, read: 1, pos value: 0
I'm son <NUMBER>, writing out in out1.txt
I'm son <NUMBER>, read: 0, pos value: 0
I'm son <NUMBER>, writing out in out1.txt
I'm son <NUMBER>, read: 1, pos value: 0
I'm son <NUMBER>, writing out in out1.txt
I'm son <NUMBER>, read: 0, pos value: 0
I'm son <NUMBER>, writing out in out1.txt

Desired output:
I'm son <NUMBER>, read: 0, pos value: 0
I'm son <NUMBER>, writing out in out1.txt
I'm son <NUMBER>, read: 1, pos value: 1
I'm son <NUMBER>, writing out in out2.txt
I'm son <NUMBER>, read: 0, pos value: 0
I'm son <NUMBER>, writing out in out1.txt
I'm son <NUMBER>, read: 1, pos value: 1
I'm son <NUMBER>, writing out in out2.txt
I'm son <NUMBER>, read: 0, pos value: 0
I'm son <NUMBER>, writing out in out1.txt

谢谢!

2 个答案:

答案 0 :(得分:1)

要获得所需效果,您必须在父进程中控制pos。儿童所做的任何更改都是儿童的本地更改,并在儿童退出时丢失。

int i = 0;
int w;
int pos = 0;
pid_t pid;
char c[1];
for (i = 0; i < len; i++, pos = !pos)
{
    pid = fork();
    if (pid)
    {
        wait(&w);
    }
    else
    {
        read(fd, &c, 1);
        printf("I'm son %d, read: %s, pos value: %d\n", getpid(), c, pos);
        if (pos == 0)
        {
           printf("I'm son %d, writing out in out1.txt\n", getpid());
        }
        else
        {
           printf("I'm son %d, writing out in out2.txt\n", getpid());
        }
        exit(0);
    }
}

请注意,您应该检查fork()wait()read()的错误回复。我没有为你编码。另请注意,!=不是!运算符的赋值版本(与+=不同,后者是+运算符的赋值版本,例如);因此,我必须写pos = !pos

答案 1 :(得分:0)

设置pos=1后,每个进程都会立即调用exit(0),因此在打印件中永远不能将pos设置为1。我假设它在某处初始化为0。请记住,fork的每一面都是一个完整且基本上独立的内存副本(一个进程)。因此,一个人的变化对其他人没有影响。对于可能是您想要的线程,这是不同的。