编写带有函数的程序,函数fun功能是求出能整除x且不是偶数的各个整数,顺序存放在数组pp中,这些除数的个数通过形参返回。
时间: 2023-06-14 10:03:03 浏览: 105
下面是一个可能的实现,其中使用了动态内存分配来存储pp数组。
```c
#include <stdio.h>
#include <stdlib.h>
void fun(int x, int **pp, int *count) {
int i;
*count = 0;
*pp = NULL;
for (i = 1; i <= x; i++) {
if (x % i == 0 && i % 2 != 0) {
(*count)++;
*pp = (int *) realloc(*pp, *count * sizeof(int));
(*pp)[*count - 1] = i;
}
}
}
int main() {
int x = 24;
int *pp, count, i;
fun(x, &pp, &count);
printf("%d的能整除且不是偶数的整数有:\n", x);
for (i = 0; i < count; i++) {
printf("%d ", pp[i]);
}
printf("\n");
free(pp);
return 0;
}
```
在函数中,首先将count初始化为0,pp初始化为NULL。然后遍历1到x的所有整数,如果能整除x且不是偶数,就将该整数加入到pp数组中,同时将count加1。由于pp数组长度是动态变化的,因此使用realloc函数在每次添加元素时重新分配内存空间。最后,将pp数组和count返回给主函数。
主函数中,调用fun函数,并输出结果。最后,记得使用free函数释放动态分配的内存空间。
阅读全文