Skip to content

Commit fee49e8

Browse files
committed
[24.07.14/JAVA] LeetCode
1 parent d63f99f commit fee49e8

File tree

6 files changed

+99
-0
lines changed

6 files changed

+99
-0
lines changed

JAVA_LEETCODE_2024/.idea/.gitignore

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

JAVA_LEETCODE_2024/.idea/JAVA_LEETCODE_2024.iml

+11
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

JAVA_LEETCODE_2024/out/production/JAVA_LEETCODE_2024/.idea/.gitignore

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

JAVA_LEETCODE_2024/out/production/JAVA_LEETCODE_2024/.idea/JAVA_LEETCODE_2024.iml

+11
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

JAVA_LEETCODE_2024/solution35.java

+31
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
public class solution35 {
2+
/**
3+
* 35. Search Insert Position
4+
*
5+
* Given a sorted array of distinct integers and a target value,
6+
* return the index if the target is found.
7+
* If not, return the index where it would be if it were inserted in order.
8+
* You must write an algorithm with O(log n) runtime complexity.
9+
*/
10+
public static void main(String[] args) {
11+
int[] nums = {1,3,5,6};
12+
System.out.println(solution(5, nums));
13+
}
14+
15+
public static int solution(int target, int[] nums) {
16+
int left = 0;
17+
int right = nums.length - 1;
18+
19+
while (left <= right) {
20+
int mid = left + (right - left) / 2;
21+
if (nums[mid] == target) {
22+
return mid;
23+
} else if (nums[mid] > target) {
24+
right = mid - 1;
25+
} else {
26+
left = mid + 1;
27+
}
28+
}
29+
return left;
30+
}
31+
}

JAVA_LEETCODE_2024/solution70.java

+30
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,30 @@
1+
import java.util.Scanner;
2+
3+
public class solution70 {
4+
/**
5+
* 70. Climbing Stairs
6+
*
7+
* You are climbing a staircase. It takes n steps to reach the top.
8+
* Each time you can either climb 1 or 2 steps.
9+
* In how many distinct ways can you climb to the top?
10+
*/
11+
public static void main(String[] args) {
12+
Scanner sc = new Scanner(System.in);
13+
int n = sc.nextInt();
14+
System.out.println(climbStairs(n));
15+
}
16+
17+
public static int climbStairs(int n) {
18+
// dp로 처리
19+
int[] answer = new int[n + 1];
20+
answer[0] = 1;
21+
answer[1] = 1;
22+
23+
for (int i = 2; i <= n; ++i) {
24+
answer[i] = answer[i - 1] + answer[i - 2];
25+
}
26+
27+
return answer[n];
28+
}
29+
30+
}

0 commit comments

Comments
 (0)