Last active
April 13, 2025 11:14
-
Star
(319)
You must be signed in to star a gist -
Fork
(54)
You must be signed in to fork a gist
-
-
Save tsenart/5fc18c659814c078378d to your computer and use it in GitHub Desktop.
HTTP Closures
This file contains hidden or 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 ( | |
"net/http" | |
"database/sql" | |
"fmt" | |
"log" | |
"os" | |
) | |
func helloHandler(db *sql.DB) http.Handler { | |
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { | |
var name string | |
// Execute the query. | |
row := db.QueryRow("SELECT myname FROM mytable") | |
if err := row.Scan(&name); err != nil { | |
http.Error(w, err.Error(), 500) | |
return | |
} | |
// Write it back to the client. | |
fmt.Fprintf(w, "hi %s!\n", name) | |
}) | |
} | |
func withMetrics(l *log.Logger, next http.Handler) http.Handler { | |
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { | |
began := time.Now() | |
next.ServeHTTP(w, r) | |
l.Printf("%s %s took %s", r.Method, r.URL, time.Since(began)) | |
}) | |
} | |
func main() { | |
// Open our database connection. | |
db, err := sql.Open("postgres", "…") | |
if err != nil { | |
log.Fatal(err) | |
} | |
// Create our logger | |
logger := log.New(os.Stdout, "", 0) | |
// Register our handler. | |
http.Handle("/hello", helloHandler(db)) | |
// Register our handler with metrics logging | |
http.Handle("/hello_again", withMetrics(logger, helloHandler(db))) | |
http.ListenAndServe(":8080", nil) | |
} |
and how do you write a test against the handler
hellohandler
using this approach?
Execute helloHandler and put the returned HandlerFunc into a var
and how do you write a test against the handler
hellohandler
using this approach?Execute helloHandler and put the returned HandlerFunc into a var
I guess writing unit test this way is again unrealistic, just imagine if there are thousands of handlers to be tested.
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
smarter way to organize golang code