编写一个函数,统计任意一串字符中数字字符的个数,并在主函数中调用此函数
时间: 2024-09-13 17:14:18 浏览: 75
在Python中,你可以编写一个名为`count_digits`的函数来完成这个任务。这个函数会接收一个字符串作为输入,然后遍历整个字符串,只计算其中的数字字符。下面是函数的实现:
```python
def count_digits(s):
digit_count = 0
for char in s:
if char.isdigit(): # 判断字符是否为数字
digit_count += 1
return digit_count
# 主函数(main function)
def main():
input_string = input("请输入一串字符:")
num_of_digits = count_digits(input_string)
print(f"字符串 '{input_string}' 中的数字字符有 {num_of_digits} 个.")
if __name__ == "__main__":
main()
```
当你运行这个程序并输入字符串后,它将返回该字符串中数字字符的数量。
相关问题
设计一个子函数,统计任意一串字符中数字字符的个数,并在主函数中调用此函数
以下是一个示例代码,实现了统计数字字符个数的功能:
```python
def count_digits(string):
"""
统计字符串中数字字符的个数
"""
count = 0
for char in string:
if char.isdigit():
count += 1
return count
# 在主函数中调用 count_digits 函数
if __name__ == '__main__':
input_string = input('请输入一个字符串:')
digit_count = count_digits(input_string)
print('数字字符的个数为:', digit_count)
```
这个代码中,`count_digits` 函数接受一个字符串作为参数,使用 `for` 循环遍历字符串中的每个字符,如果字符是数字字符,则将计数器加一。最后返回计数器的值。
在主函数中,我们可以使用 `input` 函数获取用户输入的字符串,然后调用 `count_digits` 函数统计数字字符的个数,并打印输出结果。
c语言 设计一个子函数,统计任意一串字符中数字字符的个数,并在主函数中调用此函数
实现如下:
```c
#include <stdio.h>
int count_digits(char *str) {
int count = 0;
while (*str != '\0') {
if (*str >= '0' && *str <= '9') {
count++;
}
str++;
}
return count;
}
int main() {
char str[100];
printf("请输入任意一串字符:");
fgets(str, 100, stdin);
int count = count_digits(str);
printf("数字字符的个数为:%d\n", count);
return 0;
}
```
这段代码中,`count_digits` 函数用来统计字符串中数字字符的个数。在主函数中,我们先输入一串字符,然后调用 `count_digits` 函数进行统计,并输出结果。
阅读全文