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
use anyhow::anyhow;
use byte_unit::Byte;
use reqwest::header::HeaderMap;
use reqwest::Response;
use shadow_drive_sdk::error::{Error, FileError};
use shadow_drive_sdk::models::ShadowDriveResult;
use solana_sdk::pubkey::Pubkey;
use solana_sdk::signature::{Signature, Signer, SignerError};
use std::io::stdin;
use std::str::FromStr;
use chrono::DateTime;
use shadow_drive_sdk::constants::SHDW_DRIVE_OBJECT_PREFIX;
pub const FILE_UPLOAD_BATCH_SIZE: usize = 5;
pub fn pubkey_arg(pubkey: &str) -> anyhow::Result<Pubkey> {
Pubkey::from_str(pubkey).map_err(|e| anyhow!("invalid pubkey: {}", e.to_string()))
}
pub struct WrappedSigner(Box<dyn Signer>);
impl WrappedSigner {
pub fn new(signer: Box<dyn Signer>) -> Self {
Self(signer)
}
}
impl Signer for WrappedSigner {
fn try_pubkey(&self) -> Result<Pubkey, SignerError> {
Ok(self.0.pubkey())
}
fn try_sign_message(&self, message: &[u8]) -> Result<Signature, SignerError> {
self.0.try_sign_message(message)
}
fn is_interactive(&self) -> bool {
self.0.is_interactive()
}
}
pub fn process_shadow_api_response<T>(response: ShadowDriveResult<T>) -> anyhow::Result<T> {
match response {
Ok(response) => Ok(response),
Err(err) => match err {
Error::ShadowDriveServerError { status, message } => {
let err = format!(
"Shadow Drive Server Error {}: {:#?}",
status,
message.to_string()
);
println!("{}", err);
Err(anyhow!("{}", err))
}
Error::FileSystemError(err) => {
let err = format!("Filesystem Error: {:#?}", err.to_string());
println!("{}", err);
Err(anyhow!("{}", err))
}
Error::FileValidationError(errs) => {
let mut err_vec = vec![];
for err in errs {
let FileError { file, error } = err;
let err = format!("File Validation Error for {}: {}", file, error);
err_vec.push(err);
}
println!("{:#?}", err_vec);
Err(anyhow!("{:#?}", err_vec))
}
e => {
println!("{:#?}", e);
Err(anyhow!("{:#?}", e))
}
},
}
}
pub fn storage_object_url(storage_account: &Pubkey, file: &str) -> String {
format!(
"{}/{}/{}",
SHDW_DRIVE_OBJECT_PREFIX,
storage_account.to_string(),
file
)
}
fn is_text_response(headers: &HeaderMap) -> anyhow::Result<bool> {
let content_type = headers
.get("content-type")
.and_then(|s| Some(s.to_str()))
.transpose()?;
Ok(content_type == Some("text/plain"))
}
pub async fn get_text(url: &String) -> anyhow::Result<Response> {
let http_client = reqwest::Client::new();
let head_resp = http_client.head(url).send().await?;
if !is_text_response(head_resp.headers())? {
return Err(anyhow!("Not a text file at url {}", url));
}
Ok(http_client.get(url).send().await?)
}
#[derive(Debug)]
pub struct FileMetadata {
pub timestamp: i64,
pub content_type: String,
pub last_modified: i64,
pub etag: String,
pub storage_account: String,
pub storage_owner: String,
}
impl FileMetadata {
pub fn from_headers(h: &HeaderMap) -> anyhow::Result<Self> {
let getter = |key| {
Ok::<_, anyhow::Error>(h.get(key)
.ok_or(anyhow!("Missing file metadata header: {}", key))?
.to_str()?
.to_string())
};
let parse_timestamp = |key| {
let timestamp = getter(key)?;
let timestamp = DateTime::parse_from_rfc2822(×tamp)?;
Ok::<_, anyhow::Error>(timestamp.timestamp())
};
let timestamp = parse_timestamp("date")?;
let last_modified = parse_timestamp("last-modified")?;
Ok(Self {
timestamp,
content_type: getter("content-type")?,
last_modified,
etag: getter("etag")?,
storage_account: getter("x-amz-meta-owner-account-pubkey")?,
storage_owner: getter("x-amz-meta-storage-account-pubkey")?,
})
}
}
pub fn last_modified(headers: &HeaderMap) -> anyhow::Result<String> {
Ok(headers
.get("last-modified")
.ok_or(anyhow!("'last modified' header not found"))?
.to_str()?
.to_string())
}
pub fn parse_filesize(size: &str) -> anyhow::Result<Byte> {
Byte::from_str(size).map_err(|e| {
anyhow!(
"invalid filesize, \
expected a number followed by KB, MB, GB:\n{}",
e.to_string()
)
})
}
pub fn wait_for_user_confirmation(skip: bool) -> anyhow::Result<()> {
if skip {
return Ok(());
}
println!("Press ENTER to continue, or CTRL+C to abort");
let mut proceed = String::new();
stdin().read_line(&mut proceed)?;
Ok(())
}