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
use std::usize;

/// Custom type of function that is used to determine how to add files to the cache.
/// The first term will be assigned the access count of the file in question, while the second term will be assigned the size (in bytes) of the file in question.
/// The result will represent the priority of the file to remain in or be added to the cache.
/// The files with the largest priorities will be kept in the cache.
///
/// A closure that matches this type signature can be specified at cache instantiation to define how it will keep items in the cache.
pub type PriorityFunction = fn(usize, usize) -> usize;


/// The default priority function used for determining if a file should be in the cache
/// This function takes the square root of the size of the file times the number of times it has been accessed.
/// This should give some priority to bigger files, while still allowing some smaller files to enter the cache.
pub fn DEFAULT_PRIORITY_FUNCTION(access_count: usize, size: usize) -> usize {
 ((size as f64).sqrt() as usize) * access_count
}

/// Priority is calculated as size * access count.
pub fn NORMAL_PRIORITY_FUNCTION( access_count: usize, size: usize ) -> usize {
    size * access_count
}

/// This priority function will value files in the cache based solely on the number of times the file is accessed.
pub fn ACCESS_PRIORITY_FUNCTION( access_count: usize, _: usize) -> usize {
    access_count
}


/// Favor small files.
/// The smaller the file, the higher priority it will have.
/// Does not take into account the number of accesses the file has.
pub fn  SMALL_FILES_PRIORITY_FUNCTION (_: usize, size: usize) -> usize {
    if size == 0 {
        return 0 // don't give any priority to completely empty files.
    }
    usize::MAX / size
}

/// Favor small files.
/// The smaller the file, the higher priority it will have.
/// Does take into account the number of accesses the file has.
pub fn SMALL_FILES_ACCESS_PRIORITY_FUNCTION( access_count: usize, size: usize) -> usize {
    if size == 0 {
        return 0 // don't give any priority to completely empty files.
    }
    (usize::MAX / size) * access_count
}