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
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
use std::{
fmt,
ops::{Add, Bound, Div, RangeBounds, Sub},
};
pub trait RangeBoundsExt<T: PrimitiveInteger>: RangeBounds<T> {
fn partition_point<P>(&self, mut pred: P) -> T
where
P: FnMut(T) -> bool,
{
let mut start = match self.start_bound() {
Bound::Included(&x) => x,
Bound::Excluded(&x) if x > T::MIN_VALUE => x - T::ONE,
_ => T::MIN_VALUE,
};
let mut end = match self.end_bound() {
Bound::Included(&x) if x < T::MAX_VALUE => x + T::ONE,
Bound::Excluded(&x) => x,
_ if pred(T::MAX_VALUE) => panic!("the predicate is satisfied at {:?}", T::MAX_VALUE),
_ => T::MAX_VALUE,
};
while start != end {
let mid = start + (end - start) / (T::ONE + T::ONE);
if pred(mid) {
start = mid + T::ONE;
} else {
end = mid;
}
}
start
}
}
impl<T: PrimitiveInteger, R: RangeBounds<T>> RangeBoundsExt<T> for R {}
pub trait SliceExt {
type Item;
fn partition_point<P>(&self, pred: P) -> usize
where
P: FnMut(&Self::Item) -> bool;
}
impl<T> SliceExt for [T] {
type Item = T;
fn partition_point<P>(&self, mut pred: P) -> usize
where
P: FnMut(&T) -> bool,
{
(0..self.len()).partition_point(|i| pred(&self[i]))
}
}
pub trait PrimitiveInteger:
Copy + Ord + Add<Output = Self> + Sub<Output = Self> + Div<Output = Self> + fmt::Debug
{
const ZERO: Self;
const ONE: Self;
const MIN_VALUE: Self;
const MAX_VALUE: Self;
}
macro_rules! impl_primitive_integer(($($ty:ty),*) => {
$(
impl PrimitiveInteger for $ty {
const ZERO: Self = 0;
const ONE: Self = 1;
const MIN_VALUE: Self = <$ty>::min_value();
const MAX_VALUE: Self = <$ty>::max_value();
}
)*
});
impl_primitive_integer!(i8, i16, i32, i64, i128, isize, u8, u16, u32, u64, u128, usize);