WIP: evict indexes in unavailable

This commit is contained in:
Louis Dureuil
2023-01-17 16:52:55 +01:00
parent d4af44cdbf
commit 2b9a56e192

View File

@ -1,17 +1,18 @@
use std::path::{Path, PathBuf}; use std::path::{Path, PathBuf};
use std::sync::{Arc, RwLock}; use std::sync::{Arc, RwLock};
use std::time::Duration;
use std::{fs, thread}; use std::{fs, thread};
use log::error; use log::error;
use meilisearch_types::heed::types::Str; use meilisearch_types::heed::types::Str;
use meilisearch_types::heed::{Database, Env, EnvOpenOptions, RoTxn, RwTxn}; use meilisearch_types::heed::{Database, Env, EnvClosingEvent, EnvOpenOptions, RoTxn, RwTxn};
use meilisearch_types::milli::update::IndexerConfig; use meilisearch_types::milli::update::IndexerConfig;
use meilisearch_types::milli::Index; use meilisearch_types::milli::Index;
use synchronoise::SignalEvent; use synchronoise::SignalEvent;
use time::OffsetDateTime; use time::OffsetDateTime;
use uuid::Uuid; use uuid::Uuid;
use self::IndexStatus::{Available, BeingDeleted, BeingResized}; use self::IndexStatus::{Available, DefinitelyUnavailable, TemporarilyUnavailable};
use crate::lru::{InsertionOutcome, LruMap}; use crate::lru::{InsertionOutcome, LruMap};
use crate::uuid_codec::UuidCodec; use crate::uuid_codec::UuidCodec;
use crate::{clamp_to_page_size, Error, Result}; use crate::{clamp_to_page_size, Error, Result};
@ -43,10 +44,30 @@ pub struct IndexMapper {
} }
struct IndexMap { struct IndexMap {
unavailable: Vec<(Uuid, Option<Arc<SignalEvent>>)>, unavailable: Vec<(Uuid, Option<ClosingSignal>)>,
available: LruMap<Uuid, Index>, available: LruMap<Uuid, Index>,
} }
enum Unavailable {
Temporarily,
Definitely,
}
#[derive(Clone)]
pub enum ClosingSignal {
Resized(Arc<SignalEvent>),
Closed(EnvClosingEvent),
}
impl ClosingSignal {
pub fn wait_timeout(&self, timeout: Duration) -> bool {
match self {
ClosingSignal::Resized(signal) => signal.wait_timeout(timeout),
ClosingSignal::Closed(signal) => signal.wait_timeout(timeout),
}
}
}
impl IndexMap { impl IndexMap {
pub fn new(cap: usize) -> IndexMap { pub fn new(cap: usize) -> IndexMap {
Self { unavailable: Vec::new(), available: LruMap::new(cap) } Self { unavailable: Vec::new(), available: LruMap::new(cap) }
@ -56,9 +77,9 @@ impl IndexMap {
self.get_if_unavailable(uuid) self.get_if_unavailable(uuid)
.map(|signal| { .map(|signal| {
if let Some(signal) = signal { if let Some(signal) = signal {
IndexStatus::BeingResized(signal) IndexStatus::TemporarilyUnavailable(signal)
} else { } else {
IndexStatus::BeingDeleted IndexStatus::DefinitelyUnavailable
} }
}) })
.or_else(|| self.available.get(uuid).map(|index| IndexStatus::Available(index.clone()))) .or_else(|| self.available.get(uuid).map(|index| IndexStatus::Available(index.clone())))
@ -69,88 +90,86 @@ impl IndexMap {
/// # Panics /// # Panics
/// ///
/// - If the index is already present, but currently unavailable. /// - If the index is already present, but currently unavailable.
pub fn insert(&mut self, uuid: &Uuid, index: Index) -> InsertionOutcome<Uuid, Index> { pub fn insert(&mut self, uuid: &Uuid, index: Index) -> Option<Index> {
assert!( assert!(
matches!(self.get_if_unavailable(uuid), None), matches!(self.get_if_unavailable(uuid), None),
"Attempted to insert an index that was not available" "Attempted to insert an index that was not available"
); );
self.available.insert(*uuid, index) match self.available.insert(*uuid, index) {
InsertionOutcome::InsertedNew => None,
InsertionOutcome::Evicted(evicted_uuid, evicted_index) => {
self.evict(evicted_uuid, evicted_index);
None
}
InsertionOutcome::Replaced(replaced_index) => Some(replaced_index),
}
} }
/// Begins a resize operation. fn evict(&mut self, uuid: Uuid, index: Index) {
let closed = index.prepare_for_closing();
self.unavailable.push((uuid, Some(ClosingSignal::Closed(closed))));
}
/// Makes an index temporarily or permanently unavailable.
/// ///
/// Returns `None` if the index is already unavailable, or not present at all. /// Does nothing if the target index is already unavailable.
pub fn start_resize(&mut self, uuid: &Uuid, signal: Arc<SignalEvent>) -> Option<Index> { pub fn make_unavailable(&mut self, uuid: &Uuid, unavailability: Unavailable) -> Option<Index> {
if self.get_if_unavailable(uuid).is_some() { if self.get_if_unavailable(uuid).is_some() {
return None; return None;
} }
let available_when = match unavailability {
Unavailable::Temporarily => {
Some(ClosingSignal::Resized(Arc::new(SignalEvent::manual(false))))
}
Unavailable::Definitely => None,
};
let index = self.available.remove(uuid)?; let index = self.available.remove(uuid)?;
self.unavailable.push((*uuid, Some(signal))); self.unavailable.push((*uuid, available_when));
Some(index) Some(index)
} }
/// Ends a resize operation that completed successfully. /// Makes an index available again.
/// ///
/// As the index becomes available again, it might evict another index from the cache. In that case, it is returned. /// As the index becomes available again, it might evict another index from the cache. In that case, it is returned.
/// ///
/// # Panics /// # Panics
/// ///
/// - if the target index was not being resized. /// - if the target index was not being temporarily resized.
/// - the index was also in the list of available indexes. /// - the index was also in the list of available indexes.
pub fn end_resize( pub fn restore(&mut self, uuid: &Uuid, index: Index) -> ClosingSignal {
&mut self, let signal = self
uuid: &Uuid, .pop_if_unavailable(uuid)
index: Index, .flatten()
) -> (Arc<SignalEvent>, Option<(Uuid, Index)>) { .expect("The index was not being temporarily resized");
let signal = match self.available.insert(*uuid, index) {
self.pop_if_unavailable(uuid).flatten().expect("The index was not being resized"); InsertionOutcome::Evicted(evicted_uuid, evicted_index) => {
let evicted = match self.available.insert(*uuid, index) { self.evict(evicted_uuid, evicted_index)
InsertionOutcome::InsertedNew => None, }
InsertionOutcome::Evicted(uuid, index) => Some((uuid, index)), InsertionOutcome::InsertedNew => (),
InsertionOutcome::Replaced(_) => panic!("Inconsistent map state"), InsertionOutcome::Replaced(_) => panic!("Inconsistent map state"),
}; }
(signal, evicted) signal
} }
/// Ends a resize operation that failed for some reason. /// Removes an unavailable index from the map.
/// ///
/// # Panics /// # Panics
/// ///
/// - if the target index was not being resized. /// - if the target index was not unavailable.
pub fn end_resize_failed(&mut self, uuid: &Uuid) -> Arc<SignalEvent> { pub fn remove(&mut self, uuid: &Uuid) -> Option<ClosingSignal> {
self.pop_if_unavailable(uuid).flatten().expect("The index was not being resized") self.pop_if_unavailable(uuid).expect("The index could not be found")
} }
/// Beings deleting an index. fn get_if_unavailable(&self, uuid: &Uuid) -> Option<Option<ClosingSignal>> {
///
/// # Panics
///
/// - if the index was already unavailable
pub fn start_deletion(&mut self, uuid: &Uuid) -> Option<Index> {
assert!(
matches!(self.get_if_unavailable(uuid), None),
"Attempt to start deleting an index that was already unavailable"
);
let index = self.available.remove(uuid)?;
self.unavailable.push((*uuid, None));
Some(index)
}
pub fn end_deletion(&mut self, uuid: &Uuid) {
self.pop_if_unavailable(uuid)
.expect("Attempted to delete an index that was not being deleted");
}
fn get_if_unavailable(&self, uuid: &Uuid) -> Option<Option<Arc<SignalEvent>>> {
self.unavailable self.unavailable
.iter() .iter()
.find_map(|(candidate_uuid, signal)| (uuid == candidate_uuid).then_some(signal.clone())) .find_map(|(candidate_uuid, signal)| (uuid == candidate_uuid).then_some(signal.clone()))
} }
fn pop_if_unavailable(&mut self, uuid: &Uuid) -> Option<Option<Arc<SignalEvent>>> { fn pop_if_unavailable(&mut self, uuid: &Uuid) -> Option<Option<ClosingSignal>> {
self.unavailable self.unavailable
.iter() .iter()
.position(|(candidate_uuid, _)| candidate_uuid == uuid) .position(|(candidate_uuid, _)| candidate_uuid == uuid)
@ -163,9 +182,9 @@ impl IndexMap {
#[derive(Clone)] #[derive(Clone)]
pub enum IndexStatus { pub enum IndexStatus {
/// Do not insert it back in the index map as it is currently being deleted. /// Do not insert it back in the index map as it is currently being deleted.
BeingDeleted, DefinitelyUnavailable,
/// Temporarily do not insert the index in the index map as it is currently being resized. /// Temporarily do not insert the index in the index map as it is currently being resized/evicted from the map.
BeingResized(Arc<SignalEvent>), TemporarilyUnavailable(ClosingSignal),
/// You can use the index without worrying about anything. /// You can use the index without worrying about anything.
Available(Index), Available(Index),
} }
@ -234,15 +253,8 @@ impl IndexMapper {
// Error if the UUIDv4 somehow already exists in the map, since it should be fresh. // Error if the UUIDv4 somehow already exists in the map, since it should be fresh.
// This is very unlikely to happen in practice. // This is very unlikely to happen in practice.
// TODO: it would be better to lazily create the index. But we need an Index::open function for milli. // TODO: it would be better to lazily create the index. But we need an Index::open function for milli.
match self.index_map.write().unwrap().insert(&uuid, index.clone()) { if self.index_map.write().unwrap().insert(&uuid, index.clone()).is_some() {
InsertionOutcome::Evicted(uuid, evicted_index) => { panic!("Uuid v4 conflict: index with UUID {uuid} already exists.")
log::info!("Closing index with UUID {uuid}");
evicted_index.prepare_for_closing();
}
InsertionOutcome::Replaced(_) => {
panic!("Uuid v4 conflict: index with UUID {uuid} already exists.")
}
_ => (),
} }
Ok(index) Ok(index)
@ -264,19 +276,25 @@ impl IndexMapper {
wtxn.commit()?; wtxn.commit()?;
let mut tries = 0;
// We remove the index from the in-memory index map. // We remove the index from the in-memory index map.
let closing_event = loop { let closing_event = loop {
let mut lock = self.index_map.write().unwrap(); let mut lock = self.index_map.write().unwrap();
let resize_operation = match lock.get(&uuid) { let resize_operation = match lock.get(&uuid) {
Some(Available(index)) => { Some(Available(index)) => {
lock.start_deletion(&uuid); lock.make_unavailable(&uuid, Unavailable::Definitely);
break index.prepare_for_closing(); break index.prepare_for_closing();
} }
Some(BeingResized(resize_operation)) => resize_operation.clone(), Some(TemporarilyUnavailable(resize_operation)) => resize_operation.clone(),
Some(BeingDeleted) | None => return Ok(()), Some(DefinitelyUnavailable) | None => return Ok(()),
}; };
// Avoiding deadlock: we drop the lock before waiting on the resize operation.
drop(lock); drop(lock);
resize_operation.wait(); resize_operation.wait_timeout(Duration::from_secs(6));
tries += 1;
if tries > 100 {
panic!("Too many spurious wakeups while waiting on a resize operation.")
}
}; };
let index_map = self.index_map.clone(); let index_map = self.index_map.clone();
@ -298,7 +316,7 @@ impl IndexMapper {
} }
// Finally we remove the entry from the index map. // Finally we remove the entry from the index map.
index_map.write().unwrap().end_deletion(&uuid); index_map.write().unwrap().remove(&uuid);
}) })
.unwrap(); .unwrap();
@ -325,9 +343,7 @@ impl IndexMapper {
.ok_or_else(|| Error::IndexNotFound(name.to_string()))?; .ok_or_else(|| Error::IndexNotFound(name.to_string()))?;
// We remove the index from the in-memory index map. // We remove the index from the in-memory index map.
// signal that will be sent when the resize operation completes let Some(index) = self.index_map.write().unwrap().make_unavailable(&uuid, Unavailable::Temporarily) else { return Ok(()) };
let resize_operation = Arc::new(SignalEvent::manual(false));
let Some(index) = self.index_map.write().unwrap().start_resize(&uuid, resize_operation) else { return Ok(()) };
let resize_succeeded = (move || { let resize_succeeded = (move || {
let current_size = index.map_size()?; let current_size = index.map_size()?;
@ -351,28 +367,25 @@ impl IndexMapper {
// Even if there was an error we don't want to leave the map in an inconsistent state as it would cause // Even if there was an error we don't want to leave the map in an inconsistent state as it would cause
// deadlocks. // deadlocks.
let mut lock = self.index_map.write().unwrap(); let mut lock = self.index_map.write().unwrap();
let (resize_operation, resize_succeeded, evicted) = match resize_succeeded { let (resize_operation, resize_succeeded) = match resize_succeeded {
Ok(index) => { Ok(index) => {
// insert the resized index // insert the resized index
let (resize_operation, evicted) = lock.end_resize(&uuid, index); let resize_operation = lock.restore(&uuid, index);
(resize_operation, Ok(()))
(resize_operation, Ok(()), evicted)
} }
Err(error) => { Err(error) => {
// there was an error, not much we can do... delete the index from the in-memory map to prevent future errors // there was an error, not much we can do... delete the index from the in-memory map to prevent future errors
let resize_operation = lock.end_resize_failed(&uuid); let resize_operation = lock.remove(&uuid).expect("The index was not being resized");
(resize_operation, Err(error), None) (resize_operation, Err(error))
} }
}; };
// drop the lock before signaling completion so that other threads don't immediately await on the lock after waking up. // drop the lock before signaling completion so that other threads don't immediately await on the lock after waking up.
drop(lock); drop(lock);
resize_operation.signal(); let ClosingSignal::Resized(resize_operation) = resize_operation else {
panic!("Index was closed while being resized") };
if let Some((uuid, evicted_index)) = evicted { resize_operation.signal();
log::info!("Closing index with UUID {uuid}");
evicted_index.prepare_for_closing();
}
resize_succeeded resize_succeeded
} }
@ -385,17 +398,22 @@ impl IndexMapper {
.ok_or_else(|| Error::IndexNotFound(name.to_string()))?; .ok_or_else(|| Error::IndexNotFound(name.to_string()))?;
// we clone here to drop the lock before entering the match // we clone here to drop the lock before entering the match
let (index, evicted_index) = loop { let mut tries = 0;
let index = loop {
tries += 1;
if tries > 100 {
panic!("Too many spurious wake ups while the index is being resized");
}
let index = self.index_map.read().unwrap().get(&uuid); let index = self.index_map.read().unwrap().get(&uuid);
match index { match index {
Some(Available(index)) => break (index, None), Some(Available(index)) => break index,
Some(BeingResized(ref resize_operation)) => { Some(TemporarilyUnavailable(ref closing_signal)) => {
// Avoiding deadlocks: no lock taken while doing this operation. // Avoiding deadlocks: no lock taken while doing this operation.
resize_operation.wait(); closing_signal.wait_timeout(Duration::from_secs(6));
continue; continue;
} }
Some(BeingDeleted) => return Err(Error::IndexNotFound(name.to_string())), Some(DefinitelyUnavailable) => return Err(Error::IndexNotFound(name.to_string())),
// since we're lazy, it's possible that the index has not been opened yet. // since we're lazy, it's possible that the index has not been opened yet.
None => { None => {
let mut index_map = self.index_map.write().unwrap(); let mut index_map = self.index_map.write().unwrap();
@ -412,35 +430,28 @@ impl IndexMapper {
None, None,
self.index_base_map_size, self.index_base_map_size,
)?; )?;
match index_map.insert(&uuid, index.clone()) { assert!(
InsertionOutcome::InsertedNew => break (index, None), index_map.insert(&uuid, index.clone()).is_none(),
InsertionOutcome::Evicted(evicted_uuid, evicted_index) => { "Inconsistent map state"
break (index, Some((evicted_uuid, evicted_index))) );
} break index;
InsertionOutcome::Replaced(_) => {
panic!("Inconsistent map state")
}
}
} }
Some(Available(index)) => break (index, None), Some(Available(index)) => break index,
Some(BeingResized(resize_operation)) => { Some(TemporarilyUnavailable(resize_operation)) => {
// Avoiding the deadlock: we drop the lock before waiting // Avoiding the deadlock: we drop the lock before waiting
let resize_operation = resize_operation.clone(); let resize_operation = resize_operation.clone();
drop(index_map); drop(index_map);
resize_operation.wait(); resize_operation.wait_timeout(Duration::from_secs(6));
continue; continue;
} }
Some(BeingDeleted) => return Err(Error::IndexNotFound(name.to_string())), Some(DefinitelyUnavailable) => {
return Err(Error::IndexNotFound(name.to_string()))
}
} }
} }
} }
}; };
if let Some((evicted_uuid, evicted_index)) = evicted_index {
log::info!("Closing index with UUID {evicted_uuid}");
evicted_index.prepare_for_closing();
}
Ok(index) Ok(index)
} }