HTTP
The below snippets are using the chi
package for Go.
To Install
bash
go get github.com/go-chi/chi/v5
go get github.com/go-chi/chi/v5/middleware
go get github.com/go-chi/cors
Basic Implementation
go
// main.go
package main
import (
"fmt"
"log"
"net/http"
"os"
"time"
_ "github.com/jackc/pgconn"
_ "github.com/jackc/pgx/v4"
_ "github.com/jackc/pgx/v4/stdlib"
)
const webPort = "80"
var counts int64
type Config struct {
Client *http.Client
}
func main() {
app := Config{
Client: &http.Client{},
}
srv := &http.Server{
Addr: fmt.Sprintf(":%s", webPort),
Handler: app.routes(),
}
err := srv.ListenAndServe()
if err != nil {
log.Panic(err)
}
}
go
// routes.go
package main
import (
"net/http"
"github.com/go-chi/chi"
"github.com/go-chi/chi/middleware"
"github.com/go-chi/cors"
)
func (app *Config) routes() http.Handler {
mux := chi.NewRouter()
mux.Use(cors.Handler(cors.Options{
AllowedOrigins: []string{"https://*", "http://*"},
AllowedMethods: []string{"GET", "POST", "PUT", "DELETE", "OPTIONS"},
AllowedHeaders: []string{"Accept", "Authorization", "Content-Type", "X-CSRF-Token"},
ExposedHeaders: []string{"Link"},
AllowCredentials: true,
MaxAge: 300,
}))
mux.Use(middleware.Heartbeat("/ping"))
mux.Post("/authenticate", app.Authenticate)
return mux
}
go
// handlers.go
package main
import (
"bytes"
"encoding/json"
"errors"
"fmt"
"log"
"net/http"
)
func (app *Config) Authenticate(w http.ResponseWriter, r *http.Request) {
var requestPayload struct {
Email string `json:"email"`
Password string `json:"password"`
}
err := app.readJSON(w, r, &requestPayload)
if err != nil {
app.errorJSON(w, err, http.StatusBadRequest)
return
}
// validate user against db
user, err := app.Repo.GetByEmail(requestPayload.Email)
if err != nil {
app.errorJSON(w, errors.New("invalid credentials"), http.StatusBadRequest)
return
}
valid, err := app.Repo.PasswordMatches(requestPayload.Password, *user)
if err != nil || !valid {
app.errorJSON(w, errors.New("invalid credentials"), http.StatusBadRequest)
return
}
// log authentication
err = app.logRequest("authentication", fmt.Sprintf("%s logged in", user.Email))
if err != nil {
app.errorJSON(w, err)
return
}
log.Println("Logged authentication request")
payload := jsonResponse{
Error: false,
Message: fmt.Sprintf("Logged in user %s", requestPayload.Email),
Data: user,
}
app.writeJSON(w, http.StatusAccepted, payload)
}
func (app *Config) logRequest(name, data string) error {
var entry struct {
Name string `json:"name"`
Data string `json:"data"`
}
entry.Name = name
entry.Data = data
jsonData, _ := json.MarshalIndent(entry, "", "\t")
logURL := "http://logger/log"
request, err := http.NewRequest("POST", logURL, bytes.NewBuffer(jsonData))
if err != nil {
return err
}
_, err = app.Client.Do(request)
if err != nil {
return err
}
return nil
}
go
// helpers.go
package main
import (
"encoding/json"
"errors"
"io"
"net/http"
)
type jsonResponse struct {
Error bool `json:"error"`
Message string `json:"message"`
Data any `json:"data,omitempty"`
}
func (app *Config) readJSON(w http.ResponseWriter, r *http.Request, data any) error {
maxBytes := 1048576 // one MB
r.Body = http.MaxBytesReader(w, r.Body, int64(maxBytes))
dec := json.NewDecoder(r.Body)
err := dec.Decode(data)
if err != nil {
return err
}
err = dec.Decode(&struct{}{})
if err != io.EOF {
return errors.New("Body must have only a single json value")
}
return nil
}
func (app *Config) writeJSON(w http.ResponseWriter, status int, data any, headers ...http.Header) error {
out, err := json.Marshal(data)
if err != nil {
return err
}
if len(headers) > 0 {
for key, val := range headers[0] {
w.Header()[key] = val
}
}
w.Header().Set("Content-Type", "application/json")
w.WriteHeader(status)
_, err = w.Write(out)
if err != nil {
return err
}
return nil
}
func (app *Config) errorJSON(w http.ResponseWriter, err error, status ...int) error {
statusCode := http.StatusBadRequest
if len(status) > 0 {
statusCode = status[0]
}
var payload jsonResponse
payload.Error = true
payload.Message = err.Error()
return app.writeJSON(w, statusCode, payload)
}
Adding Custom Types to Session
go
// main.go, before creating session
gob.Register(data.User{})
// to add type to session
app.Session.Put(r.Context(), "user", user) // user *data.User
Testing
go
// handlers_test.go
package main
import (
"bytes"
"encoding/json"
"io"
"net/http"
"net/http/httptest"
"testing"
)
type RoundTripFunc func(req *http.Request) *http.Response
func (f RoundTripFunc) RoundTrip(req *http.Request) (*http.Response, error) {
return f(req), nil
}
func NewTestClient(fn RoundTripFunc) *http.Client {
return &http.Client{
Transport: fn,
}
}
func Test_Authenticate(t *testing.T) {
jsonToReturn := `
{
"error": false,
"message": "some message"
}
`
client := NewTestClient(func(req *http.Request) *http.Response {
return &http.Response{
StatusCode: http.StatusOK,
Body: io.NopCloser(bytes.NewBufferString(jsonToReturn)),
Header: make(http.Header),
}
})
testApp.Client = client
postBody := map[string]interface{}{
"email": "me@here.com",
"password": "verysecret",
}
body, _ := json.Marshal(postBody)
req, _ := http.NewRequest("POST", "/authenticate", bytes.NewReader(body))
rr := httptest.NewRecorder()
handler := http.HandlerFunc(testApp.Authenticate)
handler.ServeHTTP(rr, req)
if rr.Code != http.StatusAccepted {
t.Errorf("handler returned wrong status code: got %v want %v",
rr.Code, http.StatusAccepted)
}
}
go
// routes_test.go
package main
import (
"net/http"
"testing"
"github.com/go-chi/chi"
)
func Test_routes_exist(t *testing.T) {
testApp := Config{}
testRoutes := testApp.routes()
chiRoutes := testRoutes.(chi.Router)
routes := []string{"/authenticate"}
for _, route := range routes {
routeExists(t, chiRoutes, route)
}
}
func routeExists(t *testing.T, routes chi.Router, route string) {
found := false
_ = chi.Walk(routes, func(method string, foundRoute string, handler http.Handler, middlewares ...func(http.Handler) http.Handler) error {
if route == foundRoute {
found = true
}
return nil
})
if !found {
t.Errorf("route %s not found", route)
}
}