如何在 C++ 中從字串中解析整數

Jinku Hu 2023年10月12日
  1. 使用 std::stoi 函式從字串中解析出 int
  2. 使用 std::from_chars 函式從字串中解析整型數字
如何在 C++ 中從字串中解析整數

本文將介紹幾種在 C++ 中從字串中解析整型數字的方法。

使用 std::stoi 函式從字串中解析出 int

stoi 函式是 string 標頭檔案中定義的字串庫的一部分,它可以用來將字串值轉換為不同的數字型別。std::stoi, std::stolstd::stoll 用於有符號整數轉換。stoi 函式將一個 string 物件作為強制引數,但程式設計師也可以指定儲存整數的地址和處理輸入字串的數基。

下面的例子演示了 stoi 函式的多種用例。請注意,stoi 可以處理字串中的前導空格,但任何其他字元都會導致 std::invalid_argument 異常。

#include <charconv>
#include <iostream>
#include <string>

using std::cin;
using std::cout;
using std::endl;
using std::stoi;
using std::string;

int main() {
  string s1 = "333";
  string s2 = "-333";
  string s3 = "333xio";
  string s4 = "01011101";
  string s5 = "    333";
  string s6 = "0x33";

  int num1, num2, num3, num4, num5, num6;

  num1 = stoi(s1);
  num2 = stoi(s2);
  num3 = stoi(s3);
  num4 = stoi(s4, nullptr, 2);
  num5 = stoi(s5);
  num6 = stoi(s6, nullptr, 16);

  cout << "num1: " << num1 << " | num2: " << num2 << endl;
  cout << "num3: " << num3 << " | num4: " << num4 << endl;
  cout << "num5: " << num5 << " | num6: " << num6 << endl;

  return EXIT_SUCCESS;
}

輸出:

num1: 333 | num2: -333
num3: 333 | num4: 93
num5: 333 | num6: 51

使用 std::from_chars 函式從字串中解析整型數字

作為一種替代方法,實用程式庫中的 from_chars 函式可以解析 int 值。自 C++17 版本以來,它一直是標準庫的一部分,並在 <charconv> 標頭檔案中定義。

stoi 大不相同的是,from_chars 對字元的範圍進行操作,不知道物件的長度和邊界。因此,程式設計師應該指定範圍的開始和結束作為前兩個引數。第三個引數是 int 變數,轉換後的值將分配給它。

不過請注意,from_chars 只能處理輸入字串中的前導 - 號;因此在下面的例子中,它列印出 num5num6 的垃圾值。

#include <charconv>
#include <iostream>
#include <string>

using std::cin;
using std::cout;
using std::endl;
using std::from_chars;
using std::stoi;
using std::string;

int main() {
  string s1 = "333";
  string s2 = "-333";
  string s3 = "333xio";
  string s4 = "01011101";
  string s5 = "    333";
  string s6 = "0x33";

  int num1, num2, num3, num4, num5, num6;

  from_chars(s1.c_str(), s1.c_str() + s1.length(), num1);
  from_chars(s2.c_str(), s2.c_str() + s2.length(), num2);
  from_chars(s3.c_str(), s3.c_str() + s3.length(), num3);
  from_chars(s4.c_str(), s4.c_str() + s4.length(), num4, 2);
  from_chars(s5.c_str(), s5.c_str() + s5.length(), num5);
  from_chars(s6.c_str(), s6.c_str() + s6.length(), num6);

  cout << "num1: " << num1 << " | num2: " << num2 << endl;
  cout << "num3: " << num3 << " | num4: " << num4 << endl;
  cout << "num5: " << num5 << " | num6: " << num6 << endl;

  return EXIT_SUCCESS;
}

輸出:

num1: 333 | num2: -333
num3: 333 | num4: 93
num5: -1858679306 | num6: 0
作者: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

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

LinkedIn Facebook

相關文章 - C++ Integer