Browse Source

s3: Add SOSAPI support for Veeam integration (#7899)

* s3api: Add SOSAPI core implementation and tests

Implement Smart Object Storage API (SOSAPI) support for Veeam integration.

- Add s3api_sosapi.go with XML structures and handlers for system.xml and capacity.xml
- Implement virtual object detection and dynamic XML generation
- Add capacity retrieval via gRPC (to be optimized in follow-up)
- Include comprehensive unit tests covering detection, XML generation, and edge cases

This enables Veeam Backup & Replication to discover SeaweedFS capabilities and capacity.

* s3api: Integrate SOSAPI handlers into GetObject and HeadObject

Add early interception for SOSAPI virtual objects in GetObjectHandler and HeadObjectHandler.

- Check for SOSAPI objects (.system-*/system.xml, .system-*/capacity.xml) before normal processing
- Delegate to handleSOSAPIGetObject and handleSOSAPIHeadObject when detected
- Ensures virtual objects are served without hitting storage layer

* s3api: Allow anonymous access to SOSAPI virtual objects

Enable discovery of SOSAPI capabilities without requiring credentials.

- Modify AuthWithPublicRead to bypass auth for SOSAPI objects if bucket exists
- Supports Veeam's initial discovery phase before full IAM setup
- Validates bucket existence to prevent information disclosure

* s3api: Fix SOSAPI capacity retrieval to use proper master connection

Fix gRPC error by connecting directly to master servers instead of through filer.

- Use pb.WithOneOfGrpcMasterClients with s3a.option.Masters
- Matches pattern used in bucket_size_metrics.go
- Resolves "unknown service master_pb.Seaweed" error
- Gracefully handles missing master configuration

* Merge origin/master and implement robust SOSAPI capacity logic

- Resolved merge conflict in s3api_sosapi.go
- Replaced global Statistics RPC with VolumeList (topology) for accurate bucket-specific 'Used' calculation
- Added bucket quota support (report quota as Capacity if set)
- Implemented cluster-wide capacity calculation from topology when no quota
- Added unit tests for topology capacity and usage calculations

* s3api: Remove anonymous access to SOSAPI virtual objects

Reverts the implicit public access for system.xml and capacity.xml.
Requests to these objects now require standard S3 authentication,
unless the bucket has a public-read policy.

* s3api: Refactor SOSAPI handlers to use http.ServeContent

- Consolidate handleSOSAPIGetObject and handleSOSAPIHeadObject into serveSOSAPI
- Use http.ServeContent for standard Range, HEAD, and ETag handling
- Remove manual range request handler and reduce code duplication

* s3api: Unify SOSAPI request handling

- Replaced handleSOSAPIGetObject and handleSOSAPIHeadObject with single HandleSOSAPI function
- Updated call sites in s3api_object_handlers.go
- Simplifies logic and ensures consistent handling for both GET and HEAD requests via http.ServeContent

* s3api: Restore distinct SOSAPI GET/HEAD handlers

- Reverted unified handler to enforce distinct behavior for GET and HEAD
- GET: Supports Range requests via http.ServeContent
- HEAD: Explicitly ignores Range requests (matches MinIO behavior) and writes headers only

* s3api: Refactor SOSAPI handlers to eliminate duplication

- Extracted shared content generation logic into generateSOSAPIContent helper
- handleSOSAPIGetObject: Uses http.ServeContent (supports Range requests)
- handleSOSAPIHeadObject: Manually sets headers (no Range, no body)
- Maintains distinct behavior while following DRY principle

* s3api: Remove low-value SOSAPI tests

Removed tests that validate standard library behavior or trivial constant checks:
- TestSOSAPIConstants (string prefix/suffix checks)
- TestSystemInfoXMLRootElement (redundant with TestGenerateSystemXML)
- TestSOSAPIXMLContentType (tests httptest, not our code)
- TestHTTPTimeFormat (tests standard library)
- TestCapacityInfoXMLStruct (tests Go's XML marshaling)

Kept tests that validate actual business logic and edge cases.

* s3api: Use consistent S3-compliant error responses in SOSAPI

Replaced http.Error() with s3err.WriteErrorResponse() for internal errors
to ensure all SOSAPI errors return S3-compliant XML instead of plain text.

* s3api: Return error when no masters configured for SOSAPI capacity

Changed getCapacityInfo to return an error instead of silently returning
zero capacity when no master servers are configured. This helps surface
configuration issues rather than masking them.

* s3api: Use collection name with FilerGroup prefix for SOSAPI capacity

Fixed collectBucketUsageFromTopology to use s3a.getCollectionName(bucket)
instead of raw bucket name. This ensures collection comparisons match actual
volume collection names when FilerGroup prefix is configured.

* s3api: Apply PR review feedback for SOSAPI

- Renamed `bucket` parameter to `collectionName` in collectBucketUsageFromTopology for clarity
- Changed error checks from `==` to `errors.Is()` for better wrapped error handling
- Added `errors` import

* s3api: Avoid variable shadowing in SOSAPI capacity retrieval

Refactored `getCapacityInfo` to use distinct variable names for errors
to improve code clarity and avoid unintentional shadowing of the
return parameter.
pull/7900/head
Chris Lu 2 days ago
committed by GitHub
parent
commit
2b529e310d
No known key found for this signature in database GPG Key ID: B5690EEEBB952194
  1. 11
      weed/s3api/s3api_bucket_handlers.go
  2. 296
      weed/s3api/s3api_sosapi.go
  3. 181
      weed/s3api/s3api_sosapi_test.go

11
weed/s3api/s3api_bucket_handlers.go

@ -624,17 +624,6 @@ func (s3a *S3ApiServer) AuthWithPublicRead(handler http.HandlerFunc, action Acti
glog.V(4).Infof("AuthWithPublicRead: bucket=%s, object=%s, authType=%v, isAnonymous=%v", bucket, object, authType, isAnonymous)
// Allow anonymous access for SOSAPI virtual objects (discovery)
if isSOSAPIObject(object) {
// Ensure the bucket exists anyway
_, errCode := s3a.getBucketConfig(bucket)
if errCode == s3err.ErrNone {
glog.V(3).Infof("AuthWithPublicRead: allowing anonymous access to SOSAPI object %s in bucket %s", object, bucket)
handler(w, r)
return
}
}
// For anonymous requests, check if bucket allows public read via ACLs or bucket policies
if isAnonymous {
// First check ACL-based public access

296
weed/s3api/s3api_sosapi.go

@ -5,11 +5,13 @@
package s3api
import (
"bytes"
"context"
"crypto/md5"
"encoding/hex"
"encoding/xml"
"io"
"errors"
"fmt"
"net/http"
"strconv"
"strings"
@ -17,6 +19,7 @@ import (
"github.com/seaweedfs/seaweedfs/weed/glog"
"github.com/seaweedfs/seaweedfs/weed/pb"
"github.com/seaweedfs/seaweedfs/weed/pb/filer_pb"
"github.com/seaweedfs/seaweedfs/weed/pb/master_pb"
"github.com/seaweedfs/seaweedfs/weed/s3api/s3err"
"github.com/seaweedfs/seaweedfs/weed/util/version"
@ -123,18 +126,13 @@ func generateSystemXML() ([]byte, error) {
}
// generateCapacityXML creates the capacity.xml response containing real-time
// storage capacity information retrieved from the master server.
func (s3a *S3ApiServer) generateCapacityXML(ctx context.Context) ([]byte, error) {
total, used, err := s3a.getClusterCapacity(ctx)
// storage capacity information.
func (s3a *S3ApiServer) generateCapacityXML(ctx context.Context, bucket string) ([]byte, error) {
total, available, used, err := s3a.getCapacityInfo(ctx, bucket)
if err != nil {
glog.Warningf("SOSAPI: failed to get cluster capacity: %v, using defaults", err)
// Return zero capacity on error - clients will handle gracefully
total, used = 0, 0
}
available := total - used
if available < 0 {
available = 0
glog.Warningf("SOSAPI: failed to get capacity info for bucket %s: %v, using defaults", bucket, err)
// Return zero capacity on error
total, available, used = 0, 0, 0
}
ci := CapacityInfo{
@ -146,26 +144,98 @@ func (s3a *S3ApiServer) generateCapacityXML(ctx context.Context) ([]byte, error)
return xml.Marshal(&ci)
}
// getClusterCapacity retrieves the total and used storage capacity from the master server.
func (s3a *S3ApiServer) getClusterCapacity(ctx context.Context) (total, used int64, err error) {
// Get the current filer address, then use it to connect to master
filerAddress := s3a.getFilerAddress()
if filerAddress == "" {
return 0, 0, nil
// getCapacityInfo retrieves capacity information for the specific bucket.
// It checks bucket quota first, then falls back to cluster topology information.
// Returns capacity, available, and used bytes.
func (s3a *S3ApiServer) getCapacityInfo(ctx context.Context, bucket string) (capacity, available, used int64, err error) {
// 1. Check if bucket has a quota
// We use s3a.getEntry which is a helper in s3api_bucket_handlers.go
var quota int64
// getEntry communicates with filer, so errors here might mean filer connectivity issues or bucket not found
// If bucket not found, we probably shouldn't be here (checked in handler), but safe to ignore
if entry, getErr := s3a.getEntry(s3a.option.BucketsPath, bucket); getErr == nil && entry != nil {
quota = entry.Quota
}
// 2. Get cluster topology from master
if len(s3a.option.Masters) == 0 {
return 0, 0, 0, fmt.Errorf("no master servers configured")
}
masterMap := make(map[string]pb.ServerAddress)
for _, master := range s3a.option.Masters {
masterMap[string(master)] = master
}
// Use the filer client to get master information and call statistics
err = pb.WithMasterClient(false, filerAddress, s3a.option.GrpcDialOption, false, func(client master_pb.SeaweedClient) error {
resp, statsErr := client.Statistics(ctx, &master_pb.StatisticsRequest{})
if statsErr != nil {
return statsErr
// Connect to any available master and get volume list (topology)
err = pb.WithOneOfGrpcMasterClients(false, masterMap, s3a.option.GrpcDialOption, func(client master_pb.SeaweedClient) error {
resp, vErr := client.VolumeList(ctx, &master_pb.VolumeListRequest{})
if vErr != nil {
return vErr
}
if resp.TopologyInfo == nil {
return nil
}
// Calculate used size for the bucket by summing up volumes in the collection
used = collectBucketUsageFromTopology(resp.TopologyInfo, s3a.getCollectionName(bucket))
// Calculate cluster capacity if no quota
if quota > 0 {
capacity = quota
available = quota - used
if available < 0 {
available = 0
}
} else {
// No quota - use cluster capacity
clusterTotal, clusterAvailable := calculateClusterCapacity(resp.TopologyInfo, resp.VolumeSizeLimitMb)
capacity = clusterTotal
available = clusterAvailable
}
total = int64(resp.TotalSize)
used = int64(resp.UsedSize)
return nil
})
return total, used, err
return capacity, available, used, err
}
// collectBucketUsageFromTopology sums up the size of all volumes belonging to the specified collection.
func collectBucketUsageFromTopology(t *master_pb.TopologyInfo, collectionName string) (used int64) {
seenVolumes := make(map[uint32]bool)
for _, dc := range t.DataCenterInfos {
for _, r := range dc.RackInfos {
for _, dn := range r.DataNodeInfos {
for _, disk := range dn.DiskInfos {
for _, vi := range disk.VolumeInfos {
if vi.Collection == collectionName {
if !seenVolumes[vi.Id] {
used += int64(vi.Size)
seenVolumes[vi.Id] = true
}
}
}
}
}
}
}
return
}
// calculateClusterCapacity sums up the total and available capacity of the entire cluster.
func calculateClusterCapacity(t *master_pb.TopologyInfo, volumeSizeLimitMb uint64) (total, available int64) {
volumeSize := int64(volumeSizeLimitMb) * 1024 * 1024
for _, dc := range t.DataCenterInfos {
for _, r := range dc.RackInfos {
for _, dn := range r.DataNodeInfos {
for _, disk := range dn.DiskInfos {
total += int64(disk.MaxVolumeCount) * volumeSize
available += int64(disk.FreeVolumeCount) * volumeSize
}
}
}
}
return
}
// handleSOSAPIGetObject handles GET requests for SOSAPI virtual objects.
@ -175,62 +245,27 @@ func (s3a *S3ApiServer) handleSOSAPIGetObject(w http.ResponseWriter, r *http.Req
return false
}
var xmlData []byte
var err error
// Verify bucket exists
if _, errCode := s3a.getBucketConfig(bucket); errCode != s3err.ErrNone {
s3err.WriteErrorResponse(w, r, errCode)
return true
}
switch object {
case sosAPISystemXML:
xmlData, err = generateSystemXML()
if err != nil {
glog.Errorf("SOSAPI: failed to generate system.xml: %v", err)
http.Error(w, "Internal Server Error", http.StatusInternalServerError)
return true
}
glog.V(2).Infof("SOSAPI: serving system.xml for bucket %s", bucket)
case sosAPICapacityXML:
xmlData, err = s3a.generateCapacityXML(r.Context())
if err != nil {
glog.Errorf("SOSAPI: failed to generate capacity.xml: %v", err)
http.Error(w, "Internal Server Error", http.StatusInternalServerError)
return true
xmlData, err := s3a.generateSOSAPIContent(r.Context(), bucket, object)
if err != nil {
if errors.Is(err, filer_pb.ErrNotFound) {
s3err.WriteErrorResponse(w, r, s3err.ErrNoSuchBucket)
} else {
glog.Errorf("SOSAPI: failed to generate %s: %v", object, err)
s3err.WriteErrorResponse(w, r, s3err.ErrInternalError)
}
glog.V(2).Infof("SOSAPI: serving capacity.xml for bucket %s", bucket)
default:
return false
return true
}
// Prepend XML declaration
xmlData = append([]byte(xml.Header), xmlData...)
// Calculate ETag from content
hash := md5.Sum(xmlData)
etag := hex.EncodeToString(hash[:])
// Set response headers
w.Header().Set("Content-Type", "application/xml")
// Set ETag header manually as ServeContent doesn't calculate it automatically
w.Header().Set("ETag", "\""+etag+"\"")
w.Header().Set("Content-Length", strconv.Itoa(len(xmlData)))
w.Header().Set("Last-Modified", time.Now().UTC().Format(http.TimeFormat))
// Handle Range requests if present
rangeHeader := r.Header.Get("Range")
if rangeHeader != "" {
// Simple range handling for SOSAPI objects
s3a.serveSOSAPIRange(w, r, xmlData, etag)
return true
}
w.Header().Set("Content-Type", "application/xml")
// Write full response
w.WriteHeader(http.StatusOK)
w.Write(xmlData)
// Use http.ServeContent to handle Content-Length, Range, and Last-Modified
http.ServeContent(w, r, object, time.Now().UTC(), bytes.NewReader(xmlData))
return true
}
@ -242,41 +277,17 @@ func (s3a *S3ApiServer) handleSOSAPIHeadObject(w http.ResponseWriter, r *http.Re
return false
}
var xmlData []byte
var err error
// Verify bucket exists
if _, errCode := s3a.getBucketConfig(bucket); errCode != s3err.ErrNone {
s3err.WriteErrorResponse(w, r, errCode)
return true
}
switch object {
case sosAPISystemXML:
xmlData, err = generateSystemXML()
if err != nil {
glog.Errorf("SOSAPI: failed to generate system.xml for HEAD: %v", err)
http.Error(w, "Internal Server Error", http.StatusInternalServerError)
return true
}
glog.V(2).Infof("SOSAPI: HEAD system.xml for bucket %s", bucket)
case sosAPICapacityXML:
xmlData, err = s3a.generateCapacityXML(r.Context())
if err != nil {
glog.Errorf("SOSAPI: failed to generate capacity.xml for HEAD: %v", err)
http.Error(w, "Internal Server Error", http.StatusInternalServerError)
return true
xmlData, err := s3a.generateSOSAPIContent(r.Context(), bucket, object)
if err != nil {
if errors.Is(err, filer_pb.ErrNotFound) {
s3err.WriteErrorResponse(w, r, s3err.ErrNoSuchBucket)
} else {
glog.Errorf("SOSAPI: failed to generate %s for HEAD: %v", object, err)
s3err.WriteErrorResponse(w, r, s3err.ErrInternalError)
}
glog.V(2).Infof("SOSAPI: HEAD capacity.xml for bucket %s", bucket)
default:
return false
return true
}
// Prepend XML declaration for accurate size calculation
xmlData = append([]byte(xml.Header), xmlData...)
// Calculate ETag from content
hash := md5.Sum(xmlData)
etag := hex.EncodeToString(hash[:])
@ -291,60 +302,41 @@ func (s3a *S3ApiServer) handleSOSAPIHeadObject(w http.ResponseWriter, r *http.Re
return true
}
// serveSOSAPIRange handles Range requests for SOSAPI objects.
func (s3a *S3ApiServer) serveSOSAPIRange(w http.ResponseWriter, r *http.Request, data []byte, etag string) {
rangeHeader := r.Header.Get("Range")
if !strings.HasPrefix(rangeHeader, "bytes=") {
http.Error(w, "Invalid Range", http.StatusRequestedRangeNotSatisfiable)
return
}
// Parse simple range like "bytes=0-99"
rangeSpec := strings.TrimPrefix(rangeHeader, "bytes=")
parts := strings.Split(rangeSpec, "-")
if len(parts) != 2 {
http.Error(w, "Invalid Range", http.StatusRequestedRangeNotSatisfiable)
return
// generateSOSAPIContent generates the XML content for SOSAPI virtual objects.
// Returns the complete XML with declaration prepended.
func (s3a *S3ApiServer) generateSOSAPIContent(ctx context.Context, bucket, object string) ([]byte, error) {
// Verify bucket exists
if _, errCode := s3a.getBucketConfig(bucket); errCode != s3err.ErrNone {
if errCode == s3err.ErrNoSuchBucket {
return nil, filer_pb.ErrNotFound
}
return nil, fmt.Errorf("bucket config error: %v", errCode)
}
var start, end int64
size := int64(len(data))
var xmlData []byte
var err error
if parts[0] == "" {
// Suffix range: -N means last N bytes
var n int64
if _, err := io.ReadFull(strings.NewReader(parts[1]), make([]byte, 0)); err == nil {
// Parse suffix length
n = size // fallback to full content
}
start = size - n
if start < 0 {
start = 0
switch object {
case sosAPISystemXML:
xmlData, err = generateSystemXML()
if err != nil {
return nil, err
}
end = size - 1
} else {
// Normal range: start-end
start = 0
end = size - 1
// Simple parsing - in production would need proper int parsing
}
glog.V(4).Infof("SOSAPI: generated system.xml for bucket %s", bucket)
if start > end || start >= size {
http.Error(w, "Invalid Range", http.StatusRequestedRangeNotSatisfiable)
return
}
case sosAPICapacityXML:
xmlData, err = s3a.generateCapacityXML(ctx, bucket)
if err != nil {
return nil, err
}
glog.V(4).Infof("SOSAPI: generated capacity.xml for bucket %s", bucket)
if end >= size {
end = size - 1
default:
return nil, fmt.Errorf("unknown SOSAPI object: %s", object)
}
// Set partial content headers
w.Header().Set("Content-Type", "application/xml")
w.Header().Set("ETag", "\""+etag+"\"")
w.Header().Set("Content-Range", "bytes "+strconv.FormatInt(start, 10)+"-"+strconv.FormatInt(end, 10)+"/"+strconv.FormatInt(size, 10))
w.Header().Set("Content-Length", strconv.FormatInt(end-start+1, 10))
w.WriteHeader(http.StatusPartialContent)
// Prepend XML declaration
xmlData = append([]byte(xml.Header), xmlData...)
// Write the requested range
w.Write(data[start : end+1])
return xmlData, nil
}

181
weed/s3api/s3api_sosapi_test.go

@ -5,6 +5,8 @@ import (
"net/http/httptest"
"strings"
"testing"
"github.com/seaweedfs/seaweedfs/weed/pb/master_pb"
)
func TestIsSOSAPIObject(t *testing.T) {
@ -134,91 +136,7 @@ func TestGenerateSystemXML(t *testing.T) {
}
}
func TestCapacityInfoXMLStruct(t *testing.T) {
// Test that CapacityInfo can be marshaled correctly
ci := CapacityInfo{
Capacity: 1000000,
Available: 800000,
Used: 200000,
}
xmlData, err := xml.Marshal(&ci)
if err != nil {
t.Fatalf("xml.Marshal failed: %v", err)
}
// Verify roundtrip
var parsed CapacityInfo
if err := xml.Unmarshal(xmlData, &parsed); err != nil {
t.Fatalf("xml.Unmarshal failed: %v", err)
}
if parsed.Capacity != ci.Capacity {
t.Errorf("Capacity = %d, want %d", parsed.Capacity, ci.Capacity)
}
if parsed.Available != ci.Available {
t.Errorf("Available = %d, want %d", parsed.Available, ci.Available)
}
if parsed.Used != ci.Used {
t.Errorf("Used = %d, want %d", parsed.Used, ci.Used)
}
}
func TestSOSAPIConstants(t *testing.T) {
// Verify constants are correctly set
if !strings.HasPrefix(sosAPISystemXML, sosAPISystemFolder) {
t.Errorf("sosAPISystemXML should start with sosAPISystemFolder")
}
if !strings.HasPrefix(sosAPICapacityXML, sosAPISystemFolder) {
t.Errorf("sosAPICapacityXML should start with sosAPISystemFolder")
}
if !strings.HasSuffix(sosAPISystemXML, "system.xml") {
t.Errorf("sosAPISystemXML should end with 'system.xml'")
}
if !strings.HasSuffix(sosAPICapacityXML, "capacity.xml") {
t.Errorf("sosAPICapacityXML should end with 'capacity.xml'")
}
// Protocol version should be quoted per SOSAPI spec
if !strings.HasPrefix(sosAPIProtocolVersion, "\"") || !strings.HasSuffix(sosAPIProtocolVersion, "\"") {
t.Errorf("sosAPIProtocolVersion should be quoted, got: %s", sosAPIProtocolVersion)
}
}
func TestSystemInfoXMLRootElement(t *testing.T) {
xmlData, err := generateSystemXML()
if err != nil {
t.Fatalf("generateSystemXML() failed: %v", err)
}
xmlStr := string(xmlData)
// Verify root element name
if !strings.Contains(xmlStr, "<SystemInfo>") {
t.Error("XML should contain <SystemInfo> root element")
}
// Verify required elements
requiredElements := []string{
"<ProtocolVersion>",
"<ModelName>",
"<ProtocolCapabilities>",
"<CapacityInfo>",
}
for _, elem := range requiredElements {
if !strings.Contains(xmlStr, elem) {
t.Errorf("XML should contain %s element", elem)
}
}
}
// TestSOSAPIHandlerIntegration tests the basic handler flow without a full server
func TestSOSAPIObjectDetectionEdgeCases(t *testing.T) {
// Test various edge cases for object detection
edgeCases := []struct {
object string
expected bool
@ -244,32 +162,87 @@ func TestSOSAPIObjectDetectionEdgeCases(t *testing.T) {
}
}
// TestSOSAPIHandlerReturnsXMLContentType verifies content-type setting logic
func TestSOSAPIXMLContentType(t *testing.T) {
// Create a mock response writer to check headers
w := httptest.NewRecorder()
func TestCollectBucketUsageFromTopology(t *testing.T) {
topo := &master_pb.TopologyInfo{
DataCenterInfos: []*master_pb.DataCenterInfo{
{
RackInfos: []*master_pb.RackInfo{
{
DataNodeInfos: []*master_pb.DataNodeInfo{
{
DiskInfos: map[string]*master_pb.DiskInfo{
"hdd": {
VolumeInfos: []*master_pb.VolumeInformationMessage{
{Id: 1, Size: 100, Collection: "bucket1"},
{Id: 2, Size: 200, Collection: "bucket2"},
{Id: 3, Size: 300, Collection: "bucket1"},
{Id: 1, Size: 100, Collection: "bucket1"}, // Duplicate (replica), should be ignored
},
},
},
},
},
},
},
},
},
}
// Simulate what the handler should set
w.Header().Set("Content-Type", "application/xml")
usage := collectBucketUsageFromTopology(topo, "bucket1")
expected := int64(400) // 100 + 300
if usage != expected {
t.Errorf("collectBucketUsageFromTopology = %d, want %d", usage, expected)
}
contentType := w.Header().Get("Content-Type")
if contentType != "application/xml" {
t.Errorf("Content-Type = %q, want 'application/xml'", contentType)
usage2 := collectBucketUsageFromTopology(topo, "bucket2")
expected2 := int64(200)
if usage2 != expected2 {
t.Errorf("collectBucketUsageFromTopology = %d, want %d", usage2, expected2)
}
}
func TestHTTPTimeFormat(t *testing.T) {
// Verify the Last-Modified header format is correct for HTTP
w := httptest.NewRecorder()
w.Header().Set("Last-Modified", "Sat, 28 Dec 2024 20:00:00 GMT")
lastMod := w.Header().Get("Last-Modified")
if lastMod == "" {
t.Error("Last-Modified header should be set")
func TestCalculateClusterCapacity(t *testing.T) {
topo := &master_pb.TopologyInfo{
DataCenterInfos: []*master_pb.DataCenterInfo{
{
RackInfos: []*master_pb.RackInfo{
{
DataNodeInfos: []*master_pb.DataNodeInfo{
{
DiskInfos: map[string]*master_pb.DiskInfo{
"hdd": {
MaxVolumeCount: 100,
FreeVolumeCount: 40,
},
},
},
{
DiskInfos: map[string]*master_pb.DiskInfo{
"hdd": {
MaxVolumeCount: 200,
FreeVolumeCount: 160,
},
},
},
},
},
},
},
},
}
// HTTP date should contain day of week
if !strings.Contains(lastMod, "Dec") {
t.Errorf("Last-Modified should contain month, got: %s", lastMod)
volumeSizeLimitMb := uint64(1000) // 1GB
volumeSizeBytes := int64(1000) * 1024 * 1024
total, available := calculateClusterCapacity(topo, volumeSizeLimitMb)
expectedTotal := int64(300) * volumeSizeBytes
expectedAvailable := int64(200) * volumeSizeBytes
if total != expectedTotal {
t.Errorf("calculateClusterCapacity total = %d, want %d", total, expectedTotal)
}
if available != expectedAvailable {
t.Errorf("calculateClusterCapacity available = %d, want %d", available, expectedAvailable)
}
}
Loading…
Cancel
Save