반응형
250x250
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
- context #android #getApplicationContext #activity #생명주기 #lifecycle
- dfs #bfs #이진트리 #파이썬 #리트코드
- Python #leetcode #dfs #그래프 #백트래킹
- handler #looper #thread #runnable #핸들러 #루퍼 #스레드 #러너블
- 해시테이블 #heapq #파이썬 #리트코드 #알고리즘
- dfs #python #leetcode
- dfs #bfs #트리구조 #이진트리 #leetcode #파이썬 #python
- python #백준 #2580 #스도쿠 #dfs #백트래킹
- dfs #bfs #트리구조 #이진트리 #leetcode #python #파이썬
- dfs #python #leetcode #combination
- 다익스트라 #dijkstra #leetcode #파이썬 #python #algorithm #787
- exoplayer #mediaplayer #엑소플레이어 #안드로이드 #android
- dfs #bfs #leetcode #python
- 다익스트라 #알고리즘 #bfs #그리디 #다이나믹프로그래밍 #leetcode #python
- dfs #leetcode #python #graph #그래프
- leetcode #subsets #dfs #itertools #python
- gcd #최대공약수 #백준 #2981 #검문
- final #java #자바 #안드로이드
- 코틀린 #Do it #깡샘 #안드로이드
- leetcode #python #dfs #재귀
- dfs #이진트리 #트리구조 #직렬화 #역직렬화 #파이썬 #리트코드 #leetcode #python
- AsyncTask #doinbackground #스레드 #thread #android #안드로이드
- 파이썬 #zip
- python #백준 #9375 #패션왕 #신해빈
- dfs #leetcode #python
- dfs #그래프 #graph #python #leetcode #course #schedule
- 2004 #조합 0의 개수 #백준
- 리트코드 #팰린드롬 #파이썬
- 아스테리스크 #Asterisk #파이썬
- 백준 #파이썬 #bfs #백트래킹 #1697 #숨바꼭질
Archives
- Today
- Total
멋진 개발자가 되고 싶다
[LeetCode/Python] 617.두 이진 트리 병합(Merge Two Binary Trees) 본문
728x90
반응형
두 이진 트리를 병합하라. 중복되는 노드는 값을 합산한다.
Example
Input: root1 = [1,3,2,5], root2 = [2,1,3, null,4, null,7]
Output: [3,4,5,5,4, null,7]
1. 재귀 탐색
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def mergeTrees(self, root1: Optional[TreeNode], root2: Optional[TreeNode]) -> Optional[TreeNode]:
if root1 and root2:
node = TreeNode(root1.val + root2.val)
node.left = self.mergeTrees(root1.left, root2.left)
node.right = self.mergeTrees(root1.right, root2.right)
return node
else:
return root1 or root2
|
cs |
해설
간단하다.
Tree를 하나 더 만들어서
두 트리의 노드 value를 합하여
새로운 트리 노드의 값으로 넣어주면 된다.
만약 두 노드 중 하나가 None이라면
한 값만 새 트리 노드에 넣어주면 되므로
return root1 or root2
이런 식으로 처리해준다.
728x90
반응형