判断字符串是否为数字c++
时间: 2023-12-06 21:36:19 浏览: 264
以下是使用C++判断字符串是否为数字的代码示例:
```cpp
#include <iostream>
#include <string>
#include <cctype>
using namespace std;
bool isNumber(string str) {
int len = str.length();
for (int i = 0; i < len; i++) {
if (!isdigit(str[i])) {
return false;
}
}
return true;
}
int main() {
string str;
cin >> str;
if (isNumber(str)) {
cout << "是数字" << endl;
} else {
cout << "不是数字" << endl;
}
return 0;
}
```
该程序定义了一个名为isNumber的函数,该函数接受一个字符串参数并返回一个布尔值,指示该字符串是否为数字。该函数使用isdigit函数检查字符串中的每个字符是否为数字。如果所有字符都是数字,则返回true,否则返回false。
相关问题
c++判断字符串是否为数字
可以使用C++11中的std::isdigit函数来判断一个字符是否为数字,可以遍历字符串中的每个字符并判断是否为数字。以下是一个示例代码:
```c++
#include <iostream>
#include <string>
int main() {
std::string str = "12345";
bool isNumber = true;
for (char c : str) {
if (!std::isdigit(c)) {
isNumber = false;
break;
}
}
if (isNumber) {
std::cout << "The string is a number." << std::endl;
} else {
std::cout << "The string is not a number." << std::endl;
}
return 0;
}
```
在上面的代码中,我们首先声明一个字符串类型的变量str,然后通过遍历字符串中的每个字符,使用std::isdigit函数来判断是否为数字。如果所有字符都是数字,则将isNumber变量设置为true,否则设置为false。最后根据isNumber的值输出相应的结果。
C++判断字符串是否为数字
可以使用C++11中的std::stoi函数来判断字符串是否为数字。如果字符串不是数字,则会抛出std::invalid_argument异常。以下是一个示例代码:
```c++
#include <iostream>
#include <string>
int main() {
std::string str = "1234";
try {
int num = std::stoi(str);
std::cout << "The string is a number: " << num << std::endl;
} catch (const std::invalid_argument& e) {
std::cout << "The string is not a number." << std::endl;
}
return 0;
}
```
阅读全文