-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathperformance_test.go
199 lines (172 loc) · 5.59 KB
/
performance_test.go
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
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
package main
import (
"bytes"
"fmt"
"io"
"io/ioutil"
//"log"
"math/rand"
"mime/multipart"
"net/http"
"net/http/httptest"
"strings"
"sync"
"testing"
)
func TestPerformance(t *testing.T) {
/*
Optional test:
- multiple files are created with random content (e.g. from /dev/random ) and different sizes
- upload them in parallel at the same time
- afterwards download at the same time and the compare the files
*/
// define bucket specification
testuser := "testuser"
dataType := "training-data"
bucketName := "testing-bucket1"
// create SAGE bucket
newBucket, err := createSageBucket(testuser, dataType, bucketName, false)
if err != nil {
t.Fatal(err)
}
// create `file` struct that contains text that will be uploaded and downloaded from bucket
type file struct {
filename string
uploaded_content string
downloaded_content string
}
// create several `file` structs and put them in the list
numberOfFiles := 15 // change number of files here
min := 2000000 // change min number of characters in file here
max := 6000000 // change max number of characters in file here
fileList := []file{}
newFile := file{}
for index := 0; index < numberOfFiles; index++ {
newFile = file{
filename: fmt.Sprintf("f%d.txt", index),
uploaded_content: createRandomString(rand.Intn(max-min+1) + min),
downloaded_content: ""}
fileList = append(fileList, newFile)
}
// upload files to the bucket in parallel
var waitGroup sync.WaitGroup
waitGroup.Add(numberOfFiles)
for index := range fileList {
go func(filename string, uploaded_content string) {
defer waitGroup.Done()
createFileWithContent(t, newBucket.ID, testuser, filename, uploaded_content)
}(fileList[index].filename, fileList[index].uploaded_content)
}
waitGroup.Wait()
// make bucket public
body := ioutil.NopCloser(strings.NewReader(`{"granteeType": "GROUP", "grantee": "AllUsers", "permission": "READ"}`))
url := fmt.Sprintf("/api/v1/objects/%s?permissions", newBucket.ID)
req, err := http.NewRequest("PUT", url, body)
if err != nil {
t.Fatal(err)
}
req.Header.Add("Authorization", "sage user:"+testuser)
rr := httptest.NewRecorder()
mainRouter.ServeHTTP(rr, req)
// download files from the bucket in parallel
var waitGroupDownload sync.WaitGroup
waitGroupDownload.Add(numberOfFiles)
for index := range fileList {
go func(file *file) {
defer waitGroupDownload.Done()
*&file.downloaded_content = downloadFileFromBucket(t, newBucket.ID, file.filename)
}(&fileList[index])
}
waitGroupDownload.Wait()
// check if the content of files that were uploaded and downloaded from the bucket is the same
for index := range fileList {
if fileList[index].uploaded_content != fileList[index].downloaded_content {
t.Fatalf("Uploaded and downloaded files don't match")
}
}
}
func createRandomString(string_length int) string {
/*
Create random string of length `string_length` compose of characters a-z, A-Z, and 0-9.
*/
// list character that the string may contain
var letters = []rune("abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789")
// create array of required length
s := make([]rune, string_length)
// populate the array with random characters
for i := range s {
s[i] = letters[rand.Intn(len(letters))]
}
return string(s)
}
func downloadFileFromBucket(t *testing.T, bucketID string, filename string) (resultBody string) {
/*
Download file `filename` from bucket `bucketID`.
*/
// send GET request with bucket ID and filename to the router
url := fmt.Sprintf("/api/v1/objects/%s/"+filename, bucketID)
req, err := http.NewRequest("GET", url, nil)
if err != nil {
t.Fatal(err)
}
rr := httptest.NewRecorder()
mainRouter.ServeHTTP(rr, req)
// check if we got a valid status code
if status := rr.Code; status != http.StatusOK {
t.Fatalf("Handler returned wrong status code: got %v want %v.", status, http.StatusOK)
}
// get content of file from the response struct
resultBody = rr.Body.String()
return resultBody
}
func createFileWithContentUploadRequest(t *testing.T, bucketID string, username string, key string, filename string, content string) (req *http.Request, err error) {
/*
Create file upload request that will create file `filename` in bucket `bucketID` with content `content`.
*/
// create file url
body := new(bytes.Buffer)
writer := multipart.NewWriter(body)
url := ""
var part io.Writer
if filename != "" {
url = fmt.Sprintf("/api/v1/objects/%s/", bucketID)
part, err = writer.CreateFormFile("file", filename)
} else {
url = fmt.Sprintf("/api/v1/objects/%s/%s", bucketID, key)
part, err = writer.CreateFormField("file")
}
// set content of request
part.Write([]byte(content))
err = writer.Close()
if err != nil {
return
}
// create PUT request from URL
t.Logf("PUT %s", url)
req, err = http.NewRequest("PUT", url, body)
if err != nil {
return
}
// set autorization header for the request
req.Header.Set("Content-Type", writer.FormDataContentType())
req.Header.Add("Authorization", "sage user:"+username)
return
}
func createFileWithContent(t *testing.T, bucketID string, username string, filename string, content string) (err error) {
/*
Create file `filename` in bucket `bucketID` and write string `content` into it.
*/
// create file upload request and send it to server
req, err := createFileWithContentUploadRequest(t, bucketID, username, filename, "", content)
if err != nil {
return
}
rr := httptest.NewRecorder()
mainRouter.ServeHTTP(rr, req)
// check if file was created in the bucket.
if status := rr.Code; status != http.StatusOK {
err = fmt.Errorf("File not created.")
return
}
return
}