-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrouting_trie.go
112 lines (95 loc) · 1.97 KB
/
routing_trie.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
package service
import (
"net/http"
"strings"
"sync"
)
type RoutingTrie struct {
mutex *sync.RWMutex
root *Route
}
type Route struct {
label string
isEnd bool
service *BackendService
children map[string]*Route
}
func (rt *RoutingTrie) BuildRoutes(services []*BackendService) {
rt.root = &Route{
label: "",
children: make(map[string]*Route),
}
for _, s := range services {
rt.insertNode(s)
}
}
func (rt *RoutingTrie) FindBackendService(r *http.Request) *BackendService {
rt.mutex.RLock()
defer rt.mutex.RUnlock()
node := rt.root
pathSegments := strings.Split(r.URL.Path, "/")
domain := strings.Split(r.Host, ":")[0]
// Check for domain-based routing first
domainNode, ok := node.children[domain]
if ok {
if domainNode.service != nil {
return domainNode.service
}
node = domainNode
}
// Check for path-based routing
for i, segment := range pathSegments {
if segment == "" {
continue
}
child, ok := node.children[segment]
if !ok {
return node.service
}
if child.service != nil && child.service.Domain == domain {
if i == len(pathSegments)-1 {
return child.service
}
node = child
continue
}
if child.service != nil && child.service.Domain == "" {
node = child
continue
}
node = child
}
return node.service
}
func (rt *RoutingTrie) insertNode(service *BackendService) {
node := rt.root
// Handle domain-based routing first
if service.Domain != "" {
domainNode, ok := node.children[service.Domain]
if !ok {
domainNode = &Route{
label: service.Domain,
children: make(map[string]*Route),
}
node.children[service.Domain] = domainNode
}
node = domainNode
}
segments := strings.Split(service.Path, "/")
for _, s := range segments {
if s == "" {
continue
}
child, ok := node.children[s]
if !ok {
child = &Route{
label: s,
children: make(map[string]*Route),
}
node.children[s] = child
}
node = child
}
node.isEnd = true
node.service = service
}