fix: missing URL encoding for object names (#86)

URL encoding for S3 API requires that we do not encode '/' in addition
to the standard characters (`_-~.` and alphanumerics).

Also fixes a bug in error response parsing (bucket name was not parsed
correctly).

Also adds another put-object example accepting CLI args.
This commit is contained in:
Aditya Manthramurthy 2024-04-26 10:06:27 -07:00 committed by GitHub
parent d5a648f03c
commit 43af36441a
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
5 changed files with 93 additions and 3 deletions

View File

@ -50,6 +50,7 @@ features = ["native-tls", "blocking", "rustls-tls", "stream"]
[dev-dependencies]
async-std = { version = "1.12.0", features = ["attributes", "tokio1"] }
clap = { version = "4.5.4", features = ["derive"] }
quickcheck = "1.0.3"
[[example]]

77
examples/put-object.rs Normal file
View File

@ -0,0 +1,77 @@
// MinIO Rust Library for Amazon S3 Compatible Cloud Storage
// Copyright 2024 MinIO, Inc.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
use std::path::PathBuf;
use clap::Parser;
use log::info;
use minio::s3::{
args::{BucketExistsArgs, MakeBucketArgs},
builders::ObjectContent,
client::ClientBuilder,
creds::StaticProvider,
};
/// Upload a file to the given bucket and object path on the MinIO Play server.
#[derive(Parser)]
struct Cli {
/// Bucket to upload the file to (will be created if it doesn't exist)
bucket: String,
/// Object path to upload the file to.
object: String,
/// File to upload.
file: PathBuf,
}
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error + Send + Sync>> {
let args = Cli::parse();
let static_provider = StaticProvider::new(
"Q3AM3UQ867SPQQA43P2F",
"zuf+tfteSlswRu7BJ86wekitnifILbZam1KYY3TG",
None,
);
let client = ClientBuilder::new("https://play.min.io".parse()?)
.provider(Some(Box::new(static_provider)))
.build()?;
let exists: bool = client
.bucket_exists(&BucketExistsArgs::new(&args.bucket).unwrap())
.await
.unwrap();
if !exists {
client
.make_bucket(&MakeBucketArgs::new(&args.bucket).unwrap())
.await
.unwrap();
}
let content = ObjectContent::from(args.file.as_path());
// Put an object
client
.put_object_content(&args.bucket, &args.object, content)
.send()
.await?;
info!(
"Uploaded file at {:?} to {}/{}",
args.file, args.bucket, args.object
);
Ok(())
}

View File

@ -46,7 +46,7 @@ impl ErrorResponse {
resource: get_default_text(&root, "Resource"),
request_id: get_default_text(&root, "RequestId"),
host_id: get_default_text(&root, "HostId"),
bucket_name: get_default_text(&root, "bucketName"),
bucket_name: get_default_text(&root, "BucketName"),
object_name: get_default_text(&root, "Key"),
})
}

View File

@ -26,6 +26,8 @@ use regex::Regex;
use std::fmt;
use std::str::FromStr;
use super::utils::urlencode_object_key;
const AWS_S3_PREFIX: &str = r"^(((bucket\.|accesspoint\.)vpce(-[a-z_\d]+)+\.s3\.)|([a-z_\d-]{1,63}\.)s3-control(-[a-z_\d]+)*\.|(s3(-[a-z_\d]+)*\.))";
lazy_static! {
@ -455,8 +457,7 @@ impl BaseUrl {
if !v.starts_with('/') {
path.push('/');
}
// FIXME: urlencode path
path.push_str(v);
path.push_str(&urlencode_object_key(v));
}
url.host = host;

View File

@ -150,6 +150,17 @@ pub fn from_iso8601utc(s: &str) -> Result<UtcTime, ParseError> {
))
}
const OBJECT_KEY_ENCODE_SET: &AsciiSet = &NON_ALPHANUMERIC
.remove(b'-')
.remove(b'_')
.remove(b'.')
.remove(b'~')
.remove(b'/');
pub fn urlencode_object_key(key: &str) -> String {
utf8_percent_encode(key, OBJECT_KEY_ENCODE_SET).collect()
}
pub mod aws_date_format {
use super::{from_iso8601utc, to_iso8601utc, UtcTime};
use serde::{Deserialize, Deserializer, Serializer};