用C语言指针写一个程序:编写函数int find(int *p,int n,int x),在指针p所指的数组中查找整型数x,如果x 在数组中,则该函数返回1,否则返回0。n为数组的大小。
时间: 2024-02-13 17:59:35 浏览: 77
好的,以下是程序的代码:
```c
#include <stdio.h>
int find(int *p, int n, int x) {
int i;
for(i = 0; i < n; i++) {
if(*(p + i) == x) {
return 1;
}
}
return 0;
}
int main() {
int arr[5] = {1, 2, 3, 4, 5};
int x = 3;
if(find(arr, 5, x)) {
printf("%d is found in the array.\n", x);
} else {
printf("%d is not found in the array.\n", x);
}
return 0;
}
```
在这个程序中,我们定义了一个 `find` 函数,该函数接受一个指向整型数组的指针 `p`,数组的大小 `n`,以及要查找的整数 `x`。在函数中,我们使用一个 `for` 循环来遍历整个数组,如果找到了要查找的整数 `x`,则返回1,否则返回0。
在 `main` 函数中,我们定义了一个长度为5的整型数组 `arr` 和要查找的整数 `x`。然后,我们调用 `find` 函数来查找 `x` 是否在数组 `arr` 中。如果 `find` 函数返回1,则打印 “x is found in the array.”,否则打印 “x is not found in the array.”。
阅读全文