我正在尝试为比赛实施代码,以查找所有输入字符串中的公共字符数。
我跳过了输入格式,但是时间限制为0.5秒,因此我尝试编写最佳代码。 我所遵循的方法是,在输入时,我以最小长度标记字符串以供以后遍历。然后,我遍历该字符串以提取每个字符并检查它是否在所有字符串中。一旦检查完字符,便从所有字符串中将其删除以节省时间。
#include<iostream>
#include<bits/stdc++.h>
#include<string>
using namespace std;
string s[205];
int t,len=0,n,k,count1,count2;
char a;
int main()
{
cin>>t;
while(t--)
{
cin>>n;
len=0;
count1=0;
count2=0;
k=0;
for(int i=0;i<n;++i)
{
cin>>s[i];
if(i==0)
{
len = s[i].length();
}
else
{
if(s[i].length()<len)
{
len = s[i].length(); //Finding string with min length
k = i;
}
}
}
for(int i=0;i<s[k].length();++i)
{
count1 = 0;
a = s[k][i];
for(int j=0;j<n;++j)
{
auto found = s[j].find(a);
if(found==std::string::npos) //checking each character in all strings
break;
else
count1++;
}
if(count1==n) //If char is in all strings
{
count2++;
}
for(int j=0;j<n;++j)
{
if(s[j].find(a)!=std::string::npos)
{
s[j].erase(std::remove(s[j].begin(), s[j].end(), a), s[j].end()); //removing checked character from all strings
}
}
}
cout<<count2<<"\n"; //number of common characters
}
return 0;
}
该代码运行了几个测试用例,但大多数失败。请让我知道代码中是否存在逻辑缺陷。
答案 0 :(得分:0)
我建议使用其他方法。首先为每个字符串创建一个映射。计算每个字符的数量。总结所有最小值。
例如:
s1 =“ abcaa” => map1 = {'a':3,'b':1,'c':1}, s2 =“ ababc” => map2 = {'a':2,'b':2,'c':1}
=> 2 +1 +1个普通字符。
由于可以将char转换为int,因此可以使用数组而不是map。
如果您不希望计算重复次数,则可以使用集合代替地图。
s1 =“ abcaad” => map1 = {'a','b','c','d'}, s2 =“ ababce” => map2 = {'a','b','c','e'}
使用std::set_intersect,您可以确定常用字符。
#include <algorithm>
#include <iostream>
#include <set>
#include <string>
int main() {
unsigned int t;
std::cin >> t;
while (t--) {
unsigned int n;
std::cin >> n;
std::string temp;
std::cin >> temp;
std::set<char> intersect(temp.begin(), temp.end());
while (--n) {
std::cin >> temp;
std::set<char> tempSet(temp.begin(), temp.end());
std::set<char> newSet;
std::set_intersection(tempSet.begin(), tempSet.end(), intersect.begin(), intersect.end(), std::inserter(newSet, newSet.begin()));
intersect = newSet;
}
for (const auto c : intersect) {
std::cout << c;
}
std::cout << std::endl;
}
return 0;
}