执行 while 循环错误信息(身份错误)

Do while loop error message (identity error)

我正在尝试使用此代码提示用户提供一个数字,并设置答案应介于 1 和 23(含)之间的条件。但是,当我尝试使用 do-while 循环时,它似乎会返回一个我不熟悉的错误。

我的代码:

#include "stdio.h"
#include "cs50.h"
int n;
do
{
    n = get_int("Enter a number: ");
}
while (n < 0 || n > 23);

错误:

hello.c:5:1: error: expected identifier or '{'
do
^
hello.c:10:1: error: expected identifier or '{'
while (n < 0 || n > 23);
^

你的问题不是循环语法错误。问题是你没有把它放在任何函数中,所以编译器没有预料到那个上下文中的循环。 int n; 在函数外有效,这就是循环开始时发生错误的原因。尝试这样的事情:

#include "stdio.h"
#include "cs50.h"

int main(int argc, char **argv)
{
    // the program starts here; "main" is the function that is run when the program is started
    int n;
    do {
        n = get_int("Enter a number: ");
    }
    while (n < 0 || n > 23);
    // TODO: do something useful with the input
    return 0; // The convention is that returning 0 means that everything went right
}

请注意代码现在如何位于 main 函数中,而不是单独放在那里。