UVA10391 Compound Words 复合词 解题报告
题目链接
https://vjudge.net/problem/UVA-10391
题目大意
给出一个词典,找出所有的复合词,即恰好有两个单词连接而成的单词。输入每行都是一个由小写字母组成的单词。输入已按照字典序从小到大排序,且不超过120000个单词。输出所有复合词,按照字典序从小到大排列。
解题思路
因为涉及查找效率,所以我们使用set对字符串进行存储,然后我们遍历set中的所有字符串,对于每个字符串s,我们枚举分割位置j,使用substr()方法将字符串s分割为左右两个子串,判断左右两个子串是不是都在set中即可。
代码
cpp
#include <bits/stdc++.h>
using namespace std;
using ll = long long;
using ull = unsigned long long;
using ld = long double;
#define endl '\n';
const int maxn = 1e3 + 10;
const int INF = 0x3fffffff;
const int mod = 1e9 + 7;
void solve() {
set<string> words;
string str;
while (cin >> str)
words.insert(str);
for (const auto& s : words) {
for (int j = 1; j < s.size(); j++) {
string left = s.substr(0, j);
if (words.count(left)) {
string right = s.substr(j);
if (words.count(right)) {
cout << s << endl;
break;
}
}
}
}
}
int main() {
ios::sync_with_stdio(false);
cin.tie(0);
cout.tie(0);
cout << fixed;
cout.precision(18);
solve();
return 0;
}