如何在 C++ 中确定一个字符串是否是数字
-
使用
std::isdigit
方法来确定一个字符串是否是一个数字 -
使用
std::isdigit
与std::rangles::all_of
来确定一个字符串是否是一个数字 -
使用
find_first_not_of
方法确定一个字符串是否是数字
本文介绍了如何检查给定的 C++ 字符串是否是数字。在我们深入研究之前,需要注意的是,以下方法只与单字节字符串和十进制整数兼容。
使用 std::isdigit
方法来确定一个字符串是否是一个数字
第一个版本可能是实现解决方案的最明显方式。也就是说,把一个字符串作为参数传给函数 isNumber
,它遍历字符串中的每一个字符,并用 isdigit
方法检查。当发现第一个非数字时,函数返回 false,如果没有发现则返回 true。
#include <iostream>
using std::cout;
using std::cin;
using std::endl
using std::string;
bool isNumber(const string& str)
{
for (char const &c : str) {
if (std::isdigit(c) == 0) return false;
}
return true;
}
int main(){
string str1 = "231524randstr23";
string str2 = "23152423";
string str3 = "a3152423";
isNumber(str1) ? cout << "Number\n" : cout << "Not number\n";
isNumber(str2) ? cout << "Number\n" : cout << "Not number\n";
isNumber(str3) ? cout << "Number\n" : cout << "Not number\n";
return EXIT_SUCCESS;
}
输出:
Not number
Number
Not number
请注意,我们通过 ? :
三元条件运算符来输出每个字符串的判决,这是 if-else
的一个简明变体。
使用 std::isdigit
与 std::rangles::all_of
来确定一个字符串是否是一个数字
前面的方法对于强大的 C++ 来说是很基础的,所以我们使用 C++20 的方法 std::ranges::all_of
和一些 lambda 表达式来实现一个更雄辩的解决方案。在我们的例子中,ranges::all_of
检查指定的 lambda 是否对给定范围 s.begin(), s.end()
中的每个元素都返回 true,如果条件满足则返回 true。
#include <iostream>
#include <algorithm>
using std::cout;
using std::cin;
using std::endl
using std::string;
bool isNumber(const string& s)
{
return std::ranges::all_of(s.begin(), s.end(),
[](char c){ return isdigit(c) != 0; });
}
int main(){
string str1 = "231524randstr23";
string str2 = "23152423";
string str3 = "a3152423";
isNumber(str1) ? cout << "Number\n" : cout << "Not number\n";
isNumber(str2) ? cout << "Number\n" : cout << "Not number\n";
isNumber(str3) ? cout << "Number\n" : cout << "Not number\n";
return EXIT_SUCCESS;
}
使用 find_first_not_of
方法确定一个字符串是否是数字
这个版本使用了一个内置的字符串搜索算法。该算法搜索与作为参数传递的字符串中没有的字符相同的第一个字符(在我们的例子中-"0123456789"
)。如果没有找到这个字符,则返回 string::npos
,因此我们返回 isNumber
的比较结果。
#include <iostream>
using std::cout;
using std::cin;
using std::endl
using std::string;
bool isNumber(const string& str)
{
return str.find_first_not_of("0123456789") == string::npos;
}
int main(){
string str1 = "231524randstr23";
string str2 = "23152423";
string str3 = "a3152423";
isNumber(str1) ? cout << "Number\n" : cout << "Not number\n";
isNumber(str2) ? cout << "Number\n" : cout << "Not number\n";
isNumber(str3) ? cout << "Number\n" : cout << "Not number\n";
return EXIT_SUCCESS;
}
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