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
103
104
105
106
107
108
109
110
111
112
113
114
115
116
use kvproto::coprocessor::KeyRange;
#[derive(PartialEq, Eq, Clone)]
pub enum Range {
Point(PointRange),
Interval(IntervalRange),
}
impl Range {
pub fn from_pb_range(mut range: KeyRange, accept_point_range: bool) -> Self {
if accept_point_range && crate::util::is_point(&range) {
Range::Point(PointRange(range.take_start()))
} else {
Range::Interval(IntervalRange::from((range.take_start(), range.take_end())))
}
}
}
impl std::fmt::Debug for Range {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
Range::Point(r) => std::fmt::Debug::fmt(r, f),
Range::Interval(r) => std::fmt::Debug::fmt(r, f),
}
}
}
impl From<IntervalRange> for Range {
fn from(r: IntervalRange) -> Self {
Range::Interval(r)
}
}
impl From<PointRange> for Range {
fn from(r: PointRange) -> Self {
Range::Point(r)
}
}
#[derive(Default, PartialEq, Eq, Clone)]
pub struct IntervalRange {
pub lower_inclusive: Vec<u8>,
pub upper_exclusive: Vec<u8>,
}
impl std::fmt::Debug for IntervalRange {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
write!(f, "[")?;
write!(
f,
"{}",
&log_wrappers::Value::key(self.lower_inclusive.as_slice())
)?;
write!(f, ", ")?;
write!(
f,
"{}",
&log_wrappers::Value::key(self.upper_exclusive.as_slice())
)?;
write!(f, ")")
}
}
impl From<(Vec<u8>, Vec<u8>)> for IntervalRange {
fn from((lower, upper): (Vec<u8>, Vec<u8>)) -> Self {
IntervalRange {
lower_inclusive: lower,
upper_exclusive: upper,
}
}
}
impl From<(String, String)> for IntervalRange {
fn from((lower, upper): (String, String)) -> Self {
IntervalRange::from((lower.into_bytes(), upper.into_bytes()))
}
}
impl<'a, 'b> From<(&'a str, &'b str)> for IntervalRange {
fn from((lower, upper): (&'a str, &'b str)) -> Self {
IntervalRange::from((lower.to_owned(), upper.to_owned()))
}
}
#[derive(Default, PartialEq, Eq, Clone)]
pub struct PointRange(pub Vec<u8>);
impl std::fmt::Debug for PointRange {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
write!(f, "{}", &log_wrappers::Value::key(self.0.as_slice()))
}
}
impl From<Vec<u8>> for PointRange {
fn from(v: Vec<u8>) -> Self {
PointRange(v)
}
}
impl From<String> for PointRange {
fn from(v: String) -> Self {
PointRange::from(v.into_bytes())
}
}
impl<'a> From<&'a str> for PointRange {
fn from(v: &'a str) -> Self {
PointRange::from(v.to_owned())
}
}