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
use async_trait::async_trait;
use aws_sdk_s3::{types::ByteStream, Client};
use bs58;
use console::style;
use futures::future::select_all;
use std::{
cmp,
collections::HashSet,
ffi::OsStr,
fs,
path::Path,
sync::{
atomic::{AtomicBool, Ordering},
Arc,
},
};
use crate::{common::*, config::*, constants::PARALLEL_LIMIT, upload::*, utils::*};
struct ObjectInfo {
asset_id: String,
file_path: String,
image_link: String,
data_type: DataType,
content_type: String,
bucket: String,
animation_link: Option<String>,
}
pub struct AWSHandler {
client: Arc<Client>,
bucket: String,
}
impl AWSHandler {
pub async fn initialize(config_data: &ConfigData) -> Result<AWSHandler> {
let shared_config = aws_config::load_from_env().await;
let client = Client::new(&shared_config);
if let Some(aws_s3_bucket) = &config_data.aws_s3_bucket {
Ok(AWSHandler {
client: Arc::new(client),
bucket: aws_s3_bucket.to_string(),
})
} else {
Err(anyhow!("Missing 'awsS3Bucket' value in config file."))
}
}
async fn send_to_aws(aws_client: Arc<Client>, info: ObjectInfo) -> Result<(String, String)> {
let data = match info.data_type {
DataType::Image => fs::read(&info.file_path)?,
DataType::Metadata => {
get_updated_metadata(&info.file_path, &info.image_link, info.animation_link)?
.into_bytes()
}
DataType::Animation => fs::read(&info.file_path)?,
};
let key = bs58::encode(&info.file_path).into_string();
aws_client
.put_object()
.bucket(info.bucket)
.key(&key)
.body(ByteStream::from(data))
.content_type(info.content_type)
.send()
.await?;
Ok((info.asset_id, key))
}
}
#[async_trait]
impl UploadHandler for AWSHandler {
async fn prepare(
&self,
_sugar_config: &SugarConfig,
_assets: &HashMap<usize, AssetPair>,
_image_indices: &[usize],
_metadata_indices: &[usize],
_animation_indices: &[usize],
) -> Result<()> {
Ok(())
}
async fn upload_data(
&self,
_sugar_config: &SugarConfig,
assets: &HashMap<usize, AssetPair>,
cache: &mut Cache,
indices: &[usize],
data_type: DataType,
interrupted: Arc<AtomicBool>,
) -> Result<Vec<UploadError>> {
let mut extension = HashSet::with_capacity(1);
let mut paths = Vec::new();
for index in indices {
let item = assets.get(index).unwrap();
let file_path = match data_type {
DataType::Image => item.image.clone(),
DataType::Metadata => item.metadata.clone(),
DataType::Animation => item.animation.clone().unwrap(),
};
let path = Path::new(&file_path);
let ext = path
.extension()
.and_then(OsStr::to_str)
.expect("Failed to convert path extension to valid unicode.");
extension.insert(String::from(ext));
paths.push(file_path);
}
let extension = if extension.len() == 1 {
extension.iter().next().unwrap()
} else {
return Err(anyhow!("Invalid file extension: {:?}", extension));
};
let content_type = match data_type {
DataType::Image => format!("image/{}", extension),
DataType::Metadata => "application/json".to_string(),
DataType::Animation => format!("video/{}", extension),
};
println!("\nSending data: (Ctrl+C to abort)");
let pb = progress_bar_with_style(paths.len() as u64);
let mut objects = Vec::new();
for file_path in paths {
let path = Path::new(&file_path);
let asset_id = String::from(
path.file_stem()
.and_then(OsStr::to_str)
.expect("Failed to get convert path file ext to valid unicode."),
);
let cache_item = match cache.items.0.get(&asset_id) {
Some(item) => item,
None => {
return Err(anyhow::anyhow!(
"Failed to get config item at index: {}",
asset_id
))
}
};
objects.push(ObjectInfo {
asset_id: asset_id.to_string(),
file_path: String::from(
path.to_str().expect("Failed to convert path from unicode."),
),
image_link: cache_item.image_link.clone(),
data_type: data_type.clone(),
content_type: content_type.clone(),
bucket: self.bucket.clone(),
animation_link: cache_item.animation_link.clone(),
});
}
let mut handles = Vec::new();
for object in objects.drain(0..cmp::min(objects.len(), PARALLEL_LIMIT)) {
let aws_client = self.client.clone();
handles.push(tokio::spawn(async move {
AWSHandler::send_to_aws(aws_client, object).await
}));
}
let mut errors = Vec::new();
while !interrupted.load(Ordering::SeqCst) && !handles.is_empty() {
match select_all(handles).await {
(Ok(res), _index, remaining) => {
handles = remaining;
if res.is_ok() {
let val = res?;
let link = format!("https://{}.s3.amazonaws.com/{}", self.bucket, val.1);
let item = cache.items.0.get_mut(&val.0).unwrap();
match data_type {
DataType::Image => item.image_link = link,
DataType::Metadata => item.metadata_link = link,
DataType::Animation => item.animation_link = Some(link),
}
pb.inc(1);
} else {
errors.push(UploadError::SendDataFailed(format!(
"AWS upload error: {:?}",
res.err().unwrap()
)));
}
}
(Err(err), _index, remaining) => {
errors.push(UploadError::SendDataFailed(format!(
"AWS upload error: {:?}",
err
)));
handles = remaining;
}
}
if !objects.is_empty() {
if (PARALLEL_LIMIT - handles.len()) > (PARALLEL_LIMIT / 2) {
cache.sync_file()?;
for object in objects.drain(0..cmp::min(objects.len(), PARALLEL_LIMIT / 2)) {
let aws_client = self.client.clone();
handles.push(tokio::spawn(async move {
AWSHandler::send_to_aws(aws_client, object).await
}));
}
}
}
}
if !errors.is_empty() {
pb.abandon_with_message(format!("{}", style("Upload failed ").red().bold()));
} else if !objects.is_empty() {
pb.abandon_with_message(format!("{}", style("Upload aborted ").red().bold()));
return Err(
UploadError::SendDataFailed("Not all files were uploaded.".to_string()).into(),
);
} else {
pb.finish_with_message(format!("{}", style("Upload successful ").green().bold()));
}
cache.sync_file()?;
Ok(errors)
}
}