链接:https://www.nowcoder.com/questionTerminal/d5d1a56491384b2486480730f78f6da2
来源:牛客网
给定一个字符串的数组strs,请找到一种拼接顺序,使得所有的字符串拼接起来组成的字符串是所有可能性中字典序最小的,并返回这个字符串。
输入描述:
输入包含多行,第一行包含一个整数n(1≤n≤105)( 1 \leq n \leq 10^5 )(1≤n≤105),代表字符串数组strs的长度,后面n行,每行一个字符串,代表strs[i](保证所有字符串长度都小于10)。
输出描述:
输出一行,包含一个字符串,代表返回的字典序最小的字符串。
示例1
输入
2
abc
de
输出
abcde
示例2
输入
2
b
ba
输出
bab
备注:
时间复杂度O(nlog2n)O(nlog_2n)O(nlog2n),额外空间复杂度O(1)O(1)O(1)。
思路:利用排序算法。
#include <iostream>
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
bool cmp(string& a,string& b)
{
return a + b < b + a;
}
int main()
{
int n;
cin >> n;
vector<string> vs;
for(int i = 0;i < n;i++)
{
string s;
cin >> s;
vs.push_back(s);
}
sort(vs.begin(),vs.end(),cmp);
for(int i = 0;i < n;i++)
{
cout << vs[i];
}
return 0;
}
另一种:手写排序。
#include<iostream>
#include<string>
#include<vector>
usingnamespacestd;
classPrior{
public:
string findSmallest(vector strs,intn)
{
QuickSort(strs,0,n-1);
string res;
for(inti=0;i
res+=strs[i];
return res;
}
void QuickSort(vector &strs,int low,int high)
{
if(low<high)
{
intres=Partition(strs,low,high);
QuickSort(strs,low,res-1);
QuickSort(strs,res+1,high);
}
}
int Partition(vector &strs,int low,int high)
{
string key=strs[low];
while(low<high)
{
while(low<high&<(key,strs[high]))
high--;
strs[low]=strs[high];
while(low<high&<(strs[low],key))
low++;
strs[high]=strs[low];
}
strs[low]=key;
return low;
}
bool LT(string s1,string s2)
{
string temp1=s1+s2,temp2=s2+s1;
if(temp1<=temp2)
return true;
else
return false;
}
};
int main()
{
stringa("abc"),b("de"),c("cab");
vector<string> arr;
arr.push_back(b);
arr.push_back(a);
arr.push_back(c);
Prior A;
string res=A.findSmallest(arr,3);
cout<<res;
return 0;
}