-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path0035.search_insert_position.cpp
70 lines (59 loc) · 1.47 KB
/
0035.search_insert_position.cpp
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
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
#include <iostream>
#include <vector>
using std::vector;
// [l, m], (m, r]
int search_insert(vector<int>& nums, int t)
{
int n = nums.size();
int l = 0, r = n - 1;
while (l < r) {
int m = (l + r + 1) >> 1;
if (nums[m] <= t) l = m;
else r = m - 1;
}
// if (l == 0) {
// if (nums[l] < t) l = 1;
// } else if (l == n - 1) {
// if (nums[l] < t) l = n;
// }
// 没必要像上面那么麻烦
// 首先明确的是,如果 t 存在
// 那么返回的是最右边界
// 而现在需要处理一下 t 不存在的情况
// 显然,此时返回的是小于 t 的元素中的最大的那一个
// 因而应该判断一下 nums[l] 是否等于 t,即 t 是否存在
// 如果不存在就 +1
if (nums[l] < t) l++;
return l;
}
// [l, m), [m r]
int _search_insert(vector<int>& nums, int t)
{
int n = nums.size();
int l = 0, r = n - 1;
while (l < r) {
int m = (l + r) >> 1;
if (nums[m] >= t) r = m;
else l = m + 1;
}
// if (l == n - 1) {
// if (nums[l] < t) l = n;
// }
// 此处同理
if (nums[l] < t) l++;
return l;
}
int main () {
#ifdef LOCAL
freopen("0035.in", "r", stdin);
#endif
int n = 0, t = 0;
while (std::cin >> n >> t) {
vector<int> nums(n, 0);
for (int i = 0; i < n; ++i) {
std::cin >> nums[i];
}
std::cout << search_insert(nums, t) << std::endl;
}
return 0;
}