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
|
package cmds
import (
"os"
"os/user"
"strconv"
"strings"
"syscall"
)
func test(args []string) int {
if len(args) <= 2 {
return 1
}
if strings.HasPrefix(args[1], "-") {
return genTest(args[1:])
} else {
_, err := strconv.Atoi(args[1])
if err != nil {
return testString(args[1:])
} else {
return testNumber(args[1:])
}
}
}
func testString(args []string) int {
if len(args) != 3 {
return 1
}
sTests := map[string]func() bool{
"=": func() bool { return args[0] == args[2] },
"!=": func() bool { return args[0] != args[2] },
"<": func() bool { return strings.Compare(args[0], args[2]) < 0 },
">": func() bool { return strings.Compare(args[0], args[2]) > 0 },
}
if sTest, ok := sTests[args[1]]; ok && sTest() {
return 0
}
return 1
}
func testNumber(args []string) int {
if len(args) != 3 {
return 1
}
a, _ := strconv.Atoi(args[0])
b, err := strconv.Atoi(args[2])
if err != nil {
return 1
}
nTests := map[string]func() bool{
"-eq": func() bool { return a == b },
"-ne": func() bool { return a != b },
"-gt": func() bool { return a > b },
"-ge": func() bool { return a >= b },
"-lt": func() bool { return a < b },
"-le": func() bool { return a <= b },
}
if nTest, ok := nTests[args[1]]; ok && nTest() {
return 0
}
return 1
}
func genTest(args []string) int {
sTests := map[string]func() bool{
"-n": func() bool { return len(args[1]) > 0 },
"-z": func() bool { return len(args[1]) == 0 },
}
if sTest, ok := sTests[args[0]]; ok && sTest() {
return 0
}
fi, err := os.Lstat(args[1])
c, _ := user.Current()
if err != nil {
return 1
}
s := fi.Sys().(*syscall.Stat_t)
uid, _ := strconv.Atoi(c.Uid)
gid, _ := strconv.Atoi(c.Gid)
fTests := map[string]func() bool{
"-e": func() bool { return true },
"-f": func() bool { return !fi.IsDir() },
"-d": func() bool { return fi.IsDir() },
"-r": func() bool { return fi.Mode().Perm()&0400 != 0 },
"-w": func() bool { return fi.Mode().Perm()&0200 != 0 },
"-x": func() bool { return fi.Mode().Perm()&0100 != 0 },
"-S": func() bool { return fi.Size() > 0 },
"-L": func() bool { return fi.Mode()&os.ModeSymlink != 0 },
"-O": func() bool { return uid == int(s.Uid) },
"-G": func() bool { return gid == int(s.Gid) },
}
if fTest, ok := fTests[args[0]]; ok && fTest() {
return 0
}
return 1
}
|