我只是在C语言中尝试一个简单的程序,插入一个数组。
我使用了一个scanf函数来接受字符,但是编译器似乎跳过了这个,直接转到了程序的末尾。
这是我使用的代码:-

#include <stdio.h>

void main()
{
    int a[50], i, j, m, n, x;
    char ch;
    printf("Enter the no. elements of the array :- ");
    scanf("%d", &m);
    printf("Enter the elements below :- ");
    for (i = 0; i < m; i++)
    {
        scanf("%d", &a[i]);
    }
    printf("The array is :- \n");
    for (i = 0; i < m; i++)
    {
        printf("%d", a[i]);
    }
    printf("\nDo you want to enter an element ? (Y/N)\n");
    scanf("%c", &ch);       // The compiler just skips this along with the
    while (ch == 'y' || ch == 'Y') // while loop and goes straight to the printf
    {                   // statement
        printf("The index of the element :- ");
        scanf("%d", &n);
        printf("\nEnter a number :- ");
        scanf("%d", &x);
        for (i = m; i > n; i--)
        {
            a[i] = a[i - 1];
        }
        a[n] = x;
        printf("\nInsert more numbers ? (Y/N)");
        scanf("%c", &ch);
        m = m + 1;
    }
    printf("\nThe array is :- ");
    for (i = 0; i < m; i++)
    {
        printf("%d", a[i]);
    }
}

我使用变量ch是为了让用户可以选择是否插入元素,即YN
但是编译器基本上跳过了第三个scanf函数,即接受char的函数,以及while循环。
我只想知道为什么跳过scanf函数?

最佳答案

返回到上一个scanf,它是最后一个数组成员。

scanf("%d",&a[i])

在输入文件中输入:
32\n
^^

读取十进制数后,输入将在换行符之前等待。
在导致问题的scanf中:
scanf("%c", &ch);

它将读取输入中可用的换行符,这就是它在隐式执行后跳过该行的原因。
为了忽略空白,您只需在指定符“CC”之前添加空间,如在评论中所说的@星和@ WeeVeVAN。
scanf(" %c",&ch);

C99 7.19.6.2节
输入空白字符(由isspace函数指定)
被跳过,除非规范包含[、c或n
说明符250)

关于c - scanf函数不适用于字符,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42371712/

10-16 19:33