2.用C++完成两种排序算法:建立10000个随机整数数组,排序后输出排序结果。排序算法:选择排序,冒泡排序,插入排序,计数排序,基数排序,快速排序,归并排序,堆排序,桶排序,希尔排序,锦标赛排序
时间: 2024-05-06 16:15:51 浏览: 129
以下是用 C++ 实现的两种排序算法,选择排序和快速排序。建立一个包含10000个随机整数的数组,然后对其进行排序,最后输出排序结果。
选择排序:
```cpp
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
void selectionSort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
int min_idx = i;
for (int j = i + 1; j < n; j++) {
if (arr[j] < arr[min_idx]) {
min_idx = j;
}
}
swap(arr[i], arr[min_idx]);
}
}
int main() {
const int n = 10000;
int arr[n];
srand(time(NULL));
for (int i = 0; i < n; i++) {
arr[i] = rand() % 1000;
}
selectionSort(arr, n);
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
快速排序:
```cpp
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
int partition(int arr[], int low, int high) {
int pivot = arr[high];
int i = low - 1;
for (int j = low; j < high; j++) {
if (arr[j] < pivot) {
i++;
swap(arr[i], arr[j]);
}
}
swap(arr[i + 1], arr[high]);
return i + 1;
}
void quickSort(int arr[], int low, int high) {
if (low < high) {
int pi = partition(arr, low, high);
quickSort(arr, low, pi - 1);
quickSort(arr, pi + 1, high);
}
}
int main() {
const int n = 10000;
int arr[n];
srand(time(NULL));
for (int i = 0; i < n; i++) {
arr[i] = rand() % 1000;
}
quickSort(arr, 0, n - 1);
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
注意:以上代码是对随机生成的整数进行排序,如果是对其他类型的数据进行排序,则需要修改代码中的数据类型和比较方式。
阅读全文