用c++和gets函数输入长度不超过30的任意字符串,求其中数字字符(即 0~9 的字符)的个数。
时间: 2024-10-24 18:05:47 浏览: 18
在 C++ 中,你可以使用 `gets` 函数来获取用户输入的字符串,然后遍历这个字符串来计算其中包含的数字字符个数。但是需要注意的是,`gets` 已经在 C++11 标准之后被标记为危险函数,因为它可能导致缓冲区溢出,推荐使用更安全的 `std::getline` 或 `std::cin` 替代。
下面是一个简单的示例,使用了古老的 `gets` 函数,但请务必理解这可能会有潜在风险:
```cpp
#include <iostream>
int count_digits(const char* str) {
int count = 0;
while (*str != '\0') { // 遍历直到遇到字符串结束符
if (*str >= '0' && *str <= '9') { // 如果字符是数字
count++;
}
str++; // 移动到下一个字符
}
return count;
}
int main() {
char input[31]; // 储存最多30个字符加上结束符'\0'
std::cout << "请输入一个不超过30个字符的字符串: ";
gets(input); // 获取输入
int digit_count = count_digits(input);
std::cout << "该字符串中有 " << digit_count << " 个数字字符.\n";
return 0;
}
```
然而,在现代 C++ 实践中,你应该这样处理输入:
```cpp
#include <iostream>
#include <string>
int count_digits(const std::string& str) {
int count = 0;
for (char c : str) { // 使用范围for循环遍历字符串
if (isdigit(c)) { // 判断字符是否为数字
count++;
}
}
return count;
}
int main() {
std::string input;
std::cout << "请输入一个不超过30个字符的字符串: ";
std::getline(std::cin, input);
int digit_count = count_digits(input);
std::cout << "该字符串中有 " << digit_count << " 个数字字符.\n";
return 0;
}
```
阅读全文