use std::fmt::Debug;
use std::fmt::Formatter;
use std::sync::Arc;
use bytes::Buf;
use http::Response;
use http::StatusCode;
use log::debug;
use tokio::sync::Mutex;
use tokio::sync::OnceCell;
use super::core::File;
use super::core::KoofrCore;
use super::core::KoofrSigner;
use super::error::parse_error;
use super::lister::KoofrLister;
use super::writer::KoofrWriter;
use super::writer::KoofrWriters;
use crate::raw::*;
use crate::services::KoofrConfig;
use crate::*;
impl Configurator for KoofrConfig {
type Builder = KoofrBuilder;
fn into_builder(self) -> Self::Builder {
KoofrBuilder {
config: self,
http_client: None,
}
}
}
#[doc = include_str!("docs.md")]
#[derive(Default)]
pub struct KoofrBuilder {
config: KoofrConfig,
http_client: Option<HttpClient>,
}
impl Debug for KoofrBuilder {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
let mut d = f.debug_struct("KoofrBuilder");
d.field("config", &self.config);
d.finish_non_exhaustive()
}
}
impl KoofrBuilder {
pub fn root(mut self, root: &str) -> Self {
self.config.root = if root.is_empty() {
None
} else {
Some(root.to_string())
};
self
}
pub fn endpoint(mut self, endpoint: &str) -> Self {
self.config.endpoint = endpoint.to_string();
self
}
pub fn email(mut self, email: &str) -> Self {
self.config.email = email.to_string();
self
}
pub fn password(mut self, password: &str) -> Self {
self.config.password = if password.is_empty() {
None
} else {
Some(password.to_string())
};
self
}
pub fn http_client(mut self, client: HttpClient) -> Self {
self.http_client = Some(client);
self
}
}
impl Builder for KoofrBuilder {
const SCHEME: Scheme = Scheme::Koofr;
type Config = KoofrConfig;
fn build(self) -> Result<impl Access> {
debug!("backend build started: {:?}", &self);
let root = normalize_root(&self.config.root.clone().unwrap_or_default());
debug!("backend use root {}", &root);
if self.config.endpoint.is_empty() {
return Err(Error::new(ErrorKind::ConfigInvalid, "endpoint is empty")
.with_operation("Builder::build")
.with_context("service", Scheme::Koofr));
}
debug!("backend use endpoint {}", &self.config.endpoint);
if self.config.email.is_empty() {
return Err(Error::new(ErrorKind::ConfigInvalid, "email is empty")
.with_operation("Builder::build")
.with_context("service", Scheme::Koofr));
}
debug!("backend use email {}", &self.config.email);
let password = match &self.config.password {
Some(password) => Ok(password.clone()),
None => Err(Error::new(ErrorKind::ConfigInvalid, "password is empty")
.with_operation("Builder::build")
.with_context("service", Scheme::Koofr)),
}?;
let client = if let Some(client) = self.http_client {
client
} else {
HttpClient::new().map_err(|err| {
err.with_operation("Builder::build")
.with_context("service", Scheme::Koofr)
})?
};
let signer = Arc::new(Mutex::new(KoofrSigner::default()));
Ok(KoofrBackend {
core: Arc::new(KoofrCore {
root,
endpoint: self.config.endpoint.clone(),
email: self.config.email.clone(),
password,
mount_id: OnceCell::new(),
signer,
client,
}),
})
}
}
#[derive(Debug, Clone)]
pub struct KoofrBackend {
core: Arc<KoofrCore>,
}
impl Access for KoofrBackend {
type Reader = HttpBody;
type Writer = KoofrWriters;
type Lister = oio::PageLister<KoofrLister>;
type BlockingReader = ();
type BlockingWriter = ();
type BlockingLister = ();
fn info(&self) -> Arc<AccessorInfo> {
let mut am = AccessorInfo::default();
am.set_scheme(Scheme::Koofr)
.set_root(&self.core.root)
.set_native_capability(Capability {
stat: true,
create_dir: true,
read: true,
write: true,
write_can_empty: true,
delete: true,
rename: true,
copy: true,
list: true,
shared: true,
..Default::default()
});
am.into()
}
async fn create_dir(&self, path: &str, _: OpCreateDir) -> Result<RpCreateDir> {
self.core.ensure_dir_exists(path).await?;
self.core
.create_dir(&build_abs_path(&self.core.root, path))
.await?;
Ok(RpCreateDir::default())
}
async fn stat(&self, path: &str, _args: OpStat) -> Result<RpStat> {
let path = build_rooted_abs_path(&self.core.root, path);
let resp = self.core.info(&path).await?;
let status = resp.status();
match status {
StatusCode::OK => {
let bs = resp.into_body();
let file: File =
serde_json::from_reader(bs.reader()).map_err(new_json_deserialize_error)?;
let mode = if file.ty == "dir" {
EntryMode::DIR
} else {
EntryMode::FILE
};
let mut md = Metadata::new(mode);
md.set_content_length(file.size)
.set_content_type(&file.content_type)
.set_last_modified(parse_datetime_from_from_timestamp_millis(file.modified)?);
Ok(RpStat::new(md))
}
_ => Err(parse_error(resp)),
}
}
async fn read(&self, path: &str, args: OpRead) -> Result<(RpRead, Self::Reader)> {
let resp = self.core.get(path, args.range()).await?;
let status = resp.status();
match status {
StatusCode::OK | StatusCode::PARTIAL_CONTENT => {
Ok((RpRead::default(), resp.into_body()))
}
_ => {
let (part, mut body) = resp.into_parts();
let buf = body.to_buffer().await?;
Err(parse_error(Response::from_parts(part, buf)))
}
}
}
async fn write(&self, path: &str, _args: OpWrite) -> Result<(RpWrite, Self::Writer)> {
let writer = KoofrWriter::new(self.core.clone(), path.to_string());
let w = oio::OneShotWriter::new(writer);
Ok((RpWrite::default(), w))
}
async fn delete(&self, path: &str, _: OpDelete) -> Result<RpDelete> {
let resp = self.core.remove(path).await?;
let status = resp.status();
match status {
StatusCode::OK => Ok(RpDelete::default()),
StatusCode::NOT_FOUND => Ok(RpDelete::default()),
_ => Err(parse_error(resp)),
}
}
async fn list(&self, path: &str, _args: OpList) -> Result<(RpList, Self::Lister)> {
let l = KoofrLister::new(self.core.clone(), path);
Ok((RpList::default(), oio::PageLister::new(l)))
}
async fn copy(&self, from: &str, to: &str, _args: OpCopy) -> Result<RpCopy> {
self.core.ensure_dir_exists(to).await?;
if from == to {
return Ok(RpCopy::default());
}
let resp = self.core.remove(to).await?;
let status = resp.status();
if status != StatusCode::OK && status != StatusCode::NOT_FOUND {
return Err(parse_error(resp));
}
let resp = self.core.copy(from, to).await?;
let status = resp.status();
match status {
StatusCode::OK => Ok(RpCopy::default()),
_ => Err(parse_error(resp)),
}
}
async fn rename(&self, from: &str, to: &str, _args: OpRename) -> Result<RpRename> {
self.core.ensure_dir_exists(to).await?;
if from == to {
return Ok(RpRename::default());
}
let resp = self.core.remove(to).await?;
let status = resp.status();
if status != StatusCode::OK && status != StatusCode::NOT_FOUND {
return Err(parse_error(resp));
}
let resp = self.core.move_object(from, to).await?;
let status = resp.status();
match status {
StatusCode::OK => Ok(RpRename::default()),
_ => Err(parse_error(resp)),
}
}
}