在 C++ 中使用 ignore()函数

Jinku Hu 2023年1月30日 2020年12月19日
  1. 使用 ignore() 函数丢弃不需要的命令行用户输入
  2. 使用 ignore 函数在 C++ 中提取用户输入的首字母
在 C++ 中使用 ignore()函数

本文将介绍几种在 C++ 中使用 ignore() 函数的方法。

使用 ignore() 函数丢弃不需要的命令行用户输入

ignore() 函数是 std::basic_istream 的成员函数,被不同的输入流类继承。该函数丢弃流中的字符,直到给定的分隔符,包括在内,然后提取流的剩余部分。

ignore 有两个参数;第一个是要提取的字符数,第二个是定界符。

下面的例子展示了如何在 cin 对象上调用 ignore 函数,以仅存储 3 个数字,并丢弃任何其他用户输入。注意,我们使用 numeric_limits<std::streamsize>::max() 作为 ignore 函数的第一个参数来强制执行特殊情况,并禁用字符数参数。

#include <iostream>
#include <sstream>
#include <limits>
#include <vector>
#include <fstream>

using std::cout; using std::endl;
using std::cin; using std::numeric_limits;
using std::string; using std::istringstream;

int main()
{
    while(true){
        int i1, i2, i3;
        cout << "Type space separated numbers: " << endl;
        cin >> i1 >> i2 >> i3;
        if (i1 == 0) exit(EXIT_SUCCESS);
        cin.ignore(numeric_limits<std::streamsize>::max(), '\n');
        cout << i1 << "; " << i2 << "; " << i3 << endl;
    }
    return EXIT_SUCCESS;
}

输出:

Type space separated numbers:
238 389 090 2232 89
238; 389; 90

使用 ignore 函数在 C++ 中提取用户输入的首字母

使用 ignore 函数的一种常见方法是寻找输入流到所需的定界符,并只提取需要的字符。

在下面的代码示例中,对用户输入进行了解析,以便只提取空格分隔字符串的首字母。请注意,我们两次使用 cin.get 从流中提取一个字符,但 cin.ignore 语句确保在它们之间的每一个字符之前和包括下一个空格都被丢弃。

#include <iostream>
#include <sstream>
#include <limits>
#include <vector>
#include <fstream>

using std::cout; using std::endl;
using std::cin; using std::numeric_limits;
using std::string; using std::vector;

int main()
{
    char name, surname;
    cout << "Type your name and surname: " << endl;
    name = cin.get();
    cin.ignore(numeric_limits<std::streamsize>::max(), ' ');
    surname = cin.get();

    cout << "Your initials are: "<< name << surname << endl;

    return EXIT_SUCCESS;
}

输出:

Type your name and surname:
Tim Cook
Your initials are: TM
Author: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn

相关文章 - C++ IO