mirror of
https://github.com/minio/minio.git
synced 2025-03-30 17:23:42 -04:00
TestServer introduction and revamp of functional tests. (#1940)
Allows for easy creation of Test server with temp backend. changes
This commit is contained in:
parent
409b4ddecb
commit
ba5bb4a127
@ -262,7 +262,7 @@ var errorCodeResponse = map[APIErrorCode]APIError{
|
|||||||
},
|
},
|
||||||
ErrSignatureDoesNotMatch: {
|
ErrSignatureDoesNotMatch: {
|
||||||
Code: "SignatureDoesNotMatch",
|
Code: "SignatureDoesNotMatch",
|
||||||
Description: "The request signature we calculated does not match the signature you provided.",
|
Description: "The request signature we calculated does not match the signature you provided. Check your key and signing method.",
|
||||||
HTTPStatusCode: http.StatusForbidden,
|
HTTPStatusCode: http.StatusForbidden,
|
||||||
},
|
},
|
||||||
ErrMethodNotAllowed: {
|
ErrMethodNotAllowed: {
|
||||||
|
798
server_test.go
798
server_test.go
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@ -17,11 +17,32 @@
|
|||||||
package main
|
package main
|
||||||
|
|
||||||
import (
|
import (
|
||||||
|
"bytes"
|
||||||
|
"encoding/base64"
|
||||||
|
"encoding/hex"
|
||||||
|
"fmt"
|
||||||
|
"io"
|
||||||
"io/ioutil"
|
"io/ioutil"
|
||||||
|
"net/http"
|
||||||
|
"net/http/httptest"
|
||||||
"os"
|
"os"
|
||||||
|
"sort"
|
||||||
|
"strings"
|
||||||
"testing"
|
"testing"
|
||||||
|
"time"
|
||||||
)
|
)
|
||||||
|
|
||||||
|
// The Argument to TestServer should satidy the interface.
|
||||||
|
// Golang Testing.T and Testing.B, and gocheck.C satisfy the interface.
|
||||||
|
// This makes it easy to run the TestServer from any of the tests.
|
||||||
|
type TestErrHandler interface {
|
||||||
|
Error(args ...interface{})
|
||||||
|
Errorf(format string, args ...interface{})
|
||||||
|
Failed() bool
|
||||||
|
Fatal(args ...interface{})
|
||||||
|
Fatalf(format string, args ...interface{})
|
||||||
|
}
|
||||||
|
|
||||||
const (
|
const (
|
||||||
// singleNodeTestStr is the string which is used as notation for Single node ObjectLayer in the unit tests.
|
// singleNodeTestStr is the string which is used as notation for Single node ObjectLayer in the unit tests.
|
||||||
singleNodeTestStr string = "SingleNode"
|
singleNodeTestStr string = "SingleNode"
|
||||||
@ -29,6 +50,222 @@ const (
|
|||||||
xLTestStr string = "XL"
|
xLTestStr string = "XL"
|
||||||
)
|
)
|
||||||
|
|
||||||
|
// TestServer encapsulates an instantiation of a Minio instance with a temporary backend.
|
||||||
|
// Example usage:
|
||||||
|
// s := StartTestServer(t,"XL")
|
||||||
|
// defer s.Stop()
|
||||||
|
type TestServer struct {
|
||||||
|
Root string
|
||||||
|
Disks []string
|
||||||
|
AccessKey string
|
||||||
|
SecretKey string
|
||||||
|
Server *httptest.Server
|
||||||
|
}
|
||||||
|
|
||||||
|
// Starts the test server and returns the TestServer instance.
|
||||||
|
func StartTestServer(t TestErrHandler, instanceType string) TestServer {
|
||||||
|
// create an instance of TestServer.
|
||||||
|
testServer := TestServer{}
|
||||||
|
// create temporary backend for the test server.
|
||||||
|
erasureDisks, err := makeTestBackend(instanceType)
|
||||||
|
if err != nil {
|
||||||
|
t.Fatalf("Failed obtaining Temp XL layer: <ERROR> %s", err)
|
||||||
|
}
|
||||||
|
testServer.Disks = erasureDisks
|
||||||
|
// Obtain temp root.
|
||||||
|
root, err := getTestRoot()
|
||||||
|
if err != nil {
|
||||||
|
t.Fatalf("Failed obtaining Temp XL layer: <ERROR> %s", err)
|
||||||
|
}
|
||||||
|
testServer.Root = root
|
||||||
|
testServer.Disks = erasureDisks
|
||||||
|
// Initialize server config.
|
||||||
|
initConfig()
|
||||||
|
// Get credential.
|
||||||
|
credentials := serverConfig.GetCredential()
|
||||||
|
testServer.AccessKey = credentials.AccessKeyID
|
||||||
|
testServer.SecretKey = credentials.SecretAccessKey
|
||||||
|
// Set a default region.
|
||||||
|
serverConfig.SetRegion("us-east-1")
|
||||||
|
|
||||||
|
// Do this only once here.
|
||||||
|
setGlobalConfigPath(root)
|
||||||
|
|
||||||
|
err = serverConfig.Save()
|
||||||
|
if err != nil {
|
||||||
|
t.Fatalf(err.Error())
|
||||||
|
}
|
||||||
|
// Run TestServer.
|
||||||
|
testServer.Server = httptest.NewServer(configureServerHandler(serverCmdConfig{exportPaths: erasureDisks}))
|
||||||
|
|
||||||
|
return testServer
|
||||||
|
}
|
||||||
|
|
||||||
|
// Deleting the temporary backend and stopping the server.
|
||||||
|
func (testServer TestServer) Stop() {
|
||||||
|
removeAll(testServer.Root)
|
||||||
|
for _, disk := range testServer.Disks {
|
||||||
|
removeAll(disk)
|
||||||
|
}
|
||||||
|
testServer.Server.Close()
|
||||||
|
}
|
||||||
|
|
||||||
|
// used to formulate HTTP v4 signed HTTP request.
|
||||||
|
func newTestRequest(method, urlStr string, contentLength int64, body io.ReadSeeker, accessKey, secretKey string) (*http.Request, error) {
|
||||||
|
if method == "" {
|
||||||
|
method = "POST"
|
||||||
|
}
|
||||||
|
t := time.Now().UTC()
|
||||||
|
|
||||||
|
req, err := http.NewRequest(method, urlStr, nil)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
req.Header.Set("x-amz-date", t.Format(iso8601Format))
|
||||||
|
|
||||||
|
// Add Content-Length
|
||||||
|
req.ContentLength = contentLength
|
||||||
|
|
||||||
|
// Save for subsequent use
|
||||||
|
var hashedPayload string
|
||||||
|
switch {
|
||||||
|
case body == nil:
|
||||||
|
hashedPayload = hex.EncodeToString(sum256([]byte{}))
|
||||||
|
default:
|
||||||
|
payloadBytes, e := ioutil.ReadAll(body)
|
||||||
|
if e != nil {
|
||||||
|
return nil, e
|
||||||
|
}
|
||||||
|
hashedPayload = hex.EncodeToString(sum256(payloadBytes))
|
||||||
|
md5base64 := base64.StdEncoding.EncodeToString(sumMD5(payloadBytes))
|
||||||
|
req.Header.Set("Content-Md5", md5base64)
|
||||||
|
}
|
||||||
|
req.Header.Set("x-amz-content-sha256", hashedPayload)
|
||||||
|
|
||||||
|
// Seek back to beginning.
|
||||||
|
if body != nil {
|
||||||
|
body.Seek(0, 0)
|
||||||
|
// Add body
|
||||||
|
req.Body = ioutil.NopCloser(body)
|
||||||
|
}
|
||||||
|
|
||||||
|
var headers []string
|
||||||
|
vals := make(map[string][]string)
|
||||||
|
for k, vv := range req.Header {
|
||||||
|
if _, ok := ignoredHeaders[http.CanonicalHeaderKey(k)]; ok {
|
||||||
|
continue // ignored header
|
||||||
|
}
|
||||||
|
headers = append(headers, strings.ToLower(k))
|
||||||
|
vals[strings.ToLower(k)] = vv
|
||||||
|
}
|
||||||
|
headers = append(headers, "host")
|
||||||
|
sort.Strings(headers)
|
||||||
|
|
||||||
|
var canonicalHeaders bytes.Buffer
|
||||||
|
for _, k := range headers {
|
||||||
|
canonicalHeaders.WriteString(k)
|
||||||
|
canonicalHeaders.WriteByte(':')
|
||||||
|
switch {
|
||||||
|
case k == "host":
|
||||||
|
canonicalHeaders.WriteString(req.URL.Host)
|
||||||
|
fallthrough
|
||||||
|
default:
|
||||||
|
for idx, v := range vals[k] {
|
||||||
|
if idx > 0 {
|
||||||
|
canonicalHeaders.WriteByte(',')
|
||||||
|
}
|
||||||
|
canonicalHeaders.WriteString(v)
|
||||||
|
}
|
||||||
|
canonicalHeaders.WriteByte('\n')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
signedHeaders := strings.Join(headers, ";")
|
||||||
|
|
||||||
|
req.URL.RawQuery = strings.Replace(req.URL.Query().Encode(), "+", "%20", -1)
|
||||||
|
encodedPath := getURLEncodedName(req.URL.Path)
|
||||||
|
// convert any space strings back to "+"
|
||||||
|
encodedPath = strings.Replace(encodedPath, "+", "%20", -1)
|
||||||
|
|
||||||
|
//
|
||||||
|
// canonicalRequest =
|
||||||
|
// <HTTPMethod>\n
|
||||||
|
// <CanonicalURI>\n
|
||||||
|
// <CanonicalQueryString>\n
|
||||||
|
// <CanonicalHeaders>\n
|
||||||
|
// <SignedHeaders>\n
|
||||||
|
// <HashedPayload>
|
||||||
|
//
|
||||||
|
canonicalRequest := strings.Join([]string{
|
||||||
|
req.Method,
|
||||||
|
encodedPath,
|
||||||
|
req.URL.RawQuery,
|
||||||
|
canonicalHeaders.String(),
|
||||||
|
signedHeaders,
|
||||||
|
hashedPayload,
|
||||||
|
}, "\n")
|
||||||
|
|
||||||
|
scope := strings.Join([]string{
|
||||||
|
t.Format(yyyymmdd),
|
||||||
|
"us-east-1",
|
||||||
|
"s3",
|
||||||
|
"aws4_request",
|
||||||
|
}, "/")
|
||||||
|
|
||||||
|
stringToSign := "AWS4-HMAC-SHA256" + "\n" + t.Format(iso8601Format) + "\n"
|
||||||
|
stringToSign = stringToSign + scope + "\n"
|
||||||
|
stringToSign = stringToSign + hex.EncodeToString(sum256([]byte(canonicalRequest)))
|
||||||
|
|
||||||
|
date := sumHMAC([]byte("AWS4"+secretKey), []byte(t.Format(yyyymmdd)))
|
||||||
|
region := sumHMAC(date, []byte("us-east-1"))
|
||||||
|
service := sumHMAC(region, []byte("s3"))
|
||||||
|
signingKey := sumHMAC(service, []byte("aws4_request"))
|
||||||
|
|
||||||
|
signature := hex.EncodeToString(sumHMAC(signingKey, []byte(stringToSign)))
|
||||||
|
|
||||||
|
// final Authorization header
|
||||||
|
parts := []string{
|
||||||
|
"AWS4-HMAC-SHA256" + " Credential=" + accessKey + "/" + scope,
|
||||||
|
"SignedHeaders=" + signedHeaders,
|
||||||
|
"Signature=" + signature,
|
||||||
|
}
|
||||||
|
auth := strings.Join(parts, ", ")
|
||||||
|
req.Header.Set("Authorization", auth)
|
||||||
|
|
||||||
|
return req, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// creates the temp backend setup.
|
||||||
|
// if the option is
|
||||||
|
// FS: Returns a temp single disk setup initializes FS Backend.
|
||||||
|
// XL: Returns a 16 temp single disk setup and initializse XL Backend.
|
||||||
|
func makeTestBackend(instanceType string) ([]string, error) {
|
||||||
|
switch instanceType {
|
||||||
|
case "FS":
|
||||||
|
_, fsroot, err := getSingleNodeObjectLayer()
|
||||||
|
if err != nil {
|
||||||
|
return []string{}, err
|
||||||
|
}
|
||||||
|
return []string{fsroot}, err
|
||||||
|
|
||||||
|
case "XL":
|
||||||
|
_, erasureDisks, err := getXLObjectLayer()
|
||||||
|
if err != nil {
|
||||||
|
return []string{}, err
|
||||||
|
}
|
||||||
|
return erasureDisks, err
|
||||||
|
default:
|
||||||
|
errMsg := "Invalid instance type, Only FS and XL are valid options"
|
||||||
|
return []string{}, fmt.Errorf("Failed obtaining Temp XL layer: <ERROR> %s", errMsg)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// returns temp root directory. `
|
||||||
|
func getTestRoot() (string, error) {
|
||||||
|
return ioutil.TempDir(os.TempDir(), "api-")
|
||||||
|
}
|
||||||
|
|
||||||
// getXLObjectLayer - Instantiates XL object layer and returns it.
|
// getXLObjectLayer - Instantiates XL object layer and returns it.
|
||||||
func getXLObjectLayer() (ObjectLayer, []string, error) {
|
func getXLObjectLayer() (ObjectLayer, []string, error) {
|
||||||
var nDisks = 16 // Maximum disks.
|
var nDisks = 16 // Maximum disks.
|
||||||
|
Loading…
x
Reference in New Issue
Block a user