[프로그래머스] 가장 많이 받은 선물

2400·2024년 2월 17일
0

선물을 직접 전하기 힘들 때 카카오톡 선물하기 기능을 이용해 축하 선물을 보낼 수 있습니다. 당신의 친구들이 이번 달까지 선물을 주고받은 기록을 바탕으로 다음 달에 누가 선물을 많이 받을지 예측하려고 합니다.

두 사람이 선물을 주고받은 기록이 있다면, 이번 달까지 두 사람 사이에 더 많은 선물을 준 사람이 다음 달에 선물을 하나 받습니다. --- (1)

예를 들어 A가 B에게 선물을 5번 줬고, B가 A에게 선물을 3번 줬다면 다음 달엔 A가 B에게 선물을 하나 받습니다.

두 사람이 선물을 주고받은 기록이 하나도 없거나 주고받은 수가 같다면, 선물 지수가 더 큰 사람이 선물 지수가 더 작은 사람에게 선물을 하나 받습니다. --- (2)

선물 지수는 이번 달까지 자신이 친구들에게 준 선물의 수에서 받은 선물의 수를 뺀 값입니다.
예를 들어 A가 친구들에게 준 선물이 3개고 받은 선물이 10개라면 A의 선물 지수는 -7입니다. B가 친구들에게 준 선물이 3개고 받은 선물이 2개라면 B의 선물 지수는 1입니다. 만약 A와 B가 선물을 주고받은 적이 없거나 정확히 같은 수로 선물을 주고받았다면, 다음 달엔 B가 A에게 선물을 하나 받습니다.

만약 두 사람의 선물 지수도 같다면 다음 달에 선물을 주고받지 않습니다. --- (3)
위에서 설명한 규칙대로 다음 달에 선물을 주고받을 때, 당신은 선물을 가장 많이 받을 친구가 받을 선물의 수를 알고 싶습니다.

친구들의 이름을 담은 1차원 문자열 배열 friends 이번 달까지 친구들이 주고받은 선물 기록을 담은 1차원 문자열 배열 gifts가 매개변수로 주어집니다. 이때, 다음달에 가장 많은 선물을 받는 친구가 받을 선물의 수를 return 하도록 solution 함수를 완성해 주세요.

======================================================================

문제를 풀기 위해서 필요한 지식

  • dic 을 value 값 기준 정렬하는 방법
  • dict(sorted(next_month_predict.items(), key=lambda item: item[1])[::-1])

======================================================================

문제를 보고서 들었던 해결 아이디어

  • SQL 로 선물 이력을 쿼리 결과를 얻었을때
  • row로써 | giver | getter | 가 있다고 해보자.

giver, getter 가 있다면,

  • groupBy('giver','getter').agg(COUNT) 를 통해서 둘 중에 누가 선물을 받을지 1차적으로 계산이 된다.
  • friend_permu_give_cnt

선물 지수 ( give_index ) 의 경우

  • giver 기준, 선물 준 횟수
  • getter 기준, 선물 받은 횟수
  • groupBy.agg(COUNT) 로 두개의 TABLE 을 구해서 유저별 지수를 산출 할 수 있을 것으로 생각했다.

이렇게 풀면 되지만, 해당 문제의 경우 python 으로 구현해야 한다.
giver 와 getter가 구분되므로 두 사람의 조합이 아닌 순열을 구해야 한다.
순서에 의미가 있기 때문이다. 첫 순서 : giver , 뒷 순서 : getter

  • friend_permu_give_cnt
  • dic 생성 후, 0 값으로 초기화 진행
  • 이후 gifts 배열에 따라서 +1 씩 해줘서 누가 누구에게 몇 번 선물했는지 집계한다.

이후 예외처리를 위한 gift_index 를 구해야 한다.

  • friend_permu_give_cnt 의 값을 조회하여 +/- 계산에 앞서
  • 유저별 지수 값을 0으로 초기화 해준 후,
  • friend_permu_give_cnt 값 기반으로
  • giver의 경우 선물한 총 횟수 합을 더해주고,
  • getter의 경우 선물받은 총 횟수 합을 빼주는 연산을 진행한다.

마지막으로 누가 다음 달에 선물을 가장 많이 받을지 예측해야 한다.

  • next_month_predict
  • 이 경우, 모든 사람에 대해서 0 값으로 초기화 해준 후, 문제에 써져있는 조건부 연산을 진행하면 끝.
def solution(friends, gifts):
    from itertools import combinations
    from itertools import permutations
    friend_combi = []
    friend_permu = []
    for tup in combinations(friends, 2):
        friend_combi.append(' '.join(tup))
    for tup in permutations(friends, 2):
        friend_permu.append(' '.join(tup))
        
    friend_permu_give_cnt = {}
    
    for f_p in friend_permu:
        friend_permu_give_cnt[f_p] = 0
    
    for gift in gifts:
        temp = friend_permu_give_cnt[gift]
        friend_permu_give_cnt[gift] = temp + 1
    

    # print(gifts)
    # print('friend_permu_give_cnt',friend_permu_give_cnt)
    
    
    gift_index = {}
    for friend in friends:
        gift_index[friend] = 0
    
    for f_p in friend_permu:
        giver = f_p.split(' ')[0]
        getter = f_p.split(' ')[1]
        
        temp = gift_index[giver]
        gift_index[giver] = temp + friend_permu_give_cnt[f_p]
        
        temp = gift_index[getter]
        gift_index[getter] = temp - friend_permu_give_cnt[f_p]
    
    # print('gift_index',gift_index)  
    """
    최종적으로 누가 얼마나 선물받을지 예측하는
    next_month_predict 딕셔너리 생성
    """
    next_month_predict = {}
    for friend in friends:
        next_month_predict[friend] = 0
    
    for f_c in friend_combi:
        friend_1 = f_c.split(' ')[0]
        friend_2 = f_c.split(' ')[1]
        
        f1_to_f2 = friend_permu_give_cnt[friend_1+' '+friend_2]
        f2_to_f1 = friend_permu_give_cnt[friend_2+' '+friend_1]
        
        ''' (2) '''
        if(f1_to_f2 == f2_to_f1 ) :
            if gift_index[friend_1] != gift_index[friend_2]:
                if gift_index[friend_1] > gift_index[friend_2]:
                    temp = next_month_predict[friend_1]
                    next_month_predict[friend_1] = temp + 1
                if gift_index[friend_1] < gift_index[friend_2]:
                    temp = next_month_predict[friend_2]
                    next_month_predict[friend_2] = temp + 1
            ''' (3) '''
            if gift_index[friend_1] == gift_index[friend_2]:
                pass
                
        ''' (1) '''
        if(f1_to_f2 != f2_to_f1 ): 
            if f1_to_f2 > f2_to_f1 : 
                temp = next_month_predict[friend_1]
                next_month_predict[friend_1] = temp + 1
            if f1_to_f2 < f2_to_f1 : 
                temp = next_month_predict[friend_2]
                next_month_predict[friend_2] = temp + 1
                        
                        
    
             
    next_month_predict2 = dict(sorted(next_month_predict.items(), key=lambda item: item[1])[::-1])
    
    # print(next_month_predict2)  
        
    best_friend = list(next_month_predict2.keys())[0]
    # print(best_friend)
    return next_month_predict2[best_friend]
profile
공부용 혹은 정리용 혹은 개인저장용

0개의 댓글