스파이들은 매일 다른 옷을 조합하여 입어 자신을 위장합니다.
예를 들어 스파이가 가진 옷이 아래와 같고 오늘 스파이가 동그란 안경, 긴 코트, 파란색 티셔츠를 입었다면 다음날은 청바지를 추가로 입거나 동그란 안경 대신 검정 선글라스를 착용하거나 해야 합니다.
종류 | 이름 |
---|---|
얼굴 | 동그란 안경, 검정 선글라스 |
상의 | 파란색 티셔츠 |
하의 | 청바지 |
겉옷 | 긴 코트 |
스파이가 가진 의상들이 담긴 2차원 배열 clothes가 주어질 때 서로 다른 옷의 조합의 수를 return 하도록 solution 함수를 작성해주세요.
clothes | return |
---|---|
[[yellow_hat, headgear], [blue_sunglasses, eyewear], [green_turban, headgear]] | 5 |
[[crow_mask, face], [blue_sunglasses, face], [smoky_makeup, face]] | 3 |
clothes
를 차례로 탐색하며 HashMap에 CATEGORY
별 옷의 개수를 put한다.CATEGORY
의 옷 개수인 values()
의 값들에 1을 더해 모두 곱한 후 1을 뺀 값을 리턴한다.stream의 mapToInt
와 reduce
함수를 직접 쓰고 한 번 더 정리할 수 있는 기회였다. stream을 배우지 않았더라면 for문으로 하나씩 value를 불러와서 곱했을 텐데, 코드가 훨씬 깔끔해져서 기분이 좋다.
import java.util.HashMap;
import java.util.Map;
class Solution {
private static final int CATEGORY = 1;
public int solution(String[][] clothes) {
Map<String, Integer> collection = new HashMap<>();
for (String[] element : clothes)
collection.put(element[CATEGORY], collection.getOrDefault(element[CATEGORY], 0) + 1);
return collection.values().stream().mapToInt(value -> value + 1).reduce(1, (a, b) -> a * b) - 1;
}
}
마지막 연산을 stream을 사용하지 않고 구현했다가, 이전에 내가 쓴 코드를 보고 stream으로 바꿨다.
그리고 아직 많이 익숙하지는 않은 reduce()
에 대해 포스팅으로 정리했다.
import java.util.*;
class Solution {
public int solution(String[][] clothes) {
Map<String, Integer> counts = new HashMap<>();
for (String[] each : clothes) {
String category = each[1];
counts.put(category, counts.getOrDefault(category, 0) + 1);
}
return counts.values().stream()
.mapToInt(count -> count+1)
.reduce(1, (a,b) -> a*b) - 1;
}
}