使用c语言写一个求数组最大值的函数,求10个整数的最大值(输入输出都在函数main内)
时间: 2024-09-14 15:13:54 浏览: 42
你可以使用C语言编写一个简单的函数来找出数组中的最大值。这里是一个示例:
```c
#include <stdio.h>
// 函数声明,接收一个整数数组和其长度作为参数
int findMax(int arr[], int size);
int main() {
// 定义一个包含10个整数的数组
int numbers[10] = {5, 12, 8, 20, 7, 9, 15, 4, 18, 6};
// 调用findMax函数并打印结果
int maxNum = findMax(numbers, sizeof(numbers) / sizeof(numbers[0]));
printf("The maximum value in the array is: %d\n", maxNum);
return 0;
}
// 实现findMax函数,返回给定数组中的最大值
int findMax(int arr[], int size) {
int max = arr[0]; // 假设第一个元素是最大值
// 遍历数组,如果发现比当前max大的元素,更新max
for (int i = 1; i < size; i++) {
if (arr[i] > max) {
max = arr[i];
}
}
return max;
}
```
在这个例子中,`findMax`函数接收一个整数数组和它的大小作为参数,遍历数组查找最大值,并在`main`函数中调用它并输出结果。
阅读全文