如何在命令行中分离输出和输入?

时间:2013-11-04 01:46:53

标签: c command-line command-line-interface

我有一个简单的程序,它接受时间和消息的输入,并在每个时间间隔输出一条消息。我遇到的问题是,当用户尝试输入新计时器并且前一个计时器显示其消息时,它会中断输入。

我想知道如何为输入和输出创建单独的字段,因此它们不会重叠。该程序的语言为C,我无法在线查找任何内容。

1 个答案:

答案 0 :(得分:0)

很大程度上取决于您希望它的可移植性,以及您所定位的平台。

对于非常简单的应用程序ANSI escape codes就足够了。否则,请查看库,(ncurses功能强大),tput(如果您使用* NIX)等等。

如果您决定使用控制台代码,请记住echo -e "\033c"(通常)将所有终端设置重置为默认值。

这是一个粗略的(Linux)示例,使用ANSI转义来显示时钟和最后一个命令。为简单起见,使用SIGALRM

主题here上还有更多内容。

#include <stdio.h>
#include <time.h>

#include <signal.h>
#include <unistd.h>           /* alarm() */

int lines = 3;                /* Store how many lines we have. */

/* Print current time every second at first line.. */
void prnt_clock()
{
        time_t tt;
        struct tm *tm;
        char buf[80];

        time(&tt);
        tm = localtime(&tt);
        strftime(buf, sizeof(buf), "%H:%M:%S", tm);
        fprintf(stdout,
                "\033[s"            /* Save cursor position. */
                "\033[%dA"          /* Move cursor up d lines. */
                "\r"                /* Moves cursor to beginning of line. */
                "%s"                /* String to print. */
                "\033[u"            /* Restore cursor position. */
                ,
                lines,
                buf
        );
        fflush(stdout);

        alarm(1);
}

/* Print last command entered at third line. */
void prnt_cmd(char *cmd)
{
        fprintf(stdout,
                "\033[s\033[%dA\r\033[KLast cmd: %s\033[u",
                lines - 2, cmd
        );
        fflush(stdout);
}

/* Empty the stdin line */
void process_input(char c)
{
        char buf[32];
        int i = 0;

        ++lines;
        while (c != '\n' && i < 31) {
                buf[i++] = c;
                c = getchar();
        }
        buf[i] = 0x00;
        if (c != '\n')
                while (getchar() != '\n')
                        ;
        prnt_cmd(buf);
}

/* Signal handler. */
void sig_alarm(int sig)
{
        if (sig == SIGALRM) {
                signal(SIGALRM, SIG_IGN);
                prnt_clock();
                signal(SIGALRM, sig_alarm);
        }
}

int main(void /* int argc, char *argv[] */)
{
        char prompt[16] = "\033[1;31m$\033[0m "; /* We want bold red $ */
        int c;

        signal(SIGALRM, sig_alarm);
        fprintf(stdout,
                "\n"                        /* line for clock  (line 1. )*/
                "---------------------------------------------------\n"
                "Enter q to quit.\n"        /* line for status (line 3.) */
                "%s"                        /* prompt          (line 4+) */
                ,
                prompt
        );
        prnt_clock();

        while (1) {
                c = getchar();
                if (c == 'q')
                        break;
                process_input(c);
                fprintf(stdout, "%s", prompt);
                fflush(stdout);
        }

        return 0;
}