C/scanf如何处理ctrl-d、ctrl-c

How ctrl-d, ctrl-c is handled by C/scanf

我们来看下面的程序:

# include<stdio.h>
int main(void)
{
    int status, current_number, sum=0;
    printf("Enter a number: ");
    while(status=scanf("%d", &current_number)) {
        sum += current_number;
        printf("Status: %d. The current sum is: %d. Enter another number: ", status, sum);
    }   
}

Enter a number: 2
Status: 1. The current sum is: 2. Enter another number: 3
Status: 1. The current sum is: 5. Enter another number: Status: -1. The current sum is: 8. Enter another number: ^C

似乎 CtrlD (EOF) 被识别为 -1CtrlC jus 导致程序退出。这两个转义序列通常在 C 中是如何处理的?为什么 scanf 对待 ctrl-cctrl-d 的方式不同?

scanf函数不会以任何特殊方式处理这些字符,它甚至看不到那些字符.发生的事情是终端驱动程序(至少在类 UNIX 系统下(a))拦截这些击键并将它们转换为特殊操作。

对于 CTRL-d,它会关闭标准输入文件,这样任何读取它的代码都会得到一个 EOF - 那就是 -1 你'重新看到(表示阅读时某些描述有误)。

对于 CTRL-c,它引发 SIGINT 信号,如果未被捕获,将终止您的程序。

请记住,这些是这些操作的 默认 键绑定,可以使用 stty 更改它们以使用不同的键绑定。默认的(intreof)如下所示(^C^D):

pax> stty -a
speed 38400 baud; rows 37; columns 145; line = 0;
intr = ^C; quit = ^\; erase = ^?; kill = ^U; eof = ^D; eol = <undef>; eol2 = <undef>; swtch = <undef>; start = ^Q; stop = ^S; susp = ^Z;
rprnt = ^R; werase = ^W; lnext = ^V; discard = ^O; min = 1; time = 0;
-parenb -parodd -cmspar cs8 -hupcl -cstopb cread -clocal -crtscts
-ignbrk -brkint -ignpar -parmrk -inpck -istrip -inlcr -igncr icrnl ixon -ixoff -iuclc -ixany -imaxbel -iutf8
opost -olcuc -ocrnl onlcr -onocr -onlret -ofill -ofdel nl0 cr0 tab0 bs0 vt0 ff0
isig icanon iexten echo echoe echok -echonl -noflsh -xcase -tostop -echoprt echoctl echoke -flusho -extproc

请记住,这可能不是您想要的:

while(status=scanf("%d", &current_number)) {

循环只会在scanf returns 为零时退出,如果无法扫描整数(例如输入非数字XYZZY),就会发生这种情况。它 继续任何非零值, 包括 -1 你回到 error/end-of-file.

更好的循环是:

while((status = scanf("%d", &current_number)) == 1) {

事实上,由于循环应该只 ever 运行 对于状态值 1,使用它没有什么意义(其他用于对发生的事情做出最终决定)。我更喜欢这样的东西:

#include<stdio.h>

int main(void) {
    int stat, curr, sum = 0;

    // Prompt and loop while user enters valid numbers.

    printf("Enter a number: ");
    while ((stat = scanf("%d", &curr)) == 1) {
        // Accumulate number to sum, output details and ask for next.

        sum += curr;
        printf("Entered %d, sum is %d, enter another number: ", curr, sum);
    }

    // Final status -1 if EOF/error, 0 if item couldn't be scanned.

    if (stat == -1) {
        prinf("\nEnd of file or I/O error.\n");
    } else {
        prinf("Non-numeric data.\n");
    }
}

(a) Windows,从内存来看,相比之下,只在 a 的开头识别 CTRL-z行(然后是 ENTER)作为文件结束指示符。