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 |
Tags
- 코테
- 자바 리트코드
- 분할정복
- 파이썬
- DP
- 코딩테스트
- 리트코드
- 리트코드 자바
- daily challenge
- dfs
- BFS
- 프로그래머스
- 인텔리제이 에러
- 구현
- 카카오
- 백준 16935
- 백준 18222
- java leetcode
- 그래프 자바
- Java
- leetcode 1721
- leetcode
- 백준
- 스택
- 자바 5464
- 자바
- 스프링 에러
- 프로그래머스 java
- 리트코드 1557
- java 프로그래머스
Archives
- Today
- Total
레벨업 일지
leetcode 508. Most Frequent Subtree Sum 본문
문제
https://leetcode.com/problems/most-frequent-subtree-sum/description/
가장 많은 Subtree Sum 빈도수 배열을 찾는 문제. SubtreeSum 이란 rootval + leftSum + rightSum 을 의미
풀이
풀이 알고리즘은 다음과 같다.
- inorder traversal 로 트리를 순회한다.
- 순회하면서 HashMap에다 출현한 숫자를 카운팅한다.
- HashMap을 순회하면서 max(출현횟수)를 구한다.
- HashMap을 재순회하면서 max(출현횟수) value를 가진 key들을 list에 추가하고 정답을 리턴한다.
코드
자바
class Solution {
HashMap<Integer, Integer> map;
public int[] findFrequentTreeSum(TreeNode root) {
map = new HashMap<>();
helper(root);
int max = 0;
for(int x : map.keySet()){
max = Math.max(map.get(x),max);
}
ArrayList<Integer> l = new ArrayList<>();
for(int x : map.keySet()){
if(map.get(x) == max)l.add(x);
}
return l.stream().mapToInt(x->x).toArray();
}
public int helper(TreeNode root){
if(root == null)return 0;
int leftNodeSum = helper(root.left);//left
int rightNodeSum = helper(root.right);//right
int num = leftNodeSum + rightNodeSum + root.val;//get value
map.put(num, map.getOrDefault(num, 0)+1);
return num;
}
}
'알고리즘 > leetcode' 카테고리의 다른 글
[Java] leetcode 662. Maximum Width of Binary Tree (0) | 2023.04.20 |
---|---|
leetcode 946. Validate Stack Sequences (0) | 2023.04.13 |
[Java] leetcode 2390. Removing Stars From a String (0) | 2023.04.11 |
[Java] leetcode 72. Edit Distance (2) | 2023.04.11 |
[Java] leetcode 15. 3Sum (0) | 2023.03.30 |
Comments