summaryrefslogtreecommitdiff
path: root/tools/rust/src/nvme.rs
blob: fdcec0e460e1b17766bb742940f344175a72b417 (plain)
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
// SPDX-License-Identifier: MIT
use crate::println;
use alloc::boxed::Box;
use core::cmp::min;
use core::ffi::c_void;
use fatfs::SeekFrom;

extern "C" {
    fn nvme_read(nsid: u32, lba: u64, buffer: *mut c_void) -> bool;
}

const SECTOR_SIZE: usize = 4096;

pub type Error = ();

#[repr(C, align(4096))]
struct SectorBuffer([u8; SECTOR_SIZE]);

fn alloc_sector_buf() -> Box<SectorBuffer> {
    let p: Box<SectorBuffer> = unsafe { Box::new_zeroed().assume_init() };
    debug_assert_eq!(0, p.0.as_ptr().align_offset(4096));
    p
}

pub struct NVMEStorage {
    nsid: u32,
    offset: u64,
    lba: Option<u64>,
    buf: Box<SectorBuffer>,
    pos: u64,
}

impl NVMEStorage {
    pub fn new(nsid: u32, offset: u64) -> NVMEStorage {
        NVMEStorage {
            nsid: nsid,
            offset: offset,
            lba: None,
            buf: alloc_sector_buf(),
            pos: 0,
        }
    }
}

impl fatfs::IoBase for NVMEStorage {
    type Error = Error;
}

impl fatfs::Read for NVMEStorage {
    fn read(&mut self, mut buf: &mut [u8]) -> Result<usize, Self::Error> {
        let mut read = 0;

        while !buf.is_empty() {
            let lba = self.pos / SECTOR_SIZE as u64;
            let off = self.pos as usize % SECTOR_SIZE;

            if Some(lba) != self.lba {
                self.lba = Some(lba);
                let lba = lba + self.offset;
                if !unsafe { nvme_read(self.nsid, lba, self.buf.0.as_mut_ptr() as *mut c_void) } {
                    println!("nvme_read({}, {}) failed", self.nsid, lba);
                    return Err(());
                }
            }
            let copy_len = min(SECTOR_SIZE - off, buf.len());
            buf[..copy_len].copy_from_slice(&self.buf.0[off..off + copy_len]);
            buf = &mut buf[copy_len..];
            read += copy_len;
            self.pos += copy_len as u64;
        }
        Ok(read)
    }
}

impl fatfs::Write for NVMEStorage {
    fn write(&mut self, _buf: &[u8]) -> Result<usize, Self::Error> {
        Err(())
    }
    fn flush(&mut self) -> Result<(), Self::Error> {
        Err(())
    }
}

impl fatfs::Seek for NVMEStorage {
    fn seek(&mut self, from: SeekFrom) -> Result<u64, Self::Error> {
        self.pos = match from {
            SeekFrom::Start(n) => n,
            SeekFrom::End(_n) => panic!("SeekFrom::End not supported"),
            SeekFrom::Current(n) => self.pos.checked_add_signed(n).ok_or(())?,
        };
        Ok(self.pos)
    }
}