-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathroutes.go
92 lines (79 loc) · 1.77 KB
/
routes.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
package ctrl
import (
"flag"
"fmt"
)
type Routes struct {
cmds []*RoutedCmd
}
func NewRoutes() *Routes {
return &Routes{}
}
func (r *Routes) addCmd(rc *RoutedCmd) {
if _, exists := r.Lookup(rc.name); exists {
panic("cmd name already added")
}
r.cmds = append(r.cmds, rc)
}
func (r *Routes) AddFunc(name string, cmd Cmd, help string) {
r.addCmd(NewRoutedCmd(name, cmd, help, nil))
}
func (r *Routes) AddFlagFunc(name string, fcmd FlagCmd, help string) {
fs := flag.NewFlagSet(name, flag.ExitOnError)
cmd := fcmd(fs)
r.addCmd(NewRoutedCmd(name, cmd, help, fs))
}
func (r *Routes) MountRoutes(prefix string, cmdmap *Routes) {
for _, rc := range cmdmap.cmds {
rccopy := rc.copy()
rccopy.name = prefix + "." + rc.name
r.addCmd(rccopy)
}
}
func (r *Routes) Visit(fn func(*RoutedCmd) bool) {
for _, rc := range r.cmds {
if !fn(rc) {
return
}
}
}
func (r *Routes) Lookup(s string) (cmd *RoutedCmd, ok bool) {
r.Visit(func(rc *RoutedCmd) bool {
if rc.Match(s) {
cmd = rc
ok = true
return false // stop iteration
}
return true
})
return
}
func (r *Routes) Print() {
r.Visit(func(rc *RoutedCmd) bool {
rc.Print()
return true
})
//printUniversalFlags()
}
func (r *Routes) Parse(args []string) ([]*RoutedCmd, error) {
rcs := make([]*RoutedCmd, 0, 2)
return r.parseRec(args, rcs)
}
func (r *Routes) parseRec(args []string, rcs []*RoutedCmd) ([]*RoutedCmd, error) {
if len(args) == 0 {
return rcs, nil
}
name := args[0]
/* test this, or remove
if name[0:1] == "-" {
return nil, fmt.Errorf("%s does not define any flags", rcs[len(rcs)-1].name)
}
*/
rc, ok := r.Lookup(name)
if !ok {
return nil, fmt.Errorf("could not find command %s, use -l flag", name)
}
args = rc.Parse(args[1:])
rcs = append(rcs, rc)
return r.parseRec(args, rcs)
}