]> git.proxmox.com Git - proxmox-backup.git/blame - src/bin/proxmox-backup-client.rs
Revert previous, commit, use UTC RFC3339 without timezone (Z)
[proxmox-backup.git] / src / bin / proxmox-backup-client.rs
CommitLineData
826f309b 1//#[macro_use]
fe0e04c6 2extern crate proxmox_backup;
ff5d3707 3
4use failure::*;
728797d0 5//use std::os::unix::io::AsRawFd;
fa5d6977 6use chrono::{Local, Utc, TimeZone};
e9c9409a 7use std::path::{Path, PathBuf};
496a6784 8use std::collections::HashMap;
bf125261 9use std::io::Write;
ff5d3707 10
fe0e04c6 11use proxmox_backup::tools;
4de0e142 12use proxmox_backup::cli::*;
ef2f2efb 13use proxmox_backup::api_schema::*;
dc9a007b 14use proxmox_backup::api_schema::router::*;
151c6ce2 15use proxmox_backup::client::*;
247cdbce 16use proxmox_backup::backup::*;
86eda3eb
DM
17use proxmox_backup::pxar;
18
fe0e04c6
DM
19//use proxmox_backup::backup::image_index::*;
20//use proxmox_backup::config::datastore;
8968258b 21//use proxmox_backup::pxar::encoder::*;
728797d0 22//use proxmox_backup::backup::datastore::*;
23bb8780 23
f5f13ebc 24use serde_json::{json, Value};
1c0472e8 25//use hyper::Body;
33d64b81 26use std::sync::Arc;
ae0be2dd 27use regex::Regex;
d0a03d40 28use xdg::BaseDirectories;
ae0be2dd
DM
29
30use lazy_static::lazy_static;
5a2df000 31use futures::*;
c4ff3dce 32use tokio::sync::mpsc;
ae0be2dd
DM
33
34lazy_static! {
ec8a9bb9 35 static ref BACKUPSPEC_REGEX: Regex = Regex::new(r"^([a-zA-Z0-9_-]+\.(?:pxar|img|conf)):(.+)$").unwrap();
f2401311
DM
36
37 static ref REPO_URL_SCHEMA: Arc<Schema> = Arc::new(
38 StringSchema::new("Repository URL.")
39 .format(BACKUP_REPO_URL.clone())
40 .max_length(256)
41 .into()
42 );
ae0be2dd 43}
33d64b81 44
d0a03d40 45
2665cef7
DM
46fn get_default_repository() -> Option<String> {
47 std::env::var("PBS_REPOSITORY").ok()
48}
49
50fn extract_repository_from_value(
51 param: &Value,
52) -> Result<BackupRepository, Error> {
53
54 let repo_url = param["repository"]
55 .as_str()
56 .map(String::from)
57 .or_else(get_default_repository)
58 .ok_or_else(|| format_err!("unable to get (default) repository"))?;
59
60 let repo: BackupRepository = repo_url.parse()?;
61
62 Ok(repo)
63}
64
65fn extract_repository_from_map(
66 param: &HashMap<String, String>,
67) -> Option<BackupRepository> {
68
69 param.get("repository")
70 .map(String::from)
71 .or_else(get_default_repository)
72 .and_then(|repo_url| repo_url.parse::<BackupRepository>().ok())
73}
74
d0a03d40
DM
75fn record_repository(repo: &BackupRepository) {
76
77 let base = match BaseDirectories::with_prefix("proxmox-backup") {
78 Ok(v) => v,
79 _ => return,
80 };
81
82 // usually $HOME/.cache/proxmox-backup/repo-list
83 let path = match base.place_cache_file("repo-list") {
84 Ok(v) => v,
85 _ => return,
86 };
87
49cf9f3d 88 let mut data = tools::file_get_json(&path, None).unwrap_or(json!({}));
d0a03d40
DM
89
90 let repo = repo.to_string();
91
92 data[&repo] = json!{ data[&repo].as_i64().unwrap_or(0) + 1 };
93
94 let mut map = serde_json::map::Map::new();
95
96 loop {
97 let mut max_used = 0;
98 let mut max_repo = None;
99 for (repo, count) in data.as_object().unwrap() {
100 if map.contains_key(repo) { continue; }
101 if let Some(count) = count.as_i64() {
102 if count > max_used {
103 max_used = count;
104 max_repo = Some(repo);
105 }
106 }
107 }
108 if let Some(repo) = max_repo {
109 map.insert(repo.to_owned(), json!(max_used));
110 } else {
111 break;
112 }
113 if map.len() > 10 { // store max. 10 repos
114 break;
115 }
116 }
117
118 let new_data = json!(map);
119
120 let _ = tools::file_set_contents(path, new_data.to_string().as_bytes(), None);
121}
122
49811347 123fn complete_repository(_arg: &str, _param: &HashMap<String, String>) -> Vec<String> {
d0a03d40
DM
124
125 let mut result = vec![];
126
127 let base = match BaseDirectories::with_prefix("proxmox-backup") {
128 Ok(v) => v,
129 _ => return result,
130 };
131
132 // usually $HOME/.cache/proxmox-backup/repo-list
133 let path = match base.place_cache_file("repo-list") {
134 Ok(v) => v,
135 _ => return result,
136 };
137
49cf9f3d 138 let data = tools::file_get_json(&path, None).unwrap_or(json!({}));
d0a03d40
DM
139
140 if let Some(map) = data.as_object() {
49811347 141 for (repo, _count) in map {
d0a03d40
DM
142 result.push(repo.to_owned());
143 }
144 }
145
146 result
147}
148
17d6979a 149fn backup_directory<P: AsRef<Path>>(
c4ff3dce 150 client: &BackupClient,
17d6979a 151 dir_path: P,
247cdbce 152 archive_name: &str,
36898ffc 153 chunk_size: Option<usize>,
eed6db39 154 all_file_systems: bool,
219ef0e6 155 verbose: bool,
f98ac774 156 crypt_config: Option<Arc<CryptConfig>>,
247cdbce 157) -> Result<(), Error> {
33d64b81 158
c4ff3dce 159 let pxar_stream = PxarBackupStream::open(dir_path.as_ref(), all_file_systems, verbose)?;
36898ffc 160 let chunk_stream = ChunkStream::new(pxar_stream, chunk_size);
ff3d3100 161
c4ff3dce 162 let (tx, rx) = mpsc::channel(10); // allow to buffer 10 chunks
5e7a09be 163
c4ff3dce
DM
164 let stream = rx
165 .map_err(Error::from)
166 .and_then(|x| x); // flatten
17d6979a 167
c4ff3dce
DM
168 // spawn chunker inside a separate task so that it can run parallel
169 tokio::spawn(
170 tx.send_all(chunk_stream.then(|r| Ok(r)))
1c0472e8 171 .map_err(|_| {}).map(|_| ())
c4ff3dce 172 );
17d6979a 173
f98ac774 174 client.upload_stream(archive_name, stream, "dynamic", None, crypt_config).wait()?;
bcd879cf
DM
175
176 Ok(())
177}
178
6af905c1
DM
179fn backup_image<P: AsRef<Path>>(
180 client: &BackupClient,
181 image_path: P,
182 archive_name: &str,
183 image_size: u64,
36898ffc 184 chunk_size: Option<usize>,
1c0472e8 185 _verbose: bool,
f98ac774 186 crypt_config: Option<Arc<CryptConfig>>,
6af905c1
DM
187) -> Result<(), Error> {
188
6af905c1
DM
189 let path = image_path.as_ref().to_owned();
190
191 let file = tokio::fs::File::open(path).wait()?;
192
193 let stream = tokio::codec::FramedRead::new(file, tokio::codec::BytesCodec::new())
194 .map_err(Error::from);
195
36898ffc 196 let stream = FixedChunkStream::new(stream, chunk_size.unwrap_or(4*1024*1024));
6af905c1 197
f98ac774 198 client.upload_stream(archive_name, stream, "fixed", Some(image_size), crypt_config).wait()?;
6af905c1
DM
199
200 Ok(())
201}
202
6899dbfb 203fn strip_server_file_expenstions(list: Vec<String>) -> Vec<String> {
8e39232a
DM
204
205 let mut result = vec![];
206
207 for file in list.into_iter() {
208 if file.ends_with(".didx") {
209 result.push(file[..file.len()-5].to_owned());
210 } else if file.ends_with(".fidx") {
211 result.push(file[..file.len()-5].to_owned());
6899dbfb
DM
212 } else if file.ends_with(".blob") {
213 result.push(file[..file.len()-5].to_owned());
8e39232a
DM
214 } else {
215 result.push(file); // should not happen
216 }
217 }
218
219 result
220}
221
812c6f87
DM
222fn list_backup_groups(
223 param: Value,
224 _info: &ApiMethod,
dd5495d6 225 _rpcenv: &mut dyn RpcEnvironment,
812c6f87
DM
226) -> Result<Value, Error> {
227
2665cef7 228 let repo = extract_repository_from_value(&param)?;
812c6f87 229
45cdce06 230 let client = HttpClient::new(repo.host(), repo.user())?;
812c6f87 231
d0a03d40 232 let path = format!("api2/json/admin/datastore/{}/groups", repo.store());
812c6f87 233
9e391bb7 234 let mut result = client.get(&path, None).wait()?;
812c6f87 235
d0a03d40
DM
236 record_repository(&repo);
237
812c6f87 238 // fixme: implement and use output formatter instead ..
80822b95
DM
239 let list = result["data"].as_array_mut().unwrap();
240
241 list.sort_unstable_by(|a, b| {
242 let a_id = a["backup-id"].as_str().unwrap();
243 let a_backup_type = a["backup-type"].as_str().unwrap();
244 let b_id = b["backup-id"].as_str().unwrap();
245 let b_backup_type = b["backup-type"].as_str().unwrap();
246
247 let type_order = a_backup_type.cmp(b_backup_type);
248 if type_order == std::cmp::Ordering::Equal {
249 a_id.cmp(b_id)
250 } else {
251 type_order
252 }
253 });
812c6f87 254
34a816cc
DM
255 let output_format = param["output-format"].as_str().unwrap_or("text").to_owned();
256
257 let mut result = vec![];
258
812c6f87
DM
259 for item in list {
260
ad20d198
DM
261 let id = item["backup-id"].as_str().unwrap();
262 let btype = item["backup-type"].as_str().unwrap();
263 let epoch = item["last-backup"].as_i64().unwrap();
fa5d6977 264 let last_backup = Utc.timestamp(epoch, 0);
ad20d198 265 let backup_count = item["backup-count"].as_u64().unwrap();
812c6f87 266
1e9a94e5 267 let group = BackupGroup::new(btype, id);
812c6f87
DM
268
269 let path = group.group_path().to_str().unwrap().to_owned();
ad20d198 270
8e39232a 271 let files = item["files"].as_array().unwrap().iter().map(|v| v.as_str().unwrap().to_owned()).collect();
6899dbfb 272 let files = strip_server_file_expenstions(files);
ad20d198 273
34a816cc 274 if output_format == "text" {
fa5d6977
DM
275 println!(
276 "{:20} | {} | {:5} | {}",
277 path,
278 BackupDir::backup_time_to_string(last_backup),
279 backup_count,
280 tools::join(&files, ' '),
281 );
34a816cc
DM
282 } else {
283 result.push(json!({
284 "backup-type": btype,
285 "backup-id": id,
286 "last-backup": epoch,
287 "backup-count": backup_count,
288 "files": files,
289 }));
290 }
812c6f87
DM
291 }
292
9aa3f682 293 if output_format != "text" { format_and_print_result(&result.into(), &output_format); }
34a816cc 294
812c6f87
DM
295 Ok(Value::Null)
296}
297
184f17af
DM
298fn list_snapshots(
299 param: Value,
300 _info: &ApiMethod,
dd5495d6 301 _rpcenv: &mut dyn RpcEnvironment,
184f17af
DM
302) -> Result<Value, Error> {
303
2665cef7 304 let repo = extract_repository_from_value(&param)?;
184f17af 305
34a816cc
DM
306 let output_format = param["output-format"].as_str().unwrap_or("text").to_owned();
307
45cdce06 308 let client = HttpClient::new(repo.host(), repo.user())?;
184f17af 309
9e391bb7 310 let path = format!("api2/json/admin/datastore/{}/snapshots", repo.store());
184f17af 311
15c847f1
DM
312 let mut args = json!({});
313 if let Some(path) = param["group"].as_str() {
314 let group = BackupGroup::parse(path)?;
315 args["backup-type"] = group.backup_type().into();
316 args["backup-id"] = group.backup_id().into();
317 }
318
319 let result = client.get(&path, Some(args)).wait()?;
184f17af 320
d0a03d40
DM
321 record_repository(&repo);
322
184f17af
DM
323 let list = result["data"].as_array().unwrap();
324
34a816cc
DM
325 let mut result = vec![];
326
184f17af
DM
327 for item in list {
328
329 let id = item["backup-id"].as_str().unwrap();
330 let btype = item["backup-type"].as_str().unwrap();
331 let epoch = item["backup-time"].as_i64().unwrap();
184f17af 332
391d3107 333 let snapshot = BackupDir::new(btype, id, epoch);
184f17af
DM
334
335 let path = snapshot.relative_path().to_str().unwrap().to_owned();
336
8e39232a 337 let files = item["files"].as_array().unwrap().iter().map(|v| v.as_str().unwrap().to_owned()).collect();
6899dbfb 338 let files = strip_server_file_expenstions(files);
184f17af 339
34a816cc 340 if output_format == "text" {
fa5d6977 341 println!("{} | {}", path, tools::join(&files, ' '));
34a816cc
DM
342 } else {
343 result.push(json!({
344 "backup-type": btype,
345 "backup-id": id,
346 "backup-time": epoch,
347 "files": files,
348 }));
349 }
184f17af
DM
350 }
351
f6ede796 352 if output_format != "text" { format_and_print_result(&result.into(), &output_format); }
34a816cc 353
184f17af
DM
354 Ok(Value::Null)
355}
356
6f62c924
DM
357fn forget_snapshots(
358 param: Value,
359 _info: &ApiMethod,
dd5495d6 360 _rpcenv: &mut dyn RpcEnvironment,
6f62c924
DM
361) -> Result<Value, Error> {
362
2665cef7 363 let repo = extract_repository_from_value(&param)?;
6f62c924
DM
364
365 let path = tools::required_string_param(&param, "snapshot")?;
366 let snapshot = BackupDir::parse(path)?;
367
45cdce06 368 let mut client = HttpClient::new(repo.host(), repo.user())?;
6f62c924 369
9e391bb7 370 let path = format!("api2/json/admin/datastore/{}/snapshots", repo.store());
6f62c924 371
9e391bb7
DM
372 let result = client.delete(&path, Some(json!({
373 "backup-type": snapshot.group().backup_type(),
374 "backup-id": snapshot.group().backup_id(),
375 "backup-time": snapshot.backup_time().timestamp(),
376 }))).wait()?;
6f62c924 377
d0a03d40
DM
378 record_repository(&repo);
379
6f62c924
DM
380 Ok(result)
381}
382
8cc0d6af
DM
383fn start_garbage_collection(
384 param: Value,
385 _info: &ApiMethod,
dd5495d6 386 _rpcenv: &mut dyn RpcEnvironment,
8cc0d6af
DM
387) -> Result<Value, Error> {
388
2665cef7 389 let repo = extract_repository_from_value(&param)?;
8cc0d6af 390
45cdce06 391 let mut client = HttpClient::new(repo.host(), repo.user())?;
8cc0d6af 392
d0a03d40 393 let path = format!("api2/json/admin/datastore/{}/gc", repo.store());
8cc0d6af 394
5a2df000 395 let result = client.post(&path, None).wait()?;
8cc0d6af 396
d0a03d40
DM
397 record_repository(&repo);
398
8cc0d6af
DM
399 Ok(result)
400}
33d64b81 401
ae0be2dd
DM
402fn parse_backupspec(value: &str) -> Result<(&str, &str), Error> {
403
404 if let Some(caps) = BACKUPSPEC_REGEX.captures(value) {
405 return Ok((caps.get(1).unwrap().as_str(), caps.get(2).unwrap().as_str()));
406 }
407 bail!("unable to parse directory specification '{}'", value);
408}
409
6049b71f
DM
410fn create_backup(
411 param: Value,
412 _info: &ApiMethod,
dd5495d6 413 _rpcenv: &mut dyn RpcEnvironment,
6049b71f 414) -> Result<Value, Error> {
ff5d3707 415
2665cef7 416 let repo = extract_repository_from_value(&param)?;
ae0be2dd
DM
417
418 let backupspec_list = tools::required_array_param(&param, "backupspec")?;
a914a774 419
eed6db39
DM
420 let all_file_systems = param["all-file-systems"].as_bool().unwrap_or(false);
421
219ef0e6
DM
422 let verbose = param["verbose"].as_bool().unwrap_or(false);
423
36898ffc 424 let chunk_size_opt = param["chunk-size"].as_u64().map(|v| (v*1024) as usize);
2d9d143a 425
247cdbce
DM
426 if let Some(size) = chunk_size_opt {
427 verify_chunk_size(size)?;
2d9d143a
DM
428 }
429
6d0983db
DM
430 let keyfile = param["keyfile"].as_str().map(|p| PathBuf::from(p));
431
fba30411
DM
432 let backup_id = param["host-id"].as_str().unwrap_or(&tools::nodename());
433
ae0be2dd 434 let mut upload_list = vec![];
a914a774 435
ec8a9bb9 436 enum BackupType { PXAR, IMAGE, CONFIG };
6af905c1 437
ae0be2dd
DM
438 for backupspec in backupspec_list {
439 let (target, filename) = parse_backupspec(backupspec.as_str().unwrap())?;
bcd879cf 440
eb1804c5
DM
441 use std::os::unix::fs::FileTypeExt;
442
443 let metadata = match std::fs::metadata(filename) {
444 Ok(m) => m,
ae0be2dd
DM
445 Err(err) => bail!("unable to access '{}' - {}", filename, err),
446 };
eb1804c5 447 let file_type = metadata.file_type();
23bb8780 448
ec8a9bb9 449 let extension = Path::new(target).extension().map(|s| s.to_str().unwrap()).unwrap();
bcd879cf 450
ec8a9bb9
DM
451 match extension {
452 "pxar" => {
453 if !file_type.is_dir() {
454 bail!("got unexpected file type (expected directory)");
455 }
456 upload_list.push((BackupType::PXAR, filename.to_owned(), target.to_owned(), 0));
457 }
458 "img" => {
eb1804c5 459
ec8a9bb9
DM
460 if !(file_type.is_file() || file_type.is_block_device()) {
461 bail!("got unexpected file type (expected file or block device)");
462 }
eb1804c5 463
ec8a9bb9 464 let size = tools::image_size(&PathBuf::from(filename))?;
23bb8780 465
ec8a9bb9 466 if size == 0 { bail!("got zero-sized file '{}'", filename); }
ae0be2dd 467
ec8a9bb9
DM
468 upload_list.push((BackupType::IMAGE, filename.to_owned(), target.to_owned(), size));
469 }
470 "conf" => {
471 if !file_type.is_file() {
472 bail!("got unexpected file type (expected regular file)");
473 }
474 upload_list.push((BackupType::CONFIG, filename.to_owned(), target.to_owned(), metadata.len()));
475 }
476 _ => {
477 bail!("got unknown archive extension '{}'", extension);
478 }
ae0be2dd
DM
479 }
480 }
481
fa5d6977 482 let backup_time = Utc.timestamp(Utc::now().timestamp(), 0);
ae0be2dd 483
c4ff3dce 484 let client = HttpClient::new(repo.host(), repo.user())?;
d0a03d40
DM
485 record_repository(&repo);
486
cdebd467
DM
487 println!("Starting backup");
488 println!("Client name: {}", tools::nodename());
489 println!("Start Time: {}", backup_time.to_rfc3339());
51144821 490
bb823140
DM
491 let (crypt_config, rsa_encrypted_key) = match keyfile {
492 None => (None, None),
6d0983db 493 Some(path) => {
bb823140
DM
494 let (key, created) = load_and_decrtypt_key(&path, get_encryption_key_password)?;
495
496 let crypt_config = CryptConfig::new(key)?;
497
498 let path = master_pubkey_path()?;
499 if path.exists() {
500 let pem_data = proxmox_backup::tools::file_get_contents(&path)?;
501 let rsa = openssl::rsa::Rsa::public_key_from_pem(&pem_data)?;
502 let enc_key = crypt_config.generate_rsa_encoded_key(rsa, created)?;
503 (Some(Arc::new(crypt_config)), Some(enc_key))
504 } else {
505 (Some(Arc::new(crypt_config)), None)
506 }
6d0983db
DM
507 }
508 };
f98ac774 509
39e60bd6 510 let client = client.start_backup(repo.store(), "host", &backup_id, verbose).wait()?;
c4ff3dce 511
6af905c1
DM
512 for (backup_type, filename, target, size) in upload_list {
513 match backup_type {
ec8a9bb9
DM
514 BackupType::CONFIG => {
515 println!("Upload config file '{}' to '{:?}' as {}", filename, repo, target);
9f46c7de 516 client.upload_blob_from_file(&filename, &target, crypt_config.clone(), true).wait()?;
ec8a9bb9 517 }
6af905c1
DM
518 BackupType::PXAR => {
519 println!("Upload directory '{}' to '{:?}' as {}", filename, repo, target);
f98ac774
DM
520 backup_directory(
521 &client,
522 &filename,
523 &target,
524 chunk_size_opt,
525 all_file_systems,
526 verbose,
527 crypt_config.clone(),
528 )?;
6af905c1
DM
529 }
530 BackupType::IMAGE => {
531 println!("Upload image '{}' to '{:?}' as {}", filename, repo, target);
f98ac774
DM
532 backup_image(
533 &client,
534 &filename,
535 &target,
536 size,
537 chunk_size_opt,
538 verbose,
539 crypt_config.clone(),
540 )?;
6af905c1
DM
541 }
542 }
4818c8b6
DM
543 }
544
bb823140
DM
545 if let Some(rsa_encrypted_key) = rsa_encrypted_key {
546 let target = "rsa-encrypted.key";
547 println!("Upload RSA encoded key to '{:?}' as {}", repo, target);
548 client.upload_blob_from_data(rsa_encrypted_key, target, None, false).wait()?;
549
550 // openssl rsautl -decrypt -inkey master-private.pem -in rsa-encrypted.key -out t
551 /*
552 let mut buffer2 = vec![0u8; rsa.size() as usize];
553 let pem_data = proxmox_backup::tools::file_get_contents("master-private.pem")?;
554 let rsa = openssl::rsa::Rsa::private_key_from_pem(&pem_data)?;
555 let len = rsa.private_decrypt(&buffer, &mut buffer2, openssl::rsa::Padding::PKCS1)?;
556 println!("TEST {} {:?}", len, buffer2);
557 */
9f46c7de
DM
558 }
559
c4ff3dce
DM
560 client.finish().wait()?;
561
fa5d6977 562 let end_time = Utc.timestamp(Utc::now().timestamp(), 0);
3ec3ec3f
DM
563 let elapsed = end_time.signed_duration_since(backup_time);
564 println!("Duration: {}", elapsed);
565
cdebd467 566 println!("End Time: {}", end_time.to_rfc3339());
3d5c11e5 567
ff5d3707 568 Ok(Value::Null)
f98ea63d
DM
569}
570
d0a03d40 571fn complete_backup_source(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
f98ea63d
DM
572
573 let mut result = vec![];
574
575 let data: Vec<&str> = arg.splitn(2, ':').collect();
576
bff11030 577 if data.len() != 2 {
8968258b
DM
578 result.push(String::from("root.pxar:/"));
579 result.push(String::from("etc.pxar:/etc"));
bff11030
DM
580 return result;
581 }
f98ea63d 582
496a6784 583 let files = tools::complete_file_name(data[1], param);
f98ea63d
DM
584
585 for file in files {
586 result.push(format!("{}:{}", data[0], file));
587 }
588
589 result
ff5d3707 590}
591
9f912493
DM
592fn restore(
593 param: Value,
594 _info: &ApiMethod,
dd5495d6 595 _rpcenv: &mut dyn RpcEnvironment,
9f912493
DM
596) -> Result<Value, Error> {
597
2665cef7 598 let repo = extract_repository_from_value(&param)?;
9f912493 599
86eda3eb
DM
600 let verbose = param["verbose"].as_bool().unwrap_or(false);
601
d5c34d98
DM
602 let archive_name = tools::required_string_param(&param, "archive-name")?;
603
86eda3eb 604 let client = HttpClient::new(repo.host(), repo.user())?;
d0a03d40 605
d0a03d40 606 record_repository(&repo);
d5c34d98 607
9f912493 608 let path = tools::required_string_param(&param, "snapshot")?;
9f912493 609
86eda3eb 610 let (backup_type, backup_id, backup_time) = if path.matches('/').count() == 1 {
d5c34d98 611 let group = BackupGroup::parse(path)?;
9f912493 612
9e391bb7
DM
613 let path = format!("api2/json/admin/datastore/{}/snapshots", repo.store());
614 let result = client.get(&path, Some(json!({
d5c34d98
DM
615 "backup-type": group.backup_type(),
616 "backup-id": group.backup_id(),
9e391bb7 617 }))).wait()?;
9f912493 618
d5c34d98
DM
619 let list = result["data"].as_array().unwrap();
620 if list.len() == 0 {
621 bail!("backup group '{}' does not contain any snapshots:", path);
622 }
9f912493 623
86eda3eb 624 let epoch = list[0]["backup-time"].as_i64().unwrap();
fa5d6977 625 let backup_time = Utc.timestamp(epoch, 0);
86eda3eb 626 (group.backup_type().to_owned(), group.backup_id().to_owned(), backup_time)
d5c34d98
DM
627 } else {
628 let snapshot = BackupDir::parse(path)?;
86eda3eb
DM
629 (snapshot.group().backup_type().to_owned(), snapshot.group().backup_id().to_owned(), snapshot.backup_time())
630 };
9f912493 631
d5c34d98 632 let target = tools::required_string_param(&param, "target")?;
bf125261 633 let target = if target == "-" { None } else { Some(target) };
2ae7d196 634
86eda3eb 635 let keyfile = param["keyfile"].as_str().map(|p| PathBuf::from(p));
2ae7d196 636
86eda3eb
DM
637 let crypt_config = match keyfile {
638 None => None,
639 Some(path) => {
640 let (key, _) = load_and_decrtypt_key(&path, get_encryption_key_password)?;
641 Some(Arc::new(CryptConfig::new(key)?))
642 }
643 };
d5c34d98 644
afb4cd28
DM
645 let server_archive_name = if archive_name.ends_with(".pxar") {
646 format!("{}.didx", archive_name)
647 } else if archive_name.ends_with(".img") {
648 format!("{}.fidx", archive_name)
649 } else {
f8100e96 650 format!("{}.blob", archive_name)
afb4cd28 651 };
9f912493 652
86eda3eb
DM
653 let client = client.start_backup_reader(repo.store(), &backup_type, &backup_id, backup_time, true).wait()?;
654
655 use std::os::unix::fs::OpenOptionsExt;
656
657 let tmpfile = std::fs::OpenOptions::new()
658 .write(true)
659 .read(true)
660 .custom_flags(libc::O_TMPFILE)
661 .open("/tmp")?;
662
f8100e96
DM
663 if server_archive_name.ends_with(".blob") {
664
665 let writer = Vec::with_capacity(1024*1024);
666 let blob_data = client.download(&server_archive_name, writer).wait()?;
667 let blob = DataBlob::from_raw(blob_data)?;
668 blob.verify_crc()?;
669
670 let raw_data = match crypt_config {
671 Some(ref crypt_config) => blob.decode(Some(crypt_config))?,
672 None => blob.decode(None)?,
673 };
674
bf125261
DM
675 if let Some(target) = target {
676 crate::tools::file_set_contents(target, &raw_data, None)?;
677 } else {
678 let stdout = std::io::stdout();
679 let mut writer = stdout.lock();
680 writer.write_all(&raw_data)
681 .map_err(|err| format_err!("unable to pipe data - {}", err))?;
682 }
f8100e96
DM
683
684 } else if server_archive_name.ends_with(".didx") {
afb4cd28 685 let tmpfile = client.download(&server_archive_name, tmpfile).wait()?;
86eda3eb 686
afb4cd28
DM
687 let index = DynamicIndexReader::new(tmpfile)
688 .map_err(|err| format_err!("unable to read dynamic index '{}' - {}", archive_name, err))?;
86eda3eb 689
f4bf7dfc
DM
690 let most_used = index.find_most_used_chunks(8);
691
692 let chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config, most_used);
693
afb4cd28 694 let mut reader = BufferedDynamicReader::new(index, chunk_reader);
86eda3eb 695
bf125261 696 if let Some(target) = target {
86eda3eb 697
bf125261
DM
698 let feature_flags = pxar::CA_FORMAT_DEFAULT;
699 let mut decoder = pxar::SequentialDecoder::new(&mut reader, feature_flags, |path| {
700 if verbose {
701 println!("{:?}", path);
702 }
703 Ok(())
704 });
705
fa7e957c 706 decoder.restore(Path::new(target), &Vec::new())?;
bf125261
DM
707 } else {
708 let stdout = std::io::stdout();
709 let mut writer = stdout.lock();
afb4cd28 710
bf125261
DM
711 std::io::copy(&mut reader, &mut writer)
712 .map_err(|err| format_err!("unable to pipe data - {}", err))?;
713 }
afb4cd28
DM
714 } else if server_archive_name.ends_with(".fidx") {
715 let tmpfile = client.download(&server_archive_name, tmpfile).wait()?;
716
717 let index = FixedIndexReader::new(tmpfile)
718 .map_err(|err| format_err!("unable to read fixed index '{}' - {}", archive_name, err))?;
7dcbe051 719
f4bf7dfc
DM
720 let most_used = index.find_most_used_chunks(8);
721
722 let chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config, most_used);
723
afb4cd28
DM
724 let mut reader = BufferedFixedReader::new(index, chunk_reader);
725
bf125261
DM
726 if let Some(target) = target {
727 let mut writer = std::fs::OpenOptions::new()
728 .write(true)
729 .create(true)
730 .create_new(true)
731 .open(target)
732 .map_err(|err| format_err!("unable to create target file {:?} - {}", target, err))?;
733
734 std::io::copy(&mut reader, &mut writer)
735 .map_err(|err| format_err!("unable to store data - {}", err))?;
736 } else {
737 let stdout = std::io::stdout();
738 let mut writer = stdout.lock();
afb4cd28 739
bf125261
DM
740 std::io::copy(&mut reader, &mut writer)
741 .map_err(|err| format_err!("unable to pipe data - {}", err))?;
742 }
45db6f89 743 } else {
f8100e96 744 bail!("unknown archive file extension (expected .pxar of .img)");
3031e44c 745 }
fef44d4f
DM
746
747 Ok(Value::Null)
45db6f89
DM
748}
749
83b7db02
DM
750fn prune(
751 mut param: Value,
752 _info: &ApiMethod,
dd5495d6 753 _rpcenv: &mut dyn RpcEnvironment,
83b7db02
DM
754) -> Result<Value, Error> {
755
2665cef7 756 let repo = extract_repository_from_value(&param)?;
83b7db02 757
45cdce06 758 let mut client = HttpClient::new(repo.host(), repo.user())?;
83b7db02 759
d0a03d40 760 let path = format!("api2/json/admin/datastore/{}/prune", repo.store());
83b7db02
DM
761
762 param.as_object_mut().unwrap().remove("repository");
763
5a2df000 764 let result = client.post(&path, Some(param)).wait()?;
83b7db02 765
d0a03d40
DM
766 record_repository(&repo);
767
83b7db02
DM
768 Ok(result)
769}
770
34a816cc
DM
771fn status(
772 param: Value,
773 _info: &ApiMethod,
774 _rpcenv: &mut dyn RpcEnvironment,
775) -> Result<Value, Error> {
776
777 let repo = extract_repository_from_value(&param)?;
778
779 let output_format = param["output-format"].as_str().unwrap_or("text").to_owned();
780
781 let client = HttpClient::new(repo.host(), repo.user())?;
782
783 let path = format!("api2/json/admin/datastore/{}/status", repo.store());
784
785 let result = client.get(&path, None).wait()?;
786 let data = &result["data"];
787
788 record_repository(&repo);
789
790 if output_format == "text" {
791 let total = data["total"].as_u64().unwrap();
792 let used = data["used"].as_u64().unwrap();
793 let avail = data["avail"].as_u64().unwrap();
794 let roundup = total/200;
795
796 println!(
797 "total: {} used: {} ({} %) available: {}",
798 total,
799 used,
800 ((used+roundup)*100)/total,
801 avail,
802 );
803 } else {
f6ede796 804 format_and_print_result(data, &output_format);
34a816cc
DM
805 }
806
807 Ok(Value::Null)
808}
809
5a2df000 810// like get, but simply ignore errors and return Null instead
b2388518 811fn try_get(repo: &BackupRepository, url: &str) -> Value {
024f11bb 812
45cdce06
DM
813 let client = match HttpClient::new(repo.host(), repo.user()) {
814 Ok(v) => v,
815 _ => return Value::Null,
816 };
b2388518 817
9e391bb7 818 let mut resp = match client.get(url, None).wait() {
b2388518
DM
819 Ok(v) => v,
820 _ => return Value::Null,
821 };
822
823 if let Some(map) = resp.as_object_mut() {
824 if let Some(data) = map.remove("data") {
825 return data;
826 }
827 }
828 Value::Null
829}
830
b2388518 831fn complete_backup_group(_arg: &str, param: &HashMap<String, String>) -> Vec<String> {
024f11bb 832
b2388518
DM
833 let mut result = vec![];
834
2665cef7 835 let repo = match extract_repository_from_map(param) {
b2388518 836 Some(v) => v,
024f11bb
DM
837 _ => return result,
838 };
839
b2388518
DM
840 let path = format!("api2/json/admin/datastore/{}/groups", repo.store());
841
842 let data = try_get(&repo, &path);
843
844 if let Some(list) = data.as_array() {
024f11bb 845 for item in list {
98f0b972
DM
846 if let (Some(backup_id), Some(backup_type)) =
847 (item["backup-id"].as_str(), item["backup-type"].as_str())
848 {
849 result.push(format!("{}/{}", backup_type, backup_id));
024f11bb
DM
850 }
851 }
852 }
853
854 result
855}
856
b2388518
DM
857fn complete_group_or_snapshot(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
858
859 let mut result = vec![];
860
2665cef7 861 let repo = match extract_repository_from_map(param) {
b2388518
DM
862 Some(v) => v,
863 _ => return result,
864 };
865
866 if arg.matches('/').count() < 2 {
867 let groups = complete_backup_group(arg, param);
868 for group in groups {
869 result.push(group.to_string());
870 result.push(format!("{}/", group));
871 }
872 return result;
873 }
874
875 let mut parts = arg.split('/');
876 let query = tools::json_object_to_query(json!({
877 "backup-type": parts.next().unwrap(),
878 "backup-id": parts.next().unwrap(),
879 })).unwrap();
880
881 let path = format!("api2/json/admin/datastore/{}/snapshots?{}", repo.store(), query);
882
883 let data = try_get(&repo, &path);
884
885 if let Some(list) = data.as_array() {
886 for item in list {
887 if let (Some(backup_id), Some(backup_type), Some(backup_time)) =
888 (item["backup-id"].as_str(), item["backup-type"].as_str(), item["backup-time"].as_i64())
889 {
890 let snapshot = BackupDir::new(backup_type, backup_id, backup_time);
891 result.push(snapshot.relative_path().to_str().unwrap().to_owned());
892 }
893 }
894 }
895
896 result
897}
898
45db6f89 899fn complete_server_file_name(_arg: &str, param: &HashMap<String, String>) -> Vec<String> {
08dc340a
DM
900
901 let mut result = vec![];
902
2665cef7 903 let repo = match extract_repository_from_map(param) {
08dc340a
DM
904 Some(v) => v,
905 _ => return result,
906 };
907
908 let snapshot = match param.get("snapshot") {
909 Some(path) => {
910 match BackupDir::parse(path) {
911 Ok(v) => v,
912 _ => return result,
913 }
914 }
915 _ => return result,
916 };
917
918 let query = tools::json_object_to_query(json!({
919 "backup-type": snapshot.group().backup_type(),
920 "backup-id": snapshot.group().backup_id(),
921 "backup-time": snapshot.backup_time().timestamp(),
922 })).unwrap();
923
924 let path = format!("api2/json/admin/datastore/{}/files?{}", repo.store(), query);
925
926 let data = try_get(&repo, &path);
927
928 if let Some(list) = data.as_array() {
929 for item in list {
930 if let Some(filename) = item.as_str() {
931 result.push(filename.to_owned());
932 }
933 }
934 }
935
45db6f89
DM
936 result
937}
938
939fn complete_archive_name(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
940
941 let result = complete_server_file_name(arg, param);
942
6899dbfb 943 strip_server_file_expenstions(result)
08dc340a
DM
944}
945
49811347
DM
946fn complete_chunk_size(_arg: &str, _param: &HashMap<String, String>) -> Vec<String> {
947
948 let mut result = vec![];
949
950 let mut size = 64;
951 loop {
952 result.push(size.to_string());
953 size = size * 2;
954 if size > 4096 { break; }
955 }
956
957 result
958}
959
826f309b 960fn get_encryption_key_password() -> Result<Vec<u8>, Error> {
ff5d3707 961
f2401311
DM
962 // fixme: implement other input methods
963
964 use std::env::VarError::*;
965 match std::env::var("PBS_ENCRYPTION_PASSWORD") {
826f309b 966 Ok(p) => return Ok(p.as_bytes().to_vec()),
f2401311
DM
967 Err(NotUnicode(_)) => bail!("PBS_ENCRYPTION_PASSWORD contains bad characters"),
968 Err(NotPresent) => {
969 // Try another method
970 }
971 }
972
973 // If we're on a TTY, query the user for a password
974 if crate::tools::tty::stdin_isatty() {
826f309b 975 return Ok(crate::tools::tty::read_password("Encryption Key Password: ")?);
f2401311
DM
976 }
977
978 bail!("no password input mechanism available");
979}
980
ac716234
DM
981fn key_create(
982 param: Value,
983 _info: &ApiMethod,
984 _rpcenv: &mut dyn RpcEnvironment,
985) -> Result<Value, Error> {
986
9b06db45
DM
987 let path = tools::required_string_param(&param, "path")?;
988 let path = PathBuf::from(path);
ac716234 989
181f097a 990 let kdf = param["kdf"].as_str().unwrap_or("scrypt");
ac716234
DM
991
992 let key = proxmox::sys::linux::random_data(32)?;
993
181f097a
DM
994 if kdf == "scrypt" {
995 // always read passphrase from tty
996 if !crate::tools::tty::stdin_isatty() {
997 bail!("unable to read passphrase - no tty");
998 }
ac716234 999
181f097a
DM
1000 let password = crate::tools::tty::read_password("Encryption Key Password: ")?;
1001
ab44acff 1002 let key_config = encrypt_key_with_passphrase(&key, &password)?;
37c5a175 1003
ab44acff 1004 store_key_config(&path, false, key_config)?;
181f097a
DM
1005
1006 Ok(Value::Null)
1007 } else if kdf == "none" {
1008 let created = Local.timestamp(Local::now().timestamp(), 0);
1009
1010 store_key_config(&path, false, KeyConfig {
1011 kdf: None,
1012 created,
ab44acff 1013 modified: created,
181f097a
DM
1014 data: key,
1015 })?;
1016
1017 Ok(Value::Null)
1018 } else {
1019 unreachable!();
1020 }
ac716234
DM
1021}
1022
9f46c7de
DM
1023fn master_pubkey_path() -> Result<PathBuf, Error> {
1024 let base = BaseDirectories::with_prefix("proxmox-backup")?;
1025
1026 // usually $HOME/.config/proxmox-backup/master-public.pem
1027 let path = base.place_config_file("master-public.pem")?;
1028
1029 Ok(path)
1030}
1031
3ea8bfc9
DM
1032fn key_import_master_pubkey(
1033 param: Value,
1034 _info: &ApiMethod,
1035 _rpcenv: &mut dyn RpcEnvironment,
1036) -> Result<Value, Error> {
1037
1038 let path = tools::required_string_param(&param, "path")?;
1039 let path = PathBuf::from(path);
1040
1041 let pem_data = proxmox_backup::tools::file_get_contents(&path)?;
1042
1043 if let Err(err) = openssl::pkey::PKey::public_key_from_pem(&pem_data) {
1044 bail!("Unable to decode PEM data - {}", err);
1045 }
1046
9f46c7de 1047 let target_path = master_pubkey_path()?;
3ea8bfc9
DM
1048
1049 proxmox_backup::tools::file_set_contents(&target_path, &pem_data, None)?;
1050
1051 println!("Imported public master key to {:?}", target_path);
1052
1053 Ok(Value::Null)
1054}
1055
37c5a175
DM
1056fn key_create_master_key(
1057 _param: Value,
1058 _info: &ApiMethod,
1059 _rpcenv: &mut dyn RpcEnvironment,
1060) -> Result<Value, Error> {
1061
1062 // we need a TTY to query the new password
1063 if !crate::tools::tty::stdin_isatty() {
1064 bail!("unable to create master key - no tty");
1065 }
1066
1067 let rsa = openssl::rsa::Rsa::generate(4096)?;
1068 let pkey = openssl::pkey::PKey::from_rsa(rsa)?;
1069
1070 let new_pw = String::from_utf8(crate::tools::tty::read_password("Master Key Password: ")?)?;
1071 let verify_pw = String::from_utf8(crate::tools::tty::read_password("Verify Password: ")?)?;
1072
1073 if new_pw != verify_pw {
1074 bail!("Password verification fail!");
1075 }
1076
1077 if new_pw.len() < 5 {
1078 bail!("Password is too short!");
1079 }
1080
1081 let pub_key: Vec<u8> = pkey.public_key_to_pem()?;
1082 let filename_pub = "master-public.pem";
1083 println!("Writing public master key to {}", filename_pub);
1084 proxmox_backup::tools::file_set_contents(filename_pub, pub_key.as_slice(), None)?;
1085
1086 let cipher = openssl::symm::Cipher::aes_256_cbc();
1087 let priv_key: Vec<u8> = pkey.private_key_to_pem_pkcs8_passphrase(cipher, new_pw.as_bytes())?;
1088
1089 let filename_priv = "master-private.pem";
1090 println!("Writing private master key to {}", filename_priv);
1091 proxmox_backup::tools::file_set_contents(filename_priv, priv_key.as_slice(), None)?;
1092
1093 Ok(Value::Null)
1094}
ac716234
DM
1095
1096fn key_change_passphrase(
1097 param: Value,
1098 _info: &ApiMethod,
1099 _rpcenv: &mut dyn RpcEnvironment,
1100) -> Result<Value, Error> {
1101
9b06db45
DM
1102 let path = tools::required_string_param(&param, "path")?;
1103 let path = PathBuf::from(path);
ac716234 1104
181f097a
DM
1105 let kdf = param["kdf"].as_str().unwrap_or("scrypt");
1106
ac716234
DM
1107 // we need a TTY to query the new password
1108 if !crate::tools::tty::stdin_isatty() {
1109 bail!("unable to change passphrase - no tty");
1110 }
1111
ab44acff 1112 let (key, created) = load_and_decrtypt_key(&path, get_encryption_key_password)?;
ac716234 1113
181f097a 1114 if kdf == "scrypt" {
ac716234 1115
181f097a
DM
1116 let new_pw = String::from_utf8(crate::tools::tty::read_password("New Password: ")?)?;
1117 let verify_pw = String::from_utf8(crate::tools::tty::read_password("Verify Password: ")?)?;
ac716234 1118
181f097a
DM
1119 if new_pw != verify_pw {
1120 bail!("Password verification fail!");
1121 }
1122
1123 if new_pw.len() < 5 {
1124 bail!("Password is too short!");
1125 }
ac716234 1126
ab44acff
DM
1127 let mut new_key_config = encrypt_key_with_passphrase(&key, new_pw.as_bytes())?;
1128 new_key_config.created = created; // keep original value
1129
1130 store_key_config(&path, true, new_key_config)?;
ac716234 1131
181f097a
DM
1132 Ok(Value::Null)
1133 } else if kdf == "none" {
ab44acff 1134 let modified = Local.timestamp(Local::now().timestamp(), 0);
181f097a
DM
1135
1136 store_key_config(&path, true, KeyConfig {
1137 kdf: None,
ab44acff
DM
1138 created, // keep original value
1139 modified,
6d0983db 1140 data: key.to_vec(),
181f097a
DM
1141 })?;
1142
1143 Ok(Value::Null)
1144 } else {
1145 unreachable!();
1146 }
f2401311
DM
1147}
1148
1149fn key_mgmt_cli() -> CliCommandMap {
1150
181f097a
DM
1151 let kdf_schema: Arc<Schema> = Arc::new(
1152 StringSchema::new("Key derivation function. Choose 'none' to store the key unecrypted.")
1153 .format(Arc::new(ApiStringFormat::Enum(&["scrypt", "none"])))
1154 .default("scrypt")
1155 .into()
1156 );
1157
f2401311
DM
1158 let key_create_cmd_def = CliCommand::new(
1159 ApiMethod::new(
1160 key_create,
1161 ObjectSchema::new("Create a new encryption key.")
9b06db45 1162 .required("path", StringSchema::new("File system path."))
181f097a 1163 .optional("kdf", kdf_schema.clone())
f2401311 1164 ))
9b06db45
DM
1165 .arg_param(vec!["path"])
1166 .completion_cb("path", tools::complete_file_name);
f2401311 1167
ac716234
DM
1168 let key_change_passphrase_cmd_def = CliCommand::new(
1169 ApiMethod::new(
1170 key_change_passphrase,
1171 ObjectSchema::new("Change the passphrase required to decrypt the key.")
9b06db45 1172 .required("path", StringSchema::new("File system path."))
181f097a 1173 .optional("kdf", kdf_schema.clone())
9b06db45
DM
1174 ))
1175 .arg_param(vec!["path"])
1176 .completion_cb("path", tools::complete_file_name);
ac716234 1177
37c5a175
DM
1178 let key_create_master_key_cmd_def = CliCommand::new(
1179 ApiMethod::new(
1180 key_create_master_key,
1181 ObjectSchema::new("Create a new 4096 bit RSA master pub/priv key pair.")
1182 ));
1183
3ea8bfc9
DM
1184 let key_import_master_pubkey_cmd_def = CliCommand::new(
1185 ApiMethod::new(
1186 key_import_master_pubkey,
1187 ObjectSchema::new("Import a new RSA public key and use it as master key. The key is expected to be in '.pem' format.")
1188 .required("path", StringSchema::new("File system path."))
1189 ))
1190 .arg_param(vec!["path"])
1191 .completion_cb("path", tools::complete_file_name);
1192
f2401311 1193 let cmd_def = CliCommandMap::new()
ac716234 1194 .insert("create".to_owned(), key_create_cmd_def.into())
37c5a175 1195 .insert("create-master-key".to_owned(), key_create_master_key_cmd_def.into())
3ea8bfc9 1196 .insert("import-master-pubkey".to_owned(), key_import_master_pubkey_cmd_def.into())
ac716234 1197 .insert("change-passphrase".to_owned(), key_change_passphrase_cmd_def.into());
f2401311
DM
1198
1199 cmd_def
1200}
1201
f2401311 1202fn main() {
33d64b81 1203
25f1650b
DM
1204 let backup_source_schema: Arc<Schema> = Arc::new(
1205 StringSchema::new("Backup source specification ([<label>:<path>]).")
1206 .format(Arc::new(ApiStringFormat::Pattern(&BACKUPSPEC_REGEX)))
1207 .into()
1208 );
1209
597a9203 1210 let backup_cmd_def = CliCommand::new(
ff5d3707 1211 ApiMethod::new(
bcd879cf 1212 create_backup,
597a9203 1213 ObjectSchema::new("Create (host) backup.")
ae0be2dd
DM
1214 .required(
1215 "backupspec",
1216 ArraySchema::new(
74cdb521 1217 "List of backup source specifications ([<label.ext>:<path>] ...)",
25f1650b 1218 backup_source_schema,
ae0be2dd
DM
1219 ).min_length(1)
1220 )
2665cef7 1221 .optional("repository", REPO_URL_SCHEMA.clone())
6d0983db
DM
1222 .optional(
1223 "keyfile",
1224 StringSchema::new("Path to encryption key. All data will be encrypted using this key."))
219ef0e6
DM
1225 .optional(
1226 "verbose",
1227 BooleanSchema::new("Verbose output.").default(false))
fba30411
DM
1228 .optional(
1229 "host-id",
1230 StringSchema::new("Use specified ID for the backup group name ('host/<id>'). The default is the system hostname."))
2d9d143a
DM
1231 .optional(
1232 "chunk-size",
1233 IntegerSchema::new("Chunk size in KB. Must be a power of 2.")
1234 .minimum(64)
1235 .maximum(4096)
1236 .default(4096)
1237 )
ff5d3707 1238 ))
2665cef7 1239 .arg_param(vec!["backupspec"])
d0a03d40 1240 .completion_cb("repository", complete_repository)
49811347 1241 .completion_cb("backupspec", complete_backup_source)
6d0983db 1242 .completion_cb("keyfile", tools::complete_file_name)
49811347 1243 .completion_cb("chunk-size", complete_chunk_size);
f8838fe9 1244
41c039e1
DM
1245 let list_cmd_def = CliCommand::new(
1246 ApiMethod::new(
812c6f87
DM
1247 list_backup_groups,
1248 ObjectSchema::new("List backup groups.")
2665cef7 1249 .optional("repository", REPO_URL_SCHEMA.clone())
34a816cc 1250 .optional("output-format", OUTPUT_FORMAT.clone())
41c039e1 1251 ))
d0a03d40 1252 .completion_cb("repository", complete_repository);
41c039e1 1253
184f17af
DM
1254 let snapshots_cmd_def = CliCommand::new(
1255 ApiMethod::new(
1256 list_snapshots,
1257 ObjectSchema::new("List backup snapshots.")
15c847f1 1258 .optional("group", StringSchema::new("Backup group."))
2665cef7 1259 .optional("repository", REPO_URL_SCHEMA.clone())
34a816cc 1260 .optional("output-format", OUTPUT_FORMAT.clone())
184f17af 1261 ))
2665cef7 1262 .arg_param(vec!["group"])
024f11bb 1263 .completion_cb("group", complete_backup_group)
d0a03d40 1264 .completion_cb("repository", complete_repository);
184f17af 1265
6f62c924
DM
1266 let forget_cmd_def = CliCommand::new(
1267 ApiMethod::new(
1268 forget_snapshots,
1269 ObjectSchema::new("Forget (remove) backup snapshots.")
6f62c924 1270 .required("snapshot", StringSchema::new("Snapshot path."))
2665cef7 1271 .optional("repository", REPO_URL_SCHEMA.clone())
6f62c924 1272 ))
2665cef7 1273 .arg_param(vec!["snapshot"])
b2388518
DM
1274 .completion_cb("repository", complete_repository)
1275 .completion_cb("snapshot", complete_group_or_snapshot);
6f62c924 1276
8cc0d6af
DM
1277 let garbage_collect_cmd_def = CliCommand::new(
1278 ApiMethod::new(
1279 start_garbage_collection,
1280 ObjectSchema::new("Start garbage collection for a specific repository.")
2665cef7 1281 .optional("repository", REPO_URL_SCHEMA.clone())
8cc0d6af 1282 ))
d0a03d40 1283 .completion_cb("repository", complete_repository);
8cc0d6af 1284
9f912493
DM
1285 let restore_cmd_def = CliCommand::new(
1286 ApiMethod::new(
1287 restore,
1288 ObjectSchema::new("Restore backup repository.")
d5c34d98
DM
1289 .required("snapshot", StringSchema::new("Group/Snapshot path."))
1290 .required("archive-name", StringSchema::new("Backup archive name."))
bf125261
DM
1291 .required("target", StringSchema::new(r###"Target directory path. Use '-' to write to stdandard output.
1292
1293We do not extraxt '.pxar' archives when writing to stdandard output.
1294
1295"###
1296 ))
2665cef7 1297 .optional("repository", REPO_URL_SCHEMA.clone())
86eda3eb
DM
1298 .optional("keyfile", StringSchema::new("Path to encryption key."))
1299 .optional(
1300 "verbose",
1301 BooleanSchema::new("Verbose output.").default(false)
1302 )
9f912493 1303 ))
2665cef7 1304 .arg_param(vec!["snapshot", "archive-name", "target"])
b2388518 1305 .completion_cb("repository", complete_repository)
08dc340a
DM
1306 .completion_cb("snapshot", complete_group_or_snapshot)
1307 .completion_cb("archive-name", complete_archive_name)
1308 .completion_cb("target", tools::complete_file_name);
9f912493 1309
83b7db02
DM
1310 let prune_cmd_def = CliCommand::new(
1311 ApiMethod::new(
1312 prune,
1313 proxmox_backup::api2::admin::datastore::add_common_prune_prameters(
1314 ObjectSchema::new("Prune backup repository.")
2665cef7 1315 .optional("repository", REPO_URL_SCHEMA.clone())
83b7db02
DM
1316 )
1317 ))
d0a03d40 1318 .completion_cb("repository", complete_repository);
9f912493 1319
34a816cc
DM
1320 let status_cmd_def = CliCommand::new(
1321 ApiMethod::new(
1322 status,
1323 ObjectSchema::new("Get repository status.")
1324 .optional("repository", REPO_URL_SCHEMA.clone())
1325 .optional("output-format", OUTPUT_FORMAT.clone())
1326 ))
1327 .completion_cb("repository", complete_repository);
1328
41c039e1 1329 let cmd_def = CliCommandMap::new()
597a9203 1330 .insert("backup".to_owned(), backup_cmd_def.into())
6f62c924 1331 .insert("forget".to_owned(), forget_cmd_def.into())
8cc0d6af 1332 .insert("garbage-collect".to_owned(), garbage_collect_cmd_def.into())
83b7db02 1333 .insert("list".to_owned(), list_cmd_def.into())
184f17af 1334 .insert("prune".to_owned(), prune_cmd_def.into())
9f912493 1335 .insert("restore".to_owned(), restore_cmd_def.into())
f2401311 1336 .insert("snapshots".to_owned(), snapshots_cmd_def.into())
34a816cc 1337 .insert("status".to_owned(), status_cmd_def.into())
f2401311 1338 .insert("key".to_owned(), key_mgmt_cli().into());
a914a774 1339
5a2df000
DM
1340 hyper::rt::run(futures::future::lazy(move || {
1341 run_cli_command(cmd_def.into());
1342 Ok(())
1343 }));
496a6784 1344
ff5d3707 1345}