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 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
use crate::freelist::{FreeList, FreeListHandle, WeakFreeListHandle};
use std::{mem, num};
/*
This module implements a least recently used cache structure, which is
used by the texture cache to manage the lifetime of items inside the
texture cache. It has a few special pieces of functionality that the
texture cache requires, but should be usable as a general LRU cache
type if useful in other areas.
The cache is implemented with two types of backing freelists. These allow
random access to the underlying data, while being efficient in both
memory access and allocation patterns.
The "entries" freelist stores the elements being cached (for example, the
CacheEntry structure for the texture cache). These elements are stored
in arbitrary order, reusing empty slots in the freelist where possible.
The "lru_index" freelists store the LRU tracking information. Although the
tracking elements are stored in arbitrary order inside a freelist for
efficiency, they use next/prev links to represent a doubly-linked list,
kept sorted in order of recent use. The next link is also used to store
the current freelist within the array when the element is not occupied.
The LRU cache allows having multiple LRU "partitions". Every entry is tracked
by exactly one partition at any time; all partitions refer to entries in the
shared freelist. Entries can move between partitions, if replace_or_insert is
called with a new partition index for an existing handle.
The partitioning is used by the texture cache so that, for example, allocating
more glyph entries does not cause eviction of image entries (which go into
a different shared texture). If an existing handle's entry is reallocated with
a new size, it might need to move from a shared texture to a standalone
texture; in this case the handle will move to a different LRU partition.
*/
/// Stores the data supplied by the user to be cached, and an index
/// into the LRU tracking freelist for this element.
#[cfg_attr(feature = "capture", derive(Serialize))]
#[cfg_attr(feature = "replay", derive(Deserialize))]
#[derive(MallocSizeOf)]
struct LRUCacheEntry<T> {
/// The LRU partition that tracks this entry.
partition_index: u8,
/// The location of the LRU tracking element for this cache entry in the
/// right LRU partition.
lru_index: ItemIndex,
/// The cached data provided by the caller for this element.
value: T,
}
/// The main public interface to the LRU cache
#[cfg_attr(feature = "capture", derive(Serialize))]
#[cfg_attr(feature = "replay", derive(Deserialize))]
#[derive(MallocSizeOf)]
pub struct LRUCache<T, M> {
/// A free list of cache entries, and indices into the LRU tracking list
entries: FreeList<LRUCacheEntry<T>, M>,
/// The LRU tracking list, allowing O(1) access to the oldest element
lru: Vec<LRUTracker<FreeListHandle<M>>>,
}
impl<T, M> LRUCache<T, M> {
/// Construct a new LRU cache
pub fn new(lru_partition_count: usize) -> Self {
assert!(lru_partition_count <= u8::MAX as usize + 1);
LRUCache {
entries: FreeList::new(),
lru: (0..lru_partition_count).map(|_| LRUTracker::new()).collect(),
}
}
/// Insert a new element into the cache. Returns a weak handle for callers to
/// access the data, since the lifetime is managed by the LRU algorithm and it
/// may be evicted at any time.
pub fn push_new(
&mut self,
partition_index: u8,
value: T,
) -> WeakFreeListHandle<M> {
// It's a slightly awkward process to insert an element, since we don't know
// the index of the LRU tracking element until we've got a handle for the
// underlying cached data.
// Insert the data provided by the caller
let handle = self.entries.insert(LRUCacheEntry {
partition_index: 0,
lru_index: ItemIndex(num::NonZeroU32::new(1).unwrap()),
value
});
// Get a weak handle to return to the caller
let weak_handle = handle.weak();
// Add an LRU tracking node that owns the strong handle, and store the location
// of this inside the cache entry.
let entry = self.entries.get_mut(&handle);
let lru_index = self.lru[partition_index as usize].push_new(handle);
entry.partition_index = partition_index;
entry.lru_index = lru_index;
weak_handle
}
/// Get immutable access to the data at a given slot. Since this takes a weak
/// handle, it may have been evicted, so returns an Option.
pub fn get_opt(
&self,
handle: &WeakFreeListHandle<M>,
) -> Option<&T> {
self.entries
.get_opt(handle)
.map(|entry| {
&entry.value
})
}
/// Get mutable access to the data at a given slot. Since this takes a weak
/// handle, it may have been evicted, so returns an Option.
pub fn get_opt_mut(
&mut self,
handle: &WeakFreeListHandle<M>,
) -> Option<&mut T> {
self.entries
.get_opt_mut(handle)
.map(|entry| {
&mut entry.value
})
}
/// Return a reference to the oldest item in the cache, keeping it in the cache.
/// If the cache is empty, this will return None.
pub fn peek_oldest(&self, partition_index: u8) -> Option<&T> {
self.lru[partition_index as usize]
.peek_front()
.map(|handle| {
let entry = self.entries.get(handle);
&entry.value
})
}
/// Remove the oldest item from the cache. This is used to select elements to
/// be evicted. If the cache is empty, this will return None.
pub fn pop_oldest(
&mut self,
partition_index: u8,
) -> Option<T> {
self.lru[partition_index as usize]
.pop_front()
.map(|handle| {
let entry = self.entries.free(handle);
entry.value
})
}
/// This is a special case of `push_new`, which is a requirement for the texture
/// cache. Sometimes, we want to replace the content of an existing handle if it
/// exists, or insert a new element if the handle is invalid (for example, if an
/// image is resized and it moves to a new location in the texture atlas). This
/// method returns the old cache entry if it existed, so it can be freed by the caller.
#[must_use]
pub fn replace_or_insert(
&mut self,
handle: &mut WeakFreeListHandle<M>,
partition_index: u8,
data: T,
) -> Option<T> {
match self.entries.get_opt_mut(handle) {
Some(entry) => {
if entry.partition_index != partition_index {
// Move to a different partition.
let strong_handle = self.lru[entry.partition_index as usize].remove(entry.lru_index);
let lru_index = self.lru[partition_index as usize].push_new(strong_handle);
entry.partition_index = partition_index;
entry.lru_index = lru_index;
}
Some(mem::replace(&mut entry.value, data))
}
None => {
*handle = self.push_new(partition_index, data);
None
}
}
}
/// Manually evict a specific item.
pub fn remove(&mut self, handle: &WeakFreeListHandle<M>) -> Option<T> {
if let Some(entry) = self.entries.get_opt_mut(handle) {
let strong_handle = self.lru[entry.partition_index as usize].remove(entry.lru_index);
return Some(self.entries.free(strong_handle).value);
}
None
}
/// This is used by the calling code to signal that the element that this handle
/// references has been used on this frame. Internally, it updates the links in
/// the LRU tracking element to move this item to the end of the LRU list. Returns
/// the underlying data in case the client wants to mutate it.
pub fn touch(
&mut self,
handle: &WeakFreeListHandle<M>,
) -> Option<&mut T> {
let lru = &mut self.lru;
self.entries
.get_opt_mut(handle)
.map(|entry| {
lru[entry.partition_index as usize].mark_used(entry.lru_index);
&mut entry.value
})
}
/// Try to validate that the state of the cache is consistent
#[cfg(test)]
fn validate(&self) {
for lru in &self.lru {
lru.validate();
}
}
}
/// Index of an LRU tracking element
#[cfg_attr(feature = "capture", derive(Serialize))]
#[cfg_attr(feature = "replay", derive(Deserialize))]
#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash, MallocSizeOf)]
struct ItemIndex(num::NonZeroU32);
impl ItemIndex {
fn as_usize(&self) -> usize {
self.0.get() as usize
}
}
/// Stores a strong handle controlling the lifetime of the data in the LRU
/// cache, and a doubly-linked list node specifying where in the current LRU
/// order this element exists. These items are themselves backed by a freelist
/// to minimize heap allocations and improve cache access patterns.
#[cfg_attr(feature = "capture", derive(Serialize))]
#[cfg_attr(feature = "replay", derive(Deserialize))]
#[derive(Debug, MallocSizeOf)]
struct Item<H> {
prev: Option<ItemIndex>,
next: Option<ItemIndex>,
handle: Option<H>,
}
/// Internal implementation of the LRU tracking list
#[cfg_attr(feature = "capture", derive(Serialize))]
#[cfg_attr(feature = "replay", derive(Deserialize))]
#[derive(MallocSizeOf)]
struct LRUTracker<H> {
/// Current head of the list - this is the oldest item that will be evicted next.
head: Option<ItemIndex>,
/// Current tail of the list - this is the most recently used element.
tail: Option<ItemIndex>,
/// As tracking items are removed, they are stored in a freelist, to minimize heap allocations
free_list_head: Option<ItemIndex>,
/// The freelist that stores all the LRU tracking items
items: Vec<Item<H>>,
}
impl<H> LRUTracker<H> where H: std::fmt::Debug {
/// Construct a new LRU tracker
fn new() -> Self {
// Push a dummy entry in the vec that is never used. This ensures the NonZeroU32
// property is respected, and we never create an ItemIndex(0).
let items = vec![
Item {
prev: None,
next: None,
handle: None,
},
];
LRUTracker {
head: None,
tail: None,
free_list_head: None,
items,
}
}
/// Internal function that takes an item index, and links it to the
/// end of the tracker list (makes it the newest item).
fn link_as_new_tail(
&mut self,
item_index: ItemIndex,
) {
match (self.head, self.tail) {
(Some(..), Some(tail)) => {
// Both a head and a tail
self.items[item_index.as_usize()].prev = Some(tail);
self.items[item_index.as_usize()].next = None;
self.items[tail.as_usize()].next = Some(item_index);
self.tail = Some(item_index);
}
(None, None) => {
// No head/tail, currently empty list
self.items[item_index.as_usize()].prev = None;
self.items[item_index.as_usize()].next = None;
self.head = Some(item_index);
self.tail = Some(item_index);
}
(Some(..), None) | (None, Some(..)) => {
// Invalid state
unreachable!();
}
}
}
/// Internal function that takes an LRU item index, and removes it from
/// the current doubly linked list. Used during removal of items, and also
/// when items are moved to the back of the list as they're touched.
fn unlink(
&mut self,
item_index: ItemIndex,
) {
let (next, prev) = {
let item = &self.items[item_index.as_usize()];
(item.next, item.prev)
};
match next {
Some(next) => {
self.items[next.as_usize()].prev = prev;
}
None => {
debug_assert_eq!(self.tail, Some(item_index));
self.tail = prev;
}
}
match prev {
Some(prev) => {
self.items[prev.as_usize()].next = next;
}
None => {
debug_assert_eq!(self.head, Some(item_index));
self.head = next;
}
}
}
/// Push a new LRU tracking item on to the back of the list, marking
/// it as the most recent item.
fn push_new(
&mut self,
handle: H,
) -> ItemIndex {
// See if there is a slot available in the current free list
let item_index = match self.free_list_head {
Some(index) => {
// Reuse an existing slot
let item = &mut self.items[index.as_usize()];
assert!(item.handle.is_none());
item.handle = Some(handle);
self.free_list_head = item.next;
index
}
None => {
// No free slots available, push to the end of the array
let index = ItemIndex(num::NonZeroU32::new(self.items.len() as u32).unwrap());
self.items.push(Item {
prev: None,
next: None,
handle: Some(handle),
});
index
}
};
// Now link this element into the LRU list
self.link_as_new_tail(item_index);
item_index
}
/// Returns a reference to the oldest element, or None if the list is empty.
fn peek_front(&self) -> Option<&H> {
self.head.map(|head| self.items[head.as_usize()].handle.as_ref().unwrap())
}
/// Remove the oldest element from the front of the LRU list. Returns None
/// if the list is empty.
fn pop_front(
&mut self,
) -> Option<H> {
let handle = match (self.head, self.tail) {
(Some(head), Some(tail)) => {
let item_index = head;
// Head and tail are the same - removing the only element
if head == tail {
self.head = None;
self.tail = None;
} else {
// Update the head of the list, popping the first element off
let new_head = self.items[head.as_usize()].next.unwrap();
self.head = Some(new_head);
self.items[new_head.as_usize()].prev = None;
}
// Add this item to the freelist for later use
self.items[item_index.as_usize()].next = self.free_list_head;
self.free_list_head = Some(item_index);
// Return the handle to the user
Some(self.items[item_index.as_usize()].handle.take().unwrap())
}
(None, None) => {
// List is empty
None
}
(Some(..), None) | (None, Some(..)) => {
// Invalid state
unreachable!();
}
};
handle
}
/// Manually remove an item from the LRU tracking list. This is used
/// when an element switches from one LRU partition to a different one.
fn remove(
&mut self,
index: ItemIndex,
) -> H {
// Remove from the LRU list
self.unlink(index);
let handle = self.items[index.as_usize()].handle.take().unwrap();
// Add LRU item to the freelist for future use.
self.items[index.as_usize()].next = self.free_list_head;
self.free_list_head = Some(index);
handle
}
/// Called to mark that an item was used on this frame. It unlinks the
/// tracking item, and then re-links it to the back of the list.
fn mark_used(
&mut self,
index: ItemIndex,
) {
self.unlink(index);
self.link_as_new_tail(index);
}
/// Try to validate that the state of the linked lists are consistent
#[cfg(test)]
fn validate(&self) {
use std::collections::HashSet;
// Must have a valid head/tail or be empty
assert!((self.head.is_none() && self.tail.is_none()) || (self.head.is_some() && self.tail.is_some()));
// If there is a head, the prev of the head must be none
if let Some(head) = self.head {
assert!(self.items[head.as_usize()].prev.is_none());
}
// If there is a tail, the next of the tail must be none
if let Some(tail) = self.tail {
assert!(self.items[tail.as_usize()].next.is_none());
}
// Collect all free and valid items, both in forwards and reverse order
let mut free_items = Vec::new();
let mut free_items_set = HashSet::new();
let mut valid_items_front = Vec::new();
let mut valid_items_front_set = HashSet::new();
let mut valid_items_reverse = Vec::new();
let mut valid_items_reverse_set = HashSet::new();
let mut current = self.free_list_head;
while let Some(index) = current {
let item = &self.items[index.as_usize()];
free_items.push(index);
assert!(free_items_set.insert(index));
current = item.next;
}
current = self.head;
while let Some(index) = current {
let item = &self.items[index.as_usize()];
valid_items_front.push(index);
assert!(valid_items_front_set.insert(index));
current = item.next;
}
current = self.tail;
while let Some(index) = current {
let item = &self.items[index.as_usize()];
valid_items_reverse.push(index);
assert!(!valid_items_reverse_set.contains(&index));
valid_items_reverse_set.insert(index);
current = item.prev;
}
// Ensure set lengths match the vec lengths (should be enforced by the assert check during insert anyway)
assert_eq!(valid_items_front.len(), valid_items_front_set.len());
assert_eq!(valid_items_reverse.len(), valid_items_reverse_set.len());
// Length of the array should equal free + valid items count + 1 (dummy entry)
assert_eq!(free_items.len() + valid_items_front.len() + 1, self.items.len());
// Should be same number of items whether iterating forwards or reverse
assert_eq!(valid_items_front.len(), valid_items_reverse.len());
// Ensure there are no items considered in the free list that are also in the valid list
assert!(free_items_set.intersection(&valid_items_reverse_set).collect::<HashSet<_>>().is_empty());
assert!(free_items_set.intersection(&valid_items_front_set).collect::<HashSet<_>>().is_empty());
// Should be the same number of items regardless of iteration direction
assert_eq!(valid_items_front_set.len(), valid_items_reverse_set.len());
// Ensure that the ordering is exactly the same, regardless of iteration direction
for (i0, i1) in valid_items_front.iter().zip(valid_items_reverse.iter().rev()) {
assert_eq!(i0, i1);
}
}
}
#[test]
fn test_lru_tracker_push_peek() {
// Push elements, peek and ensure:
// - peek_oldest returns None before first element pushed
// - peek_oldest returns oldest element
// - subsequent calls to peek_oldest return same element (nothing was removed)
struct CacheMarker;
const NUM_ELEMENTS: usize = 50;
let mut cache: LRUCache<usize, CacheMarker> = LRUCache::new(1);
cache.validate();
assert_eq!(cache.peek_oldest(0), None);
for i in 0 .. NUM_ELEMENTS {
cache.push_new(0, i);
}
cache.validate();
assert_eq!(cache.peek_oldest(0), Some(&0));
assert_eq!(cache.peek_oldest(0), Some(&0));
cache.pop_oldest(0);
assert_eq!(cache.peek_oldest(0), Some(&1));
}
#[test]
fn test_lru_tracker_push_pop() {
// Push elements, pop them all off and ensure:
// - Returned in oldest order
// - pop_oldest returns None after last element popped
struct CacheMarker;
const NUM_ELEMENTS: usize = 50;
let mut cache: LRUCache<usize, CacheMarker> = LRUCache::new(1);
cache.validate();
for i in 0 .. NUM_ELEMENTS {
cache.push_new(0, i);
}
cache.validate();
for i in 0 .. NUM_ELEMENTS {
assert_eq!(cache.pop_oldest(0), Some(i));
}
cache.validate();
assert_eq!(cache.pop_oldest(0), None);
}
#[test]
fn test_lru_tracker_push_touch_pop() {
// Push elements, touch even handles, pop them all off and ensure:
// - Returned in correct order
// - pop_oldest returns None after last element popped
struct CacheMarker;
const NUM_ELEMENTS: usize = 50;
let mut cache: LRUCache<usize, CacheMarker> = LRUCache::new(1);
let mut handles = Vec::new();
cache.validate();
for i in 0 .. NUM_ELEMENTS {
handles.push(cache.push_new(0, i));
}
cache.validate();
for i in 0 .. NUM_ELEMENTS/2 {
cache.touch(&handles[i*2]);
}
cache.validate();
for i in 0 .. NUM_ELEMENTS/2 {
assert_eq!(cache.pop_oldest(0), Some(i*2+1));
}
cache.validate();
for i in 0 .. NUM_ELEMENTS/2 {
assert_eq!(cache.pop_oldest(0), Some(i*2));
}
cache.validate();
assert_eq!(cache.pop_oldest(0), None);
}
#[test]
fn test_lru_tracker_push_get() {
// Push elements, ensure:
// - get access via weak handles works
struct CacheMarker;
const NUM_ELEMENTS: usize = 50;
let mut cache: LRUCache<usize, CacheMarker> = LRUCache::new(1);
let mut handles = Vec::new();
cache.validate();
for i in 0 .. NUM_ELEMENTS {
handles.push(cache.push_new(0, i));
}
cache.validate();
for i in 0 .. NUM_ELEMENTS/2 {
assert!(cache.get_opt(&handles[i]) == Some(&i));
}
cache.validate();
}
#[test]
fn test_lru_tracker_push_replace_get() {
// Push elements, replace contents, ensure:
// - each element was replaced with new data correctly
// - replace_or_insert works for invalid handles
struct CacheMarker;
const NUM_ELEMENTS: usize = 50;
let mut cache: LRUCache<usize, CacheMarker> = LRUCache::new(1);
let mut handles = Vec::new();
cache.validate();
for i in 0 .. NUM_ELEMENTS {
handles.push(cache.push_new(0, i));
}
cache.validate();
for i in 0 .. NUM_ELEMENTS {
assert_eq!(cache.replace_or_insert(&mut handles[i], 0, i * 2), Some(i));
}
cache.validate();
for i in 0 .. NUM_ELEMENTS/2 {
assert!(cache.get_opt(&handles[i]) == Some(&(i * 2)));
}
cache.validate();
let mut empty_handle = WeakFreeListHandle::invalid();
assert_eq!(cache.replace_or_insert(&mut empty_handle, 0, 100), None);
assert_eq!(cache.get_opt(&empty_handle), Some(&100));
}