以下代码均在VS2017下调试通过
//sort.h 快排,用于数组内元素排序
#pragma once
#include<iostream>
using namespace std;
//快速排序的内部子表划分
template<typename T>
void partition(T* &array, int s, int t, T &cutpoint)
{
T x = array[s];
int i = s, j = t;
while (i != j)
{
while (i < j && array[j] > x)
j--;
if (i < j)
{
array[i] = array[j];
i++;
}
while (i < j && array[i] < x)
i++;
if (i < j)
{
array[j] = array[i];
j--;
}
}
array[i] = x;
cutpoint = i;
}
//快速排序
template<typename T>
void quick_sort(T* &array, int s, int t)
{
int i;
if (s < t)
{
partition(array, s, t, i = 0);
quick_sort(array, s, i - 1);
quick_sort(array, i + 1, t);
}
}
//Array.h 动态扩容数组类(模板)
#pragma once
#include<iostream>
#include<cmath>
#include"Sort.h"
using namespace std;
//动态扩容数组
template <class T>
class Array
{
pri