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

Jinku Hu 2023年10月12日
  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 <fstream>
#include <iostream>
#include <limits>
#include <sstream>
#include <vector>

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

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 <fstream>
#include <iostream>
#include <limits>
#include <sstream>
#include <vector>

using std::cin;
using std::cout;
using std::endl;
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
作者: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

DelftStack.com 創辦人。Jinku 在機器人和汽車行業工作了8多年。他在自動測試、遠端測試及從耐久性測試中創建報告時磨練了自己的程式設計技能。他擁有電氣/ 電子工程背景,但他也擴展了自己的興趣到嵌入式電子、嵌入式程式設計以及前端和後端程式設計。

LinkedIn Facebook

相關文章 - C++ IO