建立动态数组,输入5个学生的成绩,另外用一个函数检查其中有无低于 60分的,输出不合格的成绩 C语言
时间: 2024-03-18 19:40:47 浏览: 77
好的,以下是实现你要求的 C 代码:
```c
#include <stdio.h>
#include <stdlib.h>
void checkFailures(int *grades, int size);
int main() {
int *grades;
int size = 5;
// 分配动态数组
grades = (int*) malloc(size * sizeof(int));
// 输入学生成绩
printf("请输入5个学生的成绩:\n");
for (int i = 0; i < size; i++) {
printf("学生%d的成绩:", i + 1);
scanf("%d", &grades[i]);
}
// 检查是否有低于60分的成绩
checkFailures(grades, size);
// 释放动态数组
free(grades);
return 0;
}
void checkFailures(int *grades, int size) {
int hasFailure = 0;
printf("不合格的成绩:");
for (int i = 0; i < size; i++) {
if (grades[i] < 60) {
printf("%d ", grades[i]);
hasFailure = 1;
}
}
if (!hasFailure) {
printf("无");
}
printf("\n");
}
```
这段代码中,我们首先使用 `malloc` 函数分配了一个长度为 5 的动态数组,然后通过 `scanf` 函数循环读入学生成绩。接着,我们调用了 `checkFailures` 函数,该函数遍历数组,输出不合格的成绩。最后,我们释放了动态数组内存,避免内存泄漏。
阅读全文