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 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321
use crate::Interval;
/// A collection of non-overlapping Unicode codepoint intervals that enables interval-based
/// operations, such as iteration over all Unicode codepoints or finding the codepoint at a
/// specific position within the intervals.
#[derive(Debug, Clone)]
pub struct IntervalSet {
intervals: Vec<Interval>,
offsets: Vec<u32>,
size: u32,
}
impl IntervalSet {
#[must_use]
pub(crate) fn new(intervals: Vec<Interval>) -> IntervalSet {
let mut offsets = vec![0];
offsets.reserve_exact(intervals.len());
let mut size = 0;
// INVARIANT: `right` is always `>= left`, hence no overflow
#[allow(clippy::integer_arithmetic)]
for (left, right) in &intervals {
size += *right - *left + 1;
offsets.push(size);
}
IntervalSet {
intervals,
offsets,
size,
}
}
/// Returns the number of Unicode codepoints in the interval set.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// .interval_set()
/// .expect("Invalid query input");
/// assert_eq!(interval_set.len(), 1831);
/// ```
#[inline]
#[must_use]
pub fn len(&self) -> usize {
self.size as usize
}
/// Returns `true` if the interval set contains no elements.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// // The first upper case letter has 65
/// .max_codepoint(50)
/// .interval_set()
/// .expect("Invalid query input");
/// assert!(interval_set.is_empty());
/// ```
#[inline]
#[must_use]
pub const fn is_empty(&self) -> bool {
self.size == 0
}
/// Returns `true` if the interval set contains a codepoint with the given value.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// .interval_set()
/// .expect("Invalid query input");
/// assert!(interval_set.contains('C'));
/// assert!(!interval_set.contains('a'));
/// ```
#[inline]
#[must_use]
pub fn contains(&self, codepoint: impl Into<u32>) -> bool {
self.index_of(codepoint.into()).is_some()
}
/// Returns the codepoint at `index` in the `IntervalSet`.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// .interval_set()
/// .expect("Invalid query input");
/// // Get 10th codepoint in this interval set
///assert_eq!(interval_set.codepoint_at(10), Some('K' as u32));
/// ```
#[inline]
#[must_use]
pub fn codepoint_at(&self, index: u32) -> Option<u32> {
if index >= self.size {
return None;
}
// INVARIANT: There is a positive number of intervals at this point per the check above
#[allow(clippy::integer_arithmetic)]
let mut current = self.intervals.len() - 1;
if self.offsets[current] > index {
let (mut high, mut low) = (current, 0_usize);
// INVARIANTS:
// - `low + 1` never overflows as all possible values are far below `u32::MAX`
// - `low + high` never overflows because two maximum values for these variables
// are far below `u32::MAX`
#[allow(clippy::integer_arithmetic)]
while low + 1 < high {
let mid = (low + high) / 2;
if self.offsets[mid] <= index {
low = mid;
} else {
high = mid;
}
}
current = low;
}
// INVARIANT: `index` & offsets are small enough and won't cause overflow
#[allow(clippy::integer_arithmetic)]
Some(self.intervals[current].0 + index - self.offsets[current])
}
/// Returns the index of a specific codepoint in the `IntervalSet`.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// .interval_set()
/// .expect("Invalid query input");
/// assert_eq!(interval_set.index_of('A'), Some(0));
/// assert_eq!(interval_set.index_of('c'), None);
/// ```
#[inline]
#[must_use]
pub fn index_of(&self, codepoint: impl Into<u32>) -> Option<u32> {
let codepoint = codepoint.into();
for (offset, (left, right)) in self.offsets.iter().zip(self.intervals.iter()) {
if *left == codepoint {
return Some(*offset);
} else if *left > codepoint {
return None;
} else if codepoint <= *right {
// INVARIANT: `left` is smaller than `codepoint` and `offset` is small enough,
// so there is no overflow
#[allow(clippy::integer_arithmetic)]
return Some(*offset + (codepoint - left));
}
}
None
}
/// Returns the index of a specific codepoint in the `IntervalSet` if it is present in the set,
/// or the index of the closest codepoint that is greater than the given one.
///
/// If the given codepoint is greater than the largest codepoint in the set, then the set's
/// size is returned.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// .interval_set()
/// .expect("Invalid query input");
/// assert_eq!(interval_set.index_above('Z'), 25);
/// ```
#[inline]
#[must_use]
pub fn index_above(&self, codepoint: impl Into<u32>) -> u32 {
let codepoint = codepoint.into();
for (offset, (left, right)) in self.offsets.iter().zip(self.intervals.iter()) {
if *left >= codepoint {
return *offset;
} else if codepoint <= *right {
// INVARIANT: `left` is smaller than `codepoint` and `offset` is small enough,
// so there is no overflow
#[allow(clippy::integer_arithmetic)]
return *offset + (codepoint - left);
}
}
self.size
}
/// Returns an iterator over all codepoints in all contained intervals.
///
/// # Examples
///
/// ```rust
/// # use unicode_intervals::UnicodeCategory;
/// let interval_set = unicode_intervals::query()
/// .include_categories(UnicodeCategory::UPPERCASE_LETTER)
/// .max_codepoint(67)
/// .interval_set()
/// .expect("Invalid query input");
/// let mut iterator = interval_set.iter();
/// assert_eq!(iterator.next(), Some('A' as u32));
/// assert_eq!(iterator.next(), Some('B' as u32));
/// assert_eq!(iterator.next(), Some('C' as u32));
/// assert_eq!(iterator.next(), None);
/// ```
pub fn iter(&self) -> impl Iterator<Item = u32> + DoubleEndedIterator + '_ {
self.intervals
.iter()
.flat_map(|(left, right)| *left..=*right)
}
}
#[cfg(test)]
mod tests {
use super::*;
use crate::{UnicodeCategory, UnicodeVersion};
use test_case::test_case;
fn uppercase_letters() -> IntervalSet {
crate::query()
.include_categories(UnicodeCategory::UPPERCASE_LETTER)
.interval_set()
.expect("Invalid query input")
}
#[test_case(vec![(1, 1)])]
#[test_case(vec![])]
fn test_index_not_present(intervals: Vec<Interval>) {
assert!(IntervalSet::new(intervals).index_of(0_u32).is_none());
}
#[test_case(vec![], 1, None)]
#[test_case(vec![(1, 10)], 11, None)]
fn test_get(intervals: Vec<Interval>, index: u32, expected: Option<u32>) {
assert_eq!(IntervalSet::new(intervals).codepoint_at(index), expected);
}
#[test_case(vec![(1, 10)], 1, 0)]
#[test_case(vec![(1, 10)], 2, 1)]
#[test_case(vec![(1, 10)], 100, 10)]
fn test_index_above(intervals: Vec<Interval>, index: u32, expected: u32) {
assert_eq!(IntervalSet::new(intervals).index_above(index), expected);
}
#[test_case('Z' as u32, 25; "In the set")]
#[test_case('b' as u32, 26; "Not in the set")]
#[test_case(125218, 1831; "Greater than all")]
fn test_index_above_with_uppercase_letters(codepoint: u32, expected: u32) {
let interval_set = uppercase_letters();
assert_eq!(interval_set.index_above(codepoint), expected);
}
#[test_case('C', true)]
#[test_case('a', false)]
fn test_contains(codepoint: char, expected: bool) {
let interval_set = uppercase_letters();
assert_eq!(interval_set.contains(codepoint), expected);
}
#[test_case(10, Some('K' as u32); "Look from left")]
#[test_case(27, Some('Á' as u32); "Look from right")]
#[test_case(1830, Some(125217); "Max codepoint in the set")]
#[test_case(10000, None)]
#[test_case(u32::MAX, None)]
fn test_codepoint_at(index: u32, expected: Option<u32>) {
let interval_set = uppercase_letters();
assert_eq!(interval_set.codepoint_at(index), expected);
}
#[test]
fn test_codepoint_at_empty_set() {
let interval_set = IntervalSet::new(vec![]);
assert!(interval_set.codepoint_at(0).is_none());
}
#[test_case('K' as u32, Some(10); "Look from left")]
#[test_case('Á' as u32, Some(27); "Look from right")]
#[test_case(125184, Some(1797))]
#[test_case(5, None)]
fn test_index_of(codepoint: u32, expected: Option<u32>) {
let interval_set = uppercase_letters();
assert_eq!(interval_set.index_of(codepoint), expected);
}
#[test]
fn test_iter() {
let intervals = crate::query()
.include_categories(UnicodeCategory::LOWERCASE_LETTER)
.intervals()
.expect("Invalid query input");
let interval_set = IntervalSet::new(intervals);
let codepoints: Vec<_> = interval_set.iter().collect();
let mut expected = Vec::with_capacity(interval_set.len());
for (left, right) in
UnicodeVersion::latest().intervals_for(UnicodeCategory::LOWERCASE_LETTER)
{
for codepoint in *left..=*right {
expected.push(codepoint);
}
}
assert_eq!(codepoints, expected);
assert_eq!(interval_set.len(), codepoints.len());
assert!(!interval_set.is_empty());
}
#[test]
fn test_iter_rev() {
let interval_set = uppercase_letters();
let mut iter = interval_set.iter().rev();
assert_eq!(iter.next(), Some(125217));
}
}