mirror of
https://github.com/seaweedfs/seaweedfs.git
synced 2025-11-08 04:46:13 +08:00
fix listing objects (#7008)
* fix listing objects * add more list testing * address comments * fix next marker * fix isTruncated in listing * fix tests * address tests * Update s3api_object_handlers_multipart.go * fixes * store json into bucket content, for tagging and cors * switch bucket metadata from json to proto * fix * Update s3api_bucket_config.go * fix test issue * fix test_bucket_listv2_delimiter_prefix * Update cors.go * skip special characters * passing listing * fix test_bucket_list_delimiter_prefix * ok. fix the xsd generated go code now * fix cors tests * fix test * fix test_bucket_list_unordered and test_bucket_listv2_unordered do not accept the allow-unordered and delimiter parameter combination * fix test_bucket_list_objects_anonymous and test_bucket_listv2_objects_anonymous The tests test_bucket_list_objects_anonymous and test_bucket_listv2_objects_anonymous were failing because they try to set bucket ACL to public-read, but SeaweedFS only supported private ACL. Updated PutBucketAclHandler to use the existing ExtractAcl function which already supports all standard S3 canned ACLs Replaced the hardcoded check for only private ACL with proper ACL parsing that handles public-read, public-read-write, authenticated-read, bucket-owner-read, bucket-owner-full-control, etc. Added unit tests to verify all standard canned ACLs are accepted * fix list unordered The test is expecting the error code to be InvalidArgument instead of InvalidRequest * allow anonymous listing( and head, get) * fix test_bucket_list_maxkeys_invalid Invalid values: max-keys=blah → Returns ErrInvalidMaxKeys (HTTP 400) * updating IsPublicRead when parsing acl * more logs * CORS Test Fix * fix test_bucket_list_return_data * default to private * fix test_bucket_list_delimiter_not_skip_special * default no acl * add debug logging * more logs * use basic http client remove logs also * fixes * debug * Update stats.go * debugging * fix anonymous test expectation anonymous user can read, as configured in s3 json.
This commit is contained in:
169
test/s3/basic/delimiter_test.go
Normal file
169
test/s3/basic/delimiter_test.go
Normal file
@@ -0,0 +1,169 @@
|
||||
package basic
|
||||
|
||||
import (
|
||||
"fmt"
|
||||
"math/rand"
|
||||
"strings"
|
||||
"testing"
|
||||
"time"
|
||||
|
||||
"github.com/aws/aws-sdk-go/aws"
|
||||
"github.com/aws/aws-sdk-go/service/s3"
|
||||
"github.com/stretchr/testify/assert"
|
||||
"github.com/stretchr/testify/require"
|
||||
)
|
||||
|
||||
// TestS3ListDelimiterWithDirectoryKeyObjects tests the specific scenario from
|
||||
// test_bucket_list_delimiter_not_skip_special where directory key objects
|
||||
// should be properly grouped into common prefixes when using delimiters
|
||||
func TestS3ListDelimiterWithDirectoryKeyObjects(t *testing.T) {
|
||||
bucketName := fmt.Sprintf("test-delimiter-dir-key-%d", rand.Int31())
|
||||
|
||||
// Create bucket
|
||||
_, err := svc.CreateBucket(&s3.CreateBucketInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
require.NoError(t, err)
|
||||
defer cleanupBucket(t, bucketName)
|
||||
|
||||
// Create objects matching the failing test scenario:
|
||||
// ['0/'] + ['0/1000', '0/1001', '0/1002'] + ['1999', '1999#', '1999+', '2000']
|
||||
objects := []string{
|
||||
"0/", // Directory key object
|
||||
"0/1000", // Objects under 0/ prefix
|
||||
"0/1001",
|
||||
"0/1002",
|
||||
"1999", // Objects without delimiter
|
||||
"1999#",
|
||||
"1999+",
|
||||
"2000",
|
||||
}
|
||||
|
||||
// Create all objects
|
||||
for _, key := range objects {
|
||||
_, err := svc.PutObject(&s3.PutObjectInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
Key: aws.String(key),
|
||||
Body: strings.NewReader(fmt.Sprintf("content for %s", key)),
|
||||
})
|
||||
require.NoError(t, err, "Failed to create object %s", key)
|
||||
}
|
||||
|
||||
// Test with delimiter='/'
|
||||
resp, err := svc.ListObjects(&s3.ListObjectsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
Delimiter: aws.String("/"),
|
||||
})
|
||||
require.NoError(t, err)
|
||||
|
||||
// Extract keys and prefixes
|
||||
var keys []string
|
||||
for _, content := range resp.Contents {
|
||||
keys = append(keys, *content.Key)
|
||||
}
|
||||
|
||||
var prefixes []string
|
||||
for _, prefix := range resp.CommonPrefixes {
|
||||
prefixes = append(prefixes, *prefix.Prefix)
|
||||
}
|
||||
|
||||
// Expected results:
|
||||
// Keys should be: ['1999', '1999#', '1999+', '2000'] (objects without delimiters)
|
||||
// Prefixes should be: ['0/'] (grouping '0/' and all '0/xxxx' objects)
|
||||
|
||||
expectedKeys := []string{"1999", "1999#", "1999+", "2000"}
|
||||
expectedPrefixes := []string{"0/"}
|
||||
|
||||
t.Logf("Actual keys: %v", keys)
|
||||
t.Logf("Actual prefixes: %v", prefixes)
|
||||
|
||||
assert.ElementsMatch(t, expectedKeys, keys, "Keys should only include objects without delimiters")
|
||||
assert.ElementsMatch(t, expectedPrefixes, prefixes, "CommonPrefixes should group directory key object with other objects sharing prefix")
|
||||
|
||||
// Additional validation
|
||||
assert.Equal(t, "/", *resp.Delimiter, "Delimiter should be set correctly")
|
||||
assert.Contains(t, prefixes, "0/", "Directory key object '0/' should be grouped into common prefix '0/'")
|
||||
assert.NotContains(t, keys, "0/", "Directory key object '0/' should NOT appear as individual key when delimiter is used")
|
||||
|
||||
// Verify none of the '0/xxxx' objects appear as individual keys
|
||||
for _, key := range keys {
|
||||
assert.False(t, strings.HasPrefix(key, "0/"), "No object with '0/' prefix should appear as individual key, found: %s", key)
|
||||
}
|
||||
}
|
||||
|
||||
// TestS3ListWithoutDelimiter tests that directory key objects appear as individual keys when no delimiter is used
|
||||
func TestS3ListWithoutDelimiter(t *testing.T) {
|
||||
bucketName := fmt.Sprintf("test-no-delimiter-%d", rand.Int31())
|
||||
|
||||
// Create bucket
|
||||
_, err := svc.CreateBucket(&s3.CreateBucketInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
require.NoError(t, err)
|
||||
defer cleanupBucket(t, bucketName)
|
||||
|
||||
// Create objects
|
||||
objects := []string{"0/", "0/1000", "1999"}
|
||||
|
||||
for _, key := range objects {
|
||||
_, err := svc.PutObject(&s3.PutObjectInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
Key: aws.String(key),
|
||||
Body: strings.NewReader(fmt.Sprintf("content for %s", key)),
|
||||
})
|
||||
require.NoError(t, err)
|
||||
}
|
||||
|
||||
// Test without delimiter
|
||||
resp, err := svc.ListObjects(&s3.ListObjectsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
// No delimiter specified
|
||||
})
|
||||
require.NoError(t, err)
|
||||
|
||||
// Extract keys
|
||||
var keys []string
|
||||
for _, content := range resp.Contents {
|
||||
keys = append(keys, *content.Key)
|
||||
}
|
||||
|
||||
// When no delimiter is used, all objects should be returned as individual keys
|
||||
expectedKeys := []string{"0/", "0/1000", "1999"}
|
||||
assert.ElementsMatch(t, expectedKeys, keys, "All objects should be individual keys when no delimiter is used")
|
||||
|
||||
// No common prefixes should be present
|
||||
assert.Empty(t, resp.CommonPrefixes, "No common prefixes should be present when no delimiter is used")
|
||||
assert.Contains(t, keys, "0/", "Directory key object '0/' should appear as individual key when no delimiter is used")
|
||||
}
|
||||
|
||||
func cleanupBucket(t *testing.T, bucketName string) {
|
||||
// Delete all objects
|
||||
resp, err := svc.ListObjects(&s3.ListObjectsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
if err != nil {
|
||||
t.Logf("Failed to list objects for cleanup: %v", err)
|
||||
return
|
||||
}
|
||||
|
||||
for _, obj := range resp.Contents {
|
||||
_, err := svc.DeleteObject(&s3.DeleteObjectInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
Key: obj.Key,
|
||||
})
|
||||
if err != nil {
|
||||
t.Logf("Failed to delete object %s: %v", *obj.Key, err)
|
||||
}
|
||||
}
|
||||
|
||||
// Give some time for eventual consistency
|
||||
time.Sleep(100 * time.Millisecond)
|
||||
|
||||
// Delete bucket
|
||||
_, err = svc.DeleteBucket(&s3.DeleteBucketInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
if err != nil {
|
||||
t.Logf("Failed to delete bucket %s: %v", bucketName, err)
|
||||
}
|
||||
}
|
||||
@@ -4,6 +4,7 @@ import (
|
||||
"context"
|
||||
"fmt"
|
||||
"net/http"
|
||||
"os"
|
||||
"strings"
|
||||
"testing"
|
||||
"time"
|
||||
@@ -40,6 +41,9 @@ func TestCORSPreflightRequest(t *testing.T) {
|
||||
})
|
||||
require.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Test preflight request with raw HTTP
|
||||
httpClient := &http.Client{Timeout: 10 * time.Second}
|
||||
|
||||
@@ -69,6 +73,29 @@ func TestCORSPreflightRequest(t *testing.T) {
|
||||
|
||||
// TestCORSActualRequest tests CORS behavior with actual requests
|
||||
func TestCORSActualRequest(t *testing.T) {
|
||||
// Temporarily clear AWS environment variables to ensure truly anonymous requests
|
||||
// This prevents AWS SDK from auto-signing requests in GitHub Actions
|
||||
originalAccessKey := os.Getenv("AWS_ACCESS_KEY_ID")
|
||||
originalSecretKey := os.Getenv("AWS_SECRET_ACCESS_KEY")
|
||||
originalSessionToken := os.Getenv("AWS_SESSION_TOKEN")
|
||||
originalProfile := os.Getenv("AWS_PROFILE")
|
||||
originalRegion := os.Getenv("AWS_REGION")
|
||||
|
||||
os.Setenv("AWS_ACCESS_KEY_ID", "")
|
||||
os.Setenv("AWS_SECRET_ACCESS_KEY", "")
|
||||
os.Setenv("AWS_SESSION_TOKEN", "")
|
||||
os.Setenv("AWS_PROFILE", "")
|
||||
os.Setenv("AWS_REGION", "")
|
||||
|
||||
defer func() {
|
||||
// Restore original environment variables
|
||||
os.Setenv("AWS_ACCESS_KEY_ID", originalAccessKey)
|
||||
os.Setenv("AWS_SECRET_ACCESS_KEY", originalSecretKey)
|
||||
os.Setenv("AWS_SESSION_TOKEN", originalSessionToken)
|
||||
os.Setenv("AWS_PROFILE", originalProfile)
|
||||
os.Setenv("AWS_REGION", originalRegion)
|
||||
}()
|
||||
|
||||
client := getS3Client(t)
|
||||
bucketName := createTestBucket(t, client)
|
||||
defer cleanupTestBucket(t, client, bucketName)
|
||||
@@ -92,6 +119,9 @@ func TestCORSActualRequest(t *testing.T) {
|
||||
})
|
||||
require.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for CORS configuration to be fully processed
|
||||
time.Sleep(100 * time.Millisecond)
|
||||
|
||||
// First, put an object using S3 client
|
||||
objectKey := "test-cors-object"
|
||||
_, err = client.PutObject(context.TODO(), &s3.PutObjectInput{
|
||||
@@ -102,23 +132,75 @@ func TestCORSActualRequest(t *testing.T) {
|
||||
require.NoError(t, err, "Should be able to put object")
|
||||
|
||||
// Test GET request with CORS headers using raw HTTP
|
||||
httpClient := &http.Client{Timeout: 10 * time.Second}
|
||||
// Create a completely isolated HTTP client to avoid AWS SDK auto-signing
|
||||
transport := &http.Transport{
|
||||
// Completely disable any proxy or middleware
|
||||
Proxy: nil,
|
||||
}
|
||||
|
||||
req, err := http.NewRequest("GET", fmt.Sprintf("%s/%s/%s", getDefaultConfig().Endpoint, bucketName, objectKey), nil)
|
||||
httpClient := &http.Client{
|
||||
Timeout: 10 * time.Second,
|
||||
// Use a completely clean transport to avoid any AWS SDK middleware
|
||||
Transport: transport,
|
||||
}
|
||||
|
||||
// Create URL manually to avoid any AWS SDK endpoint processing
|
||||
// Use the same endpoint as the S3 client to ensure compatibility with GitHub Actions
|
||||
config := getDefaultConfig()
|
||||
endpoint := config.Endpoint
|
||||
// Remove any protocol prefix and ensure it's http for anonymous requests
|
||||
if strings.HasPrefix(endpoint, "https://") {
|
||||
endpoint = strings.Replace(endpoint, "https://", "http://", 1)
|
||||
}
|
||||
if !strings.HasPrefix(endpoint, "http://") {
|
||||
endpoint = "http://" + endpoint
|
||||
}
|
||||
|
||||
requestURL := fmt.Sprintf("%s/%s/%s", endpoint, bucketName, objectKey)
|
||||
req, err := http.NewRequest("GET", requestURL, nil)
|
||||
require.NoError(t, err, "Should be able to create GET request")
|
||||
|
||||
// Add Origin header to simulate CORS request
|
||||
req.Header.Set("Origin", "https://example.com")
|
||||
|
||||
// Explicitly ensure no AWS headers are present (defensive programming)
|
||||
// Clear ALL potential AWS-related headers that might be auto-added
|
||||
req.Header.Del("Authorization")
|
||||
req.Header.Del("X-Amz-Content-Sha256")
|
||||
req.Header.Del("X-Amz-Date")
|
||||
req.Header.Del("Amz-Sdk-Invocation-Id")
|
||||
req.Header.Del("Amz-Sdk-Request")
|
||||
req.Header.Del("X-Amz-Security-Token")
|
||||
req.Header.Del("X-Amz-Session-Token")
|
||||
req.Header.Del("AWS-Session-Token")
|
||||
req.Header.Del("X-Amz-Target")
|
||||
req.Header.Del("X-Amz-User-Agent")
|
||||
|
||||
// Ensure User-Agent doesn't indicate AWS SDK
|
||||
req.Header.Set("User-Agent", "anonymous-cors-test/1.0")
|
||||
|
||||
// Verify no AWS-related headers are present
|
||||
for name := range req.Header {
|
||||
headerLower := strings.ToLower(name)
|
||||
if strings.Contains(headerLower, "aws") ||
|
||||
strings.Contains(headerLower, "amz") ||
|
||||
strings.Contains(headerLower, "authorization") {
|
||||
t.Fatalf("Found AWS-related header in anonymous request: %s", name)
|
||||
}
|
||||
}
|
||||
|
||||
// Send the request
|
||||
resp, err := httpClient.Do(req)
|
||||
require.NoError(t, err, "Should be able to send GET request")
|
||||
defer resp.Body.Close()
|
||||
|
||||
// Verify CORS headers in response
|
||||
// Verify CORS headers are present
|
||||
assert.Equal(t, "https://example.com", resp.Header.Get("Access-Control-Allow-Origin"), "Should have correct Allow-Origin header")
|
||||
assert.Contains(t, resp.Header.Get("Access-Control-Expose-Headers"), "ETag", "Should expose ETag header")
|
||||
assert.Equal(t, http.StatusOK, resp.StatusCode, "GET request should return 200")
|
||||
|
||||
// Anonymous requests should succeed when anonymous read permission is configured in IAM
|
||||
// The server configuration allows anonymous users to have Read permissions
|
||||
assert.Equal(t, http.StatusOK, resp.StatusCode, "Anonymous GET request should succeed when anonymous read is configured")
|
||||
}
|
||||
|
||||
// TestCORSOriginMatching tests origin matching with different patterns
|
||||
@@ -186,6 +268,9 @@ func TestCORSOriginMatching(t *testing.T) {
|
||||
})
|
||||
require.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Test preflight request
|
||||
httpClient := &http.Client{Timeout: 10 * time.Second}
|
||||
|
||||
@@ -279,6 +364,9 @@ func TestCORSHeaderMatching(t *testing.T) {
|
||||
})
|
||||
require.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Test preflight request
|
||||
httpClient := &http.Client{Timeout: 10 * time.Second}
|
||||
|
||||
@@ -360,6 +448,9 @@ func TestCORSMethodMatching(t *testing.T) {
|
||||
})
|
||||
require.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
testCases := []struct {
|
||||
method string
|
||||
shouldAllow bool
|
||||
@@ -431,6 +522,9 @@ func TestCORSMultipleRulesMatching(t *testing.T) {
|
||||
})
|
||||
require.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Test first rule
|
||||
httpClient := &http.Client{Timeout: 10 * time.Second}
|
||||
|
||||
|
||||
@@ -78,6 +78,9 @@ func createTestBucket(t *testing.T, client *s3.Client) string {
|
||||
})
|
||||
require.NoError(t, err)
|
||||
|
||||
// Wait for bucket metadata to be fully processed
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
return bucketName
|
||||
}
|
||||
|
||||
@@ -139,6 +142,9 @@ func TestCORSConfigurationManagement(t *testing.T) {
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to put CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Test 3: Get CORS configuration
|
||||
getResp, err := client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
@@ -171,14 +177,38 @@ func TestCORSConfigurationManagement(t *testing.T) {
|
||||
Bucket: aws.String(bucketName),
|
||||
CORSConfiguration: updatedCorsConfig,
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to update CORS configuration")
|
||||
require.NoError(t, err, "Should be able to update CORS configuration")
|
||||
|
||||
// Verify the update
|
||||
getResp, err = client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to get updated CORS configuration")
|
||||
rule = getResp.CORSRules[0]
|
||||
// Wait for CORS configuration update to be fully processed
|
||||
time.Sleep(100 * time.Millisecond)
|
||||
|
||||
// Verify the update with retries for robustness
|
||||
var updateSuccess bool
|
||||
for i := 0; i < 3; i++ {
|
||||
getResp, err = client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
if err != nil {
|
||||
t.Logf("Attempt %d: Failed to get updated CORS config: %v", i+1, err)
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
continue
|
||||
}
|
||||
|
||||
if len(getResp.CORSRules) > 0 {
|
||||
rule = getResp.CORSRules[0]
|
||||
// Check if the update actually took effect
|
||||
if len(rule.AllowedHeaders) > 0 && rule.AllowedHeaders[0] == "Content-Type" &&
|
||||
len(rule.AllowedOrigins) > 1 {
|
||||
updateSuccess = true
|
||||
break
|
||||
}
|
||||
}
|
||||
t.Logf("Attempt %d: CORS config not updated yet, retrying...", i+1)
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
}
|
||||
|
||||
require.NoError(t, err, "Should be able to get updated CORS configuration")
|
||||
require.True(t, updateSuccess, "CORS configuration should be updated after retries")
|
||||
assert.Equal(t, []string{"Content-Type"}, rule.AllowedHeaders, "Updated allowed headers should match")
|
||||
assert.Equal(t, []string{"https://example.com", "https://another.com"}, rule.AllowedOrigins, "Updated allowed origins should match")
|
||||
|
||||
@@ -186,13 +216,30 @@ func TestCORSConfigurationManagement(t *testing.T) {
|
||||
_, err = client.DeleteBucketCors(context.TODO(), &s3.DeleteBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to delete CORS configuration")
|
||||
require.NoError(t, err, "Should be able to delete CORS configuration")
|
||||
|
||||
// Verify deletion
|
||||
// Wait for deletion to be fully processed
|
||||
time.Sleep(100 * time.Millisecond)
|
||||
|
||||
// Verify deletion - should get NoSuchCORSConfiguration error
|
||||
_, err = client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
assert.Error(t, err, "Should get error after deleting CORS configuration")
|
||||
|
||||
// Check that we get the expected error type
|
||||
if err != nil {
|
||||
// Log the error for debugging
|
||||
t.Logf("Got expected error after CORS deletion: %v", err)
|
||||
// Check if it's the correct error type (NoSuchCORSConfiguration)
|
||||
errMsg := err.Error()
|
||||
if !strings.Contains(errMsg, "NoSuchCORSConfiguration") && !strings.Contains(errMsg, "404") {
|
||||
t.Errorf("Expected NoSuchCORSConfiguration error, got: %v", err)
|
||||
}
|
||||
} else {
|
||||
// If no error, this might be a SeaweedFS implementation difference
|
||||
// Some implementations might return empty config instead of error
|
||||
t.Logf("CORS deletion test: No error returned - this may be implementation-specific behavior")
|
||||
}
|
||||
}
|
||||
|
||||
// TestCORSMultipleRules tests CORS configuration with multiple rules
|
||||
@@ -232,14 +279,30 @@ func TestCORSMultipleRules(t *testing.T) {
|
||||
Bucket: aws.String(bucketName),
|
||||
CORSConfiguration: corsConfig,
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to put CORS configuration with multiple rules")
|
||||
require.NoError(t, err, "Should be able to put CORS configuration with multiple rules")
|
||||
|
||||
// Get and verify the configuration
|
||||
getResp, err := client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to get CORS configuration")
|
||||
assert.Len(t, getResp.CORSRules, 3, "Should have three CORS rules")
|
||||
// Wait for CORS configuration to be fully processed
|
||||
time.Sleep(100 * time.Millisecond)
|
||||
|
||||
// Get and verify the configuration with retries for robustness
|
||||
var getResp *s3.GetBucketCorsOutput
|
||||
var getErr error
|
||||
|
||||
// Retry getting CORS config up to 3 times to handle timing issues
|
||||
for i := 0; i < 3; i++ {
|
||||
getResp, getErr = client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
if getErr == nil {
|
||||
break
|
||||
}
|
||||
t.Logf("Attempt %d: Failed to get multiple rules CORS config: %v", i+1, getErr)
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
}
|
||||
|
||||
require.NoError(t, getErr, "Should be able to get CORS configuration after retries")
|
||||
require.NotNil(t, getResp, "GetBucketCors response should not be nil")
|
||||
require.Len(t, getResp.CORSRules, 3, "Should have three CORS rules")
|
||||
|
||||
// Verify first rule
|
||||
rule1 := getResp.CORSRules[0]
|
||||
@@ -342,16 +405,33 @@ func TestCORSWithWildcards(t *testing.T) {
|
||||
Bucket: aws.String(bucketName),
|
||||
CORSConfiguration: corsConfig,
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to put CORS configuration with wildcards")
|
||||
require.NoError(t, err, "Should be able to put CORS configuration with wildcards")
|
||||
|
||||
// Get and verify the configuration
|
||||
getResp, err := client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to get CORS configuration")
|
||||
assert.Len(t, getResp.CORSRules, 1, "Should have one CORS rule")
|
||||
// Wait for CORS configuration to be fully processed and available
|
||||
time.Sleep(100 * time.Millisecond)
|
||||
|
||||
// Get and verify the configuration with retries for robustness
|
||||
var getResp *s3.GetBucketCorsOutput
|
||||
var getErr error
|
||||
|
||||
// Retry getting CORS config up to 3 times to handle timing issues
|
||||
for i := 0; i < 3; i++ {
|
||||
getResp, getErr = client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
})
|
||||
if getErr == nil {
|
||||
break
|
||||
}
|
||||
t.Logf("Attempt %d: Failed to get CORS config: %v", i+1, getErr)
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
}
|
||||
|
||||
require.NoError(t, getErr, "Should be able to get CORS configuration after retries")
|
||||
require.NotNil(t, getResp, "GetBucketCors response should not be nil")
|
||||
require.Len(t, getResp.CORSRules, 1, "Should have one CORS rule")
|
||||
|
||||
rule := getResp.CORSRules[0]
|
||||
require.NotNil(t, rule, "CORS rule should not be nil")
|
||||
assert.Equal(t, []string{"*"}, rule.AllowedHeaders, "Wildcard headers should be preserved")
|
||||
assert.Equal(t, []string{"https://*.example.com"}, rule.AllowedOrigins, "Wildcard origins should be preserved")
|
||||
assert.Equal(t, []string{"*"}, rule.ExposeHeaders, "Wildcard expose headers should be preserved")
|
||||
@@ -512,6 +592,9 @@ func TestCORSCaching(t *testing.T) {
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to put initial CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Get the configuration
|
||||
getResp1, err := client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
@@ -537,6 +620,9 @@ func TestCORSCaching(t *testing.T) {
|
||||
})
|
||||
assert.NoError(t, err, "Should be able to update CORS configuration")
|
||||
|
||||
// Wait for metadata subscription to update cache
|
||||
time.Sleep(50 * time.Millisecond)
|
||||
|
||||
// Get the updated configuration (should reflect the changes)
|
||||
getResp2, err := client.GetBucketCors(context.TODO(), &s3.GetBucketCorsInput{
|
||||
Bucket: aws.String(bucketName),
|
||||
|
||||
BIN
test/s3/versioning/versioning.test
Executable file
BIN
test/s3/versioning/versioning.test
Executable file
Binary file not shown.
Reference in New Issue
Block a user