Last active
October 4, 2017 16:58
-
-
Save JSila/2be121b3e6badf7cd9e06ba70788ddc4 to your computer and use it in GitHub Desktop.
Context cancelation example in Go
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package main | |
import ( | |
"context" | |
"flag" | |
"fmt" | |
"io/ioutil" | |
"net/http" | |
"time" | |
) | |
func main() { | |
t := flag.Int("timeout", 2, "Timeout, in seconds") | |
flag.Parse() | |
d := time.Duration(*t) | |
ctx, cancel := context.WithTimeout(context.Background(), d*time.Second) | |
defer cancel() | |
body, err := doWork(ctx) | |
if err != nil { | |
fmt.Println(err) | |
return | |
} | |
fmt.Println(string(body)) | |
} | |
func doWork(ctx context.Context) ([]byte, error) { | |
req, err := http.NewRequest("GET", "http://localhost:8080", nil) | |
if err != nil { | |
return nil, err | |
} | |
var b []byte | |
err = httpDo(ctx, req, func(res *http.Response, err error) error { | |
if err != nil { | |
return err | |
} | |
defer res.Body.Close() | |
if b, err = ioutil.ReadAll(res.Body); err != nil { | |
return err | |
} | |
return nil | |
}) | |
return b, err | |
} | |
func httpDo(ctx context.Context, req *http.Request, f func(*http.Response, error) error) error { | |
tr := &http.Transport{} | |
client := http.Client{Transport: tr} | |
c := make(chan error, 1) | |
go func() { c <- f(client.Do(req)) }() | |
select { | |
case <-ctx.Done(): | |
tr.CancelRequest(req) | |
<-c | |
return ctx.Err() | |
case err := <-c: | |
return err | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package main | |
import ( | |
"flag" | |
"fmt" | |
"net/http" | |
"time" | |
) | |
func main() { | |
t := flag.Int("timeout", 5, "Sleep duration, in seconds") | |
flag.Parse() | |
http.HandleFunc("/", handler(time.Duration(*t))) | |
fmt.Println("Listening on port 8080") | |
http.ListenAndServe(":8080", nil) | |
} | |
func handler(d time.Duration) http.HandlerFunc { | |
return func(w http.ResponseWriter, r *http.Request) { | |
time.Sleep(d * time.Second) | |
fmt.Fprint(w, "I finished before context deadline exceeded") | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment