以指定字符(如“|”)结束输入流?

Ending an input stream with a specified character, such as '|'?

提问人:Johno987 提问时间:8/21/2020 更新时间:8/21/2020 访问量:243

问:

目前正在学习C++,新手。

我在以“|”字符结束输入时遇到问题,我的程序跳到末尾/末尾并且不允许进一步输入。我相信这是因为 std::cin 由于在期待 int 时输入字符而处于错误状态,所以我尝试使用 std::cin.clear() 和 std::cin.ignore() 来清除问题并允许程序的其余部分运行,但我似乎仍然无法破解它,任何建议都表示赞赏。

int main()
{
    std::vector<int> numbers{};
    int input{};
    char endWith{ '|' };

    std::cout << "please enter some integers and press " << endWith << " to stop!\n";
    while (std::cin >> input)
    {
        if (std::cin >> input)
        {
            numbers.push_back(input);
        }
        else
        {
            std::cin.clear();
            std::cin.ignore(std::numeric_limits<std::streamsize>::max());
        }
    }

然后将向量传递给函数以遍历 x 次并将每个元素添加到总数中,但程序总是跳过用户输入:

std::cout << "Enter the amount of integers you want to sum!\n";
    int x{};
    int total{};
    std::cin >> x;


    for (int i{ 0 }; i < x; ++i)
    {
        total += print[i];
    }

    std::cout << "The total of the first " << x << " numbers is " << total;

请帮忙!

C++ 输入 IOSTREAM

评论

1赞 David G. Pickett 8/21/2020
istream.getline() 有一个可选的分隔符字符:cplusplus.com/reference/istream/basic_istream/getline
0赞 Remy Lebeau 8/21/2020
std::cin.ignore(std::numeric_limits<std::streamsize>::max());应该是std::cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n');

答:

1赞 001 8/21/2020 #1

当使用输入“|”(或任何不是 ) 的东西,循环结束,循环内部的错误处理不会执行。只需将错误代码移动到循环外部即可。此外,您从两次读取,这将跳过每隔一次 int。intstdin

while (std::cin >> input) {
    numbers.push_back(input);
}
std::cin.clear();
std::cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n');

注意:如果要专门检查“|”,可以更改为如下所示:

while (true) {
    if (std::cin >> input) {
        numbers.push_back(input);
    }
    else {
        // Clear error state
        std::cin.clear();
        char c;
        // Read single char
        std::cin >> c;
        if (c == '|') break;
        // else what to do if it is not an int or "|"??
    }
}
std::cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n');