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
- DP
- list
- binary tree
- matrix
- binary search
- easy
- 미디움
- leetcode
- Medium
- dfs
- Python
- sorting
- math
- 쉬움
- 이진트리
- string
- hash table
- two pointers
- 중간
- 재귀
- 리트코드
- HashTable
- Array
- tree
- linked list
- backtracking
- 문자열
- Depth-first Search
- recursive
- Binary
Archives
- Today
- Total
부부의 코딩 성장 일기
LeetCode 118(Pascal's Triangle, Python) 본문
1. 문제 링크
Pascal's Triangle - LeetCode
Can you solve this real interview question? Pascal's Triangle - Given an integer numRows, return the first numRows of Pascal's triangle. In Pascal's triangle, each number is the sum of the two numbers directly above it as shown: [https://upload.wikimedia.o
leetcode.com
2. 문제 설명
- 파스칼 삼각형을 알아야 함
- 파스칼 삼각형은 가장 위 꼭대기에는 1, 그 다음 줄에는 1, 1이 써있다.
- 그 다음 줄부터는 양 끝에는 1을 쓰고 그 사이에는 위에 두 수를 더해서 아래에 수를 채운다.
- 그러니까 위에 1, 1이 있으면 그 사이 아래에는 2를 쓴다.
- 문제는 입력된 n 값이 있으면 파스칼 삼각형의 1행, 2행, ..., n행을 원소로 하는 리스트를 반환. 이때 각 행 역시 리스트임.
- 예시) n=5 이면 [[1], [1, 1], [1, 2, 1], [1, 3, 3, 1], [1, 4, 6, 4, 1]] 반환
3. 처음 풀이
- [1, 2, 1]에서 [1, 3, 3,1]을 만드는 과정을 생각해보면 [1, 2, 1]의 양쪽에 0을 하나씩 넣어
- [0, 1, 2, 1], [1, 2, 1, 0]을 만든 후 이 두개를 서로 대응되는 값끼리 더해주면 [1, 3, 3, 1]이 됨
- 다른 풀이보다 이 풀이가 마음에 든다.
class Solution:
def generate(self, numRows: int) -> List[List[int]]:
result = [[1]]
while numRows != 1: #numRows까지 반복
last = result[-1] #last row of pascal
new = [x+y for x, y in zip([0]+last,last+[0])] #last 행의 앞 뒤에 0을 추가한 후 zip으로 대응되는 값끼리 packing, 이를 다시 각각 더하여 리스트로 만들기
result.append(new)
numRows -= 1
return result
4. 다른 풀이
- 그냥 파스칼 삼각형 정의대로 nCr+nCr+1 = n+1 Cr+1 인 것을 인덱스 이용하여 직접 구하기
class Solution:
def generate(self, numRows: int) -> List[List[int]]:
if numRows == 1:
return [[1]]
else:
pascal = [[1], [1,1]]
for i in range(2, numRows):
new = [1] + [pascal[-1][j-1] + pascal[-1][j] for j in range(1, i)] + [1]
pascal.append(new)
return pascal
5. 배운 점
- zip을 알게된 후 스스로 유용하게 활용하여 뿌듯함.
'Algorithm > LeetCode' 카테고리의 다른 글
LeetCode 2(Add Two Numbers, Python) (1) | 2023.11.25 |
---|---|
LeetCode 121(Best Time to Buy and Sell Stock, Python) (1) | 2023.11.24 |
LeetCode 112(Path Sum, Python) (0) | 2023.11.21 |
LeetCode 111(Minimum Depth of Binary Tree, Python) (0) | 2023.11.20 |
LeetCode 108(Convert Sorted Array to Binary Search Tree, Python) (0) | 2023.11.18 |