1
0
mirror of https://github.com/taigrr/wasm-experiments synced 2025-01-18 04:03:21 -08:00

Implement Fetch as http.Transport

This commit is contained in:
Johan Brandhorst 2018-05-13 00:32:28 +01:00
parent b4fb14ace9
commit 5b0c630b59
No known key found for this signature in database
GPG Key ID: 266C7D9B44EAA057
2 changed files with 182 additions and 20 deletions

View File

@ -10,7 +10,7 @@ import (
"io" "io"
"io/ioutil" "io/ioutil"
"net/http" "net/http"
"net/url" "strconv"
"syscall/js" "syscall/js"
"syscall/js/callback" "syscall/js/callback"
) )
@ -30,6 +30,8 @@ const (
PATCH PATCH
) )
/*
type Request struct { type Request struct {
Method Method Method Method
URL *url.URL URL *url.URL
@ -42,9 +44,10 @@ type Response struct {
Headers http.Header Headers http.Header
Body io.ReadCloser Body io.ReadCloser
StatusCode int StatusCode int
Ok bool
} }
func Fetch(req *Request) (*Response, error) { func Fetch(ctx context.Context, req *Request) (*Response, error) {
init := js.Global.Get("Object").New() init := js.Global.Get("Object").New()
init.Set("method", req.Method.String()) init.Set("method", req.Method.String())
if req.Body != nil { if req.Body != nil {
@ -67,11 +70,181 @@ func Fetch(req *Request) (*Response, error) {
} }
init.Set("headers", headers) init.Set("headers", headers)
cb := callback.New(func(args []js.Value) { ac := js.Global.Get("AbortController").New()
fmt.Println(args) init.Set("signal", ac.Get("signal"))
})
promise := js.Global.Call("fetch", req.URL.String(), init) promise := js.Global.Call("fetch", req.URL.String(), init)
wait := make(chan Response)
errChan := make(chan error)
cb := callback.New(func(args []js.Value) {
jsResp := args[0]
resp := Response{
Headers: http.Header{},
}
u, err := url.Parse(jsResp.Get("url").String())
if err != nil {
errChan <- err
}
jsResp.Get("headers").Call("forEach", callback.New(func(args []js.Value) {
key, val := args[0].String(), args[1].String()
resp.Headers[key] = append(resp.Headers[key], val)
}).Value)
wait <- Response{
Ok: jsResp.Get("ok").Bool(),
URL: u,
}
})
promise.Call("then", cb.Value) promise.Call("then", cb.Value)
return &Response{}, nil
select {
case <-ctx.Done():
// Abort the Fetch request
ac.Call("abort")
return nil, ctx.Err()
case resp := <-wait:
return &resp, nil
case err := <-errChan:
return nil, err
}
}
*/
// Adapted for syscall/js from
// https://github.com/gopherjs/gopherjs/blob/8dffc02ea1cb8398bb73f30424697c60fcf8d4c5/compiler/natives/src/net/http/fetch.go
// streamReader implements an io.ReadCloser wrapper for ReadableStream of https://fetch.spec.whatwg.org/.
type streamReader struct {
pending []byte
stream js.Value
}
func (r *streamReader) Read(p []byte) (n int, err error) {
if len(r.pending) == 0 {
var (
bCh = make(chan []byte)
errCh = make(chan error)
)
r.stream.Call("read").Call("then",
func(result js.Value) {
if result.Get("done").Bool() {
errCh <- io.EOF
return
}
var value []byte
// TODO: Any way to avoid this copying?
result.Get("value").Call("forEach", callback.New(func(args []js.Value) {
value = append(value, args[0].String()[0])
}).Value)
bCh <- value
},
func(reason js.Value) {
// Assumes it's a DOMException.
errCh <- errors.New(reason.Get("message").String())
},
)
select {
case b := <-bCh:
r.pending = b
case err := <-errCh:
return 0, err
}
}
n = copy(p, r.pending)
r.pending = r.pending[n:]
return n, nil
}
func (r *streamReader) Close() error {
// This ignores any error returned from cancel method. So far, I did not encounter any concrete
// situation where reporting the error is meaningful. Most users ignore error from resp.Body.Close().
// If there's a need to report error here, it can be implemented and tested when that need comes up.
r.stream.Call("cancel")
return nil
}
// Transport is a RoundTripper that is implemented using Fetch API. It supports streaming
// response bodies.
type Transport struct{}
func (t *Transport) RoundTrip(req *http.Request) (*http.Response, error) {
headers := js.Global.Get("Headers").New()
for key, values := range req.Header {
for _, value := range values {
headers.Call("append", key, value)
}
}
ac := js.Global.Get("AbortController").New()
opt := js.Global.Get("Object").New()
opt.Set("headers", headers)
opt.Set("method", req.Method)
opt.Set("credentials", "same-origin")
opt.Set("signal", ac.Get("signal"))
if req.Body != nil {
// TODO: Find out if request body can be streamed into the fetch request rather than in advance here.
// See BufferSource at https://fetch.spec.whatwg.org/#body-mixin.
body, err := ioutil.ReadAll(req.Body)
if err != nil {
_ = req.Body.Close() // RoundTrip must always close the body, including on errors.
return nil, err
}
_ = req.Body.Close()
opt.Set("body", body)
}
respPromise := js.Global.Call("fetch", req.URL.String(), opt)
var (
respCh = make(chan *http.Response)
errCh = make(chan error)
)
respPromise.Call("then",
callback.New(func(args []js.Value) {
result := args[0]
header := http.Header{}
result.Get("headers").Call("forEach", callback.New(func(args []js.Value) {
key, value := args[0].String(), args[1].String()
ck := http.CanonicalHeaderKey(key)
header[ck] = append(header[ck], value)
}).Value)
contentLength := int64(-1)
if cl, err := strconv.ParseInt(header.Get("Content-Length"), 10, 64); err == nil {
contentLength = cl
}
select {
case respCh <- &http.Response{
Status: result.Get("status").String() + " " + http.StatusText(result.Get("status").Int()),
StatusCode: result.Get("status").Int(),
Header: header,
ContentLength: contentLength,
Body: &streamReader{stream: result.Get("body").Call("getReader")},
Request: req,
}:
case <-req.Context().Done():
}
}).Value,
callback.New(func(args []js.Value) {
select {
case errCh <- fmt.Errorf("net/http: fetch() failed: %s", args[0].String()):
case <-req.Context().Done():
}
}).Value,
)
select {
case <-req.Context().Done():
// Abort the Fetch request
ac.Call("abort")
return nil, errors.New("net/http: request canceled")
case resp := <-respCh:
return resp, nil
case err := <-errCh:
return nil, err
}
} }

View File

@ -3,26 +3,15 @@
package main package main
import ( import (
"bytes"
"fmt" "fmt"
"net/http" "net/http"
"net/url"
"github.com/johanbrandhorst/wasm-experiments/fetch/fetch" "github.com/johanbrandhorst/wasm-experiments/fetch/fetch"
) )
func main() { func main() {
headers := http.Header{} c := http.Client{
headers.Add("Content-Type", "application/json") Transport: &fetch.Transport{},
req := &fetch.Request{
URL: &url.URL{
Scheme: "http",
Host: "httpbin.org",
Path: "anything",
},
Method: fetch.POST,
Body: bytes.NewBuffer([]byte(`{"key": "value"}`)),
Headers: headers,
} }
fmt.Println(fetch.Fetch(req)) fmt.Println(c.Get("https://api.github.com"))
} }