已知dat1.dat存放了一系列整型数据。 要求: 1)用dat1.dat中的前100个数据给数组int a[100]赋值,并在屏幕上输出(每行10个元素)。 2)使用函数 double isaver(int *p,int num) { } 求数组a中所有数组元素平均值。 3)把该函数放在头文件ISaver.h中以便在主函数中调用该函数。把所有小于平均值的数组元素(每行10个元素)和小于平均值的数组元素个数输出出来。(在屏幕上和数据文件
时间: 2023-06-17 20:06:08 浏览: 114
ISaver.h头文件内容如下:
```c++
#ifndef ISaver_h
#define ISaver_h
double isaver(int *p, int num);
#endif /* ISaver_h */
```
代码实现如下:
```c++
#include <iostream>
#include <fstream>
#include "ISaver.h"
using namespace std;
int main() {
int a[100];
ifstream fin("dat1.dat", ios::in | ios::binary);
if (!fin) {
cout << "文件打开失败!" << endl;
return 1;
}
fin.read((char*)a, 100 * sizeof(int));
for (int i = 0; i < 100; i++) {
cout << a[i] << " ";
if ((i+1) % 10 == 0) {
cout << endl;
}
}
fin.close();
cout << endl;
double avg = isaver(a, 100);
cout << "平均值为:" << avg << endl;
int cnt = 0;
ofstream fout("output.dat", ios::out | ios::binary);
for (int i = 0; i < 100; i++) {
if (a[i] < avg) {
fout.write((char*)&a[i], sizeof(int));
cout << a[i] << " ";
cnt++;
if (cnt % 10 == 0) {
cout << endl;
}
}
}
fout.close();
cout << endl << "小于平均值的元素个数为:" << cnt << endl;
return 0;
}
double isaver(int *p, int num) {
double sum = 0;
for (int i = 0; i < num; i++) {
sum += p[i];
}
return sum / num;
}
```
其中,isaver函数用于求平均值,将小于平均值的元素输出到文件中,并返回平均值。在主函数中,首先读取dat1.dat中的前100个整数,然后调用isaver函数求平均值,并将小于平均值的元素输出到output.dat文件中,并在屏幕上输出小于平均值的元素个数。注意,文件的读取和写入都需要使用二进制方式打开文件。
阅读全文