proxmox-backup/src/backup/chunk_store.rs

343 lines
10 KiB
Rust
Raw Normal View History

use failure::*;
use std::path::{Path, PathBuf};
2018-12-07 13:44:56 +00:00
use std::io::Write;
use std::time::Duration;
2018-12-07 13:44:56 +00:00
2018-12-22 13:31:59 +00:00
use openssl::sha;
2018-12-07 15:12:45 +00:00
use std::sync::Mutex;
2018-12-19 09:02:24 +00:00
use std::fs::File;
use std::os::unix::io::AsRawFd;
2018-12-19 09:02:24 +00:00
use crate::tools;
pub struct GarbageCollectionStatus {
pub used_bytes: usize,
pub used_chunks: usize,
pub disk_bytes: usize,
pub disk_chunks: usize,
}
impl Default for GarbageCollectionStatus {
fn default() -> Self {
GarbageCollectionStatus {
used_bytes: 0,
used_chunks: 0,
disk_bytes: 0,
disk_chunks: 0,
}
}
}
pub struct ChunkStore {
2018-12-19 12:40:26 +00:00
name: String, // used for error reporting
pub (crate) base: PathBuf,
chunk_dir: PathBuf,
2018-12-07 15:12:45 +00:00
mutex: Mutex<bool>,
2018-12-19 11:49:23 +00:00
_lockfile: File,
2018-12-07 13:44:56 +00:00
}
const HEX_CHARS: &'static [u8; 16] = b"0123456789abcdef";
2018-12-22 14:39:05 +00:00
// TODO: what about sysctl setting vm.vfs_cache_pressure (0 - 100) ?
2018-12-19 08:51:33 +00:00
pub fn digest_to_hex(digest: &[u8]) -> String {
2018-12-07 13:44:56 +00:00
2018-12-18 10:06:03 +00:00
let mut buf = Vec::<u8>::with_capacity(digest.len()*2);
2018-12-07 13:44:56 +00:00
2018-12-18 10:06:03 +00:00
for i in 0..digest.len() {
2018-12-07 13:44:56 +00:00
buf.push(HEX_CHARS[(digest[i] >> 4) as usize]);
buf.push(HEX_CHARS[(digest[i] & 0xf) as usize]);
}
unsafe { String::from_utf8_unchecked(buf) }
}
2018-12-19 08:51:33 +00:00
fn digest_to_prefix(digest: &[u8]) -> PathBuf {
2018-12-07 13:44:56 +00:00
let mut buf = Vec::<u8>::with_capacity(2+1+2+1);
2018-12-07 13:44:56 +00:00
buf.push(HEX_CHARS[(digest[0] as usize) >> 4]);
buf.push(HEX_CHARS[(digest[0] as usize) &0xf]);
buf.push('/' as u8);
buf.push(HEX_CHARS[(digest[1] as usize) >> 4]);
2018-12-07 13:44:56 +00:00
buf.push(HEX_CHARS[(digest[1] as usize) & 0xf]);
buf.push('/' as u8);
let path = unsafe { String::from_utf8_unchecked(buf)};
path.into()
}
2018-12-08 10:20:02 +00:00
impl ChunkStore {
fn chunk_dir<P: AsRef<Path>>(path: P) -> PathBuf {
let mut chunk_dir: PathBuf = PathBuf::from(path.as_ref());
chunk_dir.push(".chunks");
chunk_dir
}
2018-12-19 12:40:26 +00:00
pub fn create<P: Into<PathBuf>>(name: &str, path: P) -> Result<Self, Error> {
let base: PathBuf = path.into();
let chunk_dir = Self::chunk_dir(&base);
2018-12-08 07:38:42 +00:00
if let Err(err) = std::fs::create_dir(&base) {
2018-12-19 12:40:26 +00:00
bail!("unable to create chunk store '{}' at {:?} - {}", name, base, err);
2018-12-08 07:38:42 +00:00
}
if let Err(err) = std::fs::create_dir(&chunk_dir) {
2018-12-19 12:40:26 +00:00
bail!("unable to create chunk store '{}' subdir {:?} - {}", name, chunk_dir, err);
2018-12-08 07:38:42 +00:00
}
// create 256*256 subdirs
let mut last_percentage = 0;
for i in 0..256 {
2018-12-16 12:52:16 +00:00
let mut l1path = chunk_dir.clone();
l1path.push(format!("{:02x}",i));
2018-12-08 07:38:42 +00:00
if let Err(err) = std::fs::create_dir(&l1path) {
2018-12-19 12:40:26 +00:00
bail!("unable to create chunk store '{}' subdir {:?} - {}", name, l1path, err);
2018-12-08 07:38:42 +00:00
}
for j in 0..256 {
let mut l2path = l1path.clone();
l2path.push(format!("{:02x}",j));
if let Err(err) = std::fs::create_dir(&l2path) {
bail!("unable to create chunk store '{}' subdir {:?} - {}", name, l2path, err);
}
let percentage = ((i*256+j)*100)/(256*256);
if percentage != last_percentage {
eprintln!("Percentage done: {}", percentage);
last_percentage = percentage;
}
}
}
2018-12-19 12:40:26 +00:00
Self::open(name, base)
}
2018-12-19 12:40:26 +00:00
pub fn open<P: Into<PathBuf>>(name: &str, path: P) -> Result<Self, Error> {
let base: PathBuf = path.into();
let chunk_dir = Self::chunk_dir(&base);
2018-12-09 08:42:17 +00:00
if let Err(err) = std::fs::metadata(&chunk_dir) {
2018-12-19 12:40:26 +00:00
bail!("unable to open chunk store '{}' at {:?} - {}", name, chunk_dir, err);
2018-12-09 08:42:17 +00:00
}
let mut lockfile_path = base.clone();
lockfile_path.push(".lock");
// make sure only one process/thread/task can use it
let lockfile = tools::open_file_locked(
lockfile_path, Duration::from_secs(10))?;
2018-12-08 07:21:20 +00:00
Ok(ChunkStore {
2018-12-19 12:40:26 +00:00
name: name.to_owned(),
2018-12-08 07:21:20 +00:00
base,
chunk_dir,
2018-12-21 11:15:26 +00:00
_lockfile: lockfile,
2018-12-08 07:21:20 +00:00
mutex: Mutex::new(false)
})
}
2018-12-21 11:15:26 +00:00
pub fn touch_chunk(&self, digest:&[u8]) -> Result<(), Error> {
2018-12-18 10:06:03 +00:00
2018-12-25 12:24:50 +00:00
let mut chunk_path = self.chunk_dir.clone();
2018-12-19 08:51:33 +00:00
let prefix = digest_to_prefix(&digest);
2018-12-18 10:06:03 +00:00
chunk_path.push(&prefix);
2018-12-19 08:51:33 +00:00
let digest_str = digest_to_hex(&digest);
2018-12-18 10:06:03 +00:00
chunk_path.push(&digest_str);
2018-12-25 10:59:02 +00:00
const UTIME_NOW: i64 = ((1 << 30) - 1);
const UTIME_OMIT: i64 = ((1 << 30) - 2);
let mut times: [libc::timespec; 2] = [
libc::timespec { tv_sec: 0, tv_nsec: UTIME_NOW },
libc::timespec { tv_sec: 0, tv_nsec: UTIME_OMIT }
];
use nix::NixPath;
let res = chunk_path.with_nix_path(|cstr| unsafe {
libc::utimensat(-1, cstr.as_ptr(), &times[0], libc::AT_SYMLINK_NOFOLLOW)
})?;
if let Err(err) = nix::errno::Errno::result(res) {
bail!("updata atime failed for chunk {:?} - {}", chunk_path, err);
}
2018-12-18 10:06:03 +00:00
Ok(())
}
fn sweep_old_files(&self, handle: &mut nix::dir::Dir, status: &mut GarbageCollectionStatus) -> Result<(), Error> {
2018-12-19 08:51:33 +00:00
let rawfd = handle.as_raw_fd();
let now = unsafe { libc::time(std::ptr::null_mut()) };
for entry in handle.iter() {
2018-12-19 11:49:23 +00:00
let entry = match entry {
Ok(entry) => entry,
Err(_) => continue /* ignore */,
};
let file_type = match entry.file_type() {
Some(file_type) => file_type,
2018-12-19 12:40:26 +00:00
None => bail!("unsupported file system type on chunk store '{}'", self.name),
2018-12-19 11:49:23 +00:00
};
if file_type != nix::dir::Type::File { continue; }
let filename = entry.file_name();
if let Ok(stat) = nix::sys::stat::fstatat(rawfd, filename, nix::fcntl::AtFlags::AT_SYMLINK_NOFOLLOW) {
let age = now - stat.st_atime;
//println!("FOUND {} {:?}", age/(3600*24), filename);
2018-12-19 11:49:23 +00:00
if age/(3600*24) >= 2 {
println!("UNLINK {} {:?}", age/(3600*24), filename);
2018-12-19 12:40:26 +00:00
let res = unsafe { libc::unlinkat(rawfd, filename.as_ptr(), 0) };
if res != 0 {
let err = nix::Error::last();
bail!("unlink chunk {:?} failed on store '{}' - {}", filename, self.name, err);
}
} else {
status.disk_chunks += 1;
status.disk_bytes += stat.st_size as usize;
2018-12-19 08:51:33 +00:00
}
2018-12-19 11:49:23 +00:00
}
}
2018-12-19 12:40:26 +00:00
Ok(())
2018-12-19 08:51:33 +00:00
}
pub fn sweep_used_chunks(&self, status: &mut GarbageCollectionStatus) -> Result<(), Error> {
2018-12-18 10:18:55 +00:00
2018-12-19 11:30:37 +00:00
use nix::fcntl::OFlag;
use nix::sys::stat::Mode;
use nix::dir::Dir;
2018-12-19 11:49:23 +00:00
let base_handle = match Dir::open(
2018-12-19 11:30:37 +00:00
&self.chunk_dir, OFlag::O_RDONLY, Mode::empty()) {
Ok(h) => h,
2018-12-19 12:40:26 +00:00
Err(err) => bail!("unable to open store '{}' chunk dir {:?} - {}",
self.name, self.chunk_dir, err),
};
let base_fd = base_handle.as_raw_fd();
2018-12-22 14:39:05 +00:00
let mut last_percentage = 0;
for i in 0..256 {
let l1name = PathBuf::from(format!("{:02x}", i));
let mut l1_handle = match nix::dir::Dir::openat(
2018-12-19 11:30:37 +00:00
base_fd, &l1name, OFlag::O_RDONLY, Mode::empty()) {
Ok(h) => h,
2018-12-19 12:40:26 +00:00
Err(err) => bail!("unable to open store '{}' dir {:?}/{:?} - {}",
self.name, self.chunk_dir, l1name, err),
};
let l1_fd = l1_handle.as_raw_fd();
for j in 0..256 {
let l2name = PathBuf::from(format!("{:02x}", j));
2018-12-19 11:40:26 +00:00
2018-12-22 14:39:05 +00:00
let percentage = ((i*256+j)*100)/(256*256);
if percentage != last_percentage {
eprintln!("Percentage done: {}", percentage);
last_percentage = percentage;
}
//println!("SCAN {:?} {:?}", l1name, l2name);
2018-12-19 11:40:26 +00:00
let mut l2_handle = match Dir::openat(
l1_fd, &l2name, OFlag::O_RDONLY, Mode::empty()) {
2018-12-19 11:40:26 +00:00
Ok(h) => h,
Err(err) => bail!(
2018-12-19 12:40:26 +00:00
"unable to open store '{}' dir {:?}/{:?}/{:?} - {}",
self.name, self.chunk_dir, l1name, l2name, err),
2018-12-19 11:40:26 +00:00
};
self.sweep_old_files(&mut l2_handle, status)?;
2018-12-19 08:51:33 +00:00
}
}
2018-12-18 10:18:55 +00:00
Ok(())
}
2018-12-21 11:15:26 +00:00
pub fn insert_chunk(&self, chunk: &[u8]) -> Result<(bool, [u8; 32]), Error> {
2018-12-07 13:44:56 +00:00
2018-12-22 13:31:59 +00:00
// fixme: use Sha512/256 when available
let mut hasher = sha::Sha256::new();
hasher.update(chunk);
let digest = hasher.finish();
2018-12-19 08:51:33 +00:00
//println!("DIGEST {}", digest_to_hex(&digest));
2018-12-07 13:44:56 +00:00
2018-12-16 12:52:16 +00:00
let mut chunk_path = self.chunk_dir.clone();
2018-12-19 08:51:33 +00:00
let prefix = digest_to_prefix(&digest);
2018-12-07 15:12:45 +00:00
chunk_path.push(&prefix);
2018-12-19 08:51:33 +00:00
let digest_str = digest_to_hex(&digest);
2018-12-07 15:12:45 +00:00
chunk_path.push(&digest_str);
let lock = self.mutex.lock();
if let Ok(metadata) = std::fs::metadata(&chunk_path) {
if metadata.is_file() {
return Ok((true, digest));
2018-12-07 15:12:45 +00:00
} else {
2018-12-19 12:54:22 +00:00
bail!("Got unexpected file type on store '{}' for chunk {}", self.name, digest_str);
2018-12-07 15:12:45 +00:00
}
}
2018-12-07 13:44:56 +00:00
2018-12-07 15:12:45 +00:00
let mut tmp_path = chunk_path.clone();
tmp_path.set_extension("tmp");
let mut f = std::fs::File::create(&tmp_path)?;
2018-12-07 13:44:56 +00:00
f.write_all(chunk)?;
2018-12-07 15:12:45 +00:00
if let Err(err) = std::fs::rename(&tmp_path, &chunk_path) {
if let Err(_) = std::fs::remove_file(&tmp_path) { /* ignore */ }
2018-12-19 12:54:22 +00:00
bail!("Atomic rename on store '{}' failed for chunk {} - {}", self.name, digest_str, err);
2018-12-07 15:12:45 +00:00
}
2018-12-07 13:44:56 +00:00
println!("PATH {:?}", chunk_path);
2018-12-07 15:12:45 +00:00
drop(lock);
Ok((false, digest))
2018-12-07 13:44:56 +00:00
}
pub fn relative_path(&self, path: &Path) -> PathBuf {
let mut full_path = self.base.clone();
full_path.push(path);
full_path
}
2018-12-18 10:06:03 +00:00
pub fn base_path(&self) -> PathBuf {
self.base.clone()
}
}
#[test]
fn test_chunk_store1() {
if let Err(_e) = std::fs::remove_dir_all(".testdir") { /* ignore */ }
2018-12-19 12:54:22 +00:00
let chunk_store = ChunkStore::open("test", ".testdir");
assert!(chunk_store.is_err());
2018-12-21 11:15:26 +00:00
let chunk_store = ChunkStore::create("test", ".testdir").unwrap();
let (exists, _) = chunk_store.insert_chunk(&[0u8, 1u8]).unwrap();
assert!(!exists);
let (exists, _) = chunk_store.insert_chunk(&[0u8, 1u8]).unwrap();
assert!(exists);
2018-12-07 13:44:56 +00:00
2018-12-19 12:54:22 +00:00
let chunk_store = ChunkStore::create("test", ".testdir");
assert!(chunk_store.is_err());
}