forked from cornfeedhobo/pflag
-
Notifications
You must be signed in to change notification settings - Fork 1
/
int.go
82 lines (67 loc) · 2.25 KB
/
int.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
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package zflag
import (
"strconv"
"strings"
)
// -- int Value
type intValue int
var _ Value = (*intValue)(nil)
var _ Getter = (*intValue)(nil)
var _ Typed = (*intValue)(nil)
func newIntValue(val int, p *int) *intValue {
*p = val
return (*intValue)(p)
}
func (i *intValue) Set(val string) error {
val = strings.TrimSpace(val)
v, err := strconv.ParseInt(val, 0, 64)
*i = intValue(v)
return err
}
func (i *intValue) Get() interface{} {
return int(*i)
}
func (i *intValue) Type() string {
return "int"
}
func (i *intValue) String() string { return strconv.Itoa(int(*i)) }
// GetInt return the int value of a flag with the given name
func (fs *FlagSet) GetInt(name string) (int, error) {
val, err := fs.getFlagValue(name, "int")
if err != nil {
return 0, err
}
return val.(int), nil
}
// MustGetInt is like GetInt, but panics on error.
func (fs *FlagSet) MustGetInt(name string) int {
val, err := fs.GetInt(name)
if err != nil {
panic(err)
}
return val
}
// IntVar defines an int flag with specified name, default value, and usage string.
// The argument p points to an int variable in which to store the value of the flag.
func (fs *FlagSet) IntVar(p *int, name string, value int, usage string, opts ...Opt) {
fs.Var(newIntValue(value, p), name, usage, opts...)
}
// IntVar defines an int flag with specified name, default value, and usage string.
// The argument p points to an int variable in which to store the value of the flag.
func IntVar(p *int, name string, value int, usage string, opts ...Opt) {
CommandLine.IntVar(p, name, value, usage, opts...)
}
// Int defines an int flag with specified name, default value, and usage string.
// The return value is the address of an int variable that stores the value of the flag.
func (fs *FlagSet) Int(name string, value int, usage string, opts ...Opt) *int {
var p int
fs.IntVar(&p, name, value, usage, opts...)
return &p
}
// Int defines an int flag with specified name, default value, and usage string.
// The return value is the address of an int variable that stores the value of the flag.
func Int(name string, value int, usage string, opts ...Opt) *int {
return CommandLine.Int(name, value, usage, opts...)
}