티스토리 뷰
Question
Given the root of a binary search tree, and an integer k, return the kth smallest value (1-indexed) of all the values of the nodes in the tree.
이진 탐색 트리와 정수 k가 주어졌을 때, 모든 노드 중 k번째로 작은 값을 리턴하는 함수를 작성하라.
제약사항
- The number of nodes in the tree is n.
- 1 <= k <= n <= 10^4
- 0 <= Node.val <= 10^4
Solution
문제를 풀 때 고려한 사항
- root가 nullptr일 때 에도 정상 동작해야 한다. (제약사항을 보아하니 root가 비어있는 경우는 없다)
- 원소가 중복된 경우에는?
Solution
무식하게 풀어본다. (Bruth Force)
모든 노드를 순환하여 k번째 작은 원소를 찾아준다.
순환 순서를 inorder로 할 시 다시 정렬해줄 필요는 없다.
class Solution {
public:
void AddAllElement(vector<int> &node_val_vec, TreeNode* root){
if(root == nullptr) return;
if(root->left) AddAllElement(node_val_vec, root->left);
node_val_vec.push_back(root->val);
if(root->right) AddAllElement(node_val_vec, root->right);
}
int kthSmallest(TreeNode* root, int k) {
vector<int> node_val_vec;
AddAllElement(node_val_vec, root);
return node_val_vec[k-1];
}
};
- Time complexity : O(N)
- Space Complexity : O(N)
해당 코드의 시간복잡도를 분석해보자면, AddAllElement 가 노드 개수만큼 실행되기 때문에 O(N)이다.
공간 복잡도도 vector를 위한 공간 O(N)이다.
Solution2
이진 탐색 트리의 특징을 잘 생각해본다.
이진 탐색 트리는 루트 노드를 기준으로 왼쪽 자식 트리는 모두 루트 노드보다 값이 작고, 오른쪽 자식 트리는 모두 루트노드보다 값이 크다.
즉, inorder 탐색을 진행한다면, k번째 탐색되는 노드가 k번째 작은 노드인 것을 알 수 있는데, 이 과정에서 모두를 탐색할 이유는 없다.
class Solution {
public:
int kthSmallest(TreeNode* root, int k) {
stack<TreeNode *> my_stack;
while(true){
while(root != nullptr){
my_stack.push(root);
root = root->left;
}
root = my_stack.top();
my_stack.pop();
if(--k == 0) return root->val;
root = root->right;
}
}
};
- Time complexity : O(H + K) , H는 트리의 높이다
- Space Complexity : O(H)
출처 : https://leetcode.com/explore/interview/card/top-interview-questions-medium/108/trees-and-graphs/790/
'IT > Problem Solving' 카테고리의 다른 글
[C++] Interview Question : find smallest range (0) | 2022.08.24 |
---|---|
[C++] LeetCode : Number of Islands (0) | 2022.08.20 |
[C++] LeetCode : Populating Next Right Pointers in Each Node (0) | 2022.08.20 |
[C++] LeetCode : Construct Binary Tree from Preorder and Inorder Traversal (0) | 2022.08.20 |
[C++] LeetCode : Binary Tree Zigzag Level Order Traversal (0) | 2022.08.20 |
공지사항
최근에 올라온 글
최근에 달린 댓글
- Total
- Today
- Yesterday
링크
TAG
- 러스트 입문
- 러스트
- Tree
- 속초 맛집
- 자료구조
- PS
- 트리
- 러스트 기초
- interview question
- DP
- 반드시 알아야 할 자료구조
- coding interview
- Interview
- 리트코드
- 속초
- 알고리즘
- ProblemSolving
- 맛집
- Medium
- 코딩인터뷰
- rust
- 솔직후기
- 기술면접
- algorithm
- 러스트 배우기
- Problem Solving
- LeetCode
- C++
- 인터뷰
- 내돈내산
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
글 보관함