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
use std::ops::{Bound, Range, RangeBounds, RangeInclusive};
pub trait RangeExt<T>
where
Self: Sized,
{
fn from_range_bounds<B>(bounds: B, min_incl: T, max_excl: T) -> Option<Self>
where
B: RangeBounds<T>;
}
macro_rules! impl_rangeext_range_uint {
($uint:ty) => {
impl RangeExt<$uint> for Range<$uint> {
fn from_range_bounds<B>(bounds: B, min_incl: $uint, max_excl: $uint) -> Option<Self>
where
B: RangeBounds<$uint>,
{
let start = match bounds.start_bound() {
Bound::Included(start) => *start,
Bound::Excluded(_) => unreachable!("excluded bounds are invalid for range starts"),
Bound::Unbounded => min_incl,
};
let end = match bounds.end_bound() {
Bound::Included(before_end) => before_end.saturating_add(1),
Bound::Excluded(end) => *end,
Bound::Unbounded => max_excl,
};
if start < min_incl || start > max_excl {
return None;
}
if end < min_incl || end > max_excl {
return None;
}
Some(start..end)
}
}
};
}
impl_rangeext_range_uint!(u64);
impl_rangeext_range_uint!(usize);
macro_rules! impl_rangeext_rangeinclusive_uint {
($uint:ty) => {
impl RangeExt<$uint> for RangeInclusive<$uint> {
fn from_range_bounds<B>(bounds: B, min_incl: $uint, max_excl: $uint) -> Option<Self>
where
B: RangeBounds<$uint>,
{
let start = match bounds.start_bound() {
Bound::Included(start) => *start,
Bound::Excluded(_) => unreachable!("excluded bounds are invalid for range starts"),
Bound::Unbounded => min_incl,
};
let end_incl = match bounds.end_bound() {
Bound::Included(end) => *end,
Bound::Excluded(after_end) => after_end.saturating_sub(1),
Bound::Unbounded => max_excl.saturating_sub(1),
};
if start < min_incl || start >= max_excl {
return None;
}
if end_incl < min_incl || end_incl >= max_excl {
return None;
}
Some(start..=end_incl)
}
}
};
}
impl_rangeext_rangeinclusive_uint!(u64);
impl_rangeext_rangeinclusive_uint!(usize);