使用C编写程序用函数统计一个整数的位数。
时间: 2024-02-15 12:04:34 浏览: 83
统计一个整数的位数
5星 · 资源好评率100%
可以使用以下函数来统计一个整数的位数:
```c
#include <stdio.h>
int countDigits(int n) {
int count = 0;
while (n != 0) {
n /= 10;
++count;
}
return count;
}
int main() {
int n = 12345;
printf("The number of digits in %d is %d\n", n, countDigits(n));
return 0;
}
```
在上面的代码中,`countDigits()` 函数采用一个整数作为参数并返回它的位数。该函数使用一个循环来除以10并递增计数器直到输入参数为0。`main()` 函数为了演示目的而调用了 `countDigits()` 函数,并输出结果。
阅读全文