forked from maticnetwork/heimdall
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathside_router.go
82 lines (65 loc) · 1.78 KB
/
side_router.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
package types
import (
"fmt"
"regexp"
)
var (
_ SideRouter = (*router)(nil)
isAlphaNumeric = regexp.MustCompile(`^[a-zA-Z0-9]+$`).MatchString
)
// SideHandlers handler for side-tx processing
type SideHandlers struct {
SideTxHandler SideTxHandler
PostTxHandler PostTxHandler
}
// SideRouter implements router.
type SideRouter interface {
AddRoute(r string, h *SideHandlers) (rtr SideRouter)
HasRoute(r string) bool
GetRoute(path string) (h *SideHandlers)
Seal()
}
type router struct {
routes map[string]*SideHandlers
sealed bool
}
// NewSideRouter new router
func NewSideRouter() SideRouter {
return &router{
routes: make(map[string]*SideHandlers),
}
}
// Seal seals the router which prohibits any subsequent route handlers to be
// added. Seal will panic if called more than once.
func (rtr *router) Seal() {
if rtr.sealed {
panic("router already sealed")
}
rtr.sealed = true
}
// AddRoute adds a governance handler for a given path. It returns the Router
// so AddRoute calls can be linked. It will panic if the router is sealed.
func (rtr *router) AddRoute(path string, h *SideHandlers) SideRouter {
if rtr.sealed {
panic("router sealed; cannot add route handler")
}
if !isAlphaNumeric(path) {
panic("route expressions can only contain alphanumeric characters")
}
if rtr.HasRoute(path) {
panic(fmt.Sprintf("route %s has already been initialized", path))
}
rtr.routes[path] = h
return rtr
}
// HasRoute returns true if the router has a path registered or false otherwise.
func (rtr *router) HasRoute(path string) bool {
return rtr.routes[path] != nil
}
// GetRoute returns a Handler for a given path.
func (rtr *router) GetRoute(path string) *SideHandlers {
if !rtr.HasRoute(path) {
panic(fmt.Sprintf("route \"%s\" does not exist", path))
}
return rtr.routes[path]
}