gpt4 book ai didi

c - 如何在C中输入一行?

转载 作者:太空宇宙 更新时间:2023-11-04 07:00:49 24 4
gpt4 key购买 nike

我试图在 C 中输入完整的行。最初我这样做了,

char line[100] // assume no line is longer than 100 letters.
scanf("%s", line);

忽略安全漏洞和缓冲区溢出,我知道这绝不会超过一个单词的输入。我又修改了一下,

scanf("[^\n]", line);

当然,这不能超过一行输入。然而,下面的代码陷入了无限循环,

while(fscanf(stdin, "%[^\n]", line) != EOF)
{
printf("%s\n", line);
}

这是因为,\n 从未被消费过,并且会在同一点重复停止,并且在 line 中具有相同的值。所以我重写了代码,

while(fscanf(stdin, "%[^\n]\n", line) != EOF)
{
printf("%s\n", line);
}

这段代码工作无可挑剔(或者我认为如此),用于从文件输入。但是对于来自 stdin 的输入,这会产生神秘、怪异、口齿不清的行为。只有输入第二行后,才会打印第一行。我无法理解到底发生了什么。

我所做的就是这个。记下字符串,直到遇到 \n,将其存储在 line 中,然后使用输入缓冲区中的 \n。现在打印此 line 并为输入的下一行做好准备。还是我被误导了?

然而,在发布这个问题时,我发现了一个更好的选择,

while(fscanf(stdin, "%[^\n]%*c", line) != EOF)
{
printf("%s\n", line);
}

这适用于所有情况。但我的问题仍然存在。这段代码怎么来的,

while(fscanf(stdin, "%[^\n]\n", line) != EOF)
{
printf("%s\n", line);
}

适用于来自文件的输入,但导致来自标准输入的输入出现问题?

最佳答案

使用fgets()@FredK

char buf[N];
while (fgets(buf, sizeof buf, stdin)) {
// crop potential \n if desired.
buf[strcspn(buf, "\n")] = '\0';
...
}

尝试使用 scanf() 进行用户输入时会遇到很多问题,这导致它容易被误用或代码攻击。

// Leaves trailing \n in stdin
scanf("%[^\n]", line)

// Does nothing if line begins with \n. \n remains in stdin
// As return value not checked, use of line may be UB.
// If some text read, consumes \n and then all following whitespace: ' ' \n \t etc.
// Then does not return until a non-white-space is entered.
// As stdin is usually buffered, this implies 2 lines of user input.
// Fails to limit input.
scanf("%[^\n]\n", line)

// Does nothing if line begins with \n. \n remains in stdin
// Consumes 1 char after `line`, even if next character is not a \n
scanf("%99[^\n]%*c", line)

检查 EOF 通常是错误检查。 @Weather Vane以下,当\n 是第一个 输入时,返回 0,因为 line 未填充。作为 0 != EOF,代码继续使用未初始化的 line 通向 UB。

while(fscanf(stdin, "%[^\n]%*c", line) != EOF)

考虑在下面输入“1234\n”。可能是无限循环,因为第一个 fscanf() 读取“123”,抛出“4”,下一个 fscanf() 调用卡在\n 上。

while(fscanf(stdin, "%3[^\n]%*c", line) != EOF)

检查 *scanf() 的结果时,检查您想要的值,而不是您不想要的值之一。 (但即使是下面还有其他麻烦)

while(fscanf(stdin, "%[^\n]%*c", line) == 1)

关于最接近scanf() 读取:

char buf[100];
buf[0] = 0;
int cnt = scanf("%99[^\n]", buf);
if (cnt == EOF) Handle_EndOfFile();
// Consume \n if next stdin char is a \n
scanf("%*1[\n]");
// Use buf;

while(fscanf(stdin, "%[^\n]%*c", line) != EOF)
worked for inputs from file, but is causing issues for input from standard input?

发布示例代码和输入/数据文件会很有用。发布的代码数量不多,一些潜在的原因。

超限是UB
输入以 \n 开头,指向 UB
文件或 stdin 未以相同模式打开。 \r 没有翻译成一个。


注意:当一行为 100 个字符时,以下操作将失败。所以满足假设 cal 仍然会导致 UB。

char line[100] // assume no line is longer than 100 letters.
scanf("%s", line);

关于c - 如何在C中输入一行?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/38576690/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com