题目
将一串数字以空格间隔的方式输入,并以插入排序的方式进行升序排序,最后输出。
例如:
输入:1 3 44 2
输出:1 2 3 44
插入排序的基本思想:每一步将一个待排序的元素按照其值的大小插入到已排序序列的适当位置上,直到待排序元素插入完为止。
#include <iostream>
#include <sstream>
#include <string>
#include <vector>
using namespace std;
inline double stringTodouble(const string& s){
//用于将字符串转换为double实数
//因为要调用多次,将其置为内联函数
double d;
istringstream is(s);
is>>d;
return d;
}
void stringsplit(const string s,vector<double>& v){
string temp;
istringstream stream(s);
while(stream>>temp)
v.push_back(stringTodouble(temp));
}
void insertSort(vector<double>& V,int n){
//将当前移动的数从后面开始对比,逐步前移
int i,j;
for(i=1;i<n;i++){
j=i;
double temp=V[i];
while(j>0 && temp<V[j-1]){
V[j] = V[j-1]; //后移
j--;
}
V[j] = temp;
}
}
void printSort(const vector<double> v){
cout<<"排序后的结果是:";
for(int x=0;x<v.size();x++)
cout<<v[x]<<" ";
}
int main()
{
string str;
vector<double> v;
cout<<"输入数字进行插入排序:"<<endl;
getline(cin,str);
stringsplit(str,v); //将数从字符串分割后放入容器
insertSort(v,v.size()); //进行插入排序
printSort(v); //输出排序后的序列
cout<<endl;
return 0;
}