-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathresponse_writer_test.go
309 lines (265 loc) · 7.67 KB
/
response_writer_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
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
package requests
import (
"bufio"
"bytes"
"fmt"
"io"
"net/http"
"net/http/httptest"
"sync"
"testing"
"time"
)
// mockResponseWriter implements http.ResponseWriter for testing
// 更新 mockResponseWriter 以支持错误测试
type mockResponseWriter struct {
headers http.Header
statuscode int
body bytes.Buffer
writeError error // 添加这个字段
}
func (m *mockResponseWriter) Write(b []byte) (int, error) {
if m.writeError != nil {
return 0, m.writeError
}
return m.body.Write(b)
}
func newMockResponseWriter() *mockResponseWriter {
return &mockResponseWriter{headers: make(http.Header)}
}
func (m *mockResponseWriter) Header() http.Header { return m.headers }
func (m *mockResponseWriter) WriteHeader(code int) { m.statuscode = code }
// TestResponseWriterBasic tests basic functionality of ResponseWriter
func TestResponseWriterBasic(t *testing.T) {
mock := newMockResponseWriter()
w := newResponseWriter(mock)
// Test WriteHeader
w.WriteHeader(http.StatusCreated)
if w.StatusCode != http.StatusCreated {
t.Errorf("Expected status code %d, got %d", http.StatusCreated, w.StatusCode)
}
// Test multiple WriteHeader calls
w.WriteHeader(http.StatusOK)
if w.StatusCode != http.StatusCreated {
t.Error("WriteHeader should not change status code on subsequent calls")
}
// Test Write
content := []byte("test content")
n, err := w.Write(content)
if err != nil {
t.Fatalf("Write failed: %v", err)
}
if n != len(content) {
t.Errorf("Expected to write %d bytes, wrote %d", len(content), n)
}
if !bytes.Equal(w.Content.Bytes(), content) {
t.Error("Written content does not match")
}
}
// TestResponseWriterIntegration tests the ResponseWriter in a real HTTP server context
func TestResponseWriterIntegration(t *testing.T) {
handler := http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
rw := newResponseWriter(w)
rw.WriteHeader(http.StatusAccepted)
rw.Write([]byte("hello world"))
})
server := httptest.NewServer(handler)
defer server.Close()
resp, err := http.Get(server.URL)
if err != nil {
t.Fatalf("Failed to make request: %v", err)
}
defer resp.Body.Close()
if resp.StatusCode != http.StatusAccepted {
t.Errorf("Expected status %d, got %d", http.StatusAccepted, resp.StatusCode)
}
body, err := io.ReadAll(resp.Body)
if err != nil {
t.Fatalf("Failed to read response body: %v", err)
}
if string(body) != "hello world" {
t.Errorf("Expected body 'hello world', got '%s'", string(body))
}
}
// TestResponseWriterConcurrency tests concurrent writes to ResponseWriter
func TestResponseWriterConcurrency(t *testing.T) {
mock := newMockResponseWriter()
w := newResponseWriter(mock)
var wg sync.WaitGroup
workers := 10
iterations := 100
wg.Add(workers)
for i := 0; i < workers; i++ {
go func(id int) {
defer wg.Done()
for j := 0; j < iterations; j++ {
content := []byte(fmt.Sprintf("worker%d-%d", id, j))
_, err := w.Write(content)
if err != nil {
t.Errorf("Concurrent write failed: %v", err)
}
}
}(i)
}
wg.Wait()
// Verify that all writes were recorded
if w.Content.Len() == 0 {
t.Error("No content was written in concurrent test")
}
}
// TestResponseWriterHijack tests the hijack functionality
func TestResponseWriterHijack(t *testing.T) {
server := httptest.NewServer(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
hijackable := newResponseWriter(w)
conn, bufrw, err := hijackable.Hijack()
if err != nil {
t.Errorf("Hijack failed: %v", err)
return
}
defer conn.Close()
// Write a custom response
bufrw.WriteString("HTTP/1.1 200 OK\r\n\r\nHijacked Response")
bufrw.Flush()
}))
defer server.Close()
resp, err := http.Get(server.URL)
if err != nil {
t.Fatalf("Failed to make request: %v", err)
}
defer resp.Body.Close()
body, err := io.ReadAll(resp.Body)
if err != nil {
t.Fatalf("Failed to read response: %v", err)
}
if string(body) != "Hijacked Response" {
t.Errorf("Expected 'Hijacked Response', got '%s'", string(body))
}
}
// BenchmarkResponseWriterWrite benchmarks the Write method
func BenchmarkResponseWriterWrite(b *testing.B) {
mock := newMockResponseWriter()
w := newResponseWriter(mock)
content := []byte("benchmark content")
b.ResetTimer()
for i := 0; i < b.N; i++ {
w.Write(content)
}
}
// BenchmarkResponseWriterConcurrentWrite benchmarks concurrent writes
func BenchmarkResponseWriterConcurrentWrite(b *testing.B) {
mock := newMockResponseWriter()
w := newResponseWriter(mock)
content := []byte("concurrent benchmark content")
b.ResetTimer()
b.RunParallel(func(pb *testing.PB) {
for pb.Next() {
w.Write(content)
}
})
}
// TestResponseWriterFlush tests the flush functionality
func TestResponseWriterFlush(t *testing.T) {
server := httptest.NewServer(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
flusher := newResponseWriter(w)
flusher.Write([]byte("chunk1"))
flusher.Flush()
time.Sleep(10 * time.Millisecond)
flusher.Write([]byte("chunk2"))
flusher.Flush()
}))
defer server.Close()
resp, err := http.Get(server.URL)
if err != nil {
t.Fatalf("Failed to make request: %v", err)
}
defer resp.Body.Close()
reader := bufio.NewReader(resp.Body)
chunk1, err := reader.ReadString('1')
if err != nil || chunk1 != "chunk1" {
t.Errorf("Expected chunk1, got %s, err: %v", chunk1, err)
}
chunk2, err := reader.ReadString('2')
if err != nil || chunk2 != "chunk2" {
t.Errorf("Expected chunk2, got %s, err: %v", chunk2, err)
}
}
// TestResponseWriterRead 测试 Read 方法
func TestResponseWriterRead(t *testing.T) {
mock := newMockResponseWriter()
w := newResponseWriter(mock)
// 写入测试数据
testData := []byte("test data for reading")
_, err := w.Write(testData)
if err != nil {
t.Fatalf("Failed to write test data: %v", err)
}
// 测试读取
buf := make([]byte, len(testData))
n, err := w.Read(buf)
if err != nil {
t.Fatalf("Read failed: %v", err)
}
if n != len(testData) {
t.Errorf("Expected to read %d bytes, got %d", len(testData), n)
}
if string(buf) != string(testData) {
t.Errorf("Expected to read '%s', got '%s'", string(testData), string(buf))
}
// 测试读取完后的EOF
n, err = w.Read(buf)
if err != io.EOF {
t.Errorf("Expected EOF after reading all data, got n=%d, err=%v", n, err)
}
}
// TestResponseWriterPush 测试 HTTP/2 Push 功能
func TestResponseWriterPush(t *testing.T) {
// 创建支持 HTTP/2 的测试服务器
handler := http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
rw := newResponseWriter(w)
err := rw.Push("/style.css", &http.PushOptions{
Method: "GET",
Header: http.Header{
"Content-Type": []string{"text/css"},
},
})
if err != nil && err != http.ErrNotSupported {
t.Errorf("Push failed: %v", err)
}
rw.Write([]byte("main content"))
})
server := httptest.NewUnstartedServer(handler)
server.EnableHTTP2 = true
server.StartTLS()
defer server.Close()
// 发起请求
client := server.Client()
resp, err := client.Get(server.URL)
if err != nil {
t.Fatalf("Request failed: %v", err)
}
defer resp.Body.Close()
body, err := io.ReadAll(resp.Body)
if err != nil {
t.Fatalf("Failed to read response: %v", err)
}
if string(body) != "main content" {
t.Errorf("Expected 'main content', got '%s'", string(body))
}
}
// TestResponseWriterWriteError 测试 Write 方法的错误处理
func TestResponseWriterWriteError(t *testing.T) {
// 创建一个会返回错误的 mock
errMock := &mockResponseWriter{
headers: make(http.Header),
writeError: fmt.Errorf("write error"),
}
w := newResponseWriter(errMock)
// 测试写入错误
n, err := w.Write([]byte("test"))
if err == nil {
t.Error("Expected write error, got nil")
}
if n != 0 {
t.Errorf("Expected 0 bytes written on error, got %d", n)
}
}