输入10个整数存放在1维数组中求数组元素中最大值 用c语言
时间: 2024-09-06 20:00:58 浏览: 47
在 C 语言中,你可以通过遍历数组的方式来找出数组中最大的值。下面是一个简单的示例程序:
```c
#include <stdio.h>
int findMax(int arr[], int n) {
// 初始化最大值为数组的第一个元素
int max = arr[0];
// 遍历数组从第二个元素开始
for (int i = 1; i < n; i++) {
// 如果当前元素大于已知的最大值,则更新最大值
if (arr[i] > max) {
max = arr[i];
}
}
return max;
}
int main() {
int array[] = {5, 10, -3, 8, 2, 9, -6, 1, 7, 4}; // 输入的10个整数
int size = sizeof(array) / sizeof(array[0]); // 数组长度
int max_value = findMax(array, size);
printf("数组中的最大值是: %d\n", max_value);
return 0;
}
```
在这个程序中,`findMax` 函数接受一个整型数组 `arr` 和它的大小 `n`,然后通过循环逐个比较元素,找到并返回数组中的最大值。在 `main` 函数中,我们创建了一个包含10个整数的数组,并调用了这个函数。
相关问题
C语言:输入十个整数 求一维数组中元素的最大值,用指针来写
好的,我可以为您解答这个问题。
您可以采用以下代码来通过指针来解决这个问题:
```C
#include <stdio.h>
void findMax(int *arr, int n) {
int max = *arr;
for (int i = 1; i < n; i++) {
if (*(arr + i) > max) {
max = *(arr + i);
}
}
printf("数组中的最大值是:%d", max);
}
int main() {
int arr[10];
printf("请输入十个整数:\n");
for (int i = 0; i < 10; i++) {
scanf("%d", &arr[i]);
}
// 调用函数来查找数组中的最大值
findMax(arr, 10);
return 0;
}
```
这个代码中,我们定义了一个 `findMax` 函数,它接收一个数组和数组的长度作为参数,然后通过循环遍历数组来找到其中的最大值。在主函数中,我们首先先读取十个整数,并将它们存储到一个数组中,然后调用 `findMax` 函数来查找这个数组中的最大值,最后输出这个最大值。
希望这个代码对您有所帮助!
c语言输入15个整数放到一维数组,输出该数组的最大值它的下标,与数组中第一
在C语言中,你可以通过以下步骤来实现这个功能:
1. **输入15个整数到一维数组**:
```c
#include <stdio.h>
#define SIZE 15 // 定义数组长度
int main() {
int array[SIZE]; // 创建一个可以存储15个整数的一维数组
for (int i = 0; i < SIZE; i++) {
printf("请输入第 %d 个整数: ", i + 1);
scanf("%d", &array[i]);
}
}
```
这会提示用户依次输入15个整数。
2. **查找并输出最大值及其下标**:
```c
int max_value = array[0]; // 假设第一个元素是最小的
int max_index = 0; // 初始化最大值的下标
for (int i = 1; i < SIZE; i++) { // 遍历数组从第二个元素开始
if (array[i] > max_value) { // 如果当前元素大于已知的最大值
max_value = array[i]; // 更新最大值
max_index = i; // 更新最大值的下标
}
}
printf("数组中的最大值是 %d,其下标为 %d.\n", max_value, max_index);
}
```
这里遍历整个数组,如果找到更大的数值就更新`max_value`和`max_index`。
阅读全文