Line data Source code
1 : use std::collections::HashMap;
2 :
3 : const BLOCK_SIZE: usize = 8192;
4 :
5 : /// A simple in-memory implementation of a block storage. Can be used to implement external
6 : /// storage in tests.
7 : pub struct BlockStorage {
8 : blocks: HashMap<u64, [u8; BLOCK_SIZE]>,
9 : }
10 :
11 : impl Default for BlockStorage {
12 0 : fn default() -> Self {
13 0 : Self::new()
14 0 : }
15 : }
16 :
17 : impl BlockStorage {
18 11114 : pub fn new() -> Self {
19 11114 : BlockStorage {
20 11114 : blocks: HashMap::new(),
21 11114 : }
22 11114 : }
23 :
24 1702 : pub fn read(&self, pos: u64, buf: &mut [u8]) {
25 1702 : let mut buf_offset = 0;
26 1702 : let mut storage_pos = pos;
27 4194 : while buf_offset < buf.len() {
28 2492 : let block_id = storage_pos / BLOCK_SIZE as u64;
29 2492 : let block = self.blocks.get(&block_id).unwrap_or(&[0; BLOCK_SIZE]);
30 2492 : let block_offset = storage_pos % BLOCK_SIZE as u64;
31 2492 : let block_len = BLOCK_SIZE as u64 - block_offset;
32 2492 : let buf_len = buf.len() - buf_offset;
33 2492 : let copy_len = std::cmp::min(block_len as usize, buf_len);
34 2492 : buf[buf_offset..buf_offset + copy_len]
35 2492 : .copy_from_slice(&block[block_offset as usize..block_offset as usize + copy_len]);
36 2492 : buf_offset += copy_len;
37 2492 : storage_pos += copy_len as u64;
38 2492 : }
39 1702 : }
40 :
41 12264 : pub fn write(&mut self, pos: u64, buf: &[u8]) {
42 12264 : let mut buf_offset = 0;
43 12264 : let mut storage_pos = pos;
44 24769 : while buf_offset < buf.len() {
45 12505 : let block_id = storage_pos / BLOCK_SIZE as u64;
46 12505 : let block = self.blocks.entry(block_id).or_insert([0; BLOCK_SIZE]);
47 12505 : let block_offset = storage_pos % BLOCK_SIZE as u64;
48 12505 : let block_len = BLOCK_SIZE as u64 - block_offset;
49 12505 : let buf_len = buf.len() - buf_offset;
50 12505 : let copy_len = std::cmp::min(block_len as usize, buf_len);
51 12505 : block[block_offset as usize..block_offset as usize + copy_len]
52 12505 : .copy_from_slice(&buf[buf_offset..buf_offset + copy_len]);
53 12505 : buf_offset += copy_len;
54 12505 : storage_pos += copy_len as u64
55 : }
56 12264 : }
57 : }
|