-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathserver.go
107 lines (92 loc) · 2.15 KB
/
server.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
package tcp
import (
"errors"
"fmt"
"net"
"sync"
"time"
)
// OnAccept is a callback which gets called when a new connection is accepted.
type OnAccept func(c net.Conn)
// ErrServerClosed occurs wehen a tcp server is closed.
var ErrServerClosed = errors.New("tcp: Server closed")
// Server represents a TCP server.
type Server struct {
sync.Mutex
OnAccept OnAccept // The handler to invoke when a connection is accepted.
Closing chan bool // The closing channel.
}
// ServeAsync creates a TCP listener and starts the server.
func ServeAsync(port int, closing chan bool, acceptHandler OnAccept) error {
l, err := net.Listen("tcp", fmt.Sprintf(":%d", port))
if err != nil {
return err
}
server := new(Server)
server.Closing = closing
server.OnAccept = acceptHandler
go server.Serve(l)
return nil
}
// Serve accepts the connections and fires the callback
func (s *Server) Serve(l net.Listener) error {
defer l.Close()
var tempDelay time.Duration // how long to sleep on accept failure
for {
conn, err := l.Accept()
if err != nil {
select {
case <-s.closing():
return ErrServerClosed
default:
}
if netErr, ok := err.(net.Error); ok && netErr.Temporary() {
if tempDelay == 0 {
tempDelay = 5 * time.Millisecond
} else {
tempDelay *= 2
}
if max := 1 * time.Second; tempDelay > max {
tempDelay = max
}
time.Sleep(tempDelay)
continue
}
return err
}
tempDelay = 0
go s.OnAccept(conn)
}
}
// Close immediately closes all active listeners.
func (s *Server) Close() error {
s.Lock()
defer s.Unlock()
s.close()
return nil
}
// Closing gets the closing channel in a thread-safe manner.
func (s *Server) closing() <-chan bool {
s.Lock()
defer s.Unlock()
return s.getClosing()
}
// Closing gets the closing channel in a non thread-safe manner.
func (s *Server) getClosing() chan bool {
if s.Closing == nil {
s.Closing = make(chan bool)
}
return s.Closing
}
// Close the channel
func (s *Server) close() {
ch := s.getClosing()
select {
case <-ch:
// Already closed. Don't close again.
default:
// Safe to close here. We're the only closer, guarded
// by s.mu.
close(ch)
}
}