2019-07-24 05:48:59 +00:00
|
|
|
use std::collections::{HashSet, HashMap};
|
2020-03-23 14:03:18 +00:00
|
|
|
use std::io::{self, Write, Seek, SeekFrom};
|
2019-08-09 07:46:49 +00:00
|
|
|
use std::os::unix::fs::OpenOptionsExt;
|
2020-03-23 14:03:18 +00:00
|
|
|
use std::path::{Path, PathBuf};
|
|
|
|
use std::pin::Pin;
|
|
|
|
use std::sync::{Arc, Mutex};
|
2020-06-24 09:57:12 +00:00
|
|
|
use std::task::Context;
|
2020-03-23 14:03:18 +00:00
|
|
|
|
|
|
|
use anyhow::{bail, format_err, Error};
|
|
|
|
use chrono::{Local, DateTime, Utc, TimeZone};
|
|
|
|
use futures::future::FutureExt;
|
|
|
|
use futures::stream::{StreamExt, TryStreamExt};
|
|
|
|
use serde_json::{json, Value};
|
|
|
|
use tokio::sync::mpsc;
|
|
|
|
use xdg::BaseDirectories;
|
2019-08-09 07:46:49 +00:00
|
|
|
|
2020-03-23 14:03:18 +00:00
|
|
|
use pathpatterns::{MatchEntry, MatchType, PatternFlag};
|
2019-11-21 12:10:49 +00:00
|
|
|
use proxmox::{sortable, identity};
|
2019-12-18 10:05:30 +00:00
|
|
|
use proxmox::tools::fs::{file_get_contents, file_get_json, replace_file, CreateOptions, image_size};
|
2020-01-31 07:16:00 +00:00
|
|
|
use proxmox::sys::linux::tty;
|
2019-12-16 12:34:49 +00:00
|
|
|
use proxmox::api::{ApiHandler, ApiMethod, RpcEnvironment};
|
2019-11-21 13:14:54 +00:00
|
|
|
use proxmox::api::schema::*;
|
2019-12-02 10:56:29 +00:00
|
|
|
use proxmox::api::cli::*;
|
2019-12-10 12:43:53 +00:00
|
|
|
use proxmox::api::api;
|
2020-06-24 09:57:12 +00:00
|
|
|
use pxar::accessor::{MaybeReady, ReadAt, ReadAtOperation};
|
2018-12-14 07:28:56 +00:00
|
|
|
|
2018-12-20 09:32:49 +00:00
|
|
|
use proxmox_backup::tools;
|
2019-07-26 07:07:29 +00:00
|
|
|
use proxmox_backup::api2::types::*;
|
2019-02-14 10:11:39 +00:00
|
|
|
use proxmox_backup::client::*;
|
2020-03-23 14:03:18 +00:00
|
|
|
use proxmox_backup::pxar::catalog::*;
|
2020-06-12 09:38:21 +00:00
|
|
|
use proxmox_backup::backup::{
|
|
|
|
archive_type,
|
|
|
|
encrypt_key_with_passphrase,
|
|
|
|
load_and_decrypt_key,
|
|
|
|
store_key_config,
|
|
|
|
verify_chunk_size,
|
|
|
|
ArchiveType,
|
2020-06-12 09:40:18 +00:00
|
|
|
AsyncReadChunk,
|
2020-06-12 09:38:21 +00:00
|
|
|
BackupDir,
|
|
|
|
BackupGroup,
|
|
|
|
BackupManifest,
|
|
|
|
BufferedDynamicReader,
|
|
|
|
CatalogReader,
|
|
|
|
CatalogWriter,
|
|
|
|
CATALOG_NAME,
|
|
|
|
ChunkStream,
|
|
|
|
CryptConfig,
|
|
|
|
DataBlob,
|
|
|
|
DynamicIndexReader,
|
|
|
|
FixedChunkStream,
|
|
|
|
FixedIndexReader,
|
|
|
|
IndexFile,
|
|
|
|
KeyConfig,
|
|
|
|
MANIFEST_BLOB_NAME,
|
|
|
|
Shell,
|
|
|
|
};
|
2019-02-26 11:27:28 +00:00
|
|
|
|
2020-07-02 12:00:32 +00:00
|
|
|
mod proxmox_backup_client;
|
|
|
|
use proxmox_backup_client::*;
|
|
|
|
|
2020-02-11 10:01:57 +00:00
|
|
|
const ENV_VAR_PBS_FINGERPRINT: &str = "PBS_FINGERPRINT";
|
2020-02-11 10:10:13 +00:00
|
|
|
const ENV_VAR_PBS_PASSWORD: &str = "PBS_PASSWORD";
|
2020-02-11 10:01:57 +00:00
|
|
|
|
2019-02-13 11:30:52 +00:00
|
|
|
|
2020-07-02 12:00:32 +00:00
|
|
|
pub const REPO_URL_SCHEMA: Schema = StringSchema::new("Repository URL.")
|
2019-11-21 08:36:41 +00:00
|
|
|
.format(&BACKUP_REPO_URL)
|
|
|
|
.max_length(256)
|
|
|
|
.schema();
|
2019-03-13 08:47:12 +00:00
|
|
|
|
2020-07-02 12:00:32 +00:00
|
|
|
pub const KEYFILE_SCHEMA: Schema = StringSchema::new(
|
2019-12-16 12:34:49 +00:00
|
|
|
"Path to encryption key. All data will be encrypted using this key.")
|
|
|
|
.schema();
|
|
|
|
|
|
|
|
const CHUNK_SIZE_SCHEMA: Schema = IntegerSchema::new(
|
|
|
|
"Chunk size in KB. Must be a power of 2.")
|
|
|
|
.minimum(64)
|
|
|
|
.maximum(4096)
|
|
|
|
.default(4096)
|
|
|
|
.schema();
|
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
fn get_default_repository() -> Option<String> {
|
|
|
|
std::env::var("PBS_REPOSITORY").ok()
|
|
|
|
}
|
|
|
|
|
2020-07-02 12:00:32 +00:00
|
|
|
pub fn extract_repository_from_value(
|
2019-07-16 05:30:04 +00:00
|
|
|
param: &Value,
|
|
|
|
) -> Result<BackupRepository, Error> {
|
|
|
|
|
|
|
|
let repo_url = param["repository"]
|
|
|
|
.as_str()
|
|
|
|
.map(String::from)
|
|
|
|
.or_else(get_default_repository)
|
|
|
|
.ok_or_else(|| format_err!("unable to get (default) repository"))?;
|
|
|
|
|
|
|
|
let repo: BackupRepository = repo_url.parse()?;
|
|
|
|
|
|
|
|
Ok(repo)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn extract_repository_from_map(
|
|
|
|
param: &HashMap<String, String>,
|
|
|
|
) -> Option<BackupRepository> {
|
|
|
|
|
|
|
|
param.get("repository")
|
|
|
|
.map(String::from)
|
|
|
|
.or_else(get_default_repository)
|
|
|
|
.and_then(|repo_url| repo_url.parse::<BackupRepository>().ok())
|
|
|
|
}
|
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
fn record_repository(repo: &BackupRepository) {
|
|
|
|
|
|
|
|
let base = match BaseDirectories::with_prefix("proxmox-backup") {
|
|
|
|
Ok(v) => v,
|
|
|
|
_ => return,
|
|
|
|
};
|
|
|
|
|
|
|
|
// usually $HOME/.cache/proxmox-backup/repo-list
|
|
|
|
let path = match base.place_cache_file("repo-list") {
|
|
|
|
Ok(v) => v,
|
|
|
|
_ => return,
|
|
|
|
};
|
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let mut data = file_get_json(&path, None).unwrap_or_else(|_| json!({}));
|
2019-03-13 08:47:12 +00:00
|
|
|
|
|
|
|
let repo = repo.to_string();
|
|
|
|
|
|
|
|
data[&repo] = json!{ data[&repo].as_i64().unwrap_or(0) + 1 };
|
|
|
|
|
|
|
|
let mut map = serde_json::map::Map::new();
|
|
|
|
|
|
|
|
loop {
|
|
|
|
let mut max_used = 0;
|
|
|
|
let mut max_repo = None;
|
|
|
|
for (repo, count) in data.as_object().unwrap() {
|
|
|
|
if map.contains_key(repo) { continue; }
|
|
|
|
if let Some(count) = count.as_i64() {
|
|
|
|
if count > max_used {
|
|
|
|
max_used = count;
|
|
|
|
max_repo = Some(repo);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
if let Some(repo) = max_repo {
|
|
|
|
map.insert(repo.to_owned(), json!(max_used));
|
|
|
|
} else {
|
|
|
|
break;
|
|
|
|
}
|
|
|
|
if map.len() > 10 { // store max. 10 repos
|
|
|
|
break;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
let new_data = json!(map);
|
|
|
|
|
2019-12-18 10:05:30 +00:00
|
|
|
let _ = replace_file(path, new_data.to_string().as_bytes(), CreateOptions::new());
|
2019-03-13 08:47:12 +00:00
|
|
|
}
|
|
|
|
|
2020-07-02 15:49:08 +00:00
|
|
|
pub fn complete_repository(_arg: &str, _param: &HashMap<String, String>) -> Vec<String> {
|
2019-03-13 08:47:12 +00:00
|
|
|
|
|
|
|
let mut result = vec![];
|
|
|
|
|
|
|
|
let base = match BaseDirectories::with_prefix("proxmox-backup") {
|
|
|
|
Ok(v) => v,
|
|
|
|
_ => return result,
|
|
|
|
};
|
|
|
|
|
|
|
|
// usually $HOME/.cache/proxmox-backup/repo-list
|
|
|
|
let path = match base.place_cache_file("repo-list") {
|
|
|
|
Ok(v) => v,
|
|
|
|
_ => return result,
|
|
|
|
};
|
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let data = file_get_json(&path, None).unwrap_or_else(|_| json!({}));
|
2019-03-13 08:47:12 +00:00
|
|
|
|
|
|
|
if let Some(map) = data.as_object() {
|
2019-03-13 11:26:01 +00:00
|
|
|
for (repo, _count) in map {
|
2019-03-13 08:47:12 +00:00
|
|
|
result.push(repo.to_owned());
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
result
|
|
|
|
}
|
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
fn connect(server: &str, userid: &str) -> Result<HttpClient, Error> {
|
|
|
|
|
2020-02-11 10:01:57 +00:00
|
|
|
let fingerprint = std::env::var(ENV_VAR_PBS_FINGERPRINT).ok();
|
|
|
|
|
2020-02-11 10:10:13 +00:00
|
|
|
use std::env::VarError::*;
|
|
|
|
let password = match std::env::var(ENV_VAR_PBS_PASSWORD) {
|
|
|
|
Ok(p) => Some(p),
|
|
|
|
Err(NotUnicode(_)) => bail!(format!("{} contains bad characters", ENV_VAR_PBS_PASSWORD)),
|
|
|
|
Err(NotPresent) => None,
|
|
|
|
};
|
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let options = HttpClientOptions::new()
|
2020-01-27 08:34:02 +00:00
|
|
|
.prefix(Some("proxmox-backup".to_string()))
|
2020-02-11 10:10:13 +00:00
|
|
|
.password(password)
|
2020-01-25 11:18:00 +00:00
|
|
|
.interactive(true)
|
2020-02-11 10:01:57 +00:00
|
|
|
.fingerprint(fingerprint)
|
2020-01-25 14:37:34 +00:00
|
|
|
.fingerprint_cache(true)
|
2020-01-25 11:18:00 +00:00
|
|
|
.ticket_cache(true);
|
|
|
|
|
|
|
|
HttpClient::new(server, userid, options)
|
|
|
|
}
|
|
|
|
|
2019-12-09 17:00:22 +00:00
|
|
|
async fn view_task_result(
|
|
|
|
client: HttpClient,
|
|
|
|
result: Value,
|
|
|
|
output_format: &str,
|
|
|
|
) -> Result<(), Error> {
|
|
|
|
let data = &result["data"];
|
|
|
|
if output_format == "text" {
|
|
|
|
if let Some(upid) = data.as_str() {
|
|
|
|
display_task_log(client, upid, true).await?;
|
|
|
|
}
|
|
|
|
} else {
|
|
|
|
format_and_print_result(&data, &output_format);
|
|
|
|
}
|
|
|
|
|
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
2020-01-07 14:07:57 +00:00
|
|
|
async fn api_datastore_list_snapshots(
|
|
|
|
client: &HttpClient,
|
|
|
|
store: &str,
|
|
|
|
group: Option<BackupGroup>,
|
2020-02-27 10:27:44 +00:00
|
|
|
) -> Result<Value, Error> {
|
2020-01-07 14:07:57 +00:00
|
|
|
|
|
|
|
let path = format!("api2/json/admin/datastore/{}/snapshots", store);
|
|
|
|
|
|
|
|
let mut args = json!({});
|
|
|
|
if let Some(group) = group {
|
|
|
|
args["backup-type"] = group.backup_type().into();
|
|
|
|
args["backup-id"] = group.backup_id().into();
|
|
|
|
}
|
|
|
|
|
|
|
|
let mut result = client.get(&path, Some(args)).await?;
|
|
|
|
|
2020-02-27 10:27:44 +00:00
|
|
|
Ok(result["data"].take())
|
2020-01-07 14:07:57 +00:00
|
|
|
}
|
|
|
|
|
2020-07-02 15:49:08 +00:00
|
|
|
pub async fn api_datastore_latest_snapshot(
|
2020-01-07 14:18:36 +00:00
|
|
|
client: &HttpClient,
|
|
|
|
store: &str,
|
|
|
|
group: BackupGroup,
|
|
|
|
) -> Result<(String, String, DateTime<Utc>), Error> {
|
|
|
|
|
2020-02-27 10:27:44 +00:00
|
|
|
let list = api_datastore_list_snapshots(client, store, Some(group.clone())).await?;
|
|
|
|
let mut list: Vec<SnapshotListItem> = serde_json::from_value(list)?;
|
2020-01-07 14:18:36 +00:00
|
|
|
|
|
|
|
if list.is_empty() {
|
|
|
|
bail!("backup group {:?} does not contain any snapshots.", group.group_path());
|
|
|
|
}
|
|
|
|
|
|
|
|
list.sort_unstable_by(|a, b| b.backup_time.cmp(&a.backup_time));
|
|
|
|
|
|
|
|
let backup_time = Utc.timestamp(list[0].backup_time, 0);
|
|
|
|
|
|
|
|
Ok((group.backup_type().to_owned(), group.backup_id().to_owned(), backup_time))
|
|
|
|
}
|
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
async fn backup_directory<P: AsRef<Path>>(
|
2019-10-12 11:53:11 +00:00
|
|
|
client: &BackupWriter,
|
2020-06-25 10:23:30 +00:00
|
|
|
previous_manifest: Option<Arc<BackupManifest>>,
|
2019-03-01 08:35:41 +00:00
|
|
|
dir_path: P,
|
2019-02-19 14:19:12 +00:00
|
|
|
archive_name: &str,
|
2019-05-30 11:28:24 +00:00
|
|
|
chunk_size: Option<usize>,
|
2019-07-24 05:48:59 +00:00
|
|
|
device_set: Option<HashSet<u64>>,
|
2019-03-04 07:01:09 +00:00
|
|
|
verbose: bool,
|
2019-07-24 10:21:25 +00:00
|
|
|
skip_lost_and_found: bool,
|
2020-01-22 11:49:08 +00:00
|
|
|
catalog: Arc<Mutex<CatalogWriter<crate::tools::StdChannelWriter>>>,
|
2020-03-23 14:03:18 +00:00
|
|
|
exclude_pattern: Vec<MatchEntry>,
|
2020-01-10 11:50:06 +00:00
|
|
|
entries_max: usize,
|
2019-08-01 10:39:02 +00:00
|
|
|
) -> Result<BackupStats, Error> {
|
2019-02-13 11:30:52 +00:00
|
|
|
|
2020-01-10 11:50:06 +00:00
|
|
|
let pxar_stream = PxarBackupStream::open(
|
|
|
|
dir_path.as_ref(),
|
|
|
|
device_set,
|
|
|
|
verbose,
|
|
|
|
skip_lost_and_found,
|
|
|
|
catalog,
|
2020-02-27 12:13:12 +00:00
|
|
|
exclude_pattern,
|
2020-01-10 11:50:06 +00:00
|
|
|
entries_max,
|
|
|
|
)?;
|
2019-08-28 15:20:32 +00:00
|
|
|
let mut chunk_stream = ChunkStream::new(pxar_stream, chunk_size);
|
2019-01-18 11:01:37 +00:00
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let (mut tx, rx) = mpsc::channel(10); // allow to buffer 10 chunks
|
2019-01-02 10:02:56 +00:00
|
|
|
|
2019-05-28 08:12:44 +00:00
|
|
|
let stream = rx
|
2019-08-28 15:20:32 +00:00
|
|
|
.map_err(Error::from);
|
2019-03-01 08:35:41 +00:00
|
|
|
|
2019-05-28 08:12:44 +00:00
|
|
|
// spawn chunker inside a separate task so that it can run parallel
|
2019-08-28 15:20:32 +00:00
|
|
|
tokio::spawn(async move {
|
2019-12-12 14:27:07 +00:00
|
|
|
while let Some(v) = chunk_stream.next().await {
|
|
|
|
let _ = tx.send(v).await;
|
|
|
|
}
|
2019-08-28 15:20:32 +00:00
|
|
|
});
|
2019-03-01 08:35:41 +00:00
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let stats = client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_stream(previous_manifest, archive_name, stream, "dynamic", None)
|
2019-08-28 15:20:32 +00:00
|
|
|
.await?;
|
2018-12-27 09:11:11 +00:00
|
|
|
|
2019-08-01 10:39:02 +00:00
|
|
|
Ok(stats)
|
2018-12-27 09:11:11 +00:00
|
|
|
}
|
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
async fn backup_image<P: AsRef<Path>>(
|
2019-10-12 11:53:11 +00:00
|
|
|
client: &BackupWriter,
|
2020-06-25 10:23:30 +00:00
|
|
|
previous_manifest: Option<Arc<BackupManifest>>,
|
2019-05-30 10:46:01 +00:00
|
|
|
image_path: P,
|
|
|
|
archive_name: &str,
|
|
|
|
image_size: u64,
|
2019-05-30 11:28:24 +00:00
|
|
|
chunk_size: Option<usize>,
|
2019-06-03 04:43:47 +00:00
|
|
|
_verbose: bool,
|
2019-08-01 10:39:02 +00:00
|
|
|
) -> Result<BackupStats, Error> {
|
2019-05-30 10:46:01 +00:00
|
|
|
|
|
|
|
let path = image_path.as_ref().to_owned();
|
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let file = tokio::fs::File::open(path).await?;
|
2019-05-30 10:46:01 +00:00
|
|
|
|
2019-12-12 14:27:07 +00:00
|
|
|
let stream = tokio_util::codec::FramedRead::new(file, tokio_util::codec::BytesCodec::new())
|
2019-05-30 10:46:01 +00:00
|
|
|
.map_err(Error::from);
|
|
|
|
|
2019-05-30 11:28:24 +00:00
|
|
|
let stream = FixedChunkStream::new(stream, chunk_size.unwrap_or(4*1024*1024));
|
2019-05-30 10:46:01 +00:00
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let stats = client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_stream(previous_manifest, archive_name, stream, "fixed", Some(image_size))
|
2019-08-28 15:20:32 +00:00
|
|
|
.await?;
|
2019-05-30 10:46:01 +00:00
|
|
|
|
2019-08-01 10:39:02 +00:00
|
|
|
Ok(stats)
|
2019-05-30 10:46:01 +00:00
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"output-format": {
|
|
|
|
schema: OUTPUT_FORMAT,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// List backup groups.
|
|
|
|
async fn list_backup_groups(param: Value) -> Result<Value, Error> {
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
let output_format = get_output_format(¶m);
|
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
let path = format!("api2/json/admin/datastore/{}/groups", repo.store());
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let mut result = client.get(&path, None).await?;
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
record_repository(&repo);
|
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
let render_group_path = |_v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let item: GroupListItem = serde_json::from_value(record.to_owned())?;
|
|
|
|
let group = BackupGroup::new(item.backup_type, item.backup_id);
|
|
|
|
Ok(group.group_path().to_str().unwrap().to_owned())
|
|
|
|
};
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2020-02-28 08:09:22 +00:00
|
|
|
let render_last_backup = |_v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let item: GroupListItem = serde_json::from_value(record.to_owned())?;
|
|
|
|
let snapshot = BackupDir::new(item.backup_type, item.backup_id, item.last_backup);
|
|
|
|
Ok(snapshot.relative_path().to_str().unwrap().to_owned())
|
2020-02-27 12:31:23 +00:00
|
|
|
};
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
let render_files = |_v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let item: GroupListItem = serde_json::from_value(record.to_owned())?;
|
2020-02-28 06:30:35 +00:00
|
|
|
Ok(tools::format::render_backup_file_list(&item.files))
|
2020-02-27 12:31:23 +00:00
|
|
|
};
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
let options = default_table_format_options()
|
|
|
|
.sortby("backup-type", false)
|
|
|
|
.sortby("backup-id", false)
|
|
|
|
.column(ColumnConfig::new("backup-id").renderer(render_group_path).header("group"))
|
2020-02-28 08:09:22 +00:00
|
|
|
.column(
|
|
|
|
ColumnConfig::new("last-backup")
|
|
|
|
.renderer(render_last_backup)
|
|
|
|
.header("last snapshot")
|
|
|
|
.right_align(false)
|
|
|
|
)
|
2020-02-27 12:31:23 +00:00
|
|
|
.column(ColumnConfig::new("backup-count"))
|
|
|
|
.column(ColumnConfig::new("files").renderer(render_files));
|
2019-03-02 15:28:36 +00:00
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
let mut data: Value = result["data"].take();
|
2019-03-02 15:28:36 +00:00
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
let info = &proxmox_backup::api2::admin::datastore::API_RETURN_SCHEMA_LIST_GROUPS;
|
2019-03-02 10:29:05 +00:00
|
|
|
|
2020-02-27 12:31:23 +00:00
|
|
|
format_and_print_result_full(&mut data, info, &output_format, &options);
|
2019-07-16 11:35:25 +00:00
|
|
|
|
2019-03-02 10:29:05 +00:00
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
group: {
|
|
|
|
type: String,
|
|
|
|
description: "Backup group.",
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"output-format": {
|
|
|
|
schema: OUTPUT_FORMAT,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// List backup snapshots.
|
|
|
|
async fn list_snapshots(param: Value) -> Result<Value, Error> {
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2020-02-27 11:41:15 +00:00
|
|
|
let output_format = get_output_format(¶m);
|
2019-07-16 11:35:25 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2020-06-23 06:16:56 +00:00
|
|
|
let group: Option<BackupGroup> = if let Some(path) = param["group"].as_str() {
|
|
|
|
Some(path.parse()?)
|
2020-01-07 14:07:57 +00:00
|
|
|
} else {
|
|
|
|
None
|
|
|
|
};
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2020-02-27 10:27:44 +00:00
|
|
|
let mut data = api_datastore_list_snapshots(&client, repo.store(), group).await?;
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
record_repository(&repo);
|
|
|
|
|
2020-02-27 10:27:44 +00:00
|
|
|
let render_snapshot_path = |_v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let item: SnapshotListItem = serde_json::from_value(record.to_owned())?;
|
2020-01-07 12:06:24 +00:00
|
|
|
let snapshot = BackupDir::new(item.backup_type, item.backup_id, item.backup_time);
|
2020-02-27 10:27:44 +00:00
|
|
|
Ok(snapshot.relative_path().to_str().unwrap().to_owned())
|
|
|
|
};
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2020-02-27 10:27:44 +00:00
|
|
|
let render_files = |_v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let item: SnapshotListItem = serde_json::from_value(record.to_owned())?;
|
2020-06-18 11:55:24 +00:00
|
|
|
let mut filenames = Vec::new();
|
|
|
|
for file in &item.files {
|
|
|
|
filenames.push(file.filename.to_string());
|
|
|
|
}
|
|
|
|
Ok(tools::format::render_backup_file_list(&filenames[..]))
|
2020-02-27 10:27:44 +00:00
|
|
|
};
|
|
|
|
|
2020-02-27 11:41:15 +00:00
|
|
|
let options = default_table_format_options()
|
2020-02-27 10:27:44 +00:00
|
|
|
.sortby("backup-type", false)
|
|
|
|
.sortby("backup-id", false)
|
|
|
|
.sortby("backup-time", false)
|
|
|
|
.column(ColumnConfig::new("backup-id").renderer(render_snapshot_path).header("snapshot"))
|
|
|
|
.column(ColumnConfig::new("size"))
|
|
|
|
.column(ColumnConfig::new("files").renderer(render_files))
|
|
|
|
;
|
|
|
|
|
|
|
|
let info = &proxmox_backup::api2::admin::datastore::API_RETURN_SCHEMA_LIST_SNAPSHOTS;
|
|
|
|
|
|
|
|
format_and_print_result_full(&mut data, info, &output_format, &options);
|
2019-03-02 15:20:50 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
snapshot: {
|
|
|
|
type: String,
|
|
|
|
description: "Snapshot path.",
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Forget (remove) backup snapshots.
|
|
|
|
async fn forget_snapshots(param: Value) -> Result<Value, Error> {
|
2019-03-03 10:29:00 +00:00
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2019-03-03 10:29:00 +00:00
|
|
|
|
|
|
|
let path = tools::required_string_param(¶m, "snapshot")?;
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = path.parse()?;
|
2019-03-03 10:29:00 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let mut client = connect(repo.host(), repo.user())?;
|
2019-03-03 10:29:00 +00:00
|
|
|
|
2019-05-13 07:12:03 +00:00
|
|
|
let path = format!("api2/json/admin/datastore/{}/snapshots", repo.store());
|
2019-03-03 10:29:00 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let result = client.delete(&path, Some(json!({
|
|
|
|
"backup-type": snapshot.group().backup_type(),
|
|
|
|
"backup-id": snapshot.group().backup_id(),
|
|
|
|
"backup-time": snapshot.backup_time().timestamp(),
|
|
|
|
}))).await?;
|
2019-03-03 10:29:00 +00:00
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
record_repository(&repo);
|
|
|
|
|
2019-03-03 10:29:00 +00:00
|
|
|
Ok(result)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Try to login. If successful, store ticket.
|
|
|
|
async fn api_login(param: Value) -> Result<Value, Error> {
|
2019-08-10 07:12:17 +00:00
|
|
|
|
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-12-16 09:06:26 +00:00
|
|
|
client.login().await?;
|
2019-08-10 07:12:17 +00:00
|
|
|
|
|
|
|
record_repository(&repo);
|
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Logout (delete stored ticket).
|
|
|
|
fn api_logout(param: Value) -> Result<Value, Error> {
|
2019-08-10 07:12:17 +00:00
|
|
|
|
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
|
|
|
|
2020-01-27 08:34:02 +00:00
|
|
|
delete_ticket_info("proxmox-backup", repo.host(), repo.user())?;
|
2019-08-10 07:12:17 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
snapshot: {
|
|
|
|
type: String,
|
|
|
|
description: "Snapshot path.",
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Dump catalog.
|
|
|
|
async fn dump_catalog(param: Value) -> Result<Value, Error> {
|
2019-08-09 09:34:47 +00:00
|
|
|
|
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
|
|
|
|
|
|
|
let path = tools::required_string_param(¶m, "snapshot")?;
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = path.parse()?;
|
2019-08-09 09:34:47 +00:00
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let keyfile = param["keyfile"].as_str().map(PathBuf::from);
|
2019-08-09 09:34:47 +00:00
|
|
|
|
|
|
|
let crypt_config = match keyfile {
|
|
|
|
None => None,
|
|
|
|
Some(path) => {
|
2020-01-10 14:04:31 +00:00
|
|
|
let (key, _) = load_and_decrypt_key(&path, &get_encryption_key_password)?;
|
2019-08-16 07:19:01 +00:00
|
|
|
Some(Arc::new(CryptConfig::new(key)?))
|
2019-08-09 09:34:47 +00:00
|
|
|
}
|
|
|
|
};
|
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-08-09 09:34:47 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let client = BackupReader::start(
|
|
|
|
client,
|
|
|
|
crypt_config.clone(),
|
|
|
|
repo.store(),
|
|
|
|
&snapshot.group().backup_type(),
|
|
|
|
&snapshot.group().backup_id(),
|
|
|
|
snapshot.backup_time(),
|
|
|
|
true,
|
|
|
|
).await?;
|
2019-08-09 09:34:47 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let manifest = client.download_manifest().await?;
|
2019-09-04 06:47:14 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let index = client.download_dynamic_index(&manifest, CATALOG_NAME).await?;
|
2019-11-08 09:35:48 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let most_used = index.find_most_used_chunks(8);
|
2019-11-08 09:35:48 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config, most_used);
|
2019-11-08 09:35:48 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let mut reader = BufferedDynamicReader::new(index, chunk_reader);
|
2019-08-09 09:34:47 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let mut catalogfile = std::fs::OpenOptions::new()
|
|
|
|
.write(true)
|
|
|
|
.read(true)
|
|
|
|
.custom_flags(libc::O_TMPFILE)
|
|
|
|
.open("/tmp")?;
|
2019-09-04 06:47:14 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
std::io::copy(&mut reader, &mut catalogfile)
|
|
|
|
.map_err(|err| format_err!("unable to download catalog - {}", err))?;
|
2019-08-14 13:07:28 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
catalogfile.seek(SeekFrom::Start(0))?;
|
2019-08-09 09:34:47 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let mut catalog_reader = CatalogReader::new(catalogfile);
|
2019-08-09 09:34:47 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
catalog_reader.dump()?;
|
2019-08-28 15:20:32 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
record_repository(&repo);
|
2019-08-09 09:34:47 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
snapshot: {
|
|
|
|
type: String,
|
|
|
|
description: "Snapshot path.",
|
|
|
|
},
|
|
|
|
"output-format": {
|
|
|
|
schema: OUTPUT_FORMAT,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// List snapshot files.
|
|
|
|
async fn list_snapshot_files(param: Value) -> Result<Value, Error> {
|
2019-07-31 09:23:53 +00:00
|
|
|
|
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
|
|
|
|
|
|
|
let path = tools::required_string_param(¶m, "snapshot")?;
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = path.parse()?;
|
2019-07-31 09:23:53 +00:00
|
|
|
|
2020-02-27 11:41:15 +00:00
|
|
|
let output_format = get_output_format(¶m);
|
2019-07-31 09:23:53 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-07-31 09:23:53 +00:00
|
|
|
|
|
|
|
let path = format!("api2/json/admin/datastore/{}/files", repo.store());
|
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let mut result = client.get(&path, Some(json!({
|
|
|
|
"backup-type": snapshot.group().backup_type(),
|
|
|
|
"backup-id": snapshot.group().backup_id(),
|
|
|
|
"backup-time": snapshot.backup_time().timestamp(),
|
|
|
|
}))).await?;
|
2019-07-31 09:23:53 +00:00
|
|
|
|
|
|
|
record_repository(&repo);
|
|
|
|
|
2020-02-26 12:49:47 +00:00
|
|
|
let info = &proxmox_backup::api2::admin::datastore::API_RETURN_SCHEMA_LIST_SNAPSHOT_FILES;
|
2019-07-31 09:23:53 +00:00
|
|
|
|
2020-02-26 12:49:47 +00:00
|
|
|
let mut data: Value = result["data"].take();
|
|
|
|
|
2020-02-27 11:41:15 +00:00
|
|
|
let options = default_table_format_options();
|
2020-02-26 12:49:47 +00:00
|
|
|
|
|
|
|
format_and_print_result_full(&mut data, info, &output_format, &options);
|
2019-07-31 09:23:53 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
2019-12-19 06:57:53 +00:00
|
|
|
input: {
|
2019-12-16 12:34:49 +00:00
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
2019-12-19 06:57:53 +00:00
|
|
|
"output-format": {
|
|
|
|
schema: OUTPUT_FORMAT,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
},
|
|
|
|
},
|
2019-12-16 12:34:49 +00:00
|
|
|
)]
|
|
|
|
/// Start garbage collection for a specific repository.
|
|
|
|
async fn start_garbage_collection(param: Value) -> Result<Value, Error> {
|
2019-02-20 13:10:45 +00:00
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2020-02-27 11:41:15 +00:00
|
|
|
|
|
|
|
let output_format = get_output_format(¶m);
|
2019-02-20 13:10:45 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let mut client = connect(repo.host(), repo.user())?;
|
2019-02-20 13:10:45 +00:00
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
let path = format!("api2/json/admin/datastore/{}/gc", repo.store());
|
2019-02-20 13:10:45 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let result = client.post(&path, None).await?;
|
2019-02-20 13:10:45 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
record_repository(&repo);
|
2019-03-13 08:47:12 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
view_task_result(client, result, &output_format).await?;
|
2019-12-09 12:29:23 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
2019-02-20 13:10:45 +00:00
|
|
|
}
|
2019-02-13 11:30:52 +00:00
|
|
|
|
2019-11-08 09:35:48 +00:00
|
|
|
fn spawn_catalog_upload(
|
2020-06-25 10:23:30 +00:00
|
|
|
client: Arc<BackupWriter>
|
2019-11-08 09:35:48 +00:00
|
|
|
) -> Result<
|
|
|
|
(
|
2020-01-22 11:49:08 +00:00
|
|
|
Arc<Mutex<CatalogWriter<crate::tools::StdChannelWriter>>>,
|
2019-11-08 09:35:48 +00:00
|
|
|
tokio::sync::oneshot::Receiver<Result<BackupStats, Error>>
|
|
|
|
), Error>
|
|
|
|
{
|
2020-01-22 11:49:08 +00:00
|
|
|
let (catalog_tx, catalog_rx) = std::sync::mpsc::sync_channel(10); // allow to buffer 10 writes
|
|
|
|
let catalog_stream = crate::tools::StdChannelStream(catalog_rx);
|
2019-11-08 09:35:48 +00:00
|
|
|
let catalog_chunk_size = 512*1024;
|
|
|
|
let catalog_chunk_stream = ChunkStream::new(catalog_stream, Some(catalog_chunk_size));
|
|
|
|
|
2020-01-22 11:49:08 +00:00
|
|
|
let catalog = Arc::new(Mutex::new(CatalogWriter::new(crate::tools::StdChannelWriter::new(catalog_tx))?));
|
2019-11-08 09:35:48 +00:00
|
|
|
|
|
|
|
let (catalog_result_tx, catalog_result_rx) = tokio::sync::oneshot::channel();
|
|
|
|
|
|
|
|
tokio::spawn(async move {
|
|
|
|
let catalog_upload_result = client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_stream(None, CATALOG_NAME, catalog_chunk_stream, "dynamic", None)
|
2019-11-08 09:35:48 +00:00
|
|
|
.await;
|
|
|
|
|
|
|
|
if let Err(ref err) = catalog_upload_result {
|
|
|
|
eprintln!("catalog upload error - {}", err);
|
|
|
|
client.cancel();
|
|
|
|
}
|
|
|
|
|
|
|
|
let _ = catalog_result_tx.send(catalog_upload_result);
|
|
|
|
});
|
|
|
|
|
|
|
|
Ok((catalog, catalog_result_rx))
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
backupspec: {
|
|
|
|
type: Array,
|
|
|
|
description: "List of backup source specifications ([<label.ext>:<path>] ...)",
|
|
|
|
items: {
|
|
|
|
schema: BACKUP_SOURCE_SCHEMA,
|
|
|
|
}
|
|
|
|
},
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"include-dev": {
|
|
|
|
description: "Include mountpoints with same st_dev number (see ``man fstat``) as specified files.",
|
|
|
|
optional: true,
|
|
|
|
items: {
|
|
|
|
type: String,
|
|
|
|
description: "Path to file.",
|
|
|
|
}
|
|
|
|
},
|
|
|
|
keyfile: {
|
|
|
|
schema: KEYFILE_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"skip-lost-and-found": {
|
|
|
|
type: Boolean,
|
|
|
|
description: "Skip lost+found directory.",
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"backup-type": {
|
|
|
|
schema: BACKUP_TYPE_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"backup-id": {
|
|
|
|
schema: BACKUP_ID_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"backup-time": {
|
|
|
|
schema: BACKUP_TIME_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"chunk-size": {
|
|
|
|
schema: CHUNK_SIZE_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
2020-02-27 12:13:12 +00:00
|
|
|
"exclude": {
|
|
|
|
type: Array,
|
|
|
|
description: "List of paths or patterns for matching files to exclude.",
|
|
|
|
optional: true,
|
|
|
|
items: {
|
|
|
|
type: String,
|
|
|
|
description: "Path or match pattern.",
|
|
|
|
}
|
|
|
|
},
|
2020-01-10 11:50:06 +00:00
|
|
|
"entries-max": {
|
|
|
|
type: Integer,
|
|
|
|
description: "Max number of entries to hold in memory.",
|
|
|
|
optional: true,
|
2020-03-23 14:03:18 +00:00
|
|
|
default: proxmox_backup::pxar::ENCODER_MAX_ENTRIES as isize,
|
2020-01-10 11:50:06 +00:00
|
|
|
},
|
2020-02-24 11:48:40 +00:00
|
|
|
"verbose": {
|
|
|
|
type: Boolean,
|
|
|
|
description: "Verbose output.",
|
|
|
|
optional: true,
|
|
|
|
},
|
2019-12-16 12:34:49 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Create (host) backup.
|
|
|
|
async fn create_backup(
|
2019-01-26 13:50:37 +00:00
|
|
|
param: Value,
|
|
|
|
_info: &ApiMethod,
|
2019-06-07 11:10:56 +00:00
|
|
|
_rpcenv: &mut dyn RpcEnvironment,
|
2019-01-26 13:50:37 +00:00
|
|
|
) -> Result<Value, Error> {
|
2018-12-14 07:28:56 +00:00
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2019-02-26 11:27:28 +00:00
|
|
|
|
|
|
|
let backupspec_list = tools::required_array_param(¶m, "backupspec")?;
|
2018-12-14 12:39:41 +00:00
|
|
|
|
2019-03-08 08:33:53 +00:00
|
|
|
let all_file_systems = param["all-file-systems"].as_bool().unwrap_or(false);
|
|
|
|
|
2019-07-24 10:21:25 +00:00
|
|
|
let skip_lost_and_found = param["skip-lost-and-found"].as_bool().unwrap_or(false);
|
|
|
|
|
2019-03-04 07:01:09 +00:00
|
|
|
let verbose = param["verbose"].as_bool().unwrap_or(false);
|
|
|
|
|
2019-07-25 11:44:01 +00:00
|
|
|
let backup_time_opt = param["backup-time"].as_i64();
|
|
|
|
|
2019-05-30 11:28:24 +00:00
|
|
|
let chunk_size_opt = param["chunk-size"].as_u64().map(|v| (v*1024) as usize);
|
2018-12-21 10:18:08 +00:00
|
|
|
|
2019-02-19 14:19:12 +00:00
|
|
|
if let Some(size) = chunk_size_opt {
|
|
|
|
verify_chunk_size(size)?;
|
2018-12-21 10:18:08 +00:00
|
|
|
}
|
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let keyfile = param["keyfile"].as_str().map(PathBuf::from);
|
2019-06-19 15:16:41 +00:00
|
|
|
|
2019-08-03 15:06:23 +00:00
|
|
|
let backup_id = param["backup-id"].as_str().unwrap_or(&proxmox::tools::nodename());
|
2019-03-06 06:02:52 +00:00
|
|
|
|
2019-07-26 07:07:29 +00:00
|
|
|
let backup_type = param["backup-type"].as_str().unwrap_or("host");
|
2019-07-25 11:44:01 +00:00
|
|
|
|
2019-07-24 05:48:59 +00:00
|
|
|
let include_dev = param["include-dev"].as_array();
|
|
|
|
|
2020-03-23 14:03:18 +00:00
|
|
|
let entries_max = param["entries-max"].as_u64()
|
|
|
|
.unwrap_or(proxmox_backup::pxar::ENCODER_MAX_ENTRIES as u64);
|
2020-01-10 11:50:06 +00:00
|
|
|
|
2020-02-27 12:13:12 +00:00
|
|
|
let empty = Vec::new();
|
2020-03-23 14:03:18 +00:00
|
|
|
let exclude_args = param["exclude"].as_array().unwrap_or(&empty);
|
|
|
|
|
2020-06-09 11:17:55 +00:00
|
|
|
let mut pattern_list = Vec::with_capacity(exclude_args.len());
|
2020-03-23 14:03:18 +00:00
|
|
|
for entry in exclude_args {
|
|
|
|
let entry = entry.as_str().ok_or_else(|| format_err!("Invalid pattern string slice"))?;
|
2020-06-09 11:17:55 +00:00
|
|
|
pattern_list.push(
|
2020-03-23 14:03:18 +00:00
|
|
|
MatchEntry::parse_pattern(entry, PatternFlag::PATH_NAME, MatchType::Exclude)
|
|
|
|
.map_err(|err| format_err!("invalid exclude pattern entry: {}", err))?
|
|
|
|
);
|
2020-02-27 12:13:12 +00:00
|
|
|
}
|
|
|
|
|
2019-07-24 05:48:59 +00:00
|
|
|
let mut devices = if all_file_systems { None } else { Some(HashSet::new()) };
|
|
|
|
|
|
|
|
if let Some(include_dev) = include_dev {
|
|
|
|
if all_file_systems {
|
|
|
|
bail!("option 'all-file-systems' conflicts with option 'include-dev'");
|
|
|
|
}
|
|
|
|
|
|
|
|
let mut set = HashSet::new();
|
|
|
|
for path in include_dev {
|
|
|
|
let path = path.as_str().unwrap();
|
|
|
|
let stat = nix::sys::stat::stat(path)
|
|
|
|
.map_err(|err| format_err!("fstat {:?} failed - {}", path, err))?;
|
|
|
|
set.insert(stat.st_dev);
|
|
|
|
}
|
|
|
|
devices = Some(set);
|
|
|
|
}
|
|
|
|
|
2019-02-26 11:27:28 +00:00
|
|
|
let mut upload_list = vec![];
|
2018-12-14 12:39:41 +00:00
|
|
|
|
2019-02-26 11:27:28 +00:00
|
|
|
for backupspec in backupspec_list {
|
2020-05-30 08:54:38 +00:00
|
|
|
let spec = parse_backup_specification(backupspec.as_str().unwrap())?;
|
|
|
|
let filename = &spec.config_string;
|
|
|
|
let target = &spec.archive_name;
|
2018-12-27 09:11:11 +00:00
|
|
|
|
2019-05-30 10:19:23 +00:00
|
|
|
use std::os::unix::fs::FileTypeExt;
|
|
|
|
|
2019-09-03 14:17:23 +00:00
|
|
|
let metadata = std::fs::metadata(filename)
|
|
|
|
.map_err(|err| format_err!("unable to access '{}' - {}", filename, err))?;
|
2019-05-30 10:19:23 +00:00
|
|
|
let file_type = metadata.file_type();
|
2019-01-17 10:38:22 +00:00
|
|
|
|
2020-05-30 08:54:38 +00:00
|
|
|
match spec.spec_type {
|
|
|
|
BackupSpecificationType::PXAR => {
|
2019-06-03 08:39:44 +00:00
|
|
|
if !file_type.is_dir() {
|
|
|
|
bail!("got unexpected file type (expected directory)");
|
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
upload_list.push((BackupSpecificationType::PXAR, filename.to_owned(), format!("{}.didx", target), 0));
|
2019-06-03 08:39:44 +00:00
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::IMAGE => {
|
2019-06-03 08:39:44 +00:00
|
|
|
if !(file_type.is_file() || file_type.is_block_device()) {
|
|
|
|
bail!("got unexpected file type (expected file or block device)");
|
|
|
|
}
|
2019-05-30 10:19:23 +00:00
|
|
|
|
2019-08-03 11:05:38 +00:00
|
|
|
let size = image_size(&PathBuf::from(filename))?;
|
2019-01-17 10:38:22 +00:00
|
|
|
|
2019-06-03 08:39:44 +00:00
|
|
|
if size == 0 { bail!("got zero-sized file '{}'", filename); }
|
2019-02-26 11:27:28 +00:00
|
|
|
|
2020-05-30 08:54:38 +00:00
|
|
|
upload_list.push((BackupSpecificationType::IMAGE, filename.to_owned(), format!("{}.fidx", target), size));
|
2019-06-03 08:39:44 +00:00
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::CONFIG => {
|
2019-06-03 08:39:44 +00:00
|
|
|
if !file_type.is_file() {
|
|
|
|
bail!("got unexpected file type (expected regular file)");
|
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
upload_list.push((BackupSpecificationType::CONFIG, filename.to_owned(), format!("{}.blob", target), metadata.len()));
|
2019-06-03 08:39:44 +00:00
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::LOGFILE => {
|
2019-07-24 11:07:02 +00:00
|
|
|
if !file_type.is_file() {
|
|
|
|
bail!("got unexpected file type (expected regular file)");
|
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
upload_list.push((BackupSpecificationType::LOGFILE, filename.to_owned(), format!("{}.blob", target), metadata.len()));
|
2019-06-03 08:39:44 +00:00
|
|
|
}
|
2019-02-26 11:27:28 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let backup_time = Utc.timestamp(backup_time_opt.unwrap_or_else(|| Utc::now().timestamp()), 0);
|
2019-02-26 11:27:28 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-03-13 08:47:12 +00:00
|
|
|
record_repository(&repo);
|
|
|
|
|
2019-07-25 11:44:01 +00:00
|
|
|
println!("Starting backup: {}/{}/{}", backup_type, backup_id, BackupDir::backup_time_to_string(backup_time));
|
|
|
|
|
2019-08-03 15:06:23 +00:00
|
|
|
println!("Client name: {}", proxmox::tools::nodename());
|
2019-07-25 11:44:01 +00:00
|
|
|
|
|
|
|
let start_time = Local::now();
|
|
|
|
|
2019-07-26 09:11:55 +00:00
|
|
|
println!("Starting protocol: {}", start_time.to_rfc3339_opts(chrono::SecondsFormat::Secs, false));
|
2019-03-01 05:48:41 +00:00
|
|
|
|
2019-06-26 05:32:34 +00:00
|
|
|
let (crypt_config, rsa_encrypted_key) = match keyfile {
|
|
|
|
None => (None, None),
|
2019-06-19 15:16:41 +00:00
|
|
|
Some(path) => {
|
2020-01-10 14:04:31 +00:00
|
|
|
let (key, created) = load_and_decrypt_key(&path, &get_encryption_key_password)?;
|
2019-06-26 05:32:34 +00:00
|
|
|
|
|
|
|
let crypt_config = CryptConfig::new(key)?;
|
|
|
|
|
|
|
|
let path = master_pubkey_path()?;
|
|
|
|
if path.exists() {
|
2019-08-03 11:05:38 +00:00
|
|
|
let pem_data = file_get_contents(&path)?;
|
2019-06-26 05:32:34 +00:00
|
|
|
let rsa = openssl::rsa::Rsa::public_key_from_pem(&pem_data)?;
|
|
|
|
let enc_key = crypt_config.generate_rsa_encoded_key(rsa, created)?;
|
|
|
|
(Some(Arc::new(crypt_config)), Some(enc_key))
|
|
|
|
} else {
|
|
|
|
(Some(Arc::new(crypt_config)), None)
|
|
|
|
}
|
2019-06-19 15:16:41 +00:00
|
|
|
}
|
|
|
|
};
|
2019-06-13 09:47:23 +00:00
|
|
|
|
2020-06-18 11:55:23 +00:00
|
|
|
let is_encrypted = Some(crypt_config.is_some());
|
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let client = BackupWriter::start(
|
|
|
|
client,
|
2020-06-25 10:23:30 +00:00
|
|
|
crypt_config.clone(),
|
2019-12-16 09:06:26 +00:00
|
|
|
repo.store(),
|
|
|
|
backup_type,
|
|
|
|
&backup_id,
|
|
|
|
backup_time,
|
|
|
|
verbose,
|
|
|
|
).await?;
|
|
|
|
|
2020-06-25 10:23:30 +00:00
|
|
|
let previous_manifest = if let Ok(previous_manifest) = client.download_previous_manifest().await {
|
|
|
|
Some(Arc::new(previous_manifest))
|
|
|
|
} else {
|
|
|
|
None
|
|
|
|
};
|
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let snapshot = BackupDir::new(backup_type, backup_id, backup_time.timestamp());
|
|
|
|
let mut manifest = BackupManifest::new(snapshot);
|
|
|
|
|
2020-06-12 08:04:59 +00:00
|
|
|
let mut catalog = None;
|
|
|
|
let mut catalog_result_tx = None;
|
2019-12-16 09:06:26 +00:00
|
|
|
|
|
|
|
for (backup_type, filename, target, size) in upload_list {
|
|
|
|
match backup_type {
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::CONFIG => {
|
2019-12-16 09:06:26 +00:00
|
|
|
println!("Upload config file '{}' to '{:?}' as {}", filename, repo, target);
|
|
|
|
let stats = client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_blob_from_file(&filename, &target, true, Some(true))
|
2019-12-16 09:06:26 +00:00
|
|
|
.await?;
|
2020-06-18 11:55:23 +00:00
|
|
|
manifest.add_file(target, stats.size, stats.csum, is_encrypted)?;
|
2019-12-16 09:06:26 +00:00
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::LOGFILE => { // fixme: remove - not needed anymore ?
|
2019-12-16 09:06:26 +00:00
|
|
|
println!("Upload log file '{}' to '{:?}' as {}", filename, repo, target);
|
|
|
|
let stats = client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_blob_from_file(&filename, &target, true, Some(true))
|
2019-12-16 09:06:26 +00:00
|
|
|
.await?;
|
2020-06-18 11:55:23 +00:00
|
|
|
manifest.add_file(target, stats.size, stats.csum, is_encrypted)?;
|
2019-12-16 09:06:26 +00:00
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::PXAR => {
|
2020-06-12 08:04:59 +00:00
|
|
|
// start catalog upload on first use
|
|
|
|
if catalog.is_none() {
|
2020-06-25 10:23:30 +00:00
|
|
|
let (cat, res) = spawn_catalog_upload(client.clone())?;
|
2020-06-12 08:04:59 +00:00
|
|
|
catalog = Some(cat);
|
|
|
|
catalog_result_tx = Some(res);
|
|
|
|
}
|
|
|
|
let catalog = catalog.as_ref().unwrap();
|
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
println!("Upload directory '{}' to '{:?}' as {}", filename, repo, target);
|
|
|
|
catalog.lock().unwrap().start_directory(std::ffi::CString::new(target.as_str())?.as_c_str())?;
|
|
|
|
let stats = backup_directory(
|
|
|
|
&client,
|
2020-06-25 10:23:30 +00:00
|
|
|
previous_manifest.clone(),
|
2019-12-16 09:06:26 +00:00
|
|
|
&filename,
|
|
|
|
&target,
|
|
|
|
chunk_size_opt,
|
|
|
|
devices.clone(),
|
|
|
|
verbose,
|
|
|
|
skip_lost_and_found,
|
|
|
|
catalog.clone(),
|
2020-06-09 11:17:55 +00:00
|
|
|
pattern_list.clone(),
|
2020-01-10 11:50:06 +00:00
|
|
|
entries_max as usize,
|
2019-12-16 09:06:26 +00:00
|
|
|
).await?;
|
2020-06-18 11:55:23 +00:00
|
|
|
manifest.add_file(target, stats.size, stats.csum, is_encrypted)?;
|
2019-12-16 09:06:26 +00:00
|
|
|
catalog.lock().unwrap().end_directory()?;
|
|
|
|
}
|
2020-05-30 08:54:38 +00:00
|
|
|
BackupSpecificationType::IMAGE => {
|
2019-12-16 09:06:26 +00:00
|
|
|
println!("Upload image '{}' to '{:?}' as {}", filename, repo, target);
|
|
|
|
let stats = backup_image(
|
|
|
|
&client,
|
2020-06-25 10:23:30 +00:00
|
|
|
previous_manifest.clone(),
|
|
|
|
&filename,
|
2019-12-16 09:06:26 +00:00
|
|
|
&target,
|
|
|
|
size,
|
|
|
|
chunk_size_opt,
|
|
|
|
verbose,
|
|
|
|
).await?;
|
2020-06-18 11:55:23 +00:00
|
|
|
manifest.add_file(target, stats.size, stats.csum, is_encrypted)?;
|
2019-05-30 10:46:01 +00:00
|
|
|
}
|
|
|
|
}
|
2019-12-16 09:06:26 +00:00
|
|
|
}
|
2018-12-16 13:44:44 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
// finalize and upload catalog
|
2020-06-12 08:04:59 +00:00
|
|
|
if let Some(catalog) = catalog {
|
2019-12-16 09:06:26 +00:00
|
|
|
let mutex = Arc::try_unwrap(catalog)
|
|
|
|
.map_err(|_| format_err!("unable to get catalog (still used)"))?;
|
|
|
|
let mut catalog = mutex.into_inner().unwrap();
|
2019-11-08 09:35:48 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
catalog.finish()?;
|
2019-08-09 07:46:49 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
drop(catalog); // close upload stream
|
2019-08-09 07:46:49 +00:00
|
|
|
|
2020-06-12 08:04:59 +00:00
|
|
|
if let Some(catalog_result_rx) = catalog_result_tx {
|
|
|
|
let stats = catalog_result_rx.await??;
|
2020-06-18 11:55:23 +00:00
|
|
|
manifest.add_file(CATALOG_NAME.to_owned(), stats.size, stats.csum, is_encrypted)?;
|
2020-06-12 08:04:59 +00:00
|
|
|
}
|
2019-12-16 09:06:26 +00:00
|
|
|
}
|
2019-08-09 07:46:49 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
if let Some(rsa_encrypted_key) = rsa_encrypted_key {
|
|
|
|
let target = "rsa-encrypted.key";
|
|
|
|
println!("Upload RSA encoded key to '{:?}' as {}", repo, target);
|
|
|
|
let stats = client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_blob_from_data(rsa_encrypted_key, target, false, None)
|
2019-12-16 09:06:26 +00:00
|
|
|
.await?;
|
2020-06-18 11:55:23 +00:00
|
|
|
manifest.add_file(format!("{}.blob", target), stats.size, stats.csum, is_encrypted)?;
|
2019-12-16 09:06:26 +00:00
|
|
|
|
|
|
|
// openssl rsautl -decrypt -inkey master-private.pem -in rsa-encrypted.key -out t
|
|
|
|
/*
|
|
|
|
let mut buffer2 = vec![0u8; rsa.size() as usize];
|
|
|
|
let pem_data = file_get_contents("master-private.pem")?;
|
|
|
|
let rsa = openssl::rsa::Rsa::private_key_from_pem(&pem_data)?;
|
|
|
|
let len = rsa.private_decrypt(&buffer, &mut buffer2, openssl::rsa::Padding::PKCS1)?;
|
|
|
|
println!("TEST {} {:?}", len, buffer2);
|
|
|
|
*/
|
|
|
|
}
|
2019-06-24 11:56:37 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
// create manifest (index.json)
|
|
|
|
let manifest = manifest.into_json();
|
2019-08-01 10:39:02 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
println!("Upload index.json to '{:?}'", repo);
|
|
|
|
let manifest = serde_json::to_string_pretty(&manifest)?.into();
|
|
|
|
client
|
2020-06-25 10:23:30 +00:00
|
|
|
.upload_blob_from_data(manifest, MANIFEST_BLOB_NAME, true, Some(true))
|
2019-12-16 09:06:26 +00:00
|
|
|
.await?;
|
2019-08-01 10:39:02 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
client.finish().await?;
|
2019-05-28 08:12:44 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
let end_time = Local::now();
|
|
|
|
let elapsed = end_time.signed_duration_since(start_time);
|
|
|
|
println!("Duration: {}", elapsed);
|
2019-03-05 07:11:40 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
println!("End Time: {}", end_time.to_rfc3339_opts(chrono::SecondsFormat::Secs, false));
|
2018-12-18 10:06:03 +00:00
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
Ok(Value::Null)
|
2019-02-27 07:38:32 +00:00
|
|
|
}
|
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
fn complete_backup_source(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2019-02-27 07:38:32 +00:00
|
|
|
|
|
|
|
let mut result = vec![];
|
|
|
|
|
|
|
|
let data: Vec<&str> = arg.splitn(2, ':').collect();
|
|
|
|
|
2019-03-13 06:23:59 +00:00
|
|
|
if data.len() != 2 {
|
2019-03-14 09:54:09 +00:00
|
|
|
result.push(String::from("root.pxar:/"));
|
|
|
|
result.push(String::from("etc.pxar:/etc"));
|
2019-03-13 06:23:59 +00:00
|
|
|
return result;
|
|
|
|
}
|
2019-02-27 07:38:32 +00:00
|
|
|
|
2019-03-12 13:39:51 +00:00
|
|
|
let files = tools::complete_file_name(data[1], param);
|
2019-02-27 07:38:32 +00:00
|
|
|
|
|
|
|
for file in files {
|
|
|
|
result.push(format!("{}:{}", data[0], file));
|
|
|
|
}
|
|
|
|
|
|
|
|
result
|
2018-12-14 07:28:56 +00:00
|
|
|
}
|
|
|
|
|
2020-06-12 09:40:18 +00:00
|
|
|
async fn dump_image<W: Write>(
|
2019-10-05 09:48:51 +00:00
|
|
|
client: Arc<BackupReader>,
|
|
|
|
crypt_config: Option<Arc<CryptConfig>>,
|
|
|
|
index: FixedIndexReader,
|
|
|
|
mut writer: W,
|
2019-10-08 11:04:10 +00:00
|
|
|
verbose: bool,
|
2019-10-05 09:48:51 +00:00
|
|
|
) -> Result<(), Error> {
|
|
|
|
|
|
|
|
let most_used = index.find_most_used_chunks(8);
|
|
|
|
|
|
|
|
let mut chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config, most_used);
|
|
|
|
|
|
|
|
// Note: we avoid using BufferedFixedReader, because that add an additional buffer/copy
|
|
|
|
// and thus slows down reading. Instead, directly use RemoteChunkReader
|
2019-10-08 11:04:10 +00:00
|
|
|
let mut per = 0;
|
|
|
|
let mut bytes = 0;
|
|
|
|
let start_time = std::time::Instant::now();
|
|
|
|
|
2019-10-05 09:48:51 +00:00
|
|
|
for pos in 0..index.index_count() {
|
|
|
|
let digest = index.index_digest(pos).unwrap();
|
2020-06-12 09:40:18 +00:00
|
|
|
let raw_data = chunk_reader.read_chunk(&digest).await?;
|
2019-10-05 09:48:51 +00:00
|
|
|
writer.write_all(&raw_data)?;
|
2019-10-08 11:04:10 +00:00
|
|
|
bytes += raw_data.len();
|
|
|
|
if verbose {
|
|
|
|
let next_per = ((pos+1)*100)/index.index_count();
|
|
|
|
if per != next_per {
|
|
|
|
eprintln!("progress {}% (read {} bytes, duration {} sec)",
|
|
|
|
next_per, bytes, start_time.elapsed().as_secs());
|
|
|
|
per = next_per;
|
|
|
|
}
|
|
|
|
}
|
2019-10-05 09:48:51 +00:00
|
|
|
}
|
|
|
|
|
2019-10-08 11:04:10 +00:00
|
|
|
let end_time = std::time::Instant::now();
|
|
|
|
let elapsed = end_time.duration_since(start_time);
|
|
|
|
eprintln!("restore image complete (bytes={}, duration={:.2}s, speed={:.2}MB/s)",
|
|
|
|
bytes,
|
|
|
|
elapsed.as_secs_f64(),
|
|
|
|
bytes as f64/(1024.0*1024.0*elapsed.as_secs_f64())
|
|
|
|
);
|
|
|
|
|
|
|
|
|
2019-10-05 09:48:51 +00:00
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
fn parse_archive_type(name: &str) -> (String, ArchiveType) {
|
2020-06-02 16:41:32 +00:00
|
|
|
if name.ends_with(".didx") || name.ends_with(".fidx") || name.ends_with(".blob") {
|
|
|
|
(name.into(), archive_type(name).unwrap())
|
|
|
|
} else if name.ends_with(".pxar") {
|
2020-06-02 16:41:31 +00:00
|
|
|
(format!("{}.didx", name), ArchiveType::DynamicIndex)
|
|
|
|
} else if name.ends_with(".img") {
|
|
|
|
(format!("{}.fidx", name), ArchiveType::FixedIndex)
|
|
|
|
} else {
|
|
|
|
(format!("{}.blob", name), ArchiveType::Blob)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
snapshot: {
|
|
|
|
type: String,
|
|
|
|
description: "Group/Snapshot path.",
|
|
|
|
},
|
|
|
|
"archive-name": {
|
|
|
|
description: "Backup archive name.",
|
|
|
|
type: String,
|
|
|
|
},
|
|
|
|
target: {
|
|
|
|
type: String,
|
2020-01-24 12:31:46 +00:00
|
|
|
description: r###"Target directory path. Use '-' to write to standard output.
|
2019-12-16 09:06:26 +00:00
|
|
|
|
2020-01-24 12:07:35 +00:00
|
|
|
We do not extraxt '.pxar' archives when writing to standard output.
|
2019-12-16 09:06:26 +00:00
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
"###
|
|
|
|
},
|
|
|
|
"allow-existing-dirs": {
|
|
|
|
type: Boolean,
|
|
|
|
description: "Do not fail if directories already exists.",
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
keyfile: {
|
|
|
|
schema: KEYFILE_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Restore backup repository.
|
|
|
|
async fn restore(param: Value) -> Result<Value, Error> {
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2019-03-06 09:50:46 +00:00
|
|
|
|
2019-07-03 13:45:12 +00:00
|
|
|
let verbose = param["verbose"].as_bool().unwrap_or(false);
|
|
|
|
|
2019-07-29 10:49:15 +00:00
|
|
|
let allow_existing_dirs = param["allow-existing-dirs"].as_bool().unwrap_or(false);
|
|
|
|
|
2019-03-11 13:31:01 +00:00
|
|
|
let archive_name = tools::required_string_param(¶m, "archive-name")?;
|
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-03-13 08:47:12 +00:00
|
|
|
|
|
|
|
record_repository(&repo);
|
2019-03-11 13:31:01 +00:00
|
|
|
|
2019-03-06 09:50:46 +00:00
|
|
|
let path = tools::required_string_param(¶m, "snapshot")?;
|
|
|
|
|
2019-07-03 13:45:12 +00:00
|
|
|
let (backup_type, backup_id, backup_time) = if path.matches('/').count() == 1 {
|
2020-06-23 06:16:56 +00:00
|
|
|
let group: BackupGroup = path.parse()?;
|
2020-01-07 14:18:36 +00:00
|
|
|
api_datastore_latest_snapshot(&client, repo.store(), group).await?
|
2019-03-11 13:31:01 +00:00
|
|
|
} else {
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = path.parse()?;
|
2019-07-03 13:45:12 +00:00
|
|
|
(snapshot.group().backup_type().to_owned(), snapshot.group().backup_id().to_owned(), snapshot.backup_time())
|
|
|
|
};
|
2019-03-06 09:50:46 +00:00
|
|
|
|
2019-03-11 13:31:01 +00:00
|
|
|
let target = tools::required_string_param(¶m, "target")?;
|
2019-07-05 10:14:50 +00:00
|
|
|
let target = if target == "-" { None } else { Some(target) };
|
2019-03-06 10:18:46 +00:00
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let keyfile = param["keyfile"].as_str().map(PathBuf::from);
|
2019-03-06 10:18:46 +00:00
|
|
|
|
2019-07-03 13:45:12 +00:00
|
|
|
let crypt_config = match keyfile {
|
|
|
|
None => None,
|
|
|
|
Some(path) => {
|
2020-01-10 14:04:31 +00:00
|
|
|
let (key, _) = load_and_decrypt_key(&path, &get_encryption_key_password)?;
|
2019-07-03 13:45:12 +00:00
|
|
|
Some(Arc::new(CryptConfig::new(key)?))
|
|
|
|
}
|
|
|
|
};
|
2019-03-11 13:31:01 +00:00
|
|
|
|
2019-10-12 13:50:26 +00:00
|
|
|
let client = BackupReader::start(
|
|
|
|
client,
|
|
|
|
crypt_config.clone(),
|
|
|
|
repo.store(),
|
|
|
|
&backup_type,
|
|
|
|
&backup_id,
|
|
|
|
backup_time,
|
|
|
|
true,
|
|
|
|
).await?;
|
2019-07-03 13:45:12 +00:00
|
|
|
|
2019-10-13 08:09:12 +00:00
|
|
|
let manifest = client.download_manifest().await?;
|
2019-09-02 12:14:32 +00:00
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
let (archive_name, archive_type) = parse_archive_type(archive_name);
|
|
|
|
|
|
|
|
if archive_name == MANIFEST_BLOB_NAME {
|
2019-10-13 08:09:12 +00:00
|
|
|
let backup_index_data = manifest.into_json().to_string();
|
2019-09-02 12:14:32 +00:00
|
|
|
if let Some(target) = target {
|
2019-12-18 10:05:30 +00:00
|
|
|
replace_file(target, backup_index_data.as_bytes(), CreateOptions::new())?;
|
2019-09-02 12:14:32 +00:00
|
|
|
} else {
|
|
|
|
let stdout = std::io::stdout();
|
|
|
|
let mut writer = stdout.lock();
|
2019-10-12 13:50:26 +00:00
|
|
|
writer.write_all(backup_index_data.as_bytes())
|
2019-09-02 12:14:32 +00:00
|
|
|
.map_err(|err| format_err!("unable to pipe data - {}", err))?;
|
|
|
|
}
|
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
} else if archive_type == ArchiveType::Blob {
|
2019-09-04 06:47:14 +00:00
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
let mut reader = client.download_blob(&manifest, &archive_name).await?;
|
2019-07-05 09:36:45 +00:00
|
|
|
|
2019-07-05 10:14:50 +00:00
|
|
|
if let Some(target) = target {
|
2019-09-02 12:13:31 +00:00
|
|
|
let mut writer = std::fs::OpenOptions::new()
|
|
|
|
.write(true)
|
|
|
|
.create(true)
|
|
|
|
.create_new(true)
|
|
|
|
.open(target)
|
|
|
|
.map_err(|err| format_err!("unable to create target file {:?} - {}", target, err))?;
|
|
|
|
std::io::copy(&mut reader, &mut writer)?;
|
2019-07-05 10:14:50 +00:00
|
|
|
} else {
|
|
|
|
let stdout = std::io::stdout();
|
|
|
|
let mut writer = stdout.lock();
|
2019-09-02 12:13:31 +00:00
|
|
|
std::io::copy(&mut reader, &mut writer)
|
2019-07-05 10:14:50 +00:00
|
|
|
.map_err(|err| format_err!("unable to pipe data - {}", err))?;
|
|
|
|
}
|
2019-07-05 09:36:45 +00:00
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
} else if archive_type == ArchiveType::DynamicIndex {
|
2019-07-03 13:45:12 +00:00
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
let index = client.download_dynamic_index(&manifest, &archive_name).await?;
|
2019-09-03 11:12:16 +00:00
|
|
|
|
2019-07-05 08:42:46 +00:00
|
|
|
let most_used = index.find_most_used_chunks(8);
|
|
|
|
|
|
|
|
let chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config, most_used);
|
|
|
|
|
2019-07-05 07:19:56 +00:00
|
|
|
let mut reader = BufferedDynamicReader::new(index, chunk_reader);
|
2019-07-03 13:45:12 +00:00
|
|
|
|
2019-07-05 10:14:50 +00:00
|
|
|
if let Some(target) = target {
|
2020-03-23 14:03:18 +00:00
|
|
|
proxmox_backup::pxar::extract_archive(
|
|
|
|
pxar::decoder::Decoder::from_std(reader)?,
|
|
|
|
Path::new(target),
|
|
|
|
&[],
|
2020-06-10 09:03:42 +00:00
|
|
|
proxmox_backup::pxar::Flags::DEFAULT,
|
2020-03-23 14:03:18 +00:00
|
|
|
allow_existing_dirs,
|
|
|
|
|path| {
|
|
|
|
if verbose {
|
|
|
|
println!("{:?}", path);
|
|
|
|
}
|
|
|
|
},
|
|
|
|
)
|
|
|
|
.map_err(|err| format_err!("error extracting archive - {}", err))?;
|
2019-07-05 10:14:50 +00:00
|
|
|
} else {
|
2019-10-05 09:48:51 +00:00
|
|
|
let mut writer = std::fs::OpenOptions::new()
|
|
|
|
.write(true)
|
|
|
|
.open("/dev/stdout")
|
|
|
|
.map_err(|err| format_err!("unable to open /dev/stdout - {}", err))?;
|
2019-07-05 07:19:56 +00:00
|
|
|
|
2019-07-05 10:14:50 +00:00
|
|
|
std::io::copy(&mut reader, &mut writer)
|
|
|
|
.map_err(|err| format_err!("unable to pipe data - {}", err))?;
|
|
|
|
}
|
2020-06-02 16:41:31 +00:00
|
|
|
} else if archive_type == ArchiveType::FixedIndex {
|
2019-07-05 07:19:56 +00:00
|
|
|
|
2020-06-02 16:41:31 +00:00
|
|
|
let index = client.download_fixed_index(&manifest, &archive_name).await?;
|
2019-09-03 11:12:16 +00:00
|
|
|
|
2019-10-05 09:48:51 +00:00
|
|
|
let mut writer = if let Some(target) = target {
|
|
|
|
std::fs::OpenOptions::new()
|
2019-07-05 10:14:50 +00:00
|
|
|
.write(true)
|
|
|
|
.create(true)
|
|
|
|
.create_new(true)
|
|
|
|
.open(target)
|
2019-10-05 09:48:51 +00:00
|
|
|
.map_err(|err| format_err!("unable to create target file {:?} - {}", target, err))?
|
2019-07-05 10:14:50 +00:00
|
|
|
} else {
|
2019-10-05 09:48:51 +00:00
|
|
|
std::fs::OpenOptions::new()
|
|
|
|
.write(true)
|
|
|
|
.open("/dev/stdout")
|
|
|
|
.map_err(|err| format_err!("unable to open /dev/stdout - {}", err))?
|
|
|
|
};
|
2019-07-05 07:19:56 +00:00
|
|
|
|
2020-06-12 09:40:18 +00:00
|
|
|
dump_image(client.clone(), crypt_config.clone(), index, &mut writer, verbose).await?;
|
2019-06-25 11:00:37 +00:00
|
|
|
}
|
2019-06-26 07:18:59 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
2019-06-25 09:17:24 +00:00
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
snapshot: {
|
|
|
|
type: String,
|
|
|
|
description: "Group/Snapshot path.",
|
|
|
|
},
|
|
|
|
logfile: {
|
|
|
|
type: String,
|
|
|
|
description: "The path to the log file you want to upload.",
|
|
|
|
},
|
|
|
|
keyfile: {
|
|
|
|
schema: KEYFILE_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Upload backup log file.
|
|
|
|
async fn upload_log(param: Value) -> Result<Value, Error> {
|
2019-07-25 10:18:15 +00:00
|
|
|
|
|
|
|
let logfile = tools::required_string_param(¶m, "logfile")?;
|
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
|
|
|
|
|
|
|
let snapshot = tools::required_string_param(¶m, "snapshot")?;
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = snapshot.parse()?;
|
2019-07-25 10:18:15 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let mut client = connect(repo.host(), repo.user())?;
|
2019-07-25 10:18:15 +00:00
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
let keyfile = param["keyfile"].as_str().map(PathBuf::from);
|
2019-07-25 10:18:15 +00:00
|
|
|
|
|
|
|
let crypt_config = match keyfile {
|
|
|
|
None => None,
|
|
|
|
Some(path) => {
|
2020-01-10 14:04:31 +00:00
|
|
|
let (key, _created) = load_and_decrypt_key(&path, &get_encryption_key_password)?;
|
2019-07-25 10:18:15 +00:00
|
|
|
let crypt_config = CryptConfig::new(key)?;
|
2019-08-16 07:19:01 +00:00
|
|
|
Some(Arc::new(crypt_config))
|
2019-07-25 10:18:15 +00:00
|
|
|
}
|
|
|
|
};
|
|
|
|
|
2019-08-03 11:05:38 +00:00
|
|
|
let data = file_get_contents(logfile)?;
|
2019-07-25 10:18:15 +00:00
|
|
|
|
2019-10-07 09:36:39 +00:00
|
|
|
let blob = DataBlob::encode(&data, crypt_config.as_ref().map(Arc::as_ref), true)?;
|
2019-07-25 10:18:15 +00:00
|
|
|
|
|
|
|
let raw_data = blob.into_inner();
|
|
|
|
|
|
|
|
let path = format!("api2/json/admin/datastore/{}/upload-backup-log", repo.store());
|
|
|
|
|
|
|
|
let args = json!({
|
|
|
|
"backup-type": snapshot.group().backup_type(),
|
|
|
|
"backup-id": snapshot.group().backup_id(),
|
|
|
|
"backup-time": snapshot.backup_time().timestamp(),
|
|
|
|
});
|
|
|
|
|
|
|
|
let body = hyper::Body::from(raw_data);
|
|
|
|
|
2019-12-16 09:06:26 +00:00
|
|
|
client.upload("application/octet-stream", body, &path, Some(args)).await
|
2019-07-25 10:18:15 +00:00
|
|
|
}
|
|
|
|
|
2020-01-31 09:31:00 +00:00
|
|
|
const API_METHOD_PRUNE: ApiMethod = ApiMethod::new(
|
|
|
|
&ApiHandler::Async(&prune),
|
|
|
|
&ObjectSchema::new(
|
|
|
|
"Prune a backup repository.",
|
|
|
|
&proxmox_backup::add_common_prune_prameters!([
|
|
|
|
("dry-run", true, &BooleanSchema::new(
|
|
|
|
"Just show what prune would do, but do not delete anything.")
|
|
|
|
.schema()),
|
|
|
|
("group", false, &StringSchema::new("Backup group.").schema()),
|
|
|
|
], [
|
|
|
|
("output-format", true, &OUTPUT_FORMAT),
|
2020-06-03 08:11:37 +00:00
|
|
|
(
|
|
|
|
"quiet",
|
|
|
|
true,
|
|
|
|
&BooleanSchema::new("Minimal output - only show removals.")
|
|
|
|
.schema()
|
|
|
|
),
|
2020-01-31 09:31:00 +00:00
|
|
|
("repository", true, &REPO_URL_SCHEMA),
|
|
|
|
])
|
|
|
|
)
|
|
|
|
);
|
|
|
|
|
|
|
|
fn prune<'a>(
|
|
|
|
param: Value,
|
|
|
|
_info: &ApiMethod,
|
|
|
|
_rpcenv: &'a mut dyn RpcEnvironment,
|
|
|
|
) -> proxmox::api::ApiFuture<'a> {
|
|
|
|
async move {
|
|
|
|
prune_async(param).await
|
|
|
|
}.boxed()
|
|
|
|
}
|
2019-02-27 15:53:17 +00:00
|
|
|
|
2020-01-31 09:31:00 +00:00
|
|
|
async fn prune_async(mut param: Value) -> Result<Value, Error> {
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2019-02-27 15:53:17 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let mut client = connect(repo.host(), repo.user())?;
|
2019-02-27 15:53:17 +00:00
|
|
|
|
2019-03-13 08:47:12 +00:00
|
|
|
let path = format!("api2/json/admin/datastore/{}/prune", repo.store());
|
2019-02-27 15:53:17 +00:00
|
|
|
|
2019-07-27 06:49:14 +00:00
|
|
|
let group = tools::required_string_param(¶m, "group")?;
|
2020-06-23 06:16:56 +00:00
|
|
|
let group: BackupGroup = group.parse()?;
|
2020-02-27 11:41:15 +00:00
|
|
|
|
|
|
|
let output_format = get_output_format(¶m);
|
2019-07-27 06:49:14 +00:00
|
|
|
|
2020-06-03 08:11:37 +00:00
|
|
|
let quiet = param["quiet"].as_bool().unwrap_or(false);
|
|
|
|
|
2019-07-27 07:24:23 +00:00
|
|
|
param.as_object_mut().unwrap().remove("repository");
|
|
|
|
param.as_object_mut().unwrap().remove("group");
|
2019-12-07 15:11:26 +00:00
|
|
|
param.as_object_mut().unwrap().remove("output-format");
|
2020-06-03 08:11:37 +00:00
|
|
|
param.as_object_mut().unwrap().remove("quiet");
|
2019-07-27 07:24:23 +00:00
|
|
|
|
|
|
|
param["backup-type"] = group.backup_type().into();
|
|
|
|
param["backup-id"] = group.backup_id().into();
|
2019-02-27 15:53:17 +00:00
|
|
|
|
2020-05-05 04:45:37 +00:00
|
|
|
let mut result = client.post(&path, Some(param)).await?;
|
2019-12-06 12:35:25 +00:00
|
|
|
|
2019-12-16 10:00:43 +00:00
|
|
|
record_repository(&repo);
|
2019-12-08 09:59:47 +00:00
|
|
|
|
2020-05-05 04:45:37 +00:00
|
|
|
let render_snapshot_path = |_v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let item: PruneListItem = serde_json::from_value(record.to_owned())?;
|
|
|
|
let snapshot = BackupDir::new(item.backup_type, item.backup_id, item.backup_time);
|
|
|
|
Ok(snapshot.relative_path().to_str().unwrap().to_owned())
|
|
|
|
};
|
|
|
|
|
2020-06-03 08:11:37 +00:00
|
|
|
let render_prune_action = |v: &Value, _record: &Value| -> Result<String, Error> {
|
|
|
|
Ok(match v.as_bool() {
|
|
|
|
Some(true) => "keep",
|
|
|
|
Some(false) => "remove",
|
|
|
|
None => "unknown",
|
|
|
|
}.to_string())
|
|
|
|
};
|
|
|
|
|
2020-05-05 04:45:37 +00:00
|
|
|
let options = default_table_format_options()
|
|
|
|
.sortby("backup-type", false)
|
|
|
|
.sortby("backup-id", false)
|
|
|
|
.sortby("backup-time", false)
|
|
|
|
.column(ColumnConfig::new("backup-id").renderer(render_snapshot_path).header("snapshot"))
|
2020-05-05 05:33:58 +00:00
|
|
|
.column(ColumnConfig::new("backup-time").renderer(tools::format::render_epoch).header("date"))
|
2020-06-03 08:11:37 +00:00
|
|
|
.column(ColumnConfig::new("keep").renderer(render_prune_action).header("action"))
|
2020-05-05 04:45:37 +00:00
|
|
|
;
|
|
|
|
|
|
|
|
let info = &proxmox_backup::api2::admin::datastore::API_RETURN_SCHEMA_PRUNE;
|
|
|
|
|
|
|
|
let mut data = result["data"].take();
|
|
|
|
|
2020-06-03 08:11:37 +00:00
|
|
|
if quiet {
|
|
|
|
let list: Vec<Value> = data.as_array().unwrap().iter().filter(|item| {
|
|
|
|
item["keep"].as_bool() == Some(false)
|
|
|
|
}).map(|v| v.clone()).collect();
|
|
|
|
data = list.into();
|
|
|
|
}
|
|
|
|
|
2020-05-05 04:45:37 +00:00
|
|
|
format_and_print_result_full(&mut data, info, &output_format, &options);
|
2019-03-13 08:47:12 +00:00
|
|
|
|
2019-07-31 08:15:16 +00:00
|
|
|
Ok(Value::Null)
|
2019-02-27 15:53:17 +00:00
|
|
|
}
|
|
|
|
|
2019-12-16 12:34:49 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
repository: {
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
"output-format": {
|
|
|
|
schema: OUTPUT_FORMAT,
|
|
|
|
optional: true,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)]
|
|
|
|
/// Get repository status.
|
|
|
|
async fn status(param: Value) -> Result<Value, Error> {
|
2019-07-16 11:35:25 +00:00
|
|
|
|
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
|
|
|
|
2020-02-27 11:41:15 +00:00
|
|
|
let output_format = get_output_format(¶m);
|
2019-07-16 11:35:25 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-07-16 11:35:25 +00:00
|
|
|
|
|
|
|
let path = format!("api2/json/admin/datastore/{}/status", repo.store());
|
|
|
|
|
2020-01-23 11:42:40 +00:00
|
|
|
let mut result = client.get(&path, None).await?;
|
2020-02-26 12:29:00 +00:00
|
|
|
let mut data = result["data"].take();
|
2019-07-16 11:35:25 +00:00
|
|
|
|
|
|
|
record_repository(&repo);
|
|
|
|
|
2020-02-26 12:29:00 +00:00
|
|
|
let render_total_percentage = |v: &Value, record: &Value| -> Result<String, Error> {
|
|
|
|
let v = v.as_u64().unwrap();
|
|
|
|
let total = record["total"].as_u64().unwrap();
|
|
|
|
let roundup = total/200;
|
|
|
|
let per = ((v+roundup)*100)/total;
|
2020-02-27 10:38:09 +00:00
|
|
|
let info = format!(" ({} %)", per);
|
|
|
|
Ok(format!("{} {:>8}", v, info))
|
2020-02-26 12:29:00 +00:00
|
|
|
};
|
2020-01-23 11:42:40 +00:00
|
|
|
|
2020-02-27 11:41:15 +00:00
|
|
|
let options = default_table_format_options()
|
2020-02-27 10:31:05 +00:00
|
|
|
.noheader(true)
|
2020-02-27 10:38:09 +00:00
|
|
|
.column(ColumnConfig::new("total").renderer(render_total_percentage))
|
2020-02-26 12:29:00 +00:00
|
|
|
.column(ColumnConfig::new("used").renderer(render_total_percentage))
|
|
|
|
.column(ColumnConfig::new("avail").renderer(render_total_percentage));
|
2019-07-16 11:35:25 +00:00
|
|
|
|
2020-02-26 12:49:47 +00:00
|
|
|
let schema = &proxmox_backup::api2::admin::datastore::API_RETURN_SCHEMA_STATUS;
|
2020-02-26 12:29:00 +00:00
|
|
|
|
|
|
|
format_and_print_result_full(&mut data, schema, &output_format, &options);
|
2019-07-16 11:35:25 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-04-28 08:55:03 +00:00
|
|
|
// like get, but simply ignore errors and return Null instead
|
2019-08-28 15:20:32 +00:00
|
|
|
async fn try_get(repo: &BackupRepository, url: &str) -> Value {
|
2019-03-13 10:56:37 +00:00
|
|
|
|
2020-02-11 10:01:57 +00:00
|
|
|
let fingerprint = std::env::var(ENV_VAR_PBS_FINGERPRINT).ok();
|
2020-02-11 10:10:13 +00:00
|
|
|
let password = std::env::var(ENV_VAR_PBS_PASSWORD).ok();
|
2020-02-11 10:01:57 +00:00
|
|
|
|
2020-01-25 11:18:00 +00:00
|
|
|
let options = HttpClientOptions::new()
|
2020-01-27 08:34:02 +00:00
|
|
|
.prefix(Some("proxmox-backup".to_string()))
|
2020-02-11 10:10:13 +00:00
|
|
|
.password(password)
|
2020-01-25 11:18:00 +00:00
|
|
|
.interactive(false)
|
2020-02-11 10:01:57 +00:00
|
|
|
.fingerprint(fingerprint)
|
2020-01-25 14:37:34 +00:00
|
|
|
.fingerprint_cache(true)
|
2020-01-25 11:18:00 +00:00
|
|
|
.ticket_cache(true);
|
|
|
|
|
|
|
|
let client = match HttpClient::new(repo.host(), repo.user(), options) {
|
2019-04-30 09:44:35 +00:00
|
|
|
Ok(v) => v,
|
|
|
|
_ => return Value::Null,
|
|
|
|
};
|
2019-03-13 12:31:29 +00:00
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let mut resp = match client.get(url, None).await {
|
2019-03-13 12:31:29 +00:00
|
|
|
Ok(v) => v,
|
|
|
|
_ => return Value::Null,
|
|
|
|
};
|
|
|
|
|
|
|
|
if let Some(map) = resp.as_object_mut() {
|
|
|
|
if let Some(data) = map.remove("data") {
|
|
|
|
return data;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
Value::Null
|
|
|
|
}
|
|
|
|
|
|
|
|
fn complete_backup_group(_arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2020-01-21 10:34:45 +00:00
|
|
|
proxmox_backup::tools::runtime::main(async { complete_backup_group_do(param).await })
|
2019-08-28 15:20:32 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
async fn complete_backup_group_do(param: &HashMap<String, String>) -> Vec<String> {
|
2019-03-13 10:56:37 +00:00
|
|
|
|
2019-03-13 12:31:29 +00:00
|
|
|
let mut result = vec![];
|
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = match extract_repository_from_map(param) {
|
2019-03-13 12:31:29 +00:00
|
|
|
Some(v) => v,
|
2019-03-13 10:56:37 +00:00
|
|
|
_ => return result,
|
|
|
|
};
|
|
|
|
|
2019-03-13 12:31:29 +00:00
|
|
|
let path = format!("api2/json/admin/datastore/{}/groups", repo.store());
|
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let data = try_get(&repo, &path).await;
|
2019-03-13 12:31:29 +00:00
|
|
|
|
|
|
|
if let Some(list) = data.as_array() {
|
2019-03-13 10:56:37 +00:00
|
|
|
for item in list {
|
2019-03-13 11:17:39 +00:00
|
|
|
if let (Some(backup_id), Some(backup_type)) =
|
|
|
|
(item["backup-id"].as_str(), item["backup-type"].as_str())
|
|
|
|
{
|
|
|
|
result.push(format!("{}/{}", backup_type, backup_id));
|
2019-03-13 10:56:37 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
result
|
|
|
|
}
|
|
|
|
|
2020-07-02 15:49:08 +00:00
|
|
|
pub fn complete_group_or_snapshot(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2020-01-21 10:34:45 +00:00
|
|
|
proxmox_backup::tools::runtime::main(async { complete_group_or_snapshot_do(arg, param).await })
|
2019-08-28 15:20:32 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
async fn complete_group_or_snapshot_do(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2019-03-13 12:31:29 +00:00
|
|
|
|
|
|
|
if arg.matches('/').count() < 2 {
|
2019-08-28 15:20:32 +00:00
|
|
|
let groups = complete_backup_group_do(param).await;
|
2019-08-09 08:08:45 +00:00
|
|
|
let mut result = vec![];
|
2019-03-13 12:31:29 +00:00
|
|
|
for group in groups {
|
|
|
|
result.push(group.to_string());
|
|
|
|
result.push(format!("{}/", group));
|
|
|
|
}
|
|
|
|
return result;
|
|
|
|
}
|
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
complete_backup_snapshot_do(param).await
|
2019-08-09 08:08:45 +00:00
|
|
|
}
|
2019-03-13 12:31:29 +00:00
|
|
|
|
2019-08-09 08:22:32 +00:00
|
|
|
fn complete_backup_snapshot(_arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2020-01-21 10:34:45 +00:00
|
|
|
proxmox_backup::tools::runtime::main(async { complete_backup_snapshot_do(param).await })
|
2019-08-28 15:20:32 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
async fn complete_backup_snapshot_do(param: &HashMap<String, String>) -> Vec<String> {
|
2019-08-09 08:08:45 +00:00
|
|
|
|
|
|
|
let mut result = vec![];
|
|
|
|
|
|
|
|
let repo = match extract_repository_from_map(param) {
|
|
|
|
Some(v) => v,
|
|
|
|
_ => return result,
|
|
|
|
};
|
|
|
|
|
|
|
|
let path = format!("api2/json/admin/datastore/{}/snapshots", repo.store());
|
2019-03-13 12:31:29 +00:00
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let data = try_get(&repo, &path).await;
|
2019-03-13 12:31:29 +00:00
|
|
|
|
|
|
|
if let Some(list) = data.as_array() {
|
|
|
|
for item in list {
|
|
|
|
if let (Some(backup_id), Some(backup_type), Some(backup_time)) =
|
|
|
|
(item["backup-id"].as_str(), item["backup-type"].as_str(), item["backup-time"].as_i64())
|
|
|
|
{
|
|
|
|
let snapshot = BackupDir::new(backup_type, backup_id, backup_time);
|
|
|
|
result.push(snapshot.relative_path().to_str().unwrap().to_owned());
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
result
|
|
|
|
}
|
|
|
|
|
2019-06-25 09:17:24 +00:00
|
|
|
fn complete_server_file_name(_arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2020-01-21 10:34:45 +00:00
|
|
|
proxmox_backup::tools::runtime::main(async { complete_server_file_name_do(param).await })
|
2019-08-28 15:20:32 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
async fn complete_server_file_name_do(param: &HashMap<String, String>) -> Vec<String> {
|
2019-03-14 07:09:35 +00:00
|
|
|
|
|
|
|
let mut result = vec![];
|
|
|
|
|
2019-07-16 05:30:04 +00:00
|
|
|
let repo = match extract_repository_from_map(param) {
|
2019-03-14 07:09:35 +00:00
|
|
|
Some(v) => v,
|
|
|
|
_ => return result,
|
|
|
|
};
|
|
|
|
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = match param.get("snapshot") {
|
2019-03-14 07:09:35 +00:00
|
|
|
Some(path) => {
|
2020-06-23 06:09:52 +00:00
|
|
|
match path.parse() {
|
2019-03-14 07:09:35 +00:00
|
|
|
Ok(v) => v,
|
|
|
|
_ => return result,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
_ => return result,
|
|
|
|
};
|
|
|
|
|
|
|
|
let query = tools::json_object_to_query(json!({
|
|
|
|
"backup-type": snapshot.group().backup_type(),
|
|
|
|
"backup-id": snapshot.group().backup_id(),
|
|
|
|
"backup-time": snapshot.backup_time().timestamp(),
|
|
|
|
})).unwrap();
|
|
|
|
|
|
|
|
let path = format!("api2/json/admin/datastore/{}/files?{}", repo.store(), query);
|
|
|
|
|
2019-08-28 15:20:32 +00:00
|
|
|
let data = try_get(&repo, &path).await;
|
2019-03-14 07:09:35 +00:00
|
|
|
|
|
|
|
if let Some(list) = data.as_array() {
|
|
|
|
for item in list {
|
2019-08-07 04:48:18 +00:00
|
|
|
if let Some(filename) = item["filename"].as_str() {
|
2019-03-14 07:09:35 +00:00
|
|
|
result.push(filename.to_owned());
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-06-25 09:17:24 +00:00
|
|
|
result
|
|
|
|
}
|
|
|
|
|
|
|
|
fn complete_archive_name(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2019-07-31 09:23:53 +00:00
|
|
|
complete_server_file_name(arg, param)
|
2019-08-28 15:20:32 +00:00
|
|
|
.iter()
|
2020-02-28 06:30:35 +00:00
|
|
|
.map(|v| tools::format::strip_server_file_expenstion(&v))
|
2019-08-28 15:20:32 +00:00
|
|
|
.collect()
|
2019-03-14 07:09:35 +00:00
|
|
|
}
|
|
|
|
|
2020-07-02 15:49:08 +00:00
|
|
|
pub fn complete_pxar_archive_name(arg: &str, param: &HashMap<String, String>) -> Vec<String> {
|
2019-12-09 12:14:32 +00:00
|
|
|
complete_server_file_name(arg, param)
|
|
|
|
.iter()
|
|
|
|
.filter_map(|v| {
|
2020-02-28 06:30:35 +00:00
|
|
|
let name = tools::format::strip_server_file_expenstion(&v);
|
2019-12-09 12:14:32 +00:00
|
|
|
if name.ends_with(".pxar") {
|
|
|
|
Some(name)
|
|
|
|
} else {
|
|
|
|
None
|
|
|
|
}
|
|
|
|
})
|
|
|
|
.collect()
|
|
|
|
}
|
|
|
|
|
2019-03-13 11:26:01 +00:00
|
|
|
fn complete_chunk_size(_arg: &str, _param: &HashMap<String, String>) -> Vec<String> {
|
|
|
|
|
|
|
|
let mut result = vec![];
|
|
|
|
|
|
|
|
let mut size = 64;
|
|
|
|
loop {
|
|
|
|
result.push(size.to_string());
|
2019-10-25 16:04:37 +00:00
|
|
|
size *= 2;
|
2019-03-13 11:26:01 +00:00
|
|
|
if size > 4096 { break; }
|
|
|
|
}
|
|
|
|
|
|
|
|
result
|
|
|
|
}
|
|
|
|
|
2019-06-18 09:17:22 +00:00
|
|
|
fn get_encryption_key_password() -> Result<Vec<u8>, Error> {
|
2018-12-14 07:28:56 +00:00
|
|
|
|
2019-06-17 08:33:24 +00:00
|
|
|
// fixme: implement other input methods
|
|
|
|
|
|
|
|
use std::env::VarError::*;
|
|
|
|
match std::env::var("PBS_ENCRYPTION_PASSWORD") {
|
2019-06-18 09:17:22 +00:00
|
|
|
Ok(p) => return Ok(p.as_bytes().to_vec()),
|
2019-06-17 08:33:24 +00:00
|
|
|
Err(NotUnicode(_)) => bail!("PBS_ENCRYPTION_PASSWORD contains bad characters"),
|
|
|
|
Err(NotPresent) => {
|
|
|
|
// Try another method
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// If we're on a TTY, query the user for a password
|
2020-01-31 07:16:00 +00:00
|
|
|
if tty::stdin_isatty() {
|
|
|
|
return Ok(tty::read_password("Encryption Key Password: ")?);
|
2019-06-17 08:33:24 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
bail!("no password input mechanism available");
|
|
|
|
}
|
|
|
|
|
2019-06-17 11:10:00 +00:00
|
|
|
fn key_create(
|
|
|
|
param: Value,
|
|
|
|
_info: &ApiMethod,
|
|
|
|
_rpcenv: &mut dyn RpcEnvironment,
|
|
|
|
) -> Result<Value, Error> {
|
|
|
|
|
2019-06-18 15:38:50 +00:00
|
|
|
let path = tools::required_string_param(¶m, "path")?;
|
|
|
|
let path = PathBuf::from(path);
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2019-06-18 16:21:01 +00:00
|
|
|
let kdf = param["kdf"].as_str().unwrap_or("scrypt");
|
2019-06-17 11:10:00 +00:00
|
|
|
|
|
|
|
let key = proxmox::sys::linux::random_data(32)?;
|
|
|
|
|
2019-06-18 16:21:01 +00:00
|
|
|
if kdf == "scrypt" {
|
|
|
|
// always read passphrase from tty
|
2020-01-31 07:16:00 +00:00
|
|
|
if !tty::stdin_isatty() {
|
2019-06-18 16:21:01 +00:00
|
|
|
bail!("unable to read passphrase - no tty");
|
|
|
|
}
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2020-01-31 07:16:00 +00:00
|
|
|
let password = tty::read_and_verify_password("Encryption Key Password: ")?;
|
2019-06-18 16:21:01 +00:00
|
|
|
|
2019-06-20 05:58:33 +00:00
|
|
|
let key_config = encrypt_key_with_passphrase(&key, &password)?;
|
2019-06-21 05:12:19 +00:00
|
|
|
|
2019-06-20 05:58:33 +00:00
|
|
|
store_key_config(&path, false, key_config)?;
|
2019-06-18 16:21:01 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
} else if kdf == "none" {
|
|
|
|
let created = Local.timestamp(Local::now().timestamp(), 0);
|
|
|
|
|
|
|
|
store_key_config(&path, false, KeyConfig {
|
|
|
|
kdf: None,
|
|
|
|
created,
|
2019-06-20 05:58:33 +00:00
|
|
|
modified: created,
|
2019-06-18 16:21:01 +00:00
|
|
|
data: key,
|
|
|
|
})?;
|
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
} else {
|
|
|
|
unreachable!();
|
|
|
|
}
|
2019-06-17 11:10:00 +00:00
|
|
|
}
|
|
|
|
|
2019-06-24 11:56:37 +00:00
|
|
|
fn master_pubkey_path() -> Result<PathBuf, Error> {
|
|
|
|
let base = BaseDirectories::with_prefix("proxmox-backup")?;
|
|
|
|
|
|
|
|
// usually $HOME/.config/proxmox-backup/master-public.pem
|
|
|
|
let path = base.place_config_file("master-public.pem")?;
|
|
|
|
|
|
|
|
Ok(path)
|
|
|
|
}
|
|
|
|
|
2019-06-21 05:34:17 +00:00
|
|
|
fn key_import_master_pubkey(
|
|
|
|
param: Value,
|
|
|
|
_info: &ApiMethod,
|
|
|
|
_rpcenv: &mut dyn RpcEnvironment,
|
|
|
|
) -> Result<Value, Error> {
|
|
|
|
|
|
|
|
let path = tools::required_string_param(¶m, "path")?;
|
|
|
|
let path = PathBuf::from(path);
|
|
|
|
|
2019-08-03 11:05:38 +00:00
|
|
|
let pem_data = file_get_contents(&path)?;
|
2019-06-21 05:34:17 +00:00
|
|
|
|
|
|
|
if let Err(err) = openssl::pkey::PKey::public_key_from_pem(&pem_data) {
|
|
|
|
bail!("Unable to decode PEM data - {}", err);
|
|
|
|
}
|
|
|
|
|
2019-06-24 11:56:37 +00:00
|
|
|
let target_path = master_pubkey_path()?;
|
2019-06-21 05:34:17 +00:00
|
|
|
|
2019-12-18 10:05:30 +00:00
|
|
|
replace_file(&target_path, &pem_data, CreateOptions::new())?;
|
2019-06-21 05:34:17 +00:00
|
|
|
|
|
|
|
println!("Imported public master key to {:?}", target_path);
|
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
|
|
|
|
2019-06-21 05:12:19 +00:00
|
|
|
fn key_create_master_key(
|
|
|
|
_param: Value,
|
|
|
|
_info: &ApiMethod,
|
|
|
|
_rpcenv: &mut dyn RpcEnvironment,
|
|
|
|
) -> Result<Value, Error> {
|
|
|
|
|
|
|
|
// we need a TTY to query the new password
|
2020-01-31 07:16:00 +00:00
|
|
|
if !tty::stdin_isatty() {
|
2019-06-21 05:12:19 +00:00
|
|
|
bail!("unable to create master key - no tty");
|
|
|
|
}
|
|
|
|
|
|
|
|
let rsa = openssl::rsa::Rsa::generate(4096)?;
|
|
|
|
let pkey = openssl::pkey::PKey::from_rsa(rsa)?;
|
|
|
|
|
|
|
|
|
2020-01-31 07:16:00 +00:00
|
|
|
let password = String::from_utf8(tty::read_and_verify_password("Master Key Password: ")?)?;
|
2019-06-21 05:12:19 +00:00
|
|
|
|
|
|
|
let pub_key: Vec<u8> = pkey.public_key_to_pem()?;
|
|
|
|
let filename_pub = "master-public.pem";
|
|
|
|
println!("Writing public master key to {}", filename_pub);
|
2019-12-18 10:05:30 +00:00
|
|
|
replace_file(filename_pub, pub_key.as_slice(), CreateOptions::new())?;
|
2019-06-21 05:12:19 +00:00
|
|
|
|
|
|
|
let cipher = openssl::symm::Cipher::aes_256_cbc();
|
2020-01-13 15:05:28 +00:00
|
|
|
let priv_key: Vec<u8> = pkey.private_key_to_pem_pkcs8_passphrase(cipher, password.as_bytes())?;
|
2019-06-21 05:12:19 +00:00
|
|
|
|
|
|
|
let filename_priv = "master-private.pem";
|
|
|
|
println!("Writing private master key to {}", filename_priv);
|
2019-12-18 10:05:30 +00:00
|
|
|
replace_file(filename_priv, priv_key.as_slice(), CreateOptions::new())?;
|
2019-06-21 05:12:19 +00:00
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
}
|
2019-06-17 11:10:00 +00:00
|
|
|
|
|
|
|
fn key_change_passphrase(
|
|
|
|
param: Value,
|
|
|
|
_info: &ApiMethod,
|
|
|
|
_rpcenv: &mut dyn RpcEnvironment,
|
|
|
|
) -> Result<Value, Error> {
|
|
|
|
|
2019-06-18 15:38:50 +00:00
|
|
|
let path = tools::required_string_param(¶m, "path")?;
|
|
|
|
let path = PathBuf::from(path);
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2019-06-18 16:21:01 +00:00
|
|
|
let kdf = param["kdf"].as_str().unwrap_or("scrypt");
|
|
|
|
|
2019-06-17 11:10:00 +00:00
|
|
|
// we need a TTY to query the new password
|
2020-01-31 07:16:00 +00:00
|
|
|
if !tty::stdin_isatty() {
|
2019-06-17 11:10:00 +00:00
|
|
|
bail!("unable to change passphrase - no tty");
|
|
|
|
}
|
|
|
|
|
2020-01-10 14:04:31 +00:00
|
|
|
let (key, created) = load_and_decrypt_key(&path, &get_encryption_key_password)?;
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2019-06-18 16:21:01 +00:00
|
|
|
if kdf == "scrypt" {
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2020-01-31 07:16:00 +00:00
|
|
|
let password = tty::read_and_verify_password("New Password: ")?;
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2020-01-13 15:05:28 +00:00
|
|
|
let mut new_key_config = encrypt_key_with_passphrase(&key, &password)?;
|
2019-06-20 05:58:33 +00:00
|
|
|
new_key_config.created = created; // keep original value
|
|
|
|
|
|
|
|
store_key_config(&path, true, new_key_config)?;
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2019-06-18 16:21:01 +00:00
|
|
|
Ok(Value::Null)
|
|
|
|
} else if kdf == "none" {
|
2019-06-20 05:58:33 +00:00
|
|
|
let modified = Local.timestamp(Local::now().timestamp(), 0);
|
2019-06-18 16:21:01 +00:00
|
|
|
|
|
|
|
store_key_config(&path, true, KeyConfig {
|
|
|
|
kdf: None,
|
2019-06-20 05:58:33 +00:00
|
|
|
created, // keep original value
|
|
|
|
modified,
|
2019-06-19 15:16:41 +00:00
|
|
|
data: key.to_vec(),
|
2019-06-18 16:21:01 +00:00
|
|
|
})?;
|
|
|
|
|
|
|
|
Ok(Value::Null)
|
|
|
|
} else {
|
|
|
|
unreachable!();
|
|
|
|
}
|
2019-06-17 08:33:24 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn key_mgmt_cli() -> CliCommandMap {
|
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
const KDF_SCHEMA: Schema =
|
2019-06-18 16:21:01 +00:00
|
|
|
StringSchema::new("Key derivation function. Choose 'none' to store the key unecrypted.")
|
2020-04-29 11:01:24 +00:00
|
|
|
.format(&ApiStringFormat::Enum(&[
|
|
|
|
EnumEntry::new("scrypt", "SCrypt"),
|
|
|
|
EnumEntry::new("none", "Do not encrypt the key")]))
|
2019-11-21 08:36:41 +00:00
|
|
|
.default("scrypt")
|
|
|
|
.schema();
|
|
|
|
|
2019-11-21 12:10:49 +00:00
|
|
|
#[sortable]
|
2019-11-21 08:36:41 +00:00
|
|
|
const API_METHOD_KEY_CREATE: ApiMethod = ApiMethod::new(
|
|
|
|
&ApiHandler::Sync(&key_create),
|
|
|
|
&ObjectSchema::new(
|
|
|
|
"Create a new encryption key.",
|
2019-11-21 12:10:49 +00:00
|
|
|
&sorted!([
|
2019-11-21 08:36:41 +00:00
|
|
|
("path", false, &StringSchema::new("File system path.").schema()),
|
|
|
|
("kdf", true, &KDF_SCHEMA),
|
2019-11-21 12:10:49 +00:00
|
|
|
]),
|
2019-11-21 08:36:41 +00:00
|
|
|
)
|
2019-06-18 16:21:01 +00:00
|
|
|
);
|
2019-12-06 12:35:59 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let key_create_cmd_def = CliCommand::new(&API_METHOD_KEY_CREATE)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["path"])
|
2019-06-18 15:38:50 +00:00
|
|
|
.completion_cb("path", tools::complete_file_name);
|
2019-06-17 08:33:24 +00:00
|
|
|
|
2019-11-21 12:10:49 +00:00
|
|
|
#[sortable]
|
2019-11-21 08:36:41 +00:00
|
|
|
const API_METHOD_KEY_CHANGE_PASSPHRASE: ApiMethod = ApiMethod::new(
|
|
|
|
&ApiHandler::Sync(&key_change_passphrase),
|
|
|
|
&ObjectSchema::new(
|
|
|
|
"Change the passphrase required to decrypt the key.",
|
2019-11-21 12:10:49 +00:00
|
|
|
&sorted!([
|
2019-11-21 08:36:41 +00:00
|
|
|
("path", false, &StringSchema::new("File system path.").schema()),
|
|
|
|
("kdf", true, &KDF_SCHEMA),
|
2019-11-21 12:10:49 +00:00
|
|
|
]),
|
2019-11-21 08:36:41 +00:00
|
|
|
)
|
|
|
|
);
|
2019-12-06 12:35:59 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let key_change_passphrase_cmd_def = CliCommand::new(&API_METHOD_KEY_CHANGE_PASSPHRASE)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["path"])
|
2019-06-18 15:38:50 +00:00
|
|
|
.completion_cb("path", tools::complete_file_name);
|
2019-06-17 11:10:00 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
const API_METHOD_KEY_CREATE_MASTER_KEY: ApiMethod = ApiMethod::new(
|
|
|
|
&ApiHandler::Sync(&key_create_master_key),
|
|
|
|
&ObjectSchema::new("Create a new 4096 bit RSA master pub/priv key pair.", &[])
|
|
|
|
);
|
2019-12-06 12:35:59 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let key_create_master_key_cmd_def = CliCommand::new(&API_METHOD_KEY_CREATE_MASTER_KEY);
|
|
|
|
|
2019-11-21 12:10:49 +00:00
|
|
|
#[sortable]
|
2019-11-21 08:36:41 +00:00
|
|
|
const API_METHOD_KEY_IMPORT_MASTER_PUBKEY: ApiMethod = ApiMethod::new(
|
|
|
|
&ApiHandler::Sync(&key_import_master_pubkey),
|
|
|
|
&ObjectSchema::new(
|
|
|
|
"Import a new RSA public key and use it as master key. The key is expected to be in '.pem' format.",
|
2019-11-21 12:10:49 +00:00
|
|
|
&sorted!([ ("path", false, &StringSchema::new("File system path.").schema()) ]),
|
2019-11-21 08:36:41 +00:00
|
|
|
)
|
|
|
|
);
|
2019-12-06 12:35:59 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let key_import_master_pubkey_cmd_def = CliCommand::new(&API_METHOD_KEY_IMPORT_MASTER_PUBKEY)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["path"])
|
2019-06-21 05:34:17 +00:00
|
|
|
.completion_cb("path", tools::complete_file_name);
|
|
|
|
|
2019-10-25 16:04:37 +00:00
|
|
|
CliCommandMap::new()
|
2019-12-09 16:40:34 +00:00
|
|
|
.insert("create", key_create_cmd_def)
|
|
|
|
.insert("create-master-key", key_create_master_key_cmd_def)
|
|
|
|
.insert("import-master-pubkey", key_import_master_pubkey_cmd_def)
|
|
|
|
.insert("change-passphrase", key_change_passphrase_cmd_def)
|
2019-06-17 08:33:24 +00:00
|
|
|
}
|
|
|
|
|
2019-09-19 14:33:09 +00:00
|
|
|
|
2020-03-23 14:03:18 +00:00
|
|
|
use proxmox_backup::client::RemoteChunkReader;
|
|
|
|
/// This is a workaround until we have cleaned up the chunk/reader/... infrastructure for better
|
|
|
|
/// async use!
|
|
|
|
///
|
|
|
|
/// Ideally BufferedDynamicReader gets replaced so the LruCache maps to `BroadcastFuture<Chunk>`,
|
|
|
|
/// so that we can properly access it from multiple threads simultaneously while not issuing
|
|
|
|
/// duplicate simultaneous reads over http.
|
2020-07-02 15:49:08 +00:00
|
|
|
pub struct BufferedDynamicReadAt {
|
2020-03-23 14:03:18 +00:00
|
|
|
inner: Mutex<BufferedDynamicReader<RemoteChunkReader>>,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl BufferedDynamicReadAt {
|
|
|
|
fn new(inner: BufferedDynamicReader<RemoteChunkReader>) -> Self {
|
|
|
|
Self {
|
|
|
|
inner: Mutex::new(inner),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2020-06-24 09:57:12 +00:00
|
|
|
impl ReadAt for BufferedDynamicReadAt {
|
|
|
|
fn start_read_at<'a>(
|
|
|
|
self: Pin<&'a Self>,
|
2020-03-23 14:03:18 +00:00
|
|
|
_cx: &mut Context,
|
2020-06-24 09:57:12 +00:00
|
|
|
buf: &'a mut [u8],
|
2020-03-23 14:03:18 +00:00
|
|
|
offset: u64,
|
2020-06-24 09:57:12 +00:00
|
|
|
) -> MaybeReady<io::Result<usize>, ReadAtOperation<'a>> {
|
2020-03-23 14:03:18 +00:00
|
|
|
use std::io::Read;
|
2020-06-24 09:57:12 +00:00
|
|
|
MaybeReady::Ready(tokio::task::block_in_place(move || {
|
2020-03-23 14:03:18 +00:00
|
|
|
let mut reader = self.inner.lock().unwrap();
|
|
|
|
reader.seek(SeekFrom::Start(offset))?;
|
2020-06-24 09:57:12 +00:00
|
|
|
Ok(reader.read(buf)?)
|
|
|
|
}))
|
|
|
|
}
|
|
|
|
|
|
|
|
fn poll_complete<'a>(
|
|
|
|
self: Pin<&'a Self>,
|
|
|
|
_op: ReadAtOperation<'a>,
|
|
|
|
) -> MaybeReady<io::Result<usize>, ReadAtOperation<'a>> {
|
|
|
|
panic!("LocalDynamicReadAt::start_read_at returned Pending");
|
2020-03-23 14:03:18 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-09-19 14:33:09 +00:00
|
|
|
|
2019-12-16 10:24:42 +00:00
|
|
|
#[api(
|
|
|
|
input: {
|
|
|
|
properties: {
|
|
|
|
"snapshot": {
|
|
|
|
type: String,
|
|
|
|
description: "Group/Snapshot path.",
|
|
|
|
},
|
|
|
|
"archive-name": {
|
|
|
|
type: String,
|
|
|
|
description: "Backup archive name.",
|
|
|
|
},
|
|
|
|
"repository": {
|
|
|
|
optional: true,
|
|
|
|
schema: REPO_URL_SCHEMA,
|
|
|
|
},
|
|
|
|
"keyfile": {
|
|
|
|
optional: true,
|
|
|
|
type: String,
|
|
|
|
description: "Path to encryption key.",
|
|
|
|
},
|
|
|
|
},
|
|
|
|
},
|
|
|
|
)]
|
|
|
|
/// Shell to interactively inspect and restore snapshots.
|
|
|
|
async fn catalog_shell(param: Value) -> Result<(), Error> {
|
2019-11-21 14:00:01 +00:00
|
|
|
let repo = extract_repository_from_value(¶m)?;
|
2020-01-25 11:18:00 +00:00
|
|
|
let client = connect(repo.host(), repo.user())?;
|
2019-11-21 14:00:01 +00:00
|
|
|
let path = tools::required_string_param(¶m, "snapshot")?;
|
|
|
|
let archive_name = tools::required_string_param(¶m, "archive-name")?;
|
|
|
|
|
|
|
|
let (backup_type, backup_id, backup_time) = if path.matches('/').count() == 1 {
|
2020-06-23 06:16:56 +00:00
|
|
|
let group: BackupGroup = path.parse()?;
|
2020-01-07 14:18:36 +00:00
|
|
|
api_datastore_latest_snapshot(&client, repo.store(), group).await?
|
2019-11-21 14:00:01 +00:00
|
|
|
} else {
|
2020-06-23 06:09:52 +00:00
|
|
|
let snapshot: BackupDir = path.parse()?;
|
2019-11-21 14:00:01 +00:00
|
|
|
(snapshot.group().backup_type().to_owned(), snapshot.group().backup_id().to_owned(), snapshot.backup_time())
|
|
|
|
};
|
|
|
|
|
|
|
|
let keyfile = param["keyfile"].as_str().map(|p| PathBuf::from(p));
|
|
|
|
let crypt_config = match keyfile {
|
|
|
|
None => None,
|
|
|
|
Some(path) => {
|
2020-01-10 14:04:31 +00:00
|
|
|
let (key, _) = load_and_decrypt_key(&path, &get_encryption_key_password)?;
|
2019-11-21 14:00:01 +00:00
|
|
|
Some(Arc::new(CryptConfig::new(key)?))
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
let server_archive_name = if archive_name.ends_with(".pxar") {
|
|
|
|
format!("{}.didx", archive_name)
|
|
|
|
} else {
|
|
|
|
bail!("Can only mount pxar archives.");
|
|
|
|
};
|
|
|
|
|
|
|
|
let client = BackupReader::start(
|
|
|
|
client,
|
|
|
|
crypt_config.clone(),
|
|
|
|
repo.store(),
|
|
|
|
&backup_type,
|
|
|
|
&backup_id,
|
|
|
|
backup_time,
|
|
|
|
true,
|
|
|
|
).await?;
|
|
|
|
|
2020-06-12 09:46:42 +00:00
|
|
|
let mut tmpfile = std::fs::OpenOptions::new()
|
2019-11-21 14:00:01 +00:00
|
|
|
.write(true)
|
|
|
|
.read(true)
|
|
|
|
.custom_flags(libc::O_TMPFILE)
|
|
|
|
.open("/tmp")?;
|
|
|
|
|
|
|
|
let manifest = client.download_manifest().await?;
|
|
|
|
|
|
|
|
let index = client.download_dynamic_index(&manifest, &server_archive_name).await?;
|
|
|
|
let most_used = index.find_most_used_chunks(8);
|
|
|
|
let chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config.clone(), most_used);
|
|
|
|
let reader = BufferedDynamicReader::new(index, chunk_reader);
|
2020-03-23 14:03:18 +00:00
|
|
|
let archive_size = reader.archive_size();
|
|
|
|
let reader: proxmox_backup::pxar::fuse::Reader =
|
|
|
|
Arc::new(BufferedDynamicReadAt::new(reader));
|
|
|
|
let decoder = proxmox_backup::pxar::fuse::Accessor::new(reader, archive_size).await?;
|
2019-11-21 14:00:01 +00:00
|
|
|
|
2020-06-12 09:46:42 +00:00
|
|
|
client.download(CATALOG_NAME, &mut tmpfile).await?;
|
2019-11-21 14:00:01 +00:00
|
|
|
let index = DynamicIndexReader::new(tmpfile)
|
|
|
|
.map_err(|err| format_err!("unable to read catalog index - {}", err))?;
|
|
|
|
|
|
|
|
// Note: do not use values stored in index (not trusted) - instead, computed them again
|
|
|
|
let (csum, size) = index.compute_csum();
|
|
|
|
manifest.verify_file(CATALOG_NAME, &csum, size)?;
|
|
|
|
|
|
|
|
let most_used = index.find_most_used_chunks(8);
|
|
|
|
let chunk_reader = RemoteChunkReader::new(client.clone(), crypt_config, most_used);
|
|
|
|
let mut reader = BufferedDynamicReader::new(index, chunk_reader);
|
|
|
|
let mut catalogfile = std::fs::OpenOptions::new()
|
|
|
|
.write(true)
|
|
|
|
.read(true)
|
|
|
|
.custom_flags(libc::O_TMPFILE)
|
|
|
|
.open("/tmp")?;
|
|
|
|
|
|
|
|
std::io::copy(&mut reader, &mut catalogfile)
|
|
|
|
.map_err(|err| format_err!("unable to download catalog - {}", err))?;
|
|
|
|
|
|
|
|
catalogfile.seek(SeekFrom::Start(0))?;
|
|
|
|
let catalog_reader = CatalogReader::new(catalogfile);
|
|
|
|
let state = Shell::new(
|
|
|
|
catalog_reader,
|
|
|
|
&server_archive_name,
|
|
|
|
decoder,
|
2020-03-23 14:03:18 +00:00
|
|
|
).await?;
|
2019-11-21 14:00:01 +00:00
|
|
|
|
|
|
|
println!("Starting interactive shell");
|
2020-03-23 14:03:18 +00:00
|
|
|
state.shell().await?;
|
2019-11-21 14:00:01 +00:00
|
|
|
|
|
|
|
record_repository(&repo);
|
|
|
|
|
2019-12-16 10:24:42 +00:00
|
|
|
Ok(())
|
2019-11-21 14:00:01 +00:00
|
|
|
}
|
|
|
|
|
2019-12-09 12:07:25 +00:00
|
|
|
fn catalog_mgmt_cli() -> CliCommandMap {
|
2019-12-16 10:24:42 +00:00
|
|
|
let catalog_shell_cmd_def = CliCommand::new(&API_METHOD_CATALOG_SHELL)
|
2019-12-09 12:07:25 +00:00
|
|
|
.arg_param(&["snapshot", "archive-name"])
|
|
|
|
.completion_cb("repository", complete_repository)
|
2019-12-09 12:14:32 +00:00
|
|
|
.completion_cb("archive-name", complete_pxar_archive_name)
|
2019-12-09 12:07:25 +00:00
|
|
|
.completion_cb("snapshot", complete_group_or_snapshot);
|
|
|
|
|
|
|
|
let catalog_dump_cmd_def = CliCommand::new(&API_METHOD_DUMP_CATALOG)
|
|
|
|
.arg_param(&["snapshot"])
|
|
|
|
.completion_cb("repository", complete_repository)
|
|
|
|
.completion_cb("snapshot", complete_backup_snapshot);
|
|
|
|
|
|
|
|
CliCommandMap::new()
|
2019-12-09 16:40:34 +00:00
|
|
|
.insert("dump", catalog_dump_cmd_def)
|
|
|
|
.insert("shell", catalog_shell_cmd_def)
|
2019-12-09 12:07:25 +00:00
|
|
|
}
|
|
|
|
|
2019-06-17 08:33:24 +00:00
|
|
|
fn main() {
|
2019-02-13 11:30:52 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let backup_cmd_def = CliCommand::new(&API_METHOD_CREATE_BACKUP)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["backupspec"])
|
2019-03-13 08:47:12 +00:00
|
|
|
.completion_cb("repository", complete_repository)
|
2019-03-13 11:26:01 +00:00
|
|
|
.completion_cb("backupspec", complete_backup_source)
|
2019-06-19 15:16:41 +00:00
|
|
|
.completion_cb("keyfile", tools::complete_file_name)
|
2019-03-13 11:26:01 +00:00
|
|
|
.completion_cb("chunk-size", complete_chunk_size);
|
2018-12-15 10:24:39 +00:00
|
|
|
|
2020-07-02 12:00:32 +00:00
|
|
|
let benchmark_cmd_def = CliCommand::new(&API_METHOD_BENCHMARK)
|
|
|
|
.completion_cb("repository", complete_repository)
|
|
|
|
.completion_cb("keyfile", tools::complete_file_name);
|
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let upload_log_cmd_def = CliCommand::new(&API_METHOD_UPLOAD_LOG)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["snapshot", "logfile"])
|
2019-08-09 08:08:45 +00:00
|
|
|
.completion_cb("snapshot", complete_backup_snapshot)
|
2019-07-25 10:18:15 +00:00
|
|
|
.completion_cb("logfile", tools::complete_file_name)
|
|
|
|
.completion_cb("keyfile", tools::complete_file_name)
|
|
|
|
.completion_cb("repository", complete_repository);
|
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let list_cmd_def = CliCommand::new(&API_METHOD_LIST_BACKUP_GROUPS)
|
2019-03-13 08:47:12 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
2019-01-21 17:58:14 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let snapshots_cmd_def = CliCommand::new(&API_METHOD_LIST_SNAPSHOTS)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["group"])
|
2019-03-13 10:56:37 +00:00
|
|
|
.completion_cb("group", complete_backup_group)
|
2019-03-13 08:47:12 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
2019-03-02 15:20:50 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let forget_cmd_def = CliCommand::new(&API_METHOD_FORGET_SNAPSHOTS)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["snapshot"])
|
2019-03-13 12:31:29 +00:00
|
|
|
.completion_cb("repository", complete_repository)
|
2019-08-09 08:08:45 +00:00
|
|
|
.completion_cb("snapshot", complete_backup_snapshot);
|
2019-03-03 10:29:00 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let garbage_collect_cmd_def = CliCommand::new(&API_METHOD_START_GARBAGE_COLLECTION)
|
2019-03-13 08:47:12 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
2019-02-20 13:10:45 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let restore_cmd_def = CliCommand::new(&API_METHOD_RESTORE)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["snapshot", "archive-name", "target"])
|
2019-03-13 12:31:29 +00:00
|
|
|
.completion_cb("repository", complete_repository)
|
2019-03-14 07:09:35 +00:00
|
|
|
.completion_cb("snapshot", complete_group_or_snapshot)
|
|
|
|
.completion_cb("archive-name", complete_archive_name)
|
|
|
|
.completion_cb("target", tools::complete_file_name);
|
2019-03-06 09:50:46 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let files_cmd_def = CliCommand::new(&API_METHOD_LIST_SNAPSHOT_FILES)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["snapshot"])
|
2019-07-31 09:23:53 +00:00
|
|
|
.completion_cb("repository", complete_repository)
|
2019-08-09 08:08:45 +00:00
|
|
|
.completion_cb("snapshot", complete_backup_snapshot);
|
2019-07-31 09:23:53 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let prune_cmd_def = CliCommand::new(&API_METHOD_PRUNE)
|
2019-11-24 10:00:53 +00:00
|
|
|
.arg_param(&["group"])
|
2019-07-27 06:49:14 +00:00
|
|
|
.completion_cb("group", complete_backup_group)
|
2019-03-13 08:47:12 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
2019-03-06 09:50:46 +00:00
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let status_cmd_def = CliCommand::new(&API_METHOD_STATUS)
|
2019-07-16 11:35:25 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let login_cmd_def = CliCommand::new(&API_METHOD_API_LOGIN)
|
2019-08-10 07:12:17 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
|
|
|
|
2019-11-21 08:36:41 +00:00
|
|
|
let logout_cmd_def = CliCommand::new(&API_METHOD_API_LOGOUT)
|
2019-08-10 07:12:17 +00:00
|
|
|
.completion_cb("repository", complete_repository);
|
2019-09-20 06:12:31 +00:00
|
|
|
|
2019-01-21 17:58:14 +00:00
|
|
|
let cmd_def = CliCommandMap::new()
|
2019-12-09 16:40:34 +00:00
|
|
|
.insert("backup", backup_cmd_def)
|
|
|
|
.insert("upload-log", upload_log_cmd_def)
|
|
|
|
.insert("forget", forget_cmd_def)
|
|
|
|
.insert("garbage-collect", garbage_collect_cmd_def)
|
|
|
|
.insert("list", list_cmd_def)
|
|
|
|
.insert("login", login_cmd_def)
|
|
|
|
.insert("logout", logout_cmd_def)
|
|
|
|
.insert("prune", prune_cmd_def)
|
|
|
|
.insert("restore", restore_cmd_def)
|
|
|
|
.insert("snapshots", snapshots_cmd_def)
|
|
|
|
.insert("files", files_cmd_def)
|
|
|
|
.insert("status", status_cmd_def)
|
|
|
|
.insert("key", key_mgmt_cli())
|
2020-07-02 15:49:08 +00:00
|
|
|
.insert("mount", mount_cmd_def())
|
2019-12-10 12:43:53 +00:00
|
|
|
.insert("catalog", catalog_mgmt_cli())
|
2020-07-02 12:00:32 +00:00
|
|
|
.insert("task", task_mgmt_cli())
|
|
|
|
.insert("benchmark", benchmark_cmd_def);
|
2019-12-09 16:40:34 +00:00
|
|
|
|
2020-05-06 05:51:05 +00:00
|
|
|
let rpcenv = CliEnvironment::new();
|
|
|
|
run_cli_command(cmd_def, rpcenv, Some(|future| {
|
2020-01-27 17:08:43 +00:00
|
|
|
proxmox_backup::tools::runtime::main(future)
|
|
|
|
}));
|
2018-12-14 07:28:56 +00:00
|
|
|
}
|