proxmox-backup/src/api2/admin/datastore.rs

404 lines
11 KiB
Rust
Raw Normal View History

2018-12-21 12:38:41 +00:00
use failure::*;
use crate::tools;
2019-02-17 09:16:33 +00:00
use crate::api_schema::*;
2019-02-17 08:59:20 +00:00
use crate::api_schema::router::*;
2019-01-16 09:19:49 +00:00
//use crate::server::rest::*;
2018-12-21 12:38:41 +00:00
use serde_json::{json, Value};
use std::collections::{HashSet, HashMap};
use chrono::{DateTime, Datelike, Local};
use std::path::PathBuf;
use std::sync::Arc;
2018-12-21 12:38:41 +00:00
2019-01-16 09:19:49 +00:00
//use hyper::StatusCode;
//use hyper::rt::{Future, Stream};
2018-12-21 12:38:41 +00:00
use crate::config::datastore;
use crate::backup::*;
2018-12-21 12:38:41 +00:00
mod catar;
fn group_backups(backup_list: Vec<BackupInfo>) -> HashMap<String, Vec<BackupInfo>> {
let mut group_hash = HashMap::new();
for info in backup_list {
let group_id = info.backup_dir.group.group_path().to_str().unwrap().to_owned();
let time_list = group_hash.entry(group_id).or_insert(vec![]);
time_list.push(info);
}
group_hash
}
fn mark_selections<F: Fn(DateTime<Local>, &BackupInfo) -> String> (
mark: &mut HashSet<PathBuf>,
list: &Vec<BackupInfo>,
keep: usize,
select_id: F,
){
let mut hash = HashSet::new();
for info in list {
let local_time = info.backup_dir.backup_time.with_timezone(&Local);
if hash.len() >= keep as usize { break; }
let backup_id = info.backup_dir.relative_path();
let sel_id: String = select_id(local_time, &info);
if !hash.contains(&sel_id) {
hash.insert(sel_id);
//println!(" KEEP ID {} {}", backup_id, local_time.format("%c"));
mark.insert(backup_id);
}
}
}
fn get_group_list(
param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
let store = param["store"].as_str().unwrap();
let datastore = DataStore::lookup_datastore(store)?;
let backup_list = datastore.list_backups()?;
let group_hash = group_backups(backup_list);
let mut groups = vec![];
for (_group_id, mut list) in group_hash {
list.sort_unstable_by(|a, b| b.backup_dir.backup_time.cmp(&a.backup_dir.backup_time)); // new backups first
let info = &list[0];
let group = &info.backup_dir.group;
groups.push(json!({
"backup_type": group.backup_type,
"backup_id": group.backup_id,
"last_backup": info.backup_dir.backup_time.timestamp(),
"num_backups": list.len() as u64,
}));
}
Ok(json!(groups))
}
fn list_snapshots (
param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
let store = tools::required_string_param(&param, "store")?;
let backup_type = tools::required_string_param(&param, "backup-type")?;
let backup_id = tools::required_string_param(&param, "backup-id")?;
let group = BackupGroup {
backup_type: backup_type.to_owned(),
backup_id: backup_id.to_owned(),
};
let datastore = DataStore::lookup_datastore(store)?;
let backup_list = datastore.list_backups()?;
let mut group_hash = group_backups(backup_list);
let group_id = group.group_path().to_str().unwrap().to_owned();
let group_snapshots = match group_hash.get_mut(&group_id) {
Some(data) => {
// new backups first
data.sort_unstable_by(|a, b| b.backup_dir.backup_time.cmp(&a.backup_dir.backup_time));
data
}
None => bail!("Backup group '{}' does not exists.", group_id),
};
let mut snapshots = vec![];
for info in group_snapshots {
let group = &info.backup_dir.group;
snapshots.push(json!({
"backup-type": group.backup_type,
"backup-id": group.backup_id,
"backup-time": info.backup_dir.backup_time.timestamp(),
"files": info.files,
}));
}
Ok(json!(snapshots))
}
fn prune(
param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
let store = param["store"].as_str().unwrap();
let datastore = DataStore::lookup_datastore(store)?;
println!("Starting prune on store {}", store);
let backup_list = datastore.list_backups()?;
let group_hash = group_backups(backup_list);
for (_group_id, mut list) in group_hash {
let mut mark = HashSet::new();
list.sort_unstable_by(|a, b| b.backup_dir.backup_time.cmp(&a.backup_dir.backup_time)); // new backups first
if let Some(keep_last) = param["keep-last"].as_u64() {
list.iter().take(keep_last as usize).for_each(|info| {
mark.insert(info.backup_dir.relative_path());
});
}
if let Some(keep_daily) = param["keep-daily"].as_u64() {
mark_selections(&mut mark, &list, keep_daily as usize, |local_time, _info| {
format!("{}/{}/{}", local_time.year(), local_time.month(), local_time.day())
});
}
if let Some(keep_weekly) = param["keep-weekly"].as_u64() {
mark_selections(&mut mark, &list, keep_weekly as usize, |local_time, _info| {
format!("{}/{}", local_time.year(), local_time.iso_week().week())
});
}
if let Some(keep_monthly) = param["keep-monthly"].as_u64() {
mark_selections(&mut mark, &list, keep_monthly as usize, |local_time, _info| {
format!("{}/{}", local_time.year(), local_time.month())
});
}
if let Some(keep_yearly) = param["keep-yearly"].as_u64() {
mark_selections(&mut mark, &list, keep_yearly as usize, |local_time, _info| {
format!("{}/{}", local_time.year(), local_time.year())
});
}
let mut remove_list: Vec<&BackupInfo> = list.iter()
.filter(|info| !mark.contains(&info.backup_dir.relative_path())).collect();
remove_list.sort_unstable_by(|a, b| a.backup_dir.backup_time.cmp(&b.backup_dir.backup_time)); // oldest backups first
for info in remove_list {
datastore.remove_backup_dir(&info.backup_dir)?;
}
}
Ok(json!(null))
}
pub fn add_common_prune_prameters(schema: ObjectSchema) -> ObjectSchema {
schema
.optional(
"keep-last",
IntegerSchema::new("Number of backups to keep.")
.minimum(1)
)
.optional(
"keep-daily",
IntegerSchema::new("Number of daily backups to keep.")
.minimum(1)
)
.optional(
"keep-weekly",
IntegerSchema::new("Number of weekly backups to keep.")
.minimum(1)
)
.optional(
"keep-monthly",
IntegerSchema::new("Number of monthly backups to keep.")
.minimum(1)
)
.optional(
"keep-yearly",
IntegerSchema::new("Number of yearly backups to keep.")
.minimum(1)
)
}
fn api_method_prune() -> ApiMethod {
ApiMethod::new(
prune,
add_common_prune_prameters(
ObjectSchema::new("Prune the datastore.")
.required(
"store",
StringSchema::new("Datastore name.")
)
)
)
}
2018-12-21 12:38:41 +00:00
// this is just a test for mutability/mutex handling - will remove later
fn start_garbage_collection(
param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
2018-12-21 12:38:41 +00:00
let store = param["store"].as_str().unwrap();
2018-12-21 12:38:41 +00:00
let datastore = DataStore::lookup_datastore(store)?;
2018-12-21 12:38:41 +00:00
println!("Starting garbage collection on store {}", store);
2018-12-21 12:38:41 +00:00
datastore.garbage_collection()?;
Ok(json!(null))
}
pub fn api_method_start_garbage_collection() -> ApiMethod {
ApiMethod::new(
start_garbage_collection,
ObjectSchema::new("Start garbage collection.")
.required("store", StringSchema::new("Datastore name."))
)
}
fn garbage_collection_status(
param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
let store = param["store"].as_str().unwrap();
println!("Garbage collection status on store {}", store);
Ok(json!(null))
}
pub fn api_method_garbage_collection_status() -> ApiMethod {
ApiMethod::new(
garbage_collection_status,
ObjectSchema::new("Garbage collection status.")
.required("store", StringSchema::new("Datastore name."))
)
}
fn get_backup_list(
param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
2019-01-30 17:25:37 +00:00
//let config = datastore::config()?;
let store = param["store"].as_str().unwrap();
let datastore = DataStore::lookup_datastore(store)?;
let mut list = vec![];
for info in datastore.list_backups()? {
list.push(json!({
"backup_type": info.backup_dir.group.backup_type,
"backup_id": info.backup_dir.group.backup_id,
"backup_time": info.backup_dir.backup_time.timestamp(),
"files": info.files,
}));
}
let result = json!(list);
Ok(result)
}
fn get_datastore_list(
_param: Value,
_info: &ApiMethod,
_rpcenv: &mut RpcEnvironment,
) -> Result<Value, Error> {
2018-12-21 12:38:41 +00:00
let config = datastore::config()?;
Ok(config.convert_to_array("store"))
2018-12-21 12:38:41 +00:00
}
2018-12-21 12:38:41 +00:00
pub fn router() -> Router {
let store_schema: Arc<Schema> = Arc::new(
StringSchema::new("Datastore name.").into()
);
2018-12-21 12:38:41 +00:00
let datastore_info = Router::new()
.get(ApiMethod::new(
|_,_,_| Ok(json!([
{"subdir": "backups" },
{"subdir": "catar" },
{"subdir": "gc" },
{"subdir": "groups" },
{"subdir": "snapshots" },
{"subdir": "status" },
{"subdir": "prune" },
])),
2018-12-21 12:38:41 +00:00
ObjectSchema::new("Directory index.")
.required("store", store_schema.clone()))
2018-12-21 12:38:41 +00:00
)
.subdir(
"backups",
Router::new()
.get(ApiMethod::new(
get_backup_list,
ObjectSchema::new("List backups.")
.required("store", store_schema.clone()))))
.subdir(
"catar",
Router::new()
.download(catar::api_method_download_catar())
.upload(catar::api_method_upload_catar()))
2018-12-21 12:38:41 +00:00
.subdir(
"gc",
Router::new()
.get(api_method_garbage_collection_status())
.post(api_method_start_garbage_collection()))
.subdir(
"groups",
Router::new()
.get(ApiMethod::new(
get_group_list,
ObjectSchema::new("List backup groups.")
.required("store", store_schema.clone()))))
.subdir(
"snapshots",
Router::new()
.get(ApiMethod::new(
list_snapshots,
ObjectSchema::new("List backup groups.")
.required("store", store_schema.clone())
.required("backup-type", StringSchema::new("Backup type."))
.required("backup-id", StringSchema::new("Backup ID.")))))
.subdir(
"prune",
Router::new()
.post(api_method_prune()));
2018-12-21 12:38:41 +00:00
let route = Router::new()
.get(ApiMethod::new(
get_datastore_list,
ObjectSchema::new("Directory index.")))
.match_all("store", datastore_info);
2018-12-21 12:38:41 +00:00
route
}