Spaces:
Build error
Build error
File size: 10,771 Bytes
84d2a97 |
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 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 |
use std::collections::HashSet;
use std::fmt;
use std::hash::Hash;
use itertools::Itertools as _;
use segment::index::field_index::CardinalityEstimation;
use segment::types::{CustomIdCheckerCondition, PointIdType};
use smallvec::SmallVec;
use crate::operations::cluster_ops::ReshardingDirection;
use crate::shards::shard::ShardId;
pub const HASH_RING_SHARD_SCALE: u32 = 100;
#[derive(Clone, Debug, PartialEq)]
pub enum HashRingRouter<T: Eq + Hash = ShardId> {
/// Single hashring
Single(HashRing<T>),
/// Two hashrings when transitioning during resharding
/// Depending on the current resharding state, points may be in either or both shards.
Resharding { old: HashRing<T>, new: HashRing<T> },
}
impl<T: Copy + Eq + Hash> HashRingRouter<T> {
/// Create a new single hashring.
///
/// The hashring is created with a fair distribution of points and `HASH_RING_SHARD_SCALE` scale.
pub fn single() -> Self {
Self::Single(HashRing::fair(HASH_RING_SHARD_SCALE))
}
pub fn add(&mut self, shard: T) -> bool {
match self {
Self::Single(ring) => ring.add(shard),
Self::Resharding { old, new } => {
// When resharding is in progress:
// - either `new` hashring contains a shard, that is not in `old` (when resharding *up*)
// - or `old` contains a shard, that is not in `new` (when resharding *down*)
//
// This check ensures, that we don't accidentally break this invariant when adding
// nodes to `Resharding` hashring.
if !old.contains(&shard) && !new.contains(&shard) {
old.add(shard);
new.add(shard);
true
} else {
false
}
}
}
}
pub fn start_resharding(&mut self, shard: T, direction: ReshardingDirection) {
if let Self::Single(ring) = self {
let (old, new) = (ring.clone(), ring.clone());
*self = Self::Resharding { old, new };
}
let Self::Resharding { old, new } = self else {
unreachable!();
};
match direction {
ReshardingDirection::Up => {
old.remove(&shard);
new.add(shard);
}
ReshardingDirection::Down => {
assert!(new.len() > 1, "cannot remove last shard from hash ring");
old.add(shard);
new.remove(&shard);
}
}
}
pub fn commit_resharding(&mut self) -> bool {
let Self::Resharding { new, .. } = self else {
log::warn!("committing resharding hashring, but hashring is not in resharding mode");
return false;
};
*self = Self::Single(new.clone());
true
}
pub fn abort_resharding(&mut self, shard: T, direction: ReshardingDirection) -> bool
where
T: fmt::Display,
{
let context = match direction {
ReshardingDirection::Up => "reverting scale-up hashring into single mode",
ReshardingDirection::Down => "reverting scale-down hashring into single mode",
};
let Self::Resharding { old, new } = self else {
log::warn!("{context}, but hashring is not in resharding mode");
return false;
};
let mut old = old.clone();
let mut new = new.clone();
let (expected_in_old, expected_in_new) = match direction {
ReshardingDirection::Up => (old.remove(&shard), new.remove(&shard)),
ReshardingDirection::Down => (old.add(shard), new.add(shard)),
};
match (expected_in_old, expected_in_new) {
(false, true) => (),
(true, false) => {
log::error!("{context}, but expected state of hashrings is reversed");
}
(true, true) => {
log::error!("{context}, but {shard} is not a target shard");
}
(false, false) => {
log::warn!("{context}, but shard {shard} does not exist in the hashring");
}
};
if old == new {
log::debug!("{context}, because the rerouting for resharding is done");
*self = Self::Single(old.clone());
true
} else {
log::warn!("{context}, but rerouting for resharding is not done yet");
false
}
}
pub fn get<U: Hash>(&self, key: &U) -> ShardIds<T> {
match self {
Self::Single(ring) => ring.get(key).into_iter().copied().collect(),
Self::Resharding { old, new } => old
.get(key)
.into_iter()
.chain(new.get(key))
.copied()
.dedup() // Both hash rings may return the same shard ID, take it once
.collect(),
}
}
/// Check whether the given point is in the given shard
///
/// In case of resharding, the new hashring is checked.
pub fn is_in_shard<U: Hash>(&self, key: &U, shard: T) -> bool {
let ring = match self {
Self::Resharding { new, .. } => new,
Self::Single(ring) => ring,
};
ring.get(key) == Some(&shard)
}
}
impl<T: Eq + Hash> HashRingRouter<T> {
pub fn is_resharding(&self) -> bool {
matches!(self, Self::Resharding { .. })
}
pub fn is_empty(&self) -> bool {
match self {
Self::Single(ring) => ring.is_empty(),
Self::Resharding { old, new } => old.is_empty() && new.is_empty(),
}
}
/// Get unique nodes from the hashring
pub fn nodes(&self) -> &HashSet<T> {
match self {
HashRingRouter::Single(ring) => ring.nodes(),
HashRingRouter::Resharding { new, .. } => new.nodes(),
}
}
}
/// List type for shard IDs
///
/// Uses a `SmallVec` putting two IDs on the stack. That's the maximum number of shards we expect
/// with the current resharding implementation.
pub type ShardIds<T = ShardId> = SmallVec<[T; 2]>;
#[derive(Clone, Debug, PartialEq)]
pub enum HashRing<T: Eq + Hash> {
Raw {
nodes: HashSet<T>,
ring: hashring::HashRing<T>,
},
Fair {
nodes: HashSet<T>,
ring: hashring::HashRing<(T, u32)>,
scale: u32,
},
}
impl<T: Copy + Eq + Hash> HashRing<T> {
pub fn raw() -> Self {
Self::Raw {
nodes: HashSet::new(),
ring: hashring::HashRing::new(),
}
}
/// Constructs a HashRing that tries to give all shards equal space on the ring.
/// The higher the `scale` - the more equal the distribution of points on the shards will be,
/// but shard search might be slower.
pub fn fair(scale: u32) -> Self {
Self::Fair {
nodes: HashSet::new(),
ring: hashring::HashRing::new(),
scale,
}
}
pub fn add(&mut self, shard: T) -> bool {
if !self.nodes_mut().insert(shard) {
return false;
}
match self {
HashRing::Raw { ring, .. } => {
ring.add(shard);
}
HashRing::Fair { ring, scale, .. } => {
for idx in 0..*scale {
ring.add((shard, idx));
}
}
}
true
}
pub fn remove(&mut self, shard: &T) -> bool {
if !self.nodes_mut().remove(shard) {
return false;
}
match self {
HashRing::Raw { ring, .. } => {
ring.remove(shard);
}
HashRing::Fair { ring, scale, .. } => {
for idx in 0..*scale {
ring.remove(&(*shard, idx));
}
}
}
true
}
}
impl<T: Eq + Hash> HashRing<T> {
pub fn get<U: Hash>(&self, key: &U) -> Option<&T> {
match self {
HashRing::Raw { ring, .. } => ring.get(key),
HashRing::Fair { ring, .. } => ring.get(key).map(|(shard, _)| shard),
}
}
pub fn is_empty(&self) -> bool {
self.nodes().is_empty()
}
pub fn len(&self) -> usize {
self.nodes().len()
}
pub fn contains(&self, shard: &T) -> bool {
self.nodes().contains(shard)
}
pub fn nodes(&self) -> &HashSet<T> {
match self {
HashRing::Raw { nodes, .. } => nodes,
HashRing::Fair { nodes, .. } => nodes,
}
}
fn nodes_mut(&mut self) -> &mut HashSet<T> {
match self {
HashRing::Raw { nodes, .. } => nodes,
HashRing::Fair { nodes, .. } => nodes,
}
}
}
#[derive(Clone, Debug, PartialEq)]
pub struct HashRingFilter {
ring: HashRing<ShardId>,
expected_shard_id: ShardId,
}
impl HashRingFilter {
pub fn new(ring: HashRing<ShardId>, expected_shard_id: ShardId) -> Self {
Self {
ring,
expected_shard_id,
}
}
}
impl CustomIdCheckerCondition for HashRingFilter {
fn estimate_cardinality(&self, points: usize) -> CardinalityEstimation {
CardinalityEstimation {
primary_clauses: vec![],
min: 0,
exp: points / self.ring.len(),
max: points,
}
}
fn check(&self, point_id: PointIdType) -> bool {
self.ring.get(&point_id) == Some(&self.expected_shard_id)
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_non_seq_keys() {
let mut ring = HashRing::fair(100);
ring.add(5);
ring.add(7);
ring.add(8);
ring.add(20);
for i in 0..20 {
match ring.get(&i) {
None => panic!("Key {i} has no shard"),
Some(x) => assert!([5, 7, 8, 20].contains(x)),
}
}
}
#[test]
fn test_repartition() {
let mut ring = HashRing::fair(100);
ring.add(1);
ring.add(2);
ring.add(3);
let mut pre_split = Vec::new();
let mut post_split = Vec::new();
for i in 0..100 {
match ring.get(&i) {
None => panic!("Key {i} has no shard"),
Some(x) => pre_split.push(*x),
}
}
ring.add(4);
for i in 0..100 {
match ring.get(&i) {
None => panic!("Key {i} has no shard"),
Some(x) => post_split.push(*x),
}
}
assert_ne!(pre_split, post_split);
for (x, y) in pre_split.iter().zip(post_split.iter()) {
if x != y {
assert_eq!(*y, 4);
}
}
}
}
|