1use std::fmt::Debug;
19use std::fmt::Formatter;
20use std::sync::Arc;
21
22use bytes::Buf;
23use http::Response;
24use http::StatusCode;
25use log::debug;
26
27use super::core::*;
28use super::delete::PcloudDeleter;
29use super::error::parse_error;
30use super::error::PcloudError;
31use super::lister::PcloudLister;
32use super::writer::PcloudWriter;
33use super::writer::PcloudWriters;
34use crate::raw::*;
35use crate::services::PcloudConfig;
36use crate::*;
37
38impl Configurator for PcloudConfig {
39 type Builder = PcloudBuilder;
40
41 #[allow(deprecated)]
42 fn into_builder(self) -> Self::Builder {
43 PcloudBuilder {
44 config: self,
45 http_client: None,
46 }
47 }
48}
49
50#[doc = include_str!("docs.md")]
52#[derive(Default)]
53pub struct PcloudBuilder {
54 config: PcloudConfig,
55
56 #[deprecated(since = "0.53.0", note = "Use `Operator::update_http_client` instead")]
57 http_client: Option<HttpClient>,
58}
59
60impl Debug for PcloudBuilder {
61 fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
62 let mut d = f.debug_struct("PcloudBuilder");
63
64 d.field("config", &self.config);
65 d.finish_non_exhaustive()
66 }
67}
68
69impl PcloudBuilder {
70 pub fn root(mut self, root: &str) -> Self {
74 self.config.root = if root.is_empty() {
75 None
76 } else {
77 Some(root.to_string())
78 };
79
80 self
81 }
82
83 pub fn endpoint(mut self, endpoint: &str) -> Self {
89 self.config.endpoint = endpoint.to_string();
90
91 self
92 }
93
94 pub fn username(mut self, username: &str) -> Self {
98 self.config.username = if username.is_empty() {
99 None
100 } else {
101 Some(username.to_string())
102 };
103
104 self
105 }
106
107 pub fn password(mut self, password: &str) -> Self {
111 self.config.password = if password.is_empty() {
112 None
113 } else {
114 Some(password.to_string())
115 };
116
117 self
118 }
119
120 #[deprecated(since = "0.53.0", note = "Use `Operator::update_http_client` instead")]
127 #[allow(deprecated)]
128 pub fn http_client(mut self, client: HttpClient) -> Self {
129 self.http_client = Some(client);
130 self
131 }
132}
133
134impl Builder for PcloudBuilder {
135 const SCHEME: Scheme = Scheme::Pcloud;
136 type Config = PcloudConfig;
137
138 fn build(self) -> Result<impl Access> {
140 debug!("backend build started: {:?}", &self);
141
142 let root = normalize_root(&self.config.root.clone().unwrap_or_default());
143 debug!("backend use root {}", &root);
144
145 if self.config.endpoint.is_empty() {
147 return Err(Error::new(ErrorKind::ConfigInvalid, "endpoint is empty")
148 .with_operation("Builder::build")
149 .with_context("service", Scheme::Pcloud));
150 }
151
152 debug!("backend use endpoint {}", &self.config.endpoint);
153
154 let username = match &self.config.username {
155 Some(username) => Ok(username.clone()),
156 None => Err(Error::new(ErrorKind::ConfigInvalid, "username is empty")
157 .with_operation("Builder::build")
158 .with_context("service", Scheme::Pcloud)),
159 }?;
160
161 let password = match &self.config.password {
162 Some(password) => Ok(password.clone()),
163 None => Err(Error::new(ErrorKind::ConfigInvalid, "password is empty")
164 .with_operation("Builder::build")
165 .with_context("service", Scheme::Pcloud)),
166 }?;
167
168 Ok(PcloudBackend {
169 core: Arc::new(PcloudCore {
170 info: {
171 let am = AccessorInfo::default();
172 am.set_scheme(Scheme::Pcloud)
173 .set_root(&root)
174 .set_native_capability(Capability {
175 stat: true,
176 stat_has_content_length: true,
177 stat_has_last_modified: true,
178
179 create_dir: true,
180
181 read: true,
182
183 write: true,
184
185 delete: true,
186 rename: true,
187 copy: true,
188
189 list: true,
190 list_has_content_length: true,
191 list_has_last_modified: true,
192
193 shared: true,
194
195 ..Default::default()
196 });
197
198 #[allow(deprecated)]
200 if let Some(client) = self.http_client {
201 am.update_http_client(|_| client);
202 }
203
204 am.into()
205 },
206 root,
207 endpoint: self.config.endpoint.clone(),
208 username,
209 password,
210 }),
211 })
212 }
213}
214
215#[derive(Debug, Clone)]
217pub struct PcloudBackend {
218 core: Arc<PcloudCore>,
219}
220
221impl Access for PcloudBackend {
222 type Reader = HttpBody;
223 type Writer = PcloudWriters;
224 type Lister = oio::PageLister<PcloudLister>;
225 type Deleter = oio::OneShotDeleter<PcloudDeleter>;
226 type BlockingReader = ();
227 type BlockingWriter = ();
228 type BlockingLister = ();
229 type BlockingDeleter = ();
230
231 fn info(&self) -> Arc<AccessorInfo> {
232 self.core.info.clone()
233 }
234
235 async fn create_dir(&self, path: &str, _: OpCreateDir) -> Result<RpCreateDir> {
236 self.core.ensure_dir_exists(path).await?;
237 Ok(RpCreateDir::default())
238 }
239
240 async fn stat(&self, path: &str, _args: OpStat) -> Result<RpStat> {
241 let resp = self.core.stat(path).await?;
242
243 let status = resp.status();
244
245 match status {
246 StatusCode::OK => {
247 let bs = resp.into_body();
248 let resp: StatResponse =
249 serde_json::from_reader(bs.reader()).map_err(new_json_deserialize_error)?;
250 let result = resp.result;
251 if result == 2010 || result == 2055 || result == 2002 {
252 return Err(Error::new(ErrorKind::NotFound, format!("{resp:?}")));
253 }
254 if result != 0 {
255 return Err(Error::new(ErrorKind::Unexpected, format!("{resp:?}")));
256 }
257
258 if let Some(md) = resp.metadata {
259 let md = parse_stat_metadata(md);
260 return md.map(RpStat::new);
261 }
262
263 Err(Error::new(ErrorKind::Unexpected, format!("{resp:?}")))
264 }
265 _ => Err(parse_error(resp)),
266 }
267 }
268
269 async fn read(&self, path: &str, args: OpRead) -> Result<(RpRead, Self::Reader)> {
270 let link = self.core.get_file_link(path).await?;
271
272 let resp = self.core.download(&link, args.range()).await?;
273
274 let status = resp.status();
275
276 match status {
277 StatusCode::OK | StatusCode::PARTIAL_CONTENT => {
278 Ok((RpRead::default(), resp.into_body()))
279 }
280 _ => {
281 let (part, mut body) = resp.into_parts();
282 let buf = body.to_buffer().await?;
283 Err(parse_error(Response::from_parts(part, buf)))
284 }
285 }
286 }
287
288 async fn write(&self, path: &str, _args: OpWrite) -> Result<(RpWrite, Self::Writer)> {
289 let writer = PcloudWriter::new(self.core.clone(), path.to_string());
290
291 let w = oio::OneShotWriter::new(writer);
292
293 Ok((RpWrite::default(), w))
294 }
295
296 async fn delete(&self) -> Result<(RpDelete, Self::Deleter)> {
297 Ok((
298 RpDelete::default(),
299 oio::OneShotDeleter::new(PcloudDeleter::new(self.core.clone())),
300 ))
301 }
302
303 async fn list(&self, path: &str, _args: OpList) -> Result<(RpList, Self::Lister)> {
304 let l = PcloudLister::new(self.core.clone(), path);
305 Ok((RpList::default(), oio::PageLister::new(l)))
306 }
307
308 async fn copy(&self, from: &str, to: &str, _args: OpCopy) -> Result<RpCopy> {
309 self.core.ensure_dir_exists(to).await?;
310
311 let resp = if from.ends_with('/') {
312 self.core.copy_folder(from, to).await?
313 } else {
314 self.core.copy_file(from, to).await?
315 };
316
317 let status = resp.status();
318
319 match status {
320 StatusCode::OK => {
321 let bs = resp.into_body();
322 let resp: PcloudError =
323 serde_json::from_reader(bs.reader()).map_err(new_json_deserialize_error)?;
324 let result = resp.result;
325 if result == 2009 || result == 2010 || result == 2055 || result == 2002 {
326 return Err(Error::new(ErrorKind::NotFound, format!("{resp:?}")));
327 }
328 if result != 0 {
329 return Err(Error::new(ErrorKind::Unexpected, format!("{resp:?}")));
330 }
331
332 Ok(RpCopy::default())
333 }
334 _ => Err(parse_error(resp)),
335 }
336 }
337
338 async fn rename(&self, from: &str, to: &str, _args: OpRename) -> Result<RpRename> {
339 self.core.ensure_dir_exists(to).await?;
340
341 let resp = if from.ends_with('/') {
342 self.core.rename_folder(from, to).await?
343 } else {
344 self.core.rename_file(from, to).await?
345 };
346
347 let status = resp.status();
348
349 match status {
350 StatusCode::OK => {
351 let bs = resp.into_body();
352 let resp: PcloudError =
353 serde_json::from_reader(bs.reader()).map_err(new_json_deserialize_error)?;
354 let result = resp.result;
355 if result == 2009 || result == 2010 || result == 2055 || result == 2002 {
356 return Err(Error::new(ErrorKind::NotFound, format!("{resp:?}")));
357 }
358 if result != 0 {
359 return Err(Error::new(ErrorKind::Unexpected, format!("{resp:?}")));
360 }
361
362 Ok(RpRename::default())
363 }
364 _ => Err(parse_error(resp)),
365 }
366 }
367}