soju/server.go

186 lines
3.8 KiB
Go
Raw Normal View History

2020-03-13 10:13:03 -07:00
package soju
2020-02-04 01:46:22 -08:00
import (
"fmt"
2020-02-07 02:36:42 -08:00
"log"
2020-02-04 01:46:22 -08:00
"net"
"net/http"
"sync"
"sync/atomic"
"time"
2020-02-04 01:46:22 -08:00
"gopkg.in/irc.v3"
"nhooyr.io/websocket"
"git.sr.ht/~emersion/soju/config"
2020-02-04 01:46:22 -08:00
)
// TODO: make configurable
var retryConnectDelay = time.Minute
var connectTimeout = 15 * time.Second
var writeTimeout = 10 * time.Second
var upstreamMessageDelay = 2 * time.Second
var upstreamMessageBurst = 10
2020-02-06 06:50:46 -08:00
type Logger interface {
Print(v ...interface{})
Printf(format string, v ...interface{})
}
2020-02-06 11:25:37 -08:00
type prefixLogger struct {
logger Logger
prefix string
}
var _ Logger = (*prefixLogger)(nil)
func (l *prefixLogger) Print(v ...interface{}) {
v = append([]interface{}{l.prefix}, v...)
l.logger.Print(v...)
}
func (l *prefixLogger) Printf(format string, v ...interface{}) {
v = append([]interface{}{l.prefix}, v...)
l.logger.Printf("%v"+format, v...)
}
2020-02-06 07:03:07 -08:00
type Server struct {
Hostname string
Logger Logger
HistoryLimit int
LogPath string
Debug bool
HTTPOrigins []string
AcceptProxyIPs config.IPSet
Identd *Identd // can be nil
db *DB
lock sync.Mutex
users map[string]*user
2020-02-07 02:36:42 -08:00
}
func NewServer(db *DB) *Server {
2020-02-07 02:36:42 -08:00
return &Server{
Add support for downstream CHATHISTORY This adds support for the WIP (at the time of this commit) draft/chathistory extension, based on the draft at [1] and the additional comments at [2]. This gets the history by parsing the chat logs, and is therefore only enabled when the logs are enabled and the log path is configured. Getting the history only from the logs adds some restrictions: - we cannot get history by msgid (those are not logged) - we cannot get the users masks (maybe they could be inferred from the JOIN etc, but it is not worth the effort and would not work every time) The regular soju network history is not sent to clients that support draft/chathistory, so that they can fetch what they need by manually calling CHATHISTORY. The only supported command is BEFORE for now, because that is the only required command for an app that offers an "infinite history scrollback" feature. Regarding implementation, rather than reading the file from the end in reverse, we simply start from the beginning of each log file, store each PRIVMSG into a ring, then add the last lines of that ring into the history we'll return later. The message parsing implementation must be kept somewhat fast because an app could potentially request thousands of messages in several files. Here we are using simple sscanf and indexOf rather than regexps. In case some log files do not contain any message (for example because the user had not joined a channel at that time), we try up to a 100 days of empty log files before giving up. [1]: https://github.com/prawnsalad/ircv3-specifications/pull/3/files [2]: https://github.com/ircv3/ircv3-specifications/pull/393/files#r350210018
2020-05-21 15:59:57 -07:00
Logger: log.New(log.Writer(), "", log.LstdFlags),
HistoryLimit: 1000,
users: make(map[string]*user),
db: db,
2020-02-07 02:36:42 -08:00
}
2020-02-04 09:56:07 -08:00
}
2020-02-04 01:46:22 -08:00
2020-02-04 09:56:07 -08:00
func (s *Server) prefix() *irc.Prefix {
return &irc.Prefix{Name: s.Hostname}
}
2020-02-04 02:25:53 -08:00
func (s *Server) Run() error {
users, err := s.db.ListUsers()
if err != nil {
return err
}
2020-02-07 02:36:42 -08:00
s.lock.Lock()
for i := range users {
s.addUserLocked(&users[i])
2020-02-06 07:03:07 -08:00
}
s.lock.Unlock()
select {}
2020-02-06 07:03:07 -08:00
}
func (s *Server) createUser(user *User) (*user, error) {
s.lock.Lock()
defer s.lock.Unlock()
if _, ok := s.users[user.Username]; ok {
return nil, fmt.Errorf("user %q already exists", user.Username)
}
err := s.db.StoreUser(user)
if err != nil {
return nil, fmt.Errorf("could not create user in db: %v", err)
}
return s.addUserLocked(user), nil
}
2020-02-07 02:39:56 -08:00
func (s *Server) getUser(name string) *user {
s.lock.Lock()
u := s.users[name]
s.lock.Unlock()
return u
}
func (s *Server) addUserLocked(user *User) *user {
s.Logger.Printf("starting bouncer for user %q", user.Username)
u := newUser(s, user)
s.users[u.Username] = u
go func() {
u.run()
s.lock.Lock()
delete(s.users, u.Username)
s.lock.Unlock()
}()
return u
}
var lastDownstreamID uint64 = 0
2020-07-01 08:02:37 -07:00
func (s *Server) handle(ic ircConn) {
id := atomic.AddUint64(&lastDownstreamID, 1)
2020-07-01 08:02:37 -07:00
dc := newDownstreamConn(s, ic, id)
if err := dc.runUntilRegistered(); err != nil {
dc.logger.Print(err)
} else {
dc.user.events <- eventDownstreamConnected{dc}
if err := dc.readMessages(dc.user.events); err != nil {
dc.logger.Print(err)
}
dc.user.events <- eventDownstreamDisconnected{dc}
}
dc.Close()
}
2020-02-04 02:25:53 -08:00
func (s *Server) Serve(ln net.Listener) error {
2020-02-04 01:46:22 -08:00
for {
conn, err := ln.Accept()
2020-02-04 01:46:22 -08:00
if err != nil {
return fmt.Errorf("failed to accept connection: %v", err)
}
2020-07-01 08:02:37 -07:00
go s.handle(newNetIRCConn(conn))
}
}
func (s *Server) ServeHTTP(w http.ResponseWriter, req *http.Request) {
conn, err := websocket.Accept(w, req, &websocket.AcceptOptions{
OriginPatterns: s.HTTPOrigins,
2020-07-02 02:05:49 -07:00
Subprotocols: []string{"irc"},
})
if err != nil {
s.Logger.Printf("failed to serve HTTP connection: %v", err)
return
2020-02-04 01:46:22 -08:00
}
isProxy := false
if host, _, err := net.SplitHostPort(req.RemoteAddr); err == nil {
if ip := net.ParseIP(host); ip != nil {
isProxy = s.AcceptProxyIPs.Contains(ip)
}
}
// Only trust X-Forwarded-* header fields if this is a trusted proxy IP
// to prevent users from spoofing the remote address
remoteAddr := req.RemoteAddr
forwardedHost := req.Header.Get("X-Forwarded-For")
forwardedPort := req.Header.Get("X-Forwarded-Port")
if isProxy && forwardedHost != "" && forwardedPort != "" {
remoteAddr = net.JoinHostPort(forwardedHost, forwardedPort)
}
2020-07-01 08:02:37 -07:00
s.handle(newWebsocketIRCConn(conn, remoteAddr))
2020-02-04 01:46:22 -08:00
}