gpt4 book ai didi

c - 如何在使用结构指针时实现 gets() 或 fgets()?

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

下面的代码与 scanf() 完美运行,但我想输入字符和空格。我已经尝试过 gets()fgets()(在下面评论),但它不起作用(它跳到循环中的下一次迭代并在输出期间显示空白(NULL) fgets() 使用的名称输入)。知道怎么做吗?

PS:我已经用示例程序尝试了 fputs(),它工作正常。但是我在使用结构指针时有点困惑。

#include <stdio.h>
#include <stdlib.h>
struct details {
uint Id;
char Name[20];
};

int main() {
int tot, i;
struct details *info;
printf("Enter no. of details to be stored = ");
scanf("%d", &tot);
info = (struct details *)malloc(tot*sizeof(struct details));

for(i=0; i<tot; i++) {
printf("%d)Id = ", i+1);
scanf("%d", &info->Id);
printf("%d)Name = ", i+1);
fgets(info->Name, 20, stdin); //How to make fgets() work??
//scanf("%s", &info->Name); //works fine with scanf()
info++;
}

for(i=0; i<tot; i++) {
--info;
}

printf("\nDisplaying details:\n");
for(i=0; i<tot; i++) {
printf("%d)Id = %d\n%d)Name = %s\n", i+1, info->Id, i+1, info->Name);
info++;
}

return 0;
}

output:

[xyz@xyz:Temp] $ ./fgets_Struct
Enter no. of details to be stored = 2
1)Id = 111
1)Name = 2)Id = 222
2)Name =
Displaying details:
1)Id = 111
1)Name =

2)Id = 222
2)Name =
[xyz@xyz:Temp] $

最佳答案

问题来自“%d”scanf。它不消耗行终止符,因此下一次读取会将其解释为空行。

您的info 分配也是错误的。您应该使用分配大小的不是info 的大小,而是info 指向的元素 的大小。

printf("Enter no. of details to be stored = ");
scanf("%d\n", &tot); // <-- must consume end of line here
info = (struct details *)malloc(tot*
sizeof(*info)); // <-- use size of the pointed object, not the pointer

此外,修改您的 info 指针是不必要且危险的。
那样的东西会更简单、更安全

for(i=0; i<tot; i++) {
printf("%d)Id = ", i+1);
scanf("%d\n", &info[i].Id)); // <-- store input in current info record
// and eat up the line terminator
printf("%d)Name = ", i+1);
fgets(info[i].Name, // <-- idem
sizeof(info[i].Name), // fgets will guarantee no buffer overflow
stdin);
}

printf("\nDisplaying details:\n");
for(i=0; i<tot; i++) {
printf("%d)Id = %d\n%d)Name = %s\n", i+1, info[i].Id, i+1, info[i].Name);

对于 scanf/fgets,在您的情况下(给 scanf 的“%s”格式),它们都应该读取输入,直到输入新行,包括空格。

编辑:我在这里说错了,抱歉,感谢 chux 的纠正。

scanf ("%s") 确实会在第一个空白处停止。如果你想要整行,最简单的方法是使用 fgets。如果你真的想使用 scanf,你需要像 "%[^\n]%*c" 这样的语法。

如果用户键入超过 20 个字符,要确保您的缓冲区不会溢出,您可以:

  • 使用 "%19[^\n]%*c" 作为 scanf 格式('\0' 终止符需要第 20 个字符),或者 <
  • 使用 fgets 并将 20 作为缓冲区大小传递(fgets 负责终止符,它将最多读取 19 个字符以便能够添加 '\0'不溢出)。

当然,您应该使用 sizeof 来计算最大缓冲区大小,例如:

fgets(info[i].Name, sizeof(info[i].Name), stdin);

因此,如果您决定将缓冲区大小更改为 50 个字符,则无需修改该值。

关于c - 如何在使用结构指针时实现 gets() 或 fgets()?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/21138246/

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