PROGRAMMERS-962 행성에 불시착한 우주비행사 머쓱이는 외계행성의 언어를 공부하려고 합니다. 알파벳이 담긴 배열 spell과 외계어 사전 dic이 매개변수로 주어집니다. spell에 담긴 알파벳을 한번씩만 모두 사용한 단어가 dic에 존재한다면 1, 존재하지 않는다면 2를 return하도록 solution 함수를 완성해주세요.
class Solution {
public int solution(String[] spell, String[] dic) {
int answer = 0;
return answer;
}
}
입출력 예 #1
입출력 예 #2
입출력 예 #3
유의사항
입출력 예 #3 에서 "moos", "smm", "som"도 "s", "o", "m", "d" 를 조합해 만들 수 있지만 spell의 원소를 모두 사용해야 하기 때문에 정답이 아닙니다.
class Solution {
public int solution(String[] spell, String[] dic) {
boolean wordCheck = false;
for (String word : dic) {
int count = 0;
for (String s : spell) {
if (word.contains(s)) {
count++;
}
}
// 한 단어에 spell의 각 문자가 여러개 들어갈 경우
if (count == spell.length) {
wordCheck = true;
break;
}
}
return wordCheck ? 1 : 2;
}
}
contains()
if (count == spell.length)
class Solution {
public int solution(String[] spell, String[] dic) {
int answer=0;
// dic의 길이만큼 for문을 돌린다
for (int i = 0; i < dic.length; i++) {
int check = 0; //확인용 변수
// spell의 길이만큼 for문을 돌린다
for (int j = 0; j < spell.length; j++) {
if (dic[i].indexOf(spell[j]) == -1) { // spell의 j번째 알파벳이 dic의 i번째 단어에 포함이 안 되어 있으면
check = -1;
answer = 2; // answer를 2로 초기화
break; // for문 즉시 종료
}
}
if (check == 0) {
answer = 1;
break;
}
}
return answer;
}
}
indexOf()