Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 결제서비스
- AWS
- 프로그래머스
- 완전탐색
- 백준
- jwt 표준
- 알람 시스템
- BFS
- 숫자 블록
- gRPC
- 누적합
- 카카오
- 레디스 동시성
- 쿠키
- 좋은 코드 나쁜 코드
- branch 전략
- piplining
- prg 패턴
- 수신자 대상 다르게
- spring event
- 디버깅
- 셀러리
- 이분탐색
- 구현
- 객체지향패러다임
- docker
- 검색어 추천
- 트랜잭샨
- 깊게 생각해보기
- 코드 계약
Archives
- Today
- Total
코딩관계론
[프로그래머스] 롤케이크 본문
반응형
문제 이해하기
케이크를 잘라서 토핑을 공평하게 나눌 수 있는 가짓수 방법을 찾는 문제였다.
문제 해결 방법 설명하기
1. 케이크를 나누기 전 토핑의 가짓수를 계산합니다
for i in topping:
if not i in topping_right.keys():
topping_right[i] = 1
else:
topping_right[i] += 1
2.토핑을 하나씩 제거하면서 공평하게 나눠지는지를 계산합니다.
for i in topping:
if len(topping_left.keys()) == len(topping_right.keys()):
answer += 1
if not i in topping_left.keys():
topping_left[i] = 1
else:
topping_left[i] += 1
topping_right[i] -= 1
if topping_right[i] <= 0:
del topping_right[i]
코드
def solution(topping):
answer = 0
topping_left = {}
topping_right = {}
for i in topping:
if not i in topping_right.keys():
topping_right[i] = 1
else:
topping_right[i] += 1
for i in topping:
if len(topping_left.keys()) == len(topping_right.keys()):
answer += 1
if not i in topping_left.keys():
topping_left[i] = 1
else:
topping_left[i] += 1
topping_right[i] -= 1
if topping_right[i] <= 0:
del topping_right[i]
return answer
if __name__ == "__main__":
topping = [1, 2, 1, 3, 1, 4, 1, 2]
print(solution(topping)) # 10
코드 리뷰
from collections import Counter
def solution(topping):
answer = 0
dic = Counter(topping)
set_dic = set()
answer = 0
for i in topping:
dic[i] -= 1
set_dic.add(i)
if dic[i] == 0:
dic.pop(i)
if len(dic) == len(set_dic):
answer += 1
return answer
배운점 정리하기
중복을 계산할 때 Counter라는 것을 쓰면 굉장히 편하다.
https://www.daleseo.com/python-collections-counter/
반응형
'개발 > 알고리즘' 카테고리의 다른 글
[프로그래머스] 정수삼각형 (0) | 2024.04.28 |
---|---|
[프로그래머스] 연속 펄스 부분 수열의 합 (0) | 2024.04.28 |
[프로그래머스] 숫자 타자 대회 (0) | 2024.04.25 |
[프로그래머스] 금과 은 운반하기 (1) | 2024.04.24 |
[프로그래머스] 예산 (0) | 2024.04.22 |