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
- dynamic programming
- 코딩테스트
- greedy
- simulation
- Number Theory
- 파이썬
- 자바
- Tree
- sorting
- hash table
- Math
- SQL
- Binary Tree
- Method
- geometry
- 코테
- Matrix
- string
- two pointers
- bit manipulation
- Class
- Stack
- java
- array
- 구현
- implement
- Counting
- database
- Binary Search
- Data Structure
Archives
- Today
- Total
코린이의 소소한 공부노트
[LeetCode/Easy] 108. Convert Sorted Array to Binary Search Tree 본문
코딩테스트 풀이/JAVA
[LeetCode/Easy] 108. Convert Sorted Array to Binary Search Tree
무지맘 2023. 7. 18. 12:161. Input
1) int[] nums
2. Output
1) nums의 요소들로 높이 균형 이진 검색 트리를 만들어서 반환
- 답이 여러 가지일 경우 1개만 반환
3. Constraint
1) 1 <= nums.length <= 10^4
2) - 10^4 <= nums[i] <= 10^4
3) nums는 중복 없이 오름차순으로 정렬된 배열이다.
4. Example
Input: nums = [-10,-3,0,5,9] -> Output: [0,-3,9,-10,null,5]
Input: nums = [1,3] -> Output: [3,1]
5. Code
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public TreeNode sortedArrayToBST(int[] nums) {
if(nums.length==0) return null;
int mid = nums.length/2;
TreeNode p = new TreeNode(nums[mid]);
p.left = sortedArrayToBST(Arrays.copyOfRange(nums,0,mid));
p.right = sortedArrayToBST(Arrays.copyOfRange(nums,mid+1,nums.length));
return p;
}
}
- 6%, 97%
'코딩테스트 풀이 > JAVA' 카테고리의 다른 글
[백준 온라인 저지] 28290. 안밖? 밖안? 계단? 역계단? (0) | 2023.07.18 |
---|---|
[백준 온라인 저지] 28289. 과 조사하기 (0) | 2023.07.18 |
[LeetCode/Easy] 101. Symmetric Tree (0) | 2023.07.17 |
[LeetCode/Easy] 83. Remove Duplicates from Sorted List (0) | 2023.07.17 |
[LeetCode/Easy] 35. Search Insert Position (0) | 2023.07.17 |