Update documentation

This commit is contained in:
Adnan Maolood 2021-02-14 15:50:41 -05:00
parent 595b0d0490
commit 7c703e95de
3 changed files with 122 additions and 73 deletions

View File

@ -11,7 +11,7 @@ import (
"time" "time"
) )
// Client is a Gemini client. // A Client is a Gemini client. Its zero value is a usable client.
type Client struct { type Client struct {
// TrustCertificate is called to determine whether the client // TrustCertificate is called to determine whether the client
// should trust the certificate provided by the server. // should trust the certificate provided by the server.
@ -25,7 +25,7 @@ type Client struct {
// Timeout specifies a time limit for requests made by this // Timeout specifies a time limit for requests made by this
// Client. The timeout includes connection time and reading // Client. The timeout includes connection time and reading
// the response body. The timer remains running after // the response body. The timer remains running after
// Get and Do return and will interrupt reading of the Response.Body. // Get or Do return and will interrupt reading of the Response.Body.
// //
// A Timeout of zero means no timeout. // A Timeout of zero means no timeout.
Timeout time.Duration Timeout time.Duration

View File

@ -9,15 +9,20 @@ import (
"net/url" "net/url"
) )
// Request represents a Gemini request. // A Request represents a Gemini request received by a server or to be sent
// by a client.
//
// The field semantics differ slightly between client and server usage.
// In addition to the notes on the fields below, see the documentation
// for Request.Write and TODO: RoundTripper.
type Request struct { type Request struct {
// URL specifies the URL being requested. // URL specifies the URL being requested (for server
// requests) or the URL to access (for client requests).
URL *url.URL URL *url.URL
// For client requests, Host specifies the host on which the URL is sought. // For client requests, Host specifies the server to connect to.
// Host must contain a port. // Host must contain a port.
// // This field is ignored by the Gemini server.
// This field is ignored by the server.
Host string Host string
// Certificate specifies the TLS certificate to use for the request. // Certificate specifies the TLS certificate to use for the request.
@ -26,20 +31,27 @@ type Request struct {
// Certificate.Leaf is guaranteed to be non-nil. // Certificate.Leaf is guaranteed to be non-nil.
Certificate *tls.Certificate Certificate *tls.Certificate
// RemoteAddr allows servers and other software to record the network // RemoteAddr allows Gemini servers and other software to record
// address that sent the request. // the network address that sent the request, usually for
// // logging. This field is not filled in by ReadRequest and
// This field is ignored by the client. // has no defined format. The Gemini server in this package
// sets RemoteAddr to an "IP:port" address before invoking a
// handler.
// This field is ignored by the Gemini client.
RemoteAddr net.Addr RemoteAddr net.Addr
// TLS allows servers and other software to record information about the TLS // TLS allows Gemini servers and other software to record
// connection on which the request was received. // information about the TLS connection on which the request
// // was received. This field is not filled in by ReadRequest.
// This field is ignored by the client. // The Gemini server in this package sets the field for
// TLS-enabled connections before invoking a handler;
// otherwise it leaves the field nil.
// This field is ignored by the Gemini client.
TLS *tls.ConnectionState TLS *tls.ConnectionState
// Context specifies the context to use for client requests. // Context specifies the context to use for client requests.
// If Context is nil, the background context will be used. // If Context is nil, the background context will be used.
// This field is ignored by the Gemini server.
Context context.Context Context context.Context
} }
@ -68,10 +80,14 @@ func NewRequestFromURL(url *url.URL) *Request {
} }
} }
// ReadRequest reads a Gemini request from the provided io.Reader // ReadRequest reads and parses an incoming request from r.
//
// ReadRequest is a low-level function and should only be used
// for specialized applications; most code should use the Server
// to read requests and handle them via the Handler interface.
func ReadRequest(r io.Reader) (*Request, error) { func ReadRequest(r io.Reader) (*Request, error) {
// Read URL // Read URL
br := bufio.NewReader(r) br := bufio.NewReaderSize(r, 1026)
rawurl, err := br.ReadString('\r') rawurl, err := br.ReadString('\r')
if err != nil { if err != nil {
return nil, err return nil, err
@ -99,7 +115,8 @@ func ReadRequest(r io.Reader) (*Request, error) {
return &Request{URL: u}, nil return &Request{URL: u}, nil
} }
// Write writes the Gemini request to the provided buffered writer. // Write writes a Gemini request in wire format.
// This method consults the request URL only.
func (r *Request) Write(w *bufio.Writer) error { func (r *Request) Write(w *bufio.Writer) error {
url := r.URL.String() url := r.URL.String()
// User is invalid // User is invalid

140
server.go
View File

@ -11,33 +11,41 @@ import (
"git.sr.ht/~adnano/go-gemini/certificate" "git.sr.ht/~adnano/go-gemini/certificate"
) )
// Server is a Gemini server. // A Server defines parameters for running a Gemini server. The zero value for
// Server is a valid configuration.
type Server struct { type Server struct {
// Addr specifies the address that the server should listen on. // Addr optionally specifies the TCP address for the server to listen on,
// If Addr is empty, the server will listen on the address ":1965". // in the form "host:port". If empty, ":1965" (port 1965) is used.
// See net.Dial for details of the address format.
Addr string Addr string
// ReadTimeout is the maximum duration for reading a request. // ReadTimeout is the maximum duration for reading the entire
// request.
//
// A ReadTimeout of zero means no timeout.
ReadTimeout time.Duration ReadTimeout time.Duration
// WriteTimeout is the maximum duration before timing out // WriteTimeout is the maximum duration before timing out
// writes of the response. // writes of the response.
//
// A WriteTimeout of zero means no timeout.
WriteTimeout time.Duration WriteTimeout time.Duration
// Certificates contains the certificates used by the server. // Certificates contains one or more certificates to present to the
// other side of the connection.
Certificates certificate.Dir Certificates certificate.Dir
// GetCertificate, if not nil, will be called to retrieve a new certificate // GetCertificate, if not nil, will be called to retrieve a new certificate
// if the current one is expired or missing. // if the current one is expired or missing.
GetCertificate func(hostname string) (tls.Certificate, error) GetCertificate func(hostname string) (tls.Certificate, error)
// ErrorLog specifies an optional logger for errors accepting connections // ErrorLog specifies an optional logger for errors accepting connections,
// and file system errors. // unexpected behavior from handlers, and underlying file system errors.
// If nil, logging is done via the log package's standard logger. // If nil, logging is done via the log package's standard logger.
ErrorLog *log.Logger ErrorLog *log.Logger
// registered responders // registered handlers
responders map[handlerKey]Handler handlers map[handlerKey]Handler
hosts map[string]bool hosts map[string]bool
} }
@ -53,16 +61,16 @@ type handlerKey struct {
// If no scheme is specified, a scheme of "gemini://" is implied. // If no scheme is specified, a scheme of "gemini://" is implied.
// Wildcard patterns are supported (e.g. "*.example.com"). // Wildcard patterns are supported (e.g. "*.example.com").
// To handle any hostname, use the wildcard pattern "*". // To handle any hostname, use the wildcard pattern "*".
func (s *Server) Handle(pattern string, handler Handler) { func (srv *Server) Handle(pattern string, handler Handler) {
if pattern == "" { if pattern == "" {
panic("gemini: invalid pattern") panic("gemini: invalid pattern")
} }
if handler == nil { if handler == nil {
panic("gemini: nil responder") panic("gemini: nil responder")
} }
if s.responders == nil { if srv.handlers == nil {
s.responders = map[handlerKey]Handler{} srv.handlers = map[handlerKey]Handler{}
s.hosts = map[string]bool{} srv.hosts = map[string]bool{}
} }
split := strings.SplitN(pattern, "://", 2) split := strings.SplitN(pattern, "://", 2)
@ -75,21 +83,29 @@ func (s *Server) Handle(pattern string, handler Handler) {
key.hostname = split[0] key.hostname = split[0]
} }
if _, ok := s.responders[key]; ok { if _, ok := srv.handlers[key]; ok {
panic("gemini: multiple registrations for " + pattern) panic("gemini: multiple registrations for " + pattern)
} }
s.responders[key] = handler srv.handlers[key] = handler
s.hosts[key.hostname] = true srv.hosts[key.hostname] = true
} }
// HandleFunc registers the handler function for the given pattern. // HandleFunc registers the handler function for the given pattern.
func (s *Server) HandleFunc(pattern string, handler func(ResponseWriter, *Request)) { func (srv *Server) HandleFunc(pattern string, handler func(ResponseWriter, *Request)) {
s.Handle(pattern, HandlerFunc(handler)) srv.Handle(pattern, HandlerFunc(handler))
} }
// ListenAndServe listens for requests at the server's configured address. // ListenAndServe listens for requests at the server's configured address.
func (s *Server) ListenAndServe() error { // ListenAndServe listens on the TCP network address srv.Addr and then calls
addr := s.Addr // Serve to handle requests on incoming connections.
//
// If srv.Addr is blank, ":1965" is used.
//
// TODO:
// ListenAndServe always returns a non-nil error. After Shutdown or Close, the
// returned error is ErrServerClosed.
func (srv *Server) ListenAndServe() error {
addr := srv.Addr
if addr == "" { if addr == "" {
addr = ":1965" addr = ":1965"
} }
@ -100,15 +116,21 @@ func (s *Server) ListenAndServe() error {
} }
defer ln.Close() defer ln.Close()
return s.Serve(tls.NewListener(ln, &tls.Config{ return srv.Serve(tls.NewListener(ln, &tls.Config{
ClientAuth: tls.RequestClientCert, ClientAuth: tls.RequestClientCert,
MinVersion: tls.VersionTLS12, MinVersion: tls.VersionTLS12,
GetCertificate: s.getCertificate, GetCertificate: srv.getCertificate,
})) }))
} }
// Serve listens for requests on the provided listener. // Serve accepts incoming connections on the Listener l, creating a new
func (s *Server) Serve(l net.Listener) error { // service goroutine for each. The service goroutines read requests and
// then calls the appropriate Handler to reply to them.
//
// TODO:
// Serve always returns a non-nil error and closes l. After Shutdown or Close,
// the returned error is ErrServerClosed.
func (srv *Server) Serve(l net.Listener) error {
var tempDelay time.Duration // how long to sleep on accept failure var tempDelay time.Duration // how long to sleep on accept failure
for { for {
@ -124,7 +146,7 @@ func (s *Server) Serve(l net.Listener) error {
if max := 1 * time.Second; tempDelay > max { if max := 1 * time.Second; tempDelay > max {
tempDelay = max tempDelay = max
} }
s.logf("gemini: Accept error: %v; retrying in %v", err, tempDelay) srv.logf("gemini: Accept error: %v; retrying in %v", err, tempDelay)
time.Sleep(tempDelay) time.Sleep(tempDelay)
continue continue
} }
@ -134,26 +156,26 @@ func (s *Server) Serve(l net.Listener) error {
} }
tempDelay = 0 tempDelay = 0
go s.respond(rw) go srv.respond(rw)
} }
} }
// getCertificate retrieves a certificate for the given client hello. // getCertificate retrieves a certificate for the given client hello.
func (s *Server) getCertificate(h *tls.ClientHelloInfo) (*tls.Certificate, error) { func (srv *Server) getCertificate(h *tls.ClientHelloInfo) (*tls.Certificate, error) {
cert, err := s.lookupCertificate(h.ServerName, h.ServerName) cert, err := srv.lookupCertificate(h.ServerName, h.ServerName)
if err != nil { if err != nil {
// Try wildcard // Try wildcard
wildcard := strings.SplitN(h.ServerName, ".", 2) wildcard := strings.SplitN(h.ServerName, ".", 2)
if len(wildcard) == 2 { if len(wildcard) == 2 {
// Use the wildcard pattern as the hostname. // Use the wildcard pattern as the hostname.
hostname := "*." + wildcard[1] hostname := "*." + wildcard[1]
cert, err = s.lookupCertificate(hostname, hostname) cert, err = srv.lookupCertificate(hostname, hostname)
} }
// Try "*" wildcard // Try "*" wildcard
if err != nil { if err != nil {
// Use the server name as the hostname // Use the server name as the hostname
// since "*" is not a valid hostname. // since "*" is not a valid hostname.
cert, err = s.lookupCertificate("*", h.ServerName) cert, err = srv.lookupCertificate("*", h.ServerName)
} }
} }
return cert, err return cert, err
@ -163,18 +185,18 @@ func (s *Server) getCertificate(h *tls.ClientHelloInfo) (*tls.Certificate, error
// if and only if the provided pattern is registered. // if and only if the provided pattern is registered.
// If no certificate is found in the certificate store or the certificate // If no certificate is found in the certificate store or the certificate
// is expired, it calls GetCertificate to retrieve a new certificate. // is expired, it calls GetCertificate to retrieve a new certificate.
func (s *Server) lookupCertificate(pattern, hostname string) (*tls.Certificate, error) { func (srv *Server) lookupCertificate(pattern, hostname string) (*tls.Certificate, error) {
if _, ok := s.hosts[pattern]; !ok { if _, ok := srv.hosts[pattern]; !ok {
return nil, errors.New("hostname not registered") return nil, errors.New("hostname not registered")
} }
cert, ok := s.Certificates.Lookup(hostname) cert, ok := srv.Certificates.Lookup(hostname)
if !ok || cert.Leaf != nil && cert.Leaf.NotAfter.Before(time.Now()) { if !ok || cert.Leaf != nil && cert.Leaf.NotAfter.Before(time.Now()) {
if s.GetCertificate != nil { if srv.GetCertificate != nil {
cert, err := s.GetCertificate(hostname) cert, err := srv.GetCertificate(hostname)
if err == nil { if err == nil {
if err := s.Certificates.Add(hostname, cert); err != nil { if err := srv.Certificates.Add(hostname, cert); err != nil {
s.logf("gemini: Failed to write new certificate for %s: %s", hostname, err) srv.logf("gemini: Failed to write new certificate for %s: %s", hostname, err)
} }
} }
return &cert, err return &cert, err
@ -186,19 +208,17 @@ func (s *Server) lookupCertificate(pattern, hostname string) (*tls.Certificate,
} }
// respond responds to a connection. // respond responds to a connection.
func (s *Server) respond(conn net.Conn) { func (srv *Server) respond(conn net.Conn) {
defer conn.Close() defer conn.Close()
if d := s.ReadTimeout; d != 0 { if d := srv.ReadTimeout; d != 0 {
_ = conn.SetReadDeadline(time.Now().Add(d)) conn.SetReadDeadline(time.Now().Add(d))
} }
if d := s.WriteTimeout; d != 0 { if d := srv.WriteTimeout; d != 0 {
_ = conn.SetWriteDeadline(time.Now().Add(d)) conn.SetWriteDeadline(time.Now().Add(d))
} }
w := NewResponseWriter(conn) w := NewResponseWriter(conn)
defer func() { defer w.Flush()
_ = w.Flush()
}()
req, err := ReadRequest(conn) req, err := ReadRequest(conn)
if err != nil { if err != nil {
@ -223,7 +243,7 @@ func (s *Server) respond(conn net.Conn) {
// Store remote address // Store remote address
req.RemoteAddr = conn.RemoteAddr() req.RemoteAddr = conn.RemoteAddr()
resp := s.responder(req) resp := srv.responder(req)
if resp == nil { if resp == nil {
w.Status(StatusNotFound) w.Status(StatusNotFound)
return return
@ -232,25 +252,25 @@ func (s *Server) respond(conn net.Conn) {
resp.ServeGemini(w, req) resp.ServeGemini(w, req)
} }
func (s *Server) responder(r *Request) Handler { func (srv *Server) responder(r *Request) Handler {
if h, ok := s.responders[handlerKey{r.URL.Scheme, r.URL.Hostname()}]; ok { if h, ok := srv.handlers[handlerKey{r.URL.Scheme, r.URL.Hostname()}]; ok {
return h return h
} }
wildcard := strings.SplitN(r.URL.Hostname(), ".", 2) wildcard := strings.SplitN(r.URL.Hostname(), ".", 2)
if len(wildcard) == 2 { if len(wildcard) == 2 {
if h, ok := s.responders[handlerKey{r.URL.Scheme, "*." + wildcard[1]}]; ok { if h, ok := srv.handlers[handlerKey{r.URL.Scheme, "*." + wildcard[1]}]; ok {
return h return h
} }
} }
if h, ok := s.responders[handlerKey{r.URL.Scheme, "*"}]; ok { if h, ok := srv.handlers[handlerKey{r.URL.Scheme, "*"}]; ok {
return h return h
} }
return nil return nil
} }
func (s *Server) logf(format string, args ...interface{}) { func (srv *Server) logf(format string, args ...interface{}) {
if s.ErrorLog != nil { if srv.ErrorLog != nil {
s.ErrorLog.Printf(format, args...) srv.ErrorLog.Printf(format, args...)
} else { } else {
log.Printf(format, args...) log.Printf(format, args...)
} }
@ -259,7 +279,19 @@ func (s *Server) logf(format string, args ...interface{}) {
// A Handler responds to a Gemini request. // A Handler responds to a Gemini request.
// //
// ServeGemini should write the response header and data to the ResponseWriter // ServeGemini should write the response header and data to the ResponseWriter
// and then return. // and then return. Returning signals that the request is finished; it is not
// valid to use the ResponseWriter after or concurrently with the completion
// of the ServeGemini call.
//
// Handlers should not modify the provided Request.
//
// TODO:
// If ServeGemini panics, the server (the caller of ServeGemini) assumes that
// the effect of the panic was isolated to the active request. It recovers
// the panic, logs a stack trace to the server error log, and closes the
// newtwork connection. To abort a handler so the client sees an interrupted
// response but the server doesn't log an error, panic with the value
// ErrAbortHandler.
type Handler interface { type Handler interface {
ServeGemini(ResponseWriter, *Request) ServeGemini(ResponseWriter, *Request)
} }