-
Notifications
You must be signed in to change notification settings - Fork 3
/
msgcreator.go
79 lines (66 loc) · 1.78 KB
/
msgcreator.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
package gap
import (
"errors"
"fmt"
"git.golaxy.org/core"
"git.golaxy.org/core/util/types"
"git.golaxy.org/framework/util/concurrent"
"reflect"
)
var (
ErrNotDeclared = errors.New("gap: msg not declared") // 消息未注册
)
// IMsgCreator 消息对象构建器接口
type IMsgCreator interface {
// Declare 注册消息
Declare(msg Msg)
// Undeclare 取消注册消息
Undeclare(msgId MsgId)
// New 创建消息指针
New(msgId MsgId) (Msg, error)
}
var msgCreator = NewMsgCreator()
// DefaultMsgCreator 默认消息对象构建器
func DefaultMsgCreator() IMsgCreator {
return msgCreator
}
func init() {
DefaultMsgCreator().Declare(&MsgRPCRequest{})
DefaultMsgCreator().Declare(&MsgRPCReply{})
DefaultMsgCreator().Declare(&MsgOneWayRPC{})
DefaultMsgCreator().Declare(&MsgForward{})
}
// NewMsgCreator 创建消息对象构建器
func NewMsgCreator() IMsgCreator {
return &_MsgCreator{
msgTypeMap: concurrent.MakeLockedMap[MsgId, reflect.Type](0),
}
}
// _MsgCreator 消息对象构建器
type _MsgCreator struct {
msgTypeMap concurrent.LockedMap[MsgId, reflect.Type]
}
// Declare 注册消息
func (c *_MsgCreator) Declare(msg Msg) {
if msg == nil {
panic(fmt.Errorf("%w: msg is nil", core.ErrArgs))
}
c.msgTypeMap.AutoLock(func(m *map[MsgId]reflect.Type) {
if rtype, ok := (*m)[msg.MsgId()]; ok {
panic(fmt.Errorf("msg(%d) has already been declared by %q", msg.MsgId(), types.FullNameRT(rtype)))
}
(*m)[msg.MsgId()] = reflect.TypeOf(msg).Elem()
})
}
// Undeclare 取消注册消息
func (c *_MsgCreator) Undeclare(msgId MsgId) {
c.msgTypeMap.Delete(msgId)
}
// New 创建消息指针
func (c *_MsgCreator) New(msgId MsgId) (Msg, error) {
rtype, ok := c.msgTypeMap.Get(msgId)
if !ok {
return nil, ErrNotDeclared
}
return reflect.New(rtype).Interface().(Msg), nil
}