- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
- 22
- 23
- 24
- 25
- 26
- 27
- 28
- 29
- 30
- 31
- 32
- 33
- 34
- 35
- 36
- 37
- 38
- 39
- 40
- 41
- 42
java解法
- 解题思路
- 本题的任务是根据给定的 puzzleWords(谜题词)和 dictionaryWords(字典词),对每个谜题词寻找与其匹配的字典词。如果一个字典词和谜题词有相同的字符(忽略字符顺序和重复),则认为这个字典词与谜题词匹配。对于每个谜题词,若找到匹配的字典词,则输出该字典词;如果找不到匹配的字典词,则输出 “not found”。
解题步骤:
输入处理:
先读取谜题词 puzzleWords 和字典词 dictionaryWords。
将它们分别拆分为字符串数组,进行后续处理。
匹配规则:
对于每个谜题词,创建一个字符集合 puzzleSet,这个集合包含该词的唯一字符。
然后遍历字典中的每个词,检查该词的字符集合是否与当前谜题词的字符集合相同。
如果匹配,直接返回该字典词。如果遍历完字典词没有找到匹配,则返回 “not found”。
字符集合的使用:
使用 Set 来存储字符,因为集合自动去重,并且无序,使得我们可以忽略字符的顺序和重复。
输出结果:
如果找到匹配的字典词,将其添加到结果列表 matchedWords 中。
如果找不到匹配,添加 “not found”。
最终将所有结果通过逗号连接成字符串并返回。
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
String[] puzzleWords = scanner.nextLine().split(",");
String[] dictionaryWords = scanner.nextLine().split(",");
System.out.println(matchWordsBySet(puzzleWords, dictionaryWords));
}
public static String matchWordsBySet(String[] puzzleWords, String[] dictionaryWords) {
List<String> matchedWords = new ArrayList<>();
for (String puzzle : puzzleWords) {
boolean isMatched = false;
Set<Character> puzzleSet = getUniqueChars(puzzle);
for (String word : dictionaryWords) {
if (puzzleSet.equals(getUniqueChars(word))) {
matchedWords.add(word);
isMatched = true;
break;
}
}
if (!isMatched) {
matchedWords.add("not found");
}
}
return String.join(",", matchedWords);
}
public static Set<Character> getUniqueChars(String word) {
Set<Character> charSet = new HashSet<>();
for (char c : word.toCharArray()) {
charSet.add(c);
}
return charSet;
}
}
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
评论记录:
回复评论: