You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
tea/examples/hit-counter/server.go

44 lines
866 B
Go

package main
import (
"encoding/json"
"fmt"
"net/http"
"sync"
)
type response struct {
OK bool `json:"ok"`
Hits int `json:"hits"`
}
// server implements an http hit-counter server. The hit-count server responds
// to GET requests with the number of responses it has seen for that path,
// inclusive of the request itself (i.e., starting at 1).
type server struct {
sync.Mutex
counters map[string]int
}
func (s *server) ServeHTTP(w http.ResponseWriter, r *http.Request) {
hits := s.hit(r.URL.Path)
fmt.Printf("% 8d %s\n", hits, r.URL.Path)
w.Header().Add("Content-Type", "application/json")
json.NewEncoder(w).Encode(response{OK: true, Hits: hits})
}
func (s *server) hit(path string) int {
s.Lock()
defer s.Unlock()
if s.counters == nil {
s.counters = map[string]int{path: 1}
return 1
}
s.counters[path]++
return s.counters[path]
}