c++主函数定义数组,自定义函数实现数组的输入、输出、排序、插入
时间: 2023-08-03 08:03:28 浏览: 109
C++ 手把手教你实现可变长的数组实现
下面是一个示例代码:
```
#include <iostream>
using namespace std;
const int MAX_SIZE = 100;
void inputArray(int arr[], int size){
cout << "请输入" << size << "个整数:" << endl;
for(int i=0; i<size; i++){
cin >> arr[i];
}
}
void outputArray(int arr[], int size){
cout << "数组元素为:";
for(int i=0; i<size; i++){
cout << arr[i] << " ";
}
cout << endl;
}
void sortArray(int arr[], int size){
for(int i=0; i<size-1; i++){
for(int j=0; j<size-i-1; j++){
if(arr[j] > arr[j+1]){
int temp = arr[j];
arr[j] = arr[j+1];
arr[j+1] = temp;
}
}
}
cout << "排序完成!" << endl;
}
void insertArray(int arr[], int size, int pos, int value){
if(pos < 0 || pos >= size){
cout << "插入位置不合法!" << endl;
return;
}
for(int i=size-1; i>pos; i--){
arr[i] = arr[i-1];
}
arr[pos] = value;
cout << "插入完成!" << endl;
}
int main(){
int arr[MAX_SIZE];
int size;
cout << "请输入数组大小:";
cin >> size;
inputArray(arr, size);
outputArray(arr, size);
sortArray(arr, size);
outputArray(arr, size);
int pos, value;
cout << "请输入要插入的位置和值:";
cin >> pos >> value;
insertArray(arr, size, pos, value);
outputArray(arr, size+1);
return 0;
}
```
这个示例中,我们定义了一个长度为 `MAX_SIZE` 的数组 `arr`,然后在 `main` 函数中调用了自定义的函数 `inputArray`、`outputArray`、`sortArray` 和 `insertArray`,分别实现了数组的输入、输出、排序和插入功能。
其中,`inputArray` 函数用于从标准输入流中读取 `size` 个整数存入数组中。`outputArray` 函数用于将数组中的元素输出到标准输出流中。`sortArray` 函数实现了冒泡排序算法,将数组中的元素按从小到大的顺序排列。`insertArray` 函数用于在数组的第 `pos` 个位置插入一个值为 `value` 的元素。如果插入位置不合法,函数会输出错误信息并返回。
在 `main` 函数中,我们先读取了数组的大小,然后调用 `inputArray` 函数输入数组元素,并调用 `outputArray` 函数输出数组元素。接着调用 `sortArray` 函数对数组进行排序,并再次调用 `outputArray` 函数输出排序后的数组元素。最后,我们从标准输入流中读取要插入的位置和值,并调用 `insertArray` 函数在数组中插入元素,最终再次调用 `outputArray` 函数输出新的数组元素。
阅读全文