编写一个函数,接收一个字符串,统计其中数字字符个数及字母字符个数。函数原型为:void fun(const char *str, int* char_N, int* letter_N);
时间: 2023-12-03 21:44:16 浏览: 244
以下是函数的实现代码:
```c++
void fun(const char *str, int* char_N, int* letter_N) {
*char_N = 0;
*letter_N = 0;
for (int i = 0; str[i] != '\0'; i++) {
if (isdigit(str[i])) {
(*char_N)++;
}
else if (isalpha(str[i])) {
(*letter_N)++;
}
}
}
```
函数中使用了指针来获取统计结果,将数字字符个数存储在`char_N`指针指向的变量中,将字母字符个数存储在`letter_N`指针指向的变量中。在函数内部使用循环遍历字符串中的每个字符,当字符是数字字符时,数字字符个数加一;当字符是字母字符时,字母字符个数加一。
使用示例:
```c++
#include <iostream>
#include <cstring>
using namespace std;
void fun(const char *str, int* char_N, int* letter_N);
int main() {
const char *str = "Hello, 123!";
int char_N, letter_N;
fun(str, &char_N, &letter_N);
cout << "字符中数字字符个数:" << char_N << endl;
cout << "字符中字母字符个数:" << letter_N << endl;
return 0;
}
void fun(const char *str, int* char_N, int* letter_N) {
*char_N = 0;
*letter_N = 0;
for (int i = 0; str[i] != '\0'; i++) {
if (isdigit(str[i])) {
(*char_N)++;
}
else if (isalpha(str[i])) {
(*letter_N)++;
}
}
}
```
输出结果:
```
字符中数字字符个数:3
字符中字母字符个数:8
```
阅读全文