1use std::ptr::NonNull;
2use std::sync::atomic::Ordering;
34use crate::loom::sync::{Mutex, MutexGuard};
5use crate::util::metric_atomics::{MetricAtomicU64, MetricAtomicUsize};
67use super::linked_list::{Link, LinkedList};
89/// An intrusive linked list supporting highly concurrent updates.
10///
11/// It currently relies on `LinkedList`, so it is the caller's
12/// responsibility to ensure the list is empty before dropping it.
13///
14/// Note: Due to its inner sharded design, the order of nodes cannot be guaranteed.
15pub(crate) struct ShardedList<L, T> {
16 lists: Box<[Mutex<LinkedList<L, T>>]>,
17 added: MetricAtomicU64,
18 count: MetricAtomicUsize,
19 shard_mask: usize,
20}
2122/// Determines which linked list an item should be stored in.
23///
24/// # Safety
25///
26/// Implementations must guarantee that the id of an item does not change from
27/// call to call.
28pub(crate) unsafe trait ShardedListItem: Link {
29/// # Safety
30 /// The provided pointer must point at a valid list item.
31unsafe fn get_shard_id(target: NonNull<Self::Target>) -> usize;
32}
3334impl<L, T> ShardedList<L, T> {
35/// Creates a new and empty sharded linked list with the specified size.
36pub(crate) fn new(sharded_size: usize) -> Self {
37assert!(sharded_size.is_power_of_two());
3839let shard_mask = sharded_size - 1;
40let mut lists = Vec::with_capacity(sharded_size);
41for _ in 0..sharded_size {
42 lists.push(Mutex::new(LinkedList::<L, T>::new()))
43 }
44Self {
45 lists: lists.into_boxed_slice(),
46 added: MetricAtomicU64::new(0),
47 count: MetricAtomicUsize::new(0),
48 shard_mask,
49 }
50 }
51}
5253/// Used to get the lock of shard.
54pub(crate) struct ShardGuard<'a, L, T> {
55 lock: MutexGuard<'a, LinkedList<L, T>>,
56 added: &'a MetricAtomicU64,
57 count: &'a MetricAtomicUsize,
58 id: usize,
59}
6061impl<L: ShardedListItem> ShardedList<L, L::Target> {
62/// Removes the last element from a list specified by `shard_id` and returns it, or None if it is
63 /// empty.
64pub(crate) fn pop_back(&self, shard_id: usize) -> Option<L::Handle> {
65let mut lock = self.shard_inner(shard_id);
66let node = lock.pop_back();
67if node.is_some() {
68self.count.decrement();
69 }
70 node
71 }
7273/// Removes the specified node from the list.
74 ///
75 /// # Safety
76 ///
77 /// The caller **must** ensure that exactly one of the following is true:
78 /// - `node` is currently contained by `self`,
79 /// - `node` is not contained by any list,
80 /// - `node` is currently contained by some other `GuardedLinkedList`.
81pub(crate) unsafe fn remove(&self, node: NonNull<L::Target>) -> Option<L::Handle> {
82let id = L::get_shard_id(node);
83let mut lock = self.shard_inner(id);
84// SAFETY: Since the shard id cannot change, it's not possible for this node
85 // to be in any other list of the same sharded list.
86let node = unsafe { lock.remove(node) };
87if node.is_some() {
88self.count.decrement();
89 }
90 node
91 }
9293/// Gets the lock of `ShardedList`, makes us have the write permission.
94pub(crate) fn lock_shard(&self, val: &L::Handle) -> ShardGuard<'_, L, L::Target> {
95let id = unsafe { L::get_shard_id(L::as_raw(val)) };
96 ShardGuard {
97 lock: self.shard_inner(id),
98 added: &self.added,
99 count: &self.count,
100 id,
101 }
102 }
103104/// Gets the count of elements in this list.
105pub(crate) fn len(&self) -> usize {
106self.count.load(Ordering::Relaxed)
107 }
108109cfg_64bit_metrics! {
110/// Gets the total number of elements added to this list.
111pub(crate) fn added(&self) -> u64 {
112self.added.load(Ordering::Relaxed)
113 }
114 }
115116/// Returns whether the linked list does not contain any node.
117pub(crate) fn is_empty(&self) -> bool {
118self.len() == 0
119}
120121/// Gets the shard size of this `SharedList`.
122 ///
123 /// Used to help us to decide the parameter `shard_id` of the `pop_back` method.
124pub(crate) fn shard_size(&self) -> usize {
125self.shard_mask + 1
126}
127128#[inline]
129fn shard_inner(&self, id: usize) -> MutexGuard<'_, LinkedList<L, <L as Link>::Target>> {
130// Safety: This modulo operation ensures that the index is not out of bounds.
131unsafe { self.lists.get_unchecked(id & self.shard_mask).lock() }
132 }
133}
134135impl<'a, L: ShardedListItem> ShardGuard<'a, L, L::Target> {
136/// Push a value to this shard.
137pub(crate) fn push(mut self, val: L::Handle) {
138let id = unsafe { L::get_shard_id(L::as_raw(&val)) };
139assert_eq!(id, self.id);
140self.lock.push_front(val);
141self.added.add(1, Ordering::Relaxed);
142self.count.increment();
143 }
144}
145146cfg_taskdump! {
147impl<L: ShardedListItem> ShardedList<L, L::Target> {
148pub(crate) fn for_each<F>(&self, mut f: F)
149where
150F: FnMut(&L::Handle),
151 {
152let mut guards = Vec::with_capacity(self.lists.len());
153for list in self.lists.iter() {
154 guards.push(list.lock());
155 }
156for g in &mut guards {
157 g.for_each(&mut f);
158 }
159 }
160 }
161}