1

我需要编写使用 fork() 创建 2 个进程的 UNIX 应用程序,这两个进程都会在屏幕上的不同位置打印当前时间。子进程结束后,父进程必须停止工作。我写了这段代码:

#include <ncurses.h>
#include <unistd.h>
#include <time.h>
#include <wait.h>
#include <sys/types.h>

struct Point2
{
    int X;
    int Y;
};

int kbhit()
{
    //getch() implementation
}

void printTime(const struct Point2 pt, const char* st)
{
    char buf[255];
    time_t rawtime;
    struct tm * timeinfo;

    time (&rawtime);
    timeinfo = localtime(&rawtime);
    sprintf(buf, "%s: %02d:%02d:%02d", st, timeinfo->tm_hour,
            timeinfo->tm_min, timeinfo->tm_sec);
    mvaddstr(pt.Y, pt.X, buf);
    refresh();
}

void childp(pid_t pid, const struct Point2 pt)
{
    while(kbhit() != 27)
    {
        printTime(pt, "CHLD");
        usleep(1000);
    }
}

void parentp(pid_t pid, const struct Point2 pt)
{
    struct Point2 newp = {pt.X, pt.Y + 1};
    while(1)
    {
        int stat;
        waitpid(pid, &stat, WNOHANG);
        if(WIFEXITED(stat) != 0)
            break;

        printTime(newp, "PARN");
            usleep(1000);
    }
}

int main(int argc, char* argv[])
{
    if(argc != 3)
    {
        printf("unable to load XY position for clock.\n");
        return 1;
    }

    initscr();
    refresh(); // <-- this refresh

    struct Point2 opt;
    opt.X = atoi(argv[1]);
    opt.Y = atoi(argv[2]);

    pid_t pid;
    pid = fork();

    switch(pid)
    {
        case -1:
            printw("Error");
            _exit(0);
        case 0:
            childp(pid, opt);
            break;
        default:
        parentp(pid, opt);
            break;

    }
    endwin();
    return 0;
}

一旦程序启动,它会输出一次“CHLD”和“PARN”时间,然后从子进程正确更新“CHLD”时间,但父进程的输出不会改变。此外,如果我评论refresh()main() "PARN" 时间字符串中的调用根本不会出现。所以我的问题是:为什么父进程不更新屏幕?

更新。我已经删除了父函数循环中的几乎所有代码,现在看起来像:

void parentp(pid_t pid, const struct Point2 pt)
{
    struct Point2 newp = {pt.X, pt.Y + 1};
    while(1)
    {
        printTime(newp, "PARN");
    }
}

但它仍然无法正常工作

4

1 回答 1

0

waitpid(pid, &stat, WNOHANG);工作正常。我不知道为什么,但问题在于mvaddstr();我将其更改为 printw() 并且瞧,它起作用了!也许这是因为mvaddstr();没有更新整个屏幕。另一种方法是在调用 fork() 之前绘制 PARN 和 CHLD 时间,但我认为这既不是简单也不是优雅的解决方案。用过的printw().

于 2013-09-05T20:18:26.743 回答