proxmox-backup/pbs-datastore/src/chunk_store.rs

592 lines
18 KiB
Rust
Raw Normal View History

use std::io::Write;
use std::os::unix::io::AsRawFd;
use std::path::{Path, PathBuf};
use std::sync::{Arc, Mutex};
use anyhow::{bail, format_err, Error};
2018-12-07 13:44:56 +00:00
use pbs_api_types::GarbageCollectionStatus;
use proxmox_sys::fs::{create_dir, create_path, CreateOptions};
use proxmox_sys::process_locker::{
ProcessLockExclusiveGuard, ProcessLockSharedGuard, ProcessLocker,
};
use proxmox_sys::task_log;
use proxmox_sys::WorkerTaskContext;
use crate::DataBlob;
2018-12-19 09:02:24 +00:00
/// File system based chunk store
pub struct ChunkStore {
2018-12-19 12:40:26 +00:00
name: String, // used for error reporting
pub(crate) base: PathBuf,
chunk_dir: PathBuf,
mutex: Mutex<()>,
locker: Option<Arc<Mutex<ProcessLocker>>>,
2018-12-07 13:44:56 +00:00
}
2018-12-22 14:39:05 +00:00
// TODO: what about sysctl setting vm.vfs_cache_pressure (0 - 100) ?
pub fn verify_chunk_size(size: usize) -> Result<(), Error> {
static SIZES: [usize; 7] = [
64 * 1024,
128 * 1024,
256 * 1024,
512 * 1024,
1024 * 1024,
2048 * 1024,
4096 * 1024,
];
if !SIZES.contains(&size) {
bail!("Got unsupported chunk size '{}'", size);
}
Ok(())
}
2018-12-19 08:51:33 +00:00
fn digest_to_prefix(digest: &[u8]) -> PathBuf {
let mut buf = Vec::<u8>::with_capacity(2 + 1 + 2 + 1);
2018-12-07 13:44:56 +00:00
2019-10-26 09:36:01 +00:00
const HEX_CHARS: &[u8; 16] = b"0123456789abcdef";
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(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(b'/');
2018-12-07 13:44:56 +00:00
let path = unsafe { String::from_utf8_unchecked(buf) };
2018-12-07 13:44:56 +00:00
path.into()
}
impl ChunkStore {
#[doc(hidden)]
pub unsafe fn panic_store() -> Self {
Self {
name: String::new(),
base: PathBuf::new(),
chunk_dir: PathBuf::new(),
mutex: Mutex::new(()),
locker: None,
}
}
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
}
pub fn base(&self) -> &Path {
&self.base
}
pub fn create<P>(
name: &str,
path: P,
uid: nix::unistd::Uid,
gid: nix::unistd::Gid,
worker: Option<&dyn WorkerTaskContext>,
) -> Result<Self, Error>
where
P: Into<PathBuf>,
{
let base: PathBuf = path.into();
if !base.is_absolute() {
bail!("expected absolute path - got {:?}", base);
}
let chunk_dir = Self::chunk_dir(&base);
let options = CreateOptions::new().owner(uid).group(gid);
let default_options = CreateOptions::new();
match create_path(&base, Some(default_options), Some(options.clone())) {
Err(err) => bail!(
"unable to create chunk store '{}' at {:?} - {}",
name,
base,
err
),
Ok(res) => {
if !res {
nix::unistd::chown(&base, Some(uid), Some(gid))?
}
}
2018-12-08 07:38:42 +00:00
}
if let Err(err) = create_dir(&chunk_dir, options.clone()) {
bail!(
"unable to create chunk store '{}' subdir {:?} - {}",
name,
chunk_dir,
err
);
2018-12-08 07:38:42 +00:00
}
// create lock file with correct owner/group
let lockfile_path = Self::lockfile_path(&base);
proxmox_sys::fs::replace_file(lockfile_path, b"", options.clone(), false)?;
// create 64*1024 subdirs
let mut last_percentage = 0;
for i in 0..64 * 1024 {
2018-12-16 12:52:16 +00:00
let mut l1path = chunk_dir.clone();
l1path.push(format!("{:04x}", i));
if let Err(err) = create_dir(&l1path, options.clone()) {
bail!(
"unable to create chunk store '{}' subdir {:?} - {}",
name,
l1path,
err
);
2018-12-08 07:38:42 +00:00
}
let percentage = (i * 100) / (64 * 1024);
if percentage != last_percentage {
if let Some(worker) = worker {
task_log!(worker, "Chunkstore create: {}%", percentage)
}
last_percentage = percentage;
}
}
2018-12-19 12:40:26 +00:00
Self::open(name, base)
}
fn lockfile_path<P: Into<PathBuf>>(base: P) -> PathBuf {
let mut lockfile_path: PathBuf = base.into();
lockfile_path.push(".lock");
lockfile_path
}
pub fn open<P: Into<PathBuf>>(name: &str, base: P) -> Result<Self, Error> {
let base: PathBuf = base.into();
if !base.is_absolute() {
bail!("expected absolute path - got {:?}", base);
}
let chunk_dir = Self::chunk_dir(&base);
2018-12-09 08:42:17 +00:00
if let Err(err) = std::fs::metadata(&chunk_dir) {
bail!(
"unable to open chunk store '{}' at {:?} - {}",
name,
chunk_dir,
err
);
2018-12-09 08:42:17 +00:00
}
let lockfile_path = Self::lockfile_path(&base);
let locker = ProcessLocker::new(&lockfile_path)?;
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,
locker: Some(locker),
mutex: Mutex::new(()),
2018-12-08 07:21:20 +00:00
})
}
pub fn touch_chunk(&self, digest: &[u8; 32]) -> Result<(), Error> {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
self.cond_touch_chunk(digest, true)?;
Ok(())
}
pub fn cond_touch_chunk(&self, digest: &[u8; 32], assert_exists: bool) -> Result<bool, Error> {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
let (chunk_path, _digest_str) = self.chunk_path(digest);
self.cond_touch_path(&chunk_path, assert_exists)
}
2018-12-18 10:06:03 +00:00
pub fn cond_touch_path(&self, path: &Path, assert_exists: bool) -> Result<bool, Error> {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
2020-05-18 09:35:56 +00:00
const UTIME_NOW: i64 = (1 << 30) - 1;
const UTIME_OMIT: i64 = (1 << 30) - 2;
2018-12-25 10:59:02 +00:00
2018-12-25 12:29:27 +00:00
let times: [libc::timespec; 2] = [
libc::timespec {
tv_sec: 0,
tv_nsec: UTIME_NOW,
},
libc::timespec {
tv_sec: 0,
tv_nsec: UTIME_OMIT,
},
2018-12-25 10:59:02 +00:00
];
use nix::NixPath;
let res = path.with_nix_path(|cstr| unsafe {
let tmp = libc::utimensat(-1, cstr.as_ptr(), &times[0], libc::AT_SYMLINK_NOFOLLOW);
nix::errno::Errno::result(tmp)
2018-12-25 10:59:02 +00:00
})?;
if let Err(err) = res {
if !assert_exists && err.as_errno() == Some(nix::errno::Errno::ENOENT) {
return Ok(false);
}
bail!("update atime failed for chunk/file {:?} - {}", path, err);
2018-12-25 10:59:02 +00:00
}
Ok(true)
2018-12-18 10:06:03 +00:00
}
pub fn get_chunk_iterator(
&self,
) -> Result<
impl Iterator<Item = (Result<proxmox_sys::fs::ReadDirEntry, Error>, usize, bool)>
+ std::iter::FusedIterator,
Error,
> {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
use nix::dir::Dir;
use nix::fcntl::OFlag;
use nix::sys::stat::Mode;
let base_handle =
Dir::open(&self.chunk_dir, OFlag::O_RDONLY, Mode::empty()).map_err(|err| {
format_err!(
"unable to open store '{}' chunk dir {:?} - {}",
self.name,
self.chunk_dir,
err,
)
})?;
let mut done = false;
let mut inner: Option<proxmox_sys::fs::ReadDir> = None;
let mut at = 0;
let mut percentage = 0;
Ok(std::iter::from_fn(move || {
if done {
return None;
}
loop {
if let Some(ref mut inner) = inner {
match inner.next() {
Some(Ok(entry)) => {
// skip files if they're not a hash
let bytes = entry.file_name().to_bytes();
if bytes.len() != 64 && bytes.len() != 64 + ".0.bad".len() {
continue;
}
if !bytes.iter().take(64).all(u8::is_ascii_hexdigit) {
continue;
}
let bad = bytes.ends_with(b".bad");
return Some((Ok(entry), percentage, bad));
}
Some(Err(err)) => {
// stop after first error
done = true;
// and pass the error through:
return Some((Err(err), percentage, false));
}
None => (), // open next directory
}
}
inner = None;
if at == 0x10000 {
done = true;
return None;
}
let subdir: &str = &format!("{:04x}", at);
percentage = (at * 100) / 0x10000;
at += 1;
match proxmox_sys::fs::read_subdir(base_handle.as_raw_fd(), subdir) {
Ok(dir) => {
inner = Some(dir);
// start reading:
continue;
}
Err(ref err) if err.as_errno() == Some(nix::errno::Errno::ENOENT) => {
// non-existing directories are okay, just keep going:
continue;
}
Err(err) => {
// other errors are fatal, so end our iteration
done = true;
// and pass the error through:
return Some((
Err(format_err!("unable to read subdir '{}' - {}", subdir, err)),
percentage,
false,
));
}
}
}
})
.fuse())
}
pub fn oldest_writer(&self) -> Option<i64> {
// unwrap: only `None` in unit tests
ProcessLocker::oldest_shared_lock(self.locker.clone().unwrap())
}
pub fn sweep_unused_chunks(
&self,
2020-04-06 07:50:40 +00:00
oldest_writer: i64,
phase1_start_time: i64,
status: &mut GarbageCollectionStatus,
2021-09-24 05:40:49 +00:00
worker: &dyn WorkerTaskContext,
) -> Result<(), Error> {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
use nix::sys::stat::fstatat;
use nix::unistd::{unlinkat, UnlinkatFlags};
2018-12-19 08:51:33 +00:00
let mut min_atime = phase1_start_time - 3600 * 24; // at least 24h (see mount option relatime)
2020-04-06 07:50:40 +00:00
if oldest_writer < min_atime {
min_atime = oldest_writer;
}
min_atime -= 300; // add 5 mins gap for safety
let mut last_percentage = 0;
let mut chunk_count = 0;
for (entry, percentage, bad) in self.get_chunk_iterator()? {
if last_percentage != percentage {
last_percentage = percentage;
task_log!(worker, "processed {}% ({} chunks)", percentage, chunk_count,);
}
2019-04-01 10:13:02 +00:00
worker.check_abort()?;
worker.fail_on_shutdown()?;
2019-04-01 10:13:02 +00:00
let (dirfd, entry) = match entry {
Ok(entry) => (entry.parent_fd(), entry),
Err(err) => bail!(
"chunk iterator on chunk store '{}' failed - {}",
self.name,
err
),
2018-12-19 11:49:23 +00:00
};
2018-12-19 11:49:23 +00:00
let file_type = match entry.file_type() {
Some(file_type) => file_type,
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;
}
2018-12-19 11:49:23 +00:00
chunk_count += 1;
let filename = entry.file_name();
let lock = self.mutex.lock();
if let Ok(stat) = fstatat(dirfd, filename, nix::fcntl::AtFlags::AT_SYMLINK_NOFOLLOW) {
if stat.st_atime < min_atime {
2020-04-06 07:50:40 +00:00
//let age = now - stat.st_atime;
//println!("UNLINK {} {:?}", age/(3600*24), filename);
if let Err(err) = unlinkat(Some(dirfd), filename, UnlinkatFlags::NoRemoveDir) {
if bad {
status.still_bad += 1;
}
bail!(
"unlinking chunk {:?} failed on store '{}' - {}",
filename,
self.name,
err,
);
2018-12-19 12:40:26 +00:00
}
if bad {
status.removed_bad += 1;
} else {
status.removed_chunks += 1;
}
status.removed_bytes += stat.st_size as u64;
} else if stat.st_atime < oldest_writer {
if bad {
status.still_bad += 1;
} else {
status.pending_chunks += 1;
}
status.pending_bytes += stat.st_size as u64;
2020-04-06 07:50:40 +00:00
} else {
if !bad {
status.disk_chunks += 1;
}
status.disk_bytes += stat.st_size as u64;
2018-12-19 08:51:33 +00:00
}
2018-12-19 11:49:23 +00:00
}
drop(lock);
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 insert_chunk(&self, chunk: &DataBlob, digest: &[u8; 32]) -> Result<(bool, u64), Error> {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
//println!("DIGEST {}", hex::encode(digest));
2018-12-07 13:44:56 +00:00
let (chunk_path, digest_str) = self.chunk_path(digest);
2018-12-07 15:12:45 +00:00
let lock = self.mutex.lock();
let raw_data = chunk.raw_data();
let encoded_size = raw_data.len() as u64;
2018-12-07 15:12:45 +00:00
if let Ok(metadata) = std::fs::metadata(&chunk_path) {
if !metadata.is_file() {
bail!(
"Got unexpected file type on store '{}' for chunk {}",
self.name,
digest_str
);
2018-12-07 15:12:45 +00:00
}
let old_size = metadata.len();
if encoded_size == old_size {
self.touch_chunk(digest)?;
return Ok((true, old_size));
} else if old_size == 0 {
log::warn!("found empty chunk '{digest_str}' on disk, overwriting");
} else {
bail!("found chunk size mismatch for '{digest_str}': old {old_size} - new {encoded_size}");
}
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 file = std::fs::File::create(&tmp_path).map_err(|err| {
format_err!(
"creating temporary chunk on store '{}' failed for {} - {}",
self.name,
digest_str,
err
)
})?;
file.write_all(raw_data).map_err(|err| {
format_err!(
"writing temporary chunk on store '{}' failed for {} - {}",
self.name,
digest_str,
err
)
})?;
2018-12-07 13:44:56 +00:00
2018-12-07 15:12:45 +00:00
if let Err(err) = std::fs::rename(&tmp_path, &chunk_path) {
if std::fs::remove_file(&tmp_path).is_err() { /* ignore */ }
bail!(
"Atomic rename on store '{}' failed for chunk {} - {}",
self.name,
digest_str,
err,
);
2018-12-07 15:12:45 +00:00
}
drop(lock);
Ok((false, encoded_size))
2018-12-07 13:44:56 +00:00
}
pub fn chunk_path(&self, digest: &[u8; 32]) -> (PathBuf, String) {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
let mut chunk_path = self.chunk_dir.clone();
let prefix = digest_to_prefix(digest);
chunk_path.push(&prefix);
let digest_str = hex::encode(digest);
chunk_path.push(&digest_str);
(chunk_path, digest_str)
}
pub fn relative_path(&self, path: &Path) -> PathBuf {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
let mut full_path = self.base.clone();
full_path.push(path);
full_path
}
pub fn name(&self) -> &str {
&self.name
}
2018-12-18 10:06:03 +00:00
pub fn base_path(&self) -> PathBuf {
// unwrap: only `None` in unit tests
assert!(self.locker.is_some());
2018-12-18 10:06:03 +00:00
self.base.clone()
}
pub fn try_shared_lock(&self) -> Result<ProcessLockSharedGuard, Error> {
// unwrap: only `None` in unit tests
ProcessLocker::try_shared_lock(self.locker.clone().unwrap())
}
pub fn try_exclusive_lock(&self) -> Result<ProcessLockExclusiveGuard, Error> {
// unwrap: only `None` in unit tests
ProcessLocker::try_exclusive_lock(self.locker.clone().unwrap())
}
}
#[test]
fn test_chunk_store1() {
let mut path = std::fs::canonicalize(".").unwrap(); // we need absolute path
path.push(".testdir");
if let Err(_e) = std::fs::remove_dir_all(".testdir") { /* ignore */ }
let chunk_store = ChunkStore::open("test", &path);
assert!(chunk_store.is_err());
let user = nix::unistd::User::from_uid(nix::unistd::Uid::current())
.unwrap()
.unwrap();
let chunk_store = ChunkStore::create("test", &path, user.uid, user.gid, None).unwrap();
let (chunk, digest) = crate::data_blob::DataChunkBuilder::new(&[0u8, 1u8])
.build()
.unwrap();
let (exists, _) = chunk_store.insert_chunk(&chunk, &digest).unwrap();
assert!(!exists);
let (exists, _) = chunk_store.insert_chunk(&chunk, &digest).unwrap();
assert!(exists);
2018-12-07 13:44:56 +00:00
let chunk_store = ChunkStore::create("test", &path, user.uid, user.gid, None);
assert!(chunk_store.is_err());
if let Err(_e) = std::fs::remove_dir_all(".testdir") { /* ignore */ }
}