-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtcp_acceptor.go
127 lines (113 loc) · 2.33 KB
/
tcp_acceptor.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
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
package jsn_net
import (
"net"
"sync"
"sync/atomic"
"time"
)
func NewTcpAcceptor(listener *net.TCPListener, acceptNum int32, limitConnSize int32,
providePipe PipeProvider, codec TcpCodec, readTimeout time.Duration, sendChanSize int) *TcpAcceptor {
// acceptor need
a := new(TcpAcceptor)
a.acceptNum = Clip(acceptNum, 1, acceptRunningLimit)
a.listener = listener
a.limitConnSize = limitConnSize
// session need
a.providePipe = providePipe
a.codec = codec
a.readTimeout = readTimeout
a.sendChanSize = sendChanSize
// self init
a.sessions = sync.Map{}
a.connSize = 0
a.tag = LifeTag{}
a.goWg = sync.WaitGroup{}
return a
}
type TcpAcceptor struct {
acceptNum int32
listener net.Listener
limitConnSize int32
sessionConstructor
sid uint64
sessions sync.Map
connSize int32
tag LifeTag
goWg sync.WaitGroup
}
func (a *TcpAcceptor) Session(sid uint64) *TcpSession {
value, ok := a.sessions.Load(sid)
if !ok {
return nil
}
sess, _ := value.(*TcpSession)
return sess
}
func (a *TcpAcceptor) Close() {
if !a.tag.IsRunning() {
return
}
if a.tag.IsStopping() {
return
}
a.tag.StartStopping()
a.listener.Close()
a.sessions.Range(func(key, value any) bool {
session, ok := value.(*TcpSession)
if !ok {
return true
}
session.Close()
a.sessions.Delete(key)
return true
})
a.tag.WaitStopFinished()
}
func (a *TcpAcceptor) Start() {
if a.tag.IsRunning() {
return
}
a.tag.SetRunning(true)
for i := 0; i < int(a.acceptNum); i++ {
WaitGo(&a.goWg, a.accept)
}
go func() {
a.goWg.Wait()
a.tag.SetRunning(false)
a.tag.EndStopping()
}()
}
func (a *TcpAcceptor) accept() {
for {
conn, err := a.listener.Accept()
if a.tag.IsStopping() {
if nil != conn {
conn.Close()
}
break
}
if nil != err {
continue
}
size := atomic.LoadInt32(&a.connSize)
if size >= a.limitConnSize {
conn.Close()
continue
}
atomic.AddInt32(&a.connSize, 1)
WaitGo(&a.goWg, func() {
a.runSession(conn)
})
}
}
func (a *TcpAcceptor) runSession(conn net.Conn) {
sid := atomic.AddUint64(&a.sid, 1)
session := NewTcpSession(sid, conn.(*net.TCPConn), a.providePipe(), a.codec, a.readTimeout, a.sendChanSize)
if _, ok := a.sessions.Load(sid); ok {
panic("duplicate key sid")
}
a.sessions.Store(sid, session)
session.run()
atomic.AddInt32(&a.connSize, -1)
a.sessions.Delete(sid)
}