-
Notifications
You must be signed in to change notification settings - Fork 36
/
memconn_example_test.go
80 lines (70 loc) · 2.43 KB
/
memconn_example_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
package memconn_test
import (
"fmt"
"io"
"net/http"
"os"
"github.com/akutz/memconn"
)
// ExampleMapNetwork illustrates how to create an HTTP server
// and client with the "tcp" network mapped to "memu" to make creating
// an HTTP client easier.
func ExampleMapNetwork() {
// MemConn's MapNetwork function enables mapping known network
// types to different types. This is useful for when using MemConn
// with Golang's "http" package since the "http.Client" builds
// the network address from the provided resource URL. Please
// see the next comment for more information.
memconn.MapNetwork("tcp", "memu")
// Create a new, named listener using the in-memory, unbuffered
// network "memu".
//
// Please note that the listener's address is "host:80". While
// MemConn names do not need to be unique and are free-form, this
// name was selected due to the way the "http.Client" builds the
// network address from the provided resource URL.
//
// For example, if the request is "GET http://host/" then the HTTP
// client dials "network=tcp, address=host:80". In combination
// with the above "MapNetwork" function this means creating
// a MemConn listener with the address "host:80" requires no special
// address translation is required for the when using
// "memconn.DialContext" with the HTTP client transport.
lis, err := memconn.Listen("memu", "host:80")
if err != nil {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
// Create a new HTTP mux and register a handler with it that responds
// to requests with the text "Hello, world.".
mux := http.NewServeMux()
mux.Handle("/", http.HandlerFunc(
func(w http.ResponseWriter, r *http.Request) {
fmt.Fprint(w, "Hello, world.")
}))
// Start an HTTP server using the HTTP mux.
go func() {
if err := http.Serve(lis, mux); err != http.ErrServerClosed {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
}()
// Create a new HTTP client that delegates its dialing to memconn.
client := &http.Client{
Transport: &http.Transport{DialContext: memconn.DialContext},
}
// Get the root resource and copy its response to os.Stdout. The
// absence of a port means the address sent to the HTTP client's
// dialer will be "host:80".
rep, err := client.Get("http://host/")
if err != nil {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
defer rep.Body.Close()
if _, err := io.Copy(os.Stdout, rep.Body); err != nil {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
// Output: Hello, world.
}