릿코드 Search Insert Position

1. 릿코드 search insert position

2. 문제

Given a sorted array of distinct integers and a target value, return the index if the target is found. If not, return the index where it would be if it were inserted in order.

2.1. Example 1:

Input: nums = [1,3,5,6], target = 5
Output: 2

2.2. Example 2:

Input: nums = [1,3,5,6], target = 2
Output: 1

2.3. Example 3:

Input: nums = [1,3,5,6], target = 7
Output: 4

2.4. Example 4:

Input: nums = [1,3,5,6], target = 0
Output: 0

2.5. Example 5:

Input: nums = [1], target = 0
Output: 0

2.6. Constraints:

1 <= nums.length <= 104
-104 <= nums[i] <= 104
nums contains distinct values sorted in ascending order.
-104 <= target <= 104

2.1. 컴퓨팅적 사고

  • binarySearch 함수를 구현하여 해당되는 타겟값이 있으면 해당 인덱스를 반환하고 그렇지 않으면 -1을 반환합니다.
  • insertBinarySearch 함수를 구현하여 현재 해당되는 Target의 끝지점 인덱스를 찾아 반환합니다. end는 target값의 이전인덱스이기 때문에 end+1을 반환시켜줍니다.

시간복잡도

이진탐색 O(logN)

2.2. 소스코드

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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
public class leetcode_search_insert_position {
public static void main(String[] args) {
System.out.println(searchInsert(new int[]{1,3,5,6}, 5));

}
static int searchInsert(int[] nums, int target) {

int answer = binarySearch(nums, target);
if(answer == -1){
answer = insertBinarySearch(nums,target);
}
return answer;
}
// 해당되는 타겟값이 있으면 해당 인덱스 반환, 그렇지 않으면 -1 반환
static int binarySearch(int[] nums, int target){
int start = 0;
int end = nums.length-1;
while(start <= end){
int mid = (start+end) / 2;
if(nums[mid] < target){
start = mid+1;
}else if(nums[mid] > target){
end = mid-1;
}else {
return mid;
}
}
return -1;
}

// 타겟의 끝지점을 찾는다. End점에는 결국에는 해당되는 값의 마지막지점 인덱스가 저장되어있다.
static int insertBinarySearch(int[] nums, int target) {
int start = 0;
int end = nums.length-1;
while(start <= end){
int mid = (start+end) / 2;
if(nums[mid] < target){
start = mid+1;
}else{
end = mid-1;
}
}
return end+1;
}
}