-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmain.go
312 lines (258 loc) · 7.93 KB
/
main.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
310
311
312
package main
import (
"context"
"crypto/tls"
"errors"
"fmt"
"github.com/montanaflynn/stats"
flag "github.com/spf13/pflag"
"io"
"net/http"
"net/http/httptrace"
"os"
"os/signal"
"strconv"
"strings"
"time"
)
var (
targetUrl string
count uint
delay uint
timeout uint
enableKeepAlive bool
disableCompression bool
disableHttp2 bool
noNewConnCount bool
userAgent string
)
func init() {
flag.UintVarP(&count, "count", "n", 0, "Number of requests to send")
flag.UintVarP(&delay, "delay", "d", 1000, "Minimum delay between requests in milliseconds")
flag.UintVarP(&timeout, "timeout", "t", 5000, "Request timeout in milliseconds")
flag.BoolVar(&enableKeepAlive, "enable-keep-alive", false, "Whether to use keep-alive")
flag.BoolVar(&disableCompression, "disable-compression", false, "Whether to disable compression")
flag.BoolVar(&disableHttp2, "disable-h2", false, "Whether to disable HTTP/2")
flag.BoolVar(&noNewConnCount, "no-new-conn-count", false, "Whether to not count requests that did not reuse a connection towards the final statistics")
flag.StringVar(&userAgent, "user-agent", "httping (https://github.com/GitRowin/httping)", "Change the User-Agent header")
}
type TLSNextProtoMap = map[string]func(authority string, c *tls.Conn) http.RoundTripper
// Statistics stores all request statistics.
// All pointer fields are optional. If a field is nil or an empty string, "N/A" is printed.
type Statistics struct {
DNS *time.Duration
Connect *time.Duration
TLSHandshake *time.Duration
TTFB *time.Duration
Download *time.Duration
Total *time.Duration
Reused *bool
Proto string
Status string
}
func main() {
flag.CommandLine.SortFlags = false
flag.Parse()
targetUrl = flag.Arg(0)
if targetUrl == "" {
fmt.Fprintln(os.Stderr, "Usage: httping [options] <url>")
flag.PrintDefaults()
os.Exit(-1)
}
var tlsNextProto TLSNextProtoMap
if disableHttp2 {
// Setting TLSNextProto to an empty map disables HTTP/2
tlsNextProto = TLSNextProtoMap{}
}
client := &http.Client{
Transport: &http.Transport{
DisableKeepAlives: !enableKeepAlive,
DisableCompression: disableCompression,
TLSNextProto: tlsNextProto,
},
CheckRedirect: func(req *http.Request, via []*http.Request) error {
return http.ErrUseLastResponse // Do not follow redirects
},
Timeout: time.Duration(timeout) * time.Millisecond,
}
ctx, cancel := context.WithCancel(context.Background())
c := make(chan os.Signal, 1)
signal.Notify(c, os.Interrupt)
// Asynchronously wait for an interruption
go func() {
<-c
cancel()
}()
// Amount of requests sent
var requests, successful, failed uint
// Slice of total latency of every request
var totals []float64
for {
statistics, err := sendRequest(client, ctx, targetUrl)
// The program was interrupted while sending the request, break out of the for loop
if errors.Is(err, context.Canceled) {
break
}
requests++
if err != nil {
failed++
} else {
successful++
// If noNewConnCount is enabled, only append if the connection was reused
if !(noNewConnCount && !*statistics.Reused) {
totals = append(totals, float64(*statistics.Total)/float64(time.Millisecond))
}
}
var errMsg string
if err != nil {
errMsg = err.Error()
// Trim: Get "https://example.com/": dial tcp: lookup example.com: no such host
// To: dial tcp: lookup example.com: no such host
// TODO: Make this more strict?
if strings.HasPrefix(errMsg, "Get ") {
errMsg = errMsg[strings.Index(errMsg, ": ")+2:]
}
}
fmt.Printf("dns=%s conn=%s tls=%s ttfb=%s dl=%s total=%s reused=%s proto=%s status=%s error=%s\n",
formatPtrDuration(statistics.DNS),
formatPtrDuration(statistics.Connect),
formatPtrDuration(statistics.TLSHandshake),
formatPtrDuration(statistics.TTFB),
formatPtrDuration(statistics.Download),
formatPtrDuration(statistics.Total),
formatPtrBool(statistics.Reused),
formatString(statistics.Proto),
formatString(statistics.Status),
formatErrMsg(errMsg),
)
// The requested amount of requests has been reached, break out of the for loop
if requests == count {
break
}
done := false
select {
case <-ctx.Done():
done = true // The program was interrupted while sleeping, break out of the for loop
case <-time.After(max(time.Duration(delay)*time.Millisecond-*statistics.Total, 0)):
}
if done {
break
}
}
min_, _ := stats.Min(totals)
max_, _ := stats.Max(totals)
average, _ := stats.Mean(totals)
percentile99, _ := stats.Percentile(totals, 99)
percentile95, _ := stats.Percentile(totals, 95)
percentile90, _ := stats.Percentile(totals, 90)
percentile75, _ := stats.Percentile(totals, 75)
percentile50, _ := stats.Percentile(totals, 50)
fmt.Println()
fmt.Printf("Requests: %d (%d successful, %d failed)\n", requests, successful, failed)
if len(totals) > 0 {
fmt.Println()
fmt.Printf("Min: %.1fms\n", min_)
fmt.Printf("Max: %.1fms\n", max_)
fmt.Printf("Average: %.1fms\n", average)
fmt.Println()
fmt.Printf("99th Percentile: %.1fms\n", percentile99)
fmt.Printf("95th Percentile: %.1fms\n", percentile95)
fmt.Printf("90th Percentile: %.1fms\n", percentile90)
fmt.Printf("75th Percentile: %.1fms\n", percentile75)
fmt.Printf("50th Percentile: %.1fms\n", percentile50)
}
}
func sendRequest(client *http.Client, ctx context.Context, targetUrl string) (*Statistics, error) {
statistics := &Statistics{}
startTime := time.Now()
defer func() {
diff := time.Now().Sub(startTime)
statistics.Total = &diff
}()
var dnsStart, connectStart, tlsHandshakeStart time.Time
trace := &httptrace.ClientTrace{
DNSStart: func(info httptrace.DNSStartInfo) {
dnsStart = time.Now()
},
DNSDone: func(info httptrace.DNSDoneInfo) {
diff := time.Now().Sub(dnsStart)
statistics.DNS = &diff
},
ConnectStart: func(network, addr string) {
connectStart = time.Now()
},
ConnectDone: func(network, addr string, err error) {
diff := time.Now().Sub(connectStart)
statistics.Connect = &diff
},
TLSHandshakeStart: func() {
tlsHandshakeStart = time.Now()
},
TLSHandshakeDone: func(state tls.ConnectionState, err error) {
diff := time.Now().Sub(tlsHandshakeStart)
statistics.TLSHandshake = &diff
},
GotFirstResponseByte: func() {
diff := time.Now().Sub(startTime)
statistics.TTFB = &diff
},
GotConn: func(info httptrace.GotConnInfo) {
statistics.Reused = &info.Reused
},
}
// Make a new GET request with the client trace
req, err := http.NewRequestWithContext(httptrace.WithClientTrace(ctx, trace), "GET", targetUrl, nil)
if err != nil {
return statistics, err
}
req.Header.Set("User-Agent", userAgent)
// Send the request
res, err := client.Do(req)
if err != nil {
return statistics, err
}
defer res.Body.Close()
statistics.Proto = res.Proto
statistics.Status = res.Status
downloadStart := time.Now()
_, err = io.Copy(io.Discard, res.Body)
if err != nil {
return statistics, err
}
diff := time.Now().Sub(downloadStart)
statistics.Download = &diff
return statistics, nil
}
const (
reset = "\u001B[0m"
red = "\u001B[91m"
green = "\u001B[92m"
format = "%s%-9s%s"
)
func formatPtrDuration(duration *time.Duration) string {
if duration == nil {
return fmt.Sprintf(format, red, "N/A", reset)
}
return fmt.Sprintf(format, green, fmt.Sprintf("%.1fms", float64(*duration)/float64(time.Millisecond)), reset)
}
func formatPtrBool(b *bool) string {
if b == nil {
return fmt.Sprintf(format, red, "N/A", reset)
} else if *b {
return fmt.Sprintf(format, green, strconv.FormatBool(*b), reset)
} else {
return fmt.Sprintf(format, red, strconv.FormatBool(*b), reset)
}
}
func formatString(s string) string {
if s == "" {
return fmt.Sprintf(format, red, "N/A", reset)
}
return fmt.Sprintf(format, green, s, reset)
}
func formatErrMsg(s string) string {
if s == "" {
return fmt.Sprintf(format, green, "N/A", reset)
}
return fmt.Sprintf(format, red, s, reset)
}