]> git.proxmox.com Git - proxmox-backup.git/blame - src/backup/chunk_store.rs
Cargo.toml: remove native-tls
[proxmox-backup.git] / src / backup / chunk_store.rs
CommitLineData
f7d4e4b5 1use anyhow::{bail, format_err, Error};
43b13033 2
35cf5daa 3use std::path::{Path, PathBuf};
f98ac774 4use std::io::Write;
43b13033
DM
5use std::sync::{Arc, Mutex};
6use std::os::unix::io::AsRawFd;
128b37fe 7
0b97bc61
DM
8use proxmox::tools::fs::{CreateOptions, create_path, create_dir};
9
365bb90f 10use crate::tools;
a92830dc
DM
11use crate::api2::types::GarbageCollectionStatus;
12
4ee8f53d 13use super::DataBlob;
a5736098 14use crate::server::WorkerTask;
365bb90f 15
e5064ba6 16/// File system based chunk store
35cf5daa 17pub struct ChunkStore {
277fc5a3 18 name: String, // used for error reporting
2c32fdde 19 pub (crate) base: PathBuf,
35cf5daa 20 chunk_dir: PathBuf,
c5d82e5f 21 mutex: Mutex<bool>,
43b13033 22 locker: Arc<Mutex<tools::ProcessLocker>>,
128b37fe
DM
23}
24
176e4af9
DM
25// TODO: what about sysctl setting vm.vfs_cache_pressure (0 - 100) ?
26
36898ffc 27pub fn verify_chunk_size(size: usize) -> Result<(), Error> {
247cdbce 28
36898ffc 29 static SIZES: [usize; 7] = [64*1024, 128*1024, 256*1024, 512*1024, 1024*1024, 2048*1024, 4096*1024];
247cdbce
DM
30
31 if !SIZES.contains(&size) {
32 bail!("Got unsupported chunk size '{}'", size);
33 }
34 Ok(())
35}
36
08481a0b 37fn digest_to_prefix(digest: &[u8]) -> PathBuf {
128b37fe 38
e95950e4 39 let mut buf = Vec::<u8>::with_capacity(2+1+2+1);
128b37fe 40
62ee2eb4 41 const HEX_CHARS: &[u8; 16] = b"0123456789abcdef";
22968600 42
128b37fe
DM
43 buf.push(HEX_CHARS[(digest[0] as usize) >> 4]);
44 buf.push(HEX_CHARS[(digest[0] as usize) &0xf]);
e95950e4 45 buf.push(HEX_CHARS[(digest[1] as usize) >> 4]);
128b37fe 46 buf.push(HEX_CHARS[(digest[1] as usize) & 0xf]);
128b37fe
DM
47 buf.push('/' as u8);
48
49 let path = unsafe { String::from_utf8_unchecked(buf)};
50
51 path.into()
35cf5daa
DM
52}
53
54impl ChunkStore {
55
45773720
DM
56 fn chunk_dir<P: AsRef<Path>>(path: P) -> PathBuf {
57
58 let mut chunk_dir: PathBuf = PathBuf::from(path.as_ref());
59 chunk_dir.push(".chunks");
60
61 chunk_dir
62 }
63
64599563 64 pub fn create<P>(name: &str, path: P, uid: nix::unistd::Uid, gid: nix::unistd::Gid) -> Result<Self, Error>
afdcfb5b
WB
65 where
66 P: Into<PathBuf>,
67 {
35cf5daa 68
45773720 69 let base: PathBuf = path.into();
68469eeb
DM
70
71 if !base.is_absolute() {
72 bail!("expected absolute path - got {:?}", base);
73 }
74
45773720 75 let chunk_dir = Self::chunk_dir(&base);
35cf5daa 76
e67770d4 77 let options = CreateOptions::new()
64599563
DM
78 .owner(uid)
79 .group(gid);
e67770d4 80
0b97bc61
DM
81 let default_options = CreateOptions::new();
82
83 if let Err(err) = create_path(&base, Some(default_options.clone()), Some(options.clone())) {
277fc5a3 84 bail!("unable to create chunk store '{}' at {:?} - {}", name, base, err);
2989f6bf
DM
85 }
86
0b97bc61 87 if let Err(err) = create_dir(&chunk_dir, options.clone()) {
277fc5a3 88 bail!("unable to create chunk store '{}' subdir {:?} - {}", name, chunk_dir, err);
2989f6bf 89 }
35cf5daa 90
7e210bd0
DM
91 // create lock file with correct owner/group
92 let lockfile_path = Self::lockfile_path(&base);
93 proxmox::tools::fs::replace_file(lockfile_path, b"", options.clone())?;
94
bc616633 95 // create 64*1024 subdirs
e95950e4
DM
96 let mut last_percentage = 0;
97
bc616633 98 for i in 0..64*1024 {
af3e7d75 99 let mut l1path = chunk_dir.clone();
bc616633 100 l1path.push(format!("{:04x}", i));
0b97bc61 101 if let Err(err) = create_dir(&l1path, options.clone()) {
277fc5a3 102 bail!("unable to create chunk store '{}' subdir {:?} - {}", name, l1path, err);
2989f6bf 103 }
bc616633
DM
104 let percentage = (i*100)/(64*1024);
105 if percentage != last_percentage {
106 eprintln!("Percentage done: {}", percentage);
107 last_percentage = percentage;
e95950e4 108 }
35cf5daa
DM
109 }
110
7e210bd0 111
277fc5a3 112 Self::open(name, base)
35cf5daa
DM
113 }
114
7e210bd0
DM
115 fn lockfile_path<P: Into<PathBuf>>(base: P) -> PathBuf {
116 let base: PathBuf = base.into();
35cf5daa 117
7e210bd0
DM
118 let mut lockfile_path = base.clone();
119 lockfile_path.push(".lock");
120
121 lockfile_path
122 }
123
124 pub fn open<P: Into<PathBuf>>(name: &str, base: P) -> Result<Self, Error> {
125
126 let base: PathBuf = base.into();
68469eeb
DM
127
128 if !base.is_absolute() {
129 bail!("expected absolute path - got {:?}", base);
130 }
131
45773720
DM
132 let chunk_dir = Self::chunk_dir(&base);
133
ce55dbbc 134 if let Err(err) = std::fs::metadata(&chunk_dir) {
277fc5a3 135 bail!("unable to open chunk store '{}' at {:?} - {}", name, chunk_dir, err);
ce55dbbc 136 }
45773720 137
7e210bd0 138 let lockfile_path = Self::lockfile_path(&base);
45773720 139
43b13033 140 let locker = tools::ProcessLocker::new(&lockfile_path)?;
35cf5daa 141
b8d4766a 142 Ok(ChunkStore {
277fc5a3 143 name: name.to_owned(),
b8d4766a
DM
144 base,
145 chunk_dir,
43b13033 146 locker,
b8d4766a
DM
147 mutex: Mutex::new(false)
148 })
35cf5daa
DM
149 }
150
a660978c 151 pub fn touch_chunk(&self, digest: &[u8; 32]) -> Result<(), Error> {
2585a8a4
DM
152 self.cond_touch_chunk(digest, true)?;
153 Ok(())
154 }
155
156 pub fn cond_touch_chunk(&self, digest: &[u8; 32], fail_if_not_exist: bool) -> Result<bool, Error> {
3d5c11e5 157
a660978c 158 let (chunk_path, _digest_str) = self.chunk_path(digest);
3d5c11e5 159
7ee2aa1b
DM
160 const UTIME_NOW: i64 = ((1 << 30) - 1);
161 const UTIME_OMIT: i64 = ((1 << 30) - 2);
162
a198d74f 163 let times: [libc::timespec; 2] = [
7ee2aa1b
DM
164 libc::timespec { tv_sec: 0, tv_nsec: UTIME_NOW },
165 libc::timespec { tv_sec: 0, tv_nsec: UTIME_OMIT }
166 ];
167
168 use nix::NixPath;
169
170 let res = chunk_path.with_nix_path(|cstr| unsafe {
2585a8a4
DM
171 let tmp = libc::utimensat(-1, cstr.as_ptr(), &times[0], libc::AT_SYMLINK_NOFOLLOW);
172 nix::errno::Errno::result(tmp)
7ee2aa1b
DM
173 })?;
174
2585a8a4
DM
175 if let Err(err) = res {
176 if !fail_if_not_exist && err.as_errno() == Some(nix::errno::Errno::ENOENT) {
177 return Ok(false);
178 }
179
7ee2aa1b
DM
180 bail!("updata atime failed for chunk {:?} - {}", chunk_path, err);
181 }
182
2585a8a4 183 Ok(true)
3d5c11e5
DM
184 }
185
4ee8f53d 186 pub fn read_chunk(&self, digest: &[u8; 32]) -> Result<DataBlob, Error> {
96df2fb4 187
81a6ce6f 188 let (chunk_path, digest_str) = self.chunk_path(digest);
f98ac774 189 let mut file = std::fs::File::open(&chunk_path)
a24e3993
DM
190 .map_err(|err| {
191 format_err!(
192 "store '{}', unable to read chunk '{}' - {}",
193 self.name,
194 digest_str,
195 err,
196 )
197 })?;
96df2fb4 198
4ee8f53d 199 DataBlob::load(&mut file)
96df2fb4
DM
200 }
201
9739aca4
WB
202 pub fn get_chunk_iterator(
203 &self,
204 ) -> Result<
a5736098 205 impl Iterator<Item = (Result<tools::fs::ReadDirEntry, Error>, usize)> + std::iter::FusedIterator,
9739aca4
WB
206 Error
207 > {
208 use nix::dir::Dir;
209 use nix::fcntl::OFlag;
210 use nix::sys::stat::Mode;
211
a24e3993
DM
212 let base_handle = Dir::open(&self.chunk_dir, OFlag::O_RDONLY, Mode::empty())
213 .map_err(|err| {
214 format_err!(
215 "unable to open store '{}' chunk dir {:?} - {}",
216 self.name,
217 self.chunk_dir,
218 err,
219 )
220 })?;
9739aca4 221
a3f3e91d
WB
222 let mut done = false;
223 let mut inner: Option<tools::fs::ReadDir> = None;
224 let mut at = 0;
225 let mut percentage = 0;
226 Ok(std::iter::from_fn(move || {
227 if done {
228 return None;
229 }
230
231 loop {
232 if let Some(ref mut inner) = inner {
233 match inner.next() {
234 Some(Ok(entry)) => {
235 // skip files if they're not a hash
236 let bytes = entry.file_name().to_bytes();
237 if bytes.len() != 64 {
238 continue;
239 }
240 if !bytes.iter().all(u8::is_ascii_hexdigit) {
241 continue;
242 }
243 return Some((Ok(entry), percentage));
244 }
245 Some(Err(err)) => {
246 // stop after first error
247 done = true;
248 // and pass the error through:
249 return Some((Err(err), percentage));
250 }
251 None => (), // open next directory
c7f481b6 252 }
c7f481b6 253 }
a3f3e91d
WB
254
255 inner = None;
256
257 if at == 0x10000 {
258 done = true;
259 return None;
260 }
261
262 let subdir: &str = &format!("{:04x}", at);
263 percentage = (at * 100) / 0x10000;
264 at += 1;
265 match tools::fs::read_subdir(base_handle.as_raw_fd(), subdir) {
266 Ok(dir) => {
267 inner = Some(dir);
268 // start reading:
269 continue;
270 }
271 Err(ref err) if err.as_errno() == Some(nix::errno::Errno::ENOENT) => {
272 // non-existing directories are okay, just keep going:
273 continue;
274 }
275 Err(err) => {
276 // other errors are fatal, so end our iteration
277 done = true;
278 // and pass the error through:
9850bcdf 279 return Some((Err(format_err!("unable to read subdir '{}' - {}", subdir, err)), percentage));
a3f3e91d 280 }
62f2422f
WB
281 }
282 }
a3f3e91d 283 }).fuse())
c7f481b6
WB
284 }
285
11861a48
DM
286 pub fn oldest_writer(&self) -> Option<i64> {
287 tools::ProcessLocker::oldest_shared_lock(self.locker.clone())
288 }
289
290 pub fn sweep_unused_chunks(
291 &self,
cf459b19 292 oldest_writer: i64,
a5736098 293 status: &mut GarbageCollectionStatus,
99641a6b 294 worker: &WorkerTask,
11861a48 295 ) -> Result<(), Error> {
9349d2a1 296 use nix::sys::stat::fstatat;
08481a0b 297
fdd71f52 298 let now = unsafe { libc::time(std::ptr::null_mut()) };
c7f481b6 299
11861a48
DM
300 let mut min_atime = now - 3600*24; // at least 24h (see mount option relatime)
301
cf459b19
DM
302 if oldest_writer < min_atime {
303 min_atime = oldest_writer;
11861a48
DM
304 }
305
306 min_atime -= 300; // add 5 mins gap for safety
307
a5736098 308 let mut last_percentage = 0;
e4c2fbf1
DM
309 let mut chunk_count = 0;
310
a5736098
DM
311 for (entry, percentage) in self.get_chunk_iterator()? {
312 if last_percentage != percentage {
313 last_percentage = percentage;
e4c2fbf1 314 worker.log(format!("percentage done: {}, chunk count: {}", percentage, chunk_count));
a5736098 315 }
92da93b2 316
99641a6b 317 worker.fail_on_abort()?;
92da93b2
DM
318 tools::fail_on_shutdown()?;
319
fdd71f52 320 let (dirfd, entry) = match entry {
c7f481b6 321 Ok(entry) => (entry.parent_fd(), entry),
9850bcdf 322 Err(err) => bail!("chunk iterator on chunk store '{}' failed - {}", self.name, err),
eae8aa3a 323 };
fdd71f52 324
eae8aa3a
DM
325 let file_type = match entry.file_type() {
326 Some(file_type) => file_type,
277fc5a3 327 None => bail!("unsupported file system type on chunk store '{}'", self.name),
eae8aa3a 328 };
82bc0ad4
WB
329 if file_type != nix::dir::Type::File {
330 continue;
331 }
eae8aa3a 332
e4c2fbf1
DM
333 chunk_count += 1;
334
d85987ae
DM
335 let filename = entry.file_name();
336
15a77c4c
DM
337 let lock = self.mutex.lock();
338
9349d2a1 339 if let Ok(stat) = fstatat(dirfd, filename, nix::fcntl::AtFlags::AT_SYMLINK_NOFOLLOW) {
11861a48 340 if stat.st_atime < min_atime {
cf459b19
DM
341 //let age = now - stat.st_atime;
342 //println!("UNLINK {} {:?}", age/(3600*24), filename);
fdd71f52 343 let res = unsafe { libc::unlinkat(dirfd, filename.as_ptr(), 0) };
277fc5a3
DM
344 if res != 0 {
345 let err = nix::Error::last();
9349d2a1
WB
346 bail!(
347 "unlink chunk {:?} failed on store '{}' - {}",
348 filename,
349 self.name,
350 err,
351 );
277fc5a3 352 }
a660978c
DM
353 status.removed_chunks += 1;
354 status.removed_bytes += stat.st_size as u64;
cf459b19
DM
355 } else {
356 if stat.st_atime < oldest_writer {
357 status.pending_chunks += 1;
358 status.pending_bytes += stat.st_size as u64;
359 } else {
360 status.disk_chunks += 1;
361 status.disk_bytes += stat.st_size as u64;
362 }
08481a0b 363 }
eae8aa3a 364 }
15a77c4c 365 drop(lock);
eae8aa3a 366 }
a5736098 367
277fc5a3 368 Ok(())
08481a0b
DM
369 }
370
f98ac774 371 pub fn insert_chunk(
9ac6ec86 372 &self,
4ee8f53d
DM
373 chunk: &DataBlob,
374 digest: &[u8; 32],
9ac6ec86 375 ) -> Result<(bool, u64), Error> {
7b2b40a8 376
bffd40d6 377 //println!("DIGEST {}", proxmox::tools::digest_to_hex(digest));
128b37fe 378
81a6ce6f 379 let (chunk_path, digest_str) = self.chunk_path(digest);
c5d82e5f
DM
380
381 let lock = self.mutex.lock();
382
383 if let Ok(metadata) = std::fs::metadata(&chunk_path) {
384 if metadata.is_file() {
9ac6ec86 385 return Ok((true, metadata.len()));
c5d82e5f 386 } else {
f7dd683b 387 bail!("Got unexpected file type on store '{}' for chunk {}", self.name, digest_str);
c5d82e5f
DM
388 }
389 }
128b37fe 390
c5d82e5f
DM
391 let mut tmp_path = chunk_path.clone();
392 tmp_path.set_extension("tmp");
78216a5a 393
f98ac774 394 let mut file = std::fs::File::create(&tmp_path)?;
78216a5a 395
f98ac774
DM
396 let raw_data = chunk.raw_data();
397 let encoded_size = raw_data.len() as u64;
78216a5a 398
f98ac774 399 file.write_all(raw_data)?;
128b37fe 400
c5d82e5f
DM
401 if let Err(err) = std::fs::rename(&tmp_path, &chunk_path) {
402 if let Err(_) = std::fs::remove_file(&tmp_path) { /* ignore */ }
9349d2a1
WB
403 bail!(
404 "Atomic rename on store '{}' failed for chunk {} - {}",
405 self.name,
406 digest_str,
407 err,
408 );
c5d82e5f
DM
409 }
410
c5d82e5f
DM
411 drop(lock);
412
f98ac774 413 Ok((false, encoded_size))
128b37fe
DM
414 }
415
81a6ce6f
DM
416 pub fn chunk_path(&self, digest:&[u8; 32]) -> (PathBuf, String) {
417 let mut chunk_path = self.chunk_dir.clone();
418 let prefix = digest_to_prefix(digest);
419 chunk_path.push(&prefix);
420 let digest_str = proxmox::tools::digest_to_hex(digest);
421 chunk_path.push(&digest_str);
422 (chunk_path, digest_str)
423 }
424
606ce64b
DM
425 pub fn relative_path(&self, path: &Path) -> PathBuf {
426
427 let mut full_path = self.base.clone();
428 full_path.push(path);
429 full_path
430 }
431
3d5c11e5
DM
432 pub fn base_path(&self) -> PathBuf {
433 self.base.clone()
434 }
43b13033
DM
435
436 pub fn try_shared_lock(&self) -> Result<tools::ProcessLockSharedGuard, Error> {
437 tools::ProcessLocker::try_shared_lock(self.locker.clone())
438 }
439
440 pub fn try_exclusive_lock(&self) -> Result<tools::ProcessLockExclusiveGuard, Error> {
441 tools::ProcessLocker::try_exclusive_lock(self.locker.clone())
442 }
35cf5daa
DM
443}
444
445
446#[test]
447fn test_chunk_store1() {
448
332dcc22
DM
449 let mut path = std::fs::canonicalize(".").unwrap(); // we need absulute path
450 path.push(".testdir");
451
35cf5daa
DM
452 if let Err(_e) = std::fs::remove_dir_all(".testdir") { /* ignore */ }
453
332dcc22 454 let chunk_store = ChunkStore::open("test", &path);
35cf5daa
DM
455 assert!(chunk_store.is_err());
456
64599563
DM
457 let user = nix::unistd::User::from_uid(nix::unistd::Uid::current()).unwrap().unwrap();
458 let chunk_store = ChunkStore::create("test", &path, user.uid, user.gid).unwrap();
f98ac774 459
4ee8f53d 460 let (chunk, digest) = super::DataChunkBuilder::new(&[0u8, 1u8]).build().unwrap();
f98ac774 461
4ee8f53d 462 let (exists, _) = chunk_store.insert_chunk(&chunk, &digest).unwrap();
391a2e43
DM
463 assert!(!exists);
464
4ee8f53d 465 let (exists, _) = chunk_store.insert_chunk(&chunk, &digest).unwrap();
391a2e43 466 assert!(exists);
128b37fe 467
35cf5daa 468
64599563 469 let chunk_store = ChunkStore::create("test", &path, user.uid, user.gid);
35cf5daa
DM
470 assert!(chunk_store.is_err());
471
e0a5d1ca 472 if let Err(_e) = std::fs::remove_dir_all(".testdir") { /* ignore */ }
35cf5daa 473}