coding test

[파이썬, Java] 위장

잔망루피 2021. 4. 23. 18:58

문제 설명

스파이들은 매일 다른 옷을 조합하여 입어 자신을 위장합니다.

예를 들어 스파이가 가진 옷이 아래와 같고 오늘 스파이가 동그란 안경, 긴 코트, 파란색 티셔츠를 입었다면 다음날은 청바지를 추가로 입거나 동그란 안경 대신 검정 선글라스를 착용하거나 해야 합니다.

 

종류이름

얼굴 동그란 안경, 검정 선글라스
상의 파란색 티셔츠
하의 청바지
겉옷 긴 코트

스파이가 가진 의상들이 담긴 2차원 배열 clothes가 주어질 때 서로 다른 옷의 조합의 수를 return 하도록 solution 함수를 작성해주세요.

 

제한사항

  • clothes의 각 행은 [의상의 이름, 의상의 종류]로 이루어져 있습니다.
  • 스파이가 가진 의상의 수는 1개 이상 30개 이하입니다.
  • 같은 이름을 가진 의상은 존재하지 않습니다.
  • clothes의 모든 원소는 문자열로 이루어져 있습니다.
  • 모든 문자열의 길이는 1 이상 20 이하인 자연수이고 알파벳 소문자 또는 '_' 로만 이루어져 있습니다.
  • 스파이는 하루에 최소 한 개의 의상은 입습니다.

 

입출력 예

clothes return
[["yellowhat", "headgear"], ["bluesunglasses", "eyewear"], ["green_turban", "headgear"]] 5
[["crowmask", "face"], ["bluesunglasses", "face"], ["smoky_makeup", "face"]] 3

 

입출력 예 설명

예제 #1
headgear에 해당하는 의상이 yellow_hat, green_turban이고 eyewear에 해당하는 의상이 blue_sunglasses이므로 아래와 같이 5개의 조합이 가능합니다.

1. yellow_hat 2. blue_sunglasses 3. green_turban 4. yellow_hat + blue_sunglasses 5. green_turban + blue_sunglasses

예제 #2
face에 해당하는 의상이 crow_mask, blue_sunglasses, smoky_makeup이므로 아래와 같이 3개의 조합이 가능합니다.

1. crow_mask 2. blue_sunglasses 3. smoky_makeup

출처

 

 

👉 나의 풀이

 

from collections import defaultdict

def solution(clothes) :
    dic=defaultdict(list)
    for c in clothes :
        dic[c[1]].append(c[0])
    
    ans=1
    for k in dic :
        ans*=len(dic[k])+1
    return ans-1

 

딕셔너리의 key=의상 종류, 값=의상의 이름이다.

옷을 안 입는 경우를 생각해서 각 의상의 갯수+1을 한다.

독립 사건이므로 *를 한다.

옷을 하나라도 입어야해서 하나도 안 입는 경우를 생각해 -1해준 값을 반환한다.

 

 

import java.util.*;
class Solution {
    public int solution(String[][] clothes) {
        int answer = 1;
        int cnt=0;
        Map <String, Integer> hash=new HashMap<>();
        // key : 의상의 종류, 값 : 갯수
        for(String[] clothe : clothes){
            if (hash.get(clothe[1])==null){
                hash.get(clothe[1]);
                hash.put(clothe[1], 1);
            }else{
                cnt=hash.get(clothe[1]);
                hash.put(clothe[1], cnt+1);
            }  
        }
        
        for(String key : hash.keySet()){
            cnt=hash.get(key)+1;
            answer*=cnt;
        }
        
        return answer-1;
    }
}

 

위 코드를 자바로 구현

해시에 의상 종류별 갯수를 담았다.

 

 

# 실패
from itertools import combinations

def solution(clothes):  # 의상 2차원 리스트=[의상의 이름, 의상의 종류]
    answer = 0
    dic=defaultdict(list)
    for c in clothes :
        dic[c[1]].append(c[0])  # key=의상의 종류, value=의상명
    print(dic)
    for i in range(1, len(dic)+1) :
        answer+=len(list(combinations(dic.values(), i)))
    return len(answer)   # 서로 다른 옷의 조합 수

 

조합을 써서 풀려고 했는데 좀 이상하네??

 

 

🙌 다른 사람 풀이

 

from collections import Counter
from functools import reduce

def solution(clothes):
    cnt=Counter([kind for name, kind in clothes])
    answer=reduce(lambda x, y : x*(y+1), cnt.values(), 1)-1
    return answer

 

Counter()로 key가 의상의 종류인 딕셔너리가 생성된다. value는 갯수다.

reduce()는 iterable의 값들을 function에 적용한다.

x는 쌓이는 값, y는 갱신되는 값이다.

의상종류+1을 모두 곱한다.

첫 번째 테케는 1*3

x=3, y=1 3*2

 

 

// https://sas-study.tistory.com/215
import java.util.HashMap;
import java.util.HashSet;
import java.util.Set;

class Solution {
    public int solution(String[][] clothes) {
        int answer = 1;
        HashMap<String, Integer> clothesMap=new HashMap<String, Integer>();
        
        for(int i=0; i<clothes.length; i++){
            clothesMap.put(clothes[i][1], clothesMap.getOrDefault(clothes[i][1], 0)+1);
        }
        
        Set<String> keySet=clothesMap.keySet();     // 의상 종류
        
        for(String key : keySet){
            answer*=clothesMap.get(key)+1;
        }
        
        return answer-1;
    }
}

 

Object getOrDefault(Object key, Object defaultValue)는 key의 값(객체) 반환.

key를 못찾으면 기본으로 지정된 defaultValue를 반환.

나는 이 부분을 if ~ else를 썼는데 앞으로 이걸 써야지.

 

 

// https://sas-study.tistory.com/215
import java.util.HashMap;
import java.util.Iterator;

class Solution {
    public int solution(String[][] clothes) {
        int answer = 1;
        HashMap<String, Integer> map=new HashMap<>();
        for(int i=0; i<clothes.length; i++){
            String key=clothes[i][1];
            if(!map.containsKey(key)){
                map.put(key, 1);
            }else{
                map.put(key, map.get(key)+1);
            }
        }
        Iterator<Integer> it=map.values().iterator();
        while(it.hasNext()){
            answer*=it.next().intValue()+1;
        }
        return answer-1;
    }
}

 

iterator를 사용해서 컬렉션에 저장된 요소를 읽을 수 있다.

hasNext()는 읽어 올 요소가 남아있으면 true를 반환.

Iterator를 선언할 때 타입을 명시해줘서 intValue()를 쓰지 않아도 문제 없음

 

 

 

문제 출처 💁‍♀️ 프로그래머스

반응형

'coding test' 카테고리의 다른 글

[파이썬] 음양 더하기  (0) 2021.04.27
[파이썬, Java] 신규 아이디 추천  (0) 2021.04.26
[파이썬, Java] 타겟 넘버  (0) 2021.04.23
[파이썬, Java] 모의고사  (0) 2021.04.23
[파이썬, Java] K번째수  (0) 2021.04.23