1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
pub mod file;
pub mod utils;
#[cfg(any(feature = "s3", feature = "s3-rustls"))]
pub mod s3;
use crate::builder::StorageUrl;
use bytes::Bytes;
use futures::{stream::BoxStream, StreamExt, TryStreamExt};
use lazy_static::lazy_static;
pub use object_store::{
path::{Path, DELIMITER},
DynObjectStore, Error as ObjectStoreError, GetResult, ListResult, MultipartId, ObjectMeta,
ObjectStore, Result as ObjectStoreResult,
};
use std::ops::Range;
use std::sync::Arc;
use tokio::io::AsyncWrite;
use crate::get_storage_backend;
#[cfg(feature = "datafusion-ext")]
use datafusion::datasource::object_store::ObjectStoreUrl;
use serde::de::Error;
use serde::{Deserialize, Deserializer, Serialize, Serializer};
lazy_static! {
static ref DELTA_LOG_PATH: Path = Path::from("_delta_log");
}
pub type ObjectStoreRef = Arc<DeltaObjectStore>;
#[derive(Debug, Clone, Serialize, Deserialize)]
pub(crate) struct DeltaObjectStoreConfig {
pub(crate) storage_url: StorageUrl,
}
impl DeltaObjectStoreConfig {
pub fn new(storage_url: StorageUrl) -> Self {
Self { storage_url }
}
fn full_path(&self, location: &Path) -> ObjectStoreResult<Path> {
let path: &str = location.as_ref();
let stripped = match self.storage_url.prefix.as_ref() {
"" => path.to_string(),
p => format!("{}/{}", p, path),
};
Ok(Path::parse(stripped.trim_end_matches(DELIMITER))?)
}
fn strip_prefix(&self, path: &Path) -> Option<Path> {
let path: &str = path.as_ref();
let stripped = match self.storage_url.prefix.as_ref() {
"" => path,
p => path.strip_prefix(p)?.strip_prefix(DELIMITER)?,
};
Path::parse(stripped).ok()
}
pub fn to_uri(&self, location: &Path) -> String {
let uri = match self.storage_url.scheme() {
"file" | "" => {
#[cfg(windows)]
let os_uri = format!("{}/{}", self.storage_url.prefix, location.as_ref());
#[cfg(unix)]
let os_uri = format!("/{}/{}", self.storage_url.prefix, location.as_ref());
os_uri
}
_ => format!("{}/{}", self.storage_url.as_str(), location.as_ref()),
};
uri.trim_end_matches('/').into()
}
}
#[derive(Debug, Clone)]
pub struct DeltaObjectStore {
storage: Arc<DynObjectStore>,
config: DeltaObjectStoreConfig,
}
impl Serialize for DeltaObjectStore {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: Serializer,
{
self.config.serialize(serializer)
}
}
impl<'de> Deserialize<'de> for DeltaObjectStore {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where
D: Deserializer<'de>,
{
let config = DeltaObjectStoreConfig::deserialize(deserializer)?;
let (storage, storage_url) = get_storage_backend(
config.storage_url.as_str(),
None, Some(true), )
.map_err(|_| D::Error::missing_field("storage"))?;
let storage = Arc::new(DeltaObjectStore::new(storage_url, storage));
Ok(DeltaObjectStore { storage, config })
}
}
impl std::fmt::Display for DeltaObjectStore {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "DeltaObjectStore({})", self.config.storage_url.as_str())
}
}
impl DeltaObjectStore {
pub fn new(storage_url: StorageUrl, storage: Arc<DynObjectStore>) -> Self {
let config = DeltaObjectStoreConfig::new(storage_url);
Self { storage, config }
}
pub fn storage_backend(&self) -> Arc<DynObjectStore> {
self.storage.clone()
}
pub fn root_uri(&self) -> String {
self.config.to_uri(&Path::from(""))
}
#[cfg(feature = "datafusion-ext")]
pub(crate) fn object_store_url(&self) -> ObjectStoreUrl {
ObjectStoreUrl::parse(format!(
"delta-rs://{}",
self.config
.storage_url
.prefix
.as_ref()
.replace(DELIMITER, "-")
.replace(':', "-")
))
.expect("Invalid object store url.")
}
pub fn log_path(&self) -> &Path {
&DELTA_LOG_PATH
}
pub fn to_uri(&self, location: &Path) -> String {
self.config.to_uri(location)
}
pub async fn delete_batch(&self, paths: &[Path]) -> ObjectStoreResult<()> {
for path in paths {
match self.delete(path).await {
Ok(_) => continue,
Err(ObjectStoreError::NotFound { .. }) => continue,
Err(e) => return Err(e),
}
}
Ok(())
}
pub async fn is_delta_table_location(&self) -> ObjectStoreResult<bool> {
let mut stream = self.list(Some(self.log_path())).await?;
if let Some(res) = stream.next().await {
match res {
Ok(_) => Ok(true),
Err(ObjectStoreError::NotFound { .. }) => Ok(false),
Err(err) => Err(err),
}
} else {
Ok(false)
}
}
}
#[async_trait::async_trait]
impl ObjectStore for DeltaObjectStore {
async fn put(&self, location: &Path, bytes: Bytes) -> ObjectStoreResult<()> {
let full_path = self.config.full_path(location)?;
self.storage.put(&full_path, bytes).await
}
async fn get(&self, location: &Path) -> ObjectStoreResult<GetResult> {
let full_path = self.config.full_path(location)?;
self.storage.get(&full_path).await
}
async fn get_range(&self, location: &Path, range: Range<usize>) -> ObjectStoreResult<Bytes> {
let full_path = self.config.full_path(location)?;
object_store::ObjectStore::get_range(self.storage.as_ref(), &full_path, range).await
}
async fn head(&self, location: &Path) -> ObjectStoreResult<ObjectMeta> {
let full_path = self.config.full_path(location)?;
self.storage.head(&full_path).await.map(|meta| ObjectMeta {
last_modified: meta.last_modified,
size: meta.size,
location: self
.config
.strip_prefix(&meta.location)
.unwrap_or(meta.location),
})
}
async fn delete(&self, location: &Path) -> ObjectStoreResult<()> {
let full_path = self.config.full_path(location)?;
self.storage.delete(&full_path).await
}
async fn list(
&self,
prefix: Option<&Path>,
) -> ObjectStoreResult<BoxStream<'_, ObjectStoreResult<ObjectMeta>>> {
let prefix = prefix.and_then(|p| self.config.full_path(p).ok());
Ok(self
.storage
.list(Some(
&prefix.unwrap_or_else(|| self.config.storage_url.prefix.clone()),
))
.await?
.map_ok(|meta| ObjectMeta {
last_modified: meta.last_modified,
size: meta.size,
location: self
.config
.strip_prefix(&meta.location)
.unwrap_or(meta.location),
})
.boxed())
}
async fn list_with_delimiter(&self, prefix: Option<&Path>) -> ObjectStoreResult<ListResult> {
let prefix = prefix.and_then(|p| self.config.full_path(p).ok());
self.storage
.list_with_delimiter(Some(
&prefix.unwrap_or_else(|| self.config.storage_url.prefix.clone()),
))
.await
.map(|lst| ListResult {
common_prefixes: lst
.common_prefixes
.iter()
.map(|p| self.config.strip_prefix(p).unwrap_or_else(|| p.clone()))
.collect(),
objects: lst
.objects
.iter()
.map(|meta| ObjectMeta {
last_modified: meta.last_modified,
size: meta.size,
location: self
.config
.strip_prefix(&meta.location)
.unwrap_or_else(|| meta.location.clone()),
})
.collect(),
})
}
async fn copy(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
let full_from = self.config.full_path(from)?;
let full_to = self.config.full_path(to)?;
self.storage.copy(&full_from, &full_to).await
}
async fn copy_if_not_exists(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
let full_from = self.config.full_path(from)?;
let full_to = self.config.full_path(to)?;
self.storage.copy_if_not_exists(&full_from, &full_to).await
}
async fn rename_if_not_exists(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
let full_from = self.config.full_path(from)?;
let full_to = self.config.full_path(to)?;
self.storage
.rename_if_not_exists(&full_from, &full_to)
.await
}
async fn put_multipart(
&self,
location: &Path,
) -> ObjectStoreResult<(MultipartId, Box<dyn AsyncWrite + Unpin + Send>)> {
let full_path = self.config.full_path(location)?;
self.storage.put_multipart(&full_path).await
}
async fn abort_multipart(
&self,
location: &Path,
multipart_id: &MultipartId,
) -> ObjectStoreResult<()> {
let full_path = self.config.full_path(location)?;
self.storage.abort_multipart(&full_path, multipart_id).await
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn path_handling() {
let storage_url = StorageUrl::parse("s3://bucket").unwrap();
let file_with_delimiter = Path::from_iter(["a", "b/c", "foo.file"]);
let config = DeltaObjectStoreConfig::new(storage_url);
let added = config.full_path(&file_with_delimiter).unwrap();
assert_eq!(file_with_delimiter, added)
}
}