请用c++编写一个插入排序与冒泡排序完整版,并且在一个完成在一个主函数中
时间: 2024-02-01 19:14:56 浏览: 62
冒泡排序的c++代码实现
以下是一个主函数中包含插入排序与冒泡排序的完整版代码:
```c++
#include <iostream>
using namespace std;
void insertion_sort(int arr[], int n) {
for (int i = 1; i < n; i++) {
int key = arr[i];
int j = i - 1;
while (j >= 0 && arr[j] > key) {
arr[j + 1] = arr[j];
j--;
}
arr[j + 1] = key;
}
}
void bubble_sort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int arr[] = {5, 2, 8, 3, 1, 9};
int n = sizeof(arr) / sizeof(arr[0]);
cout << "Before sorting:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
insertion_sort(arr, n);
cout << "After insertion sort:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
bubble_sort(arr, n);
cout << "After bubble sort:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
首先定义了插入排序和冒泡排序的函数。在主函数中,定义了一个数组,使用sizeof运算符获取数组的大小。然后输出排序前的数组,调用插入排序函数进行排序并输出结果,最后调用冒泡排序函数进行排序并输出结果。
阅读全文