C++ code:剩余串排列-LMLPHP

方法一:

一种直观的解是,先对第一个字串排序,然后逐个字符在第二个字串中搜索,把搜索不到的字符输出,就是所要的结果。

然而,算法库中有一个集合差运算set_difference,而且要求两个集合容器是已经排好序的。乍一看,好像是针对集合差运算来的。

C++ code:剩余串排列-LMLPHP

 #include<iostream>
#include<fstream>
#include<algorithm>
using namespace std; int main()
{
ifstream in("remainder.txt");
for (string s,t,u; in >> s >> t;u="")
{
sort(s.begin(), s.end());
sort(t.begin(), t.end());
set_difference(s.begin(),s.end(),t.begin(),t.end(),back_inserter(u));
cout << u << endl;
}
}

C++ code:剩余串排列-LMLPHP

C++ code:剩余串排列-LMLPHP

方法二:

然而注意到,对两个集合分别排序的代价是大的。事实上,t串无需排序,下面的解法,更高效:

 #include<iostream>
#include<fstream>
#include<algorithm>
using namespace std; int main()
{
ifstream in("remainder.txt");
for (string s,t; in >> s >> t;)
{
sort(s.begin(), s.end());
for (int i = ; i < s.length();++i)
if (t.find(s[i]) == string::npos) cout << s[i];
cout <<endl;
}
}

C++ code:剩余串排列-LMLPHP

C++ code:剩余串排列-LMLPHP

05-11 14:02