Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

usages: align flag types separately from names #383

Open
wants to merge 3 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
5 changes: 2 additions & 3 deletions duration_slice.go
Original file line number Diff line number Diff line change
@@ -1,7 +1,6 @@
package pflag

import (
"fmt"
"strings"
"time"
)
Expand Down Expand Up @@ -46,7 +45,7 @@ func (s *durationSliceValue) Type() string {
func (s *durationSliceValue) String() string {
out := make([]string, len(*s.value))
for i, d := range *s.value {
out[i] = fmt.Sprintf("%s", d)
out[i] = d.String()
}
return "[" + strings.Join(out, ",") + "]"
}
Expand All @@ -56,7 +55,7 @@ func (s *durationSliceValue) fromString(val string) (time.Duration, error) {
}

func (s *durationSliceValue) toString(val time.Duration) string {
return fmt.Sprintf("%s", val)
return val.String()
}

func (s *durationSliceValue) Append(val string) error {
Expand Down
141 changes: 102 additions & 39 deletions flag.go
Original file line number Diff line number Diff line change
Expand Up @@ -27,23 +27,32 @@ unaffected.
Define flags using flag.String(), Bool(), Int(), etc.

This declares an integer flag, -flagname, stored in the pointer ip, with type *int.

var ip = flag.Int("flagname", 1234, "help message for flagname")

If you like, you can bind the flag to a variable using the Var() functions.

var flagvar int
func init() {
flag.IntVar(&flagvar, "flagname", 1234, "help message for flagname")
}

Or you can create custom flags that satisfy the Value interface (with
pointer receivers) and couple them to flag parsing by

flag.Var(&flagVal, "name", "help message for flagname")

For such flags, the default value is just the initial value of the variable.

After all flags are defined, call

flag.Parse()

to parse the command line into the defined flags.

Flags may then be used directly. If you're using the flags themselves,
they are all pointers; if you bind to variables, they're values.

fmt.Println("ip has value ", *ip)
fmt.Println("flagvar has value ", flagvar)

Expand All @@ -54,22 +63,26 @@ The arguments are indexed from 0 through flag.NArg()-1.
The pflag package also defines some new functions that are not in flag,
that give one-letter shorthands for flags. You can use these by appending
'P' to the name of any function that defines a flag.

var ip = flag.IntP("flagname", "f", 1234, "help message")
var flagvar bool
func init() {
flag.BoolVarP(&flagvar, "boolname", "b", true, "help message")
}
flag.VarP(&flagval, "varname", "v", "help message")

Shorthand letters can be used with single dashes on the command line.
Boolean shorthand flags can be combined with other shorthand flags.

Command line flag syntax:

--flag // boolean flags only
--flag=x

Unlike the flag package, a single dash before an option means something
different than a double dash. Single dashes signify a series of shorthand
letters for flags. All but the last shorthand letter must be boolean flags.

// boolean flags
-f
-abc
Expand Down Expand Up @@ -107,6 +120,7 @@ import (
"os"
"sort"
"strings"
"text/tabwriter"
)

// ErrHelp is the error returned if the flag -help is invoked but no such flag is defined.
Expand Down Expand Up @@ -365,7 +379,7 @@ func (f *FlagSet) ShorthandLookup(name string) *Flag {
}
if len(name) > 1 {
msg := fmt.Sprintf("can not look up shorthand which is more than one ASCII character: %q", name)
fmt.Fprintf(f.Output(), msg)
fmt.Fprint(f.Output(), msg)
panic(msg)
}
c := name[0]
Expand Down Expand Up @@ -565,6 +579,39 @@ func (f *Flag) defaultIsZeroValue() bool {
}
}

// lineWriter is a simple io.Writer implementation backed by a string slice.
// Unsurprisingly, it's most useful when one wants to consume the data written
// as lines -- strings.Join(lw.Lines(), "\n") will return the data written.
type lineWriter struct {
lines []string
buf bytes.Buffer
}

func (lw *lineWriter) Write(p []byte) (int, error) {
n := len(p)
for i := bytes.IndexByte(p, '\n'); i != -1; {
lw.buf.Write(p[:i])
lw.lines = append(lw.lines, lw.buf.String())
lw.buf.Reset()
if i == len(p)-1 { // last character
return n, nil
}
p = p[i+1:]
i = bytes.IndexByte(p, '\n')
}
lw.buf.Write(p)
return n, nil
}

func (lw *lineWriter) Lines() []string {
if len(lw.lines) == 0 && lw.buf.Len() == 0 {
return nil
}
return append(lw.lines, lw.buf.String())
}

var _ io.Writer = (*lineWriter)(nil)

// UnquoteUsage extracts a back-quoted name from the usage
// string for a flag and returns it and the un-quoted usage.
// Given "a `name` to show" it returns ("name", "a name to show").
Expand Down Expand Up @@ -682,74 +729,90 @@ func wrap(i, w int, s string) string {
// for all flags in the FlagSet. Wrapped to `cols` columns (0 for no
// wrapping)
func (f *FlagSet) FlagUsagesWrapped(cols int) string {
buf := new(bytes.Buffer)

lines := make([]string, 0, len(f.formal))
var (
lw = lineWriter{lines: make([]string, 0, len(f.formal))}
// Use tabwriter to align flag names, types and usages.
// Columns are separated by tabs and rows by newlines; tabwriter.Escape
// can be used to escape tabs / newlines within a cell.
tw = tabwriter.NewWriter(&lw, 0, 0, 0, ' ', tabwriter.StripEscape)
)

maxlen := 0
f.VisitAll(func(flag *Flag) {
if flag.Hidden {
return
}

line := ""
if flag.Shorthand != "" && flag.ShorthandDeprecated == "" {
line = fmt.Sprintf(" -%s, --%s", flag.Shorthand, flag.Name)
fmt.Fprintf(tw, " -%s, --%s", flag.Shorthand, flag.Name)
} else {
line = fmt.Sprintf(" --%s", flag.Name)
fmt.Fprintf(tw, " --%s", flag.Name)
}
fmt.Fprint(tw, "\t")

varname, usage := UnquoteUsage(flag)
if varname != "" {
line += " " + varname
varname = " " + varname
}
fmt.Fprint(tw, varname)
tw.Write([]byte{tabwriter.Escape})
if flag.NoOptDefVal != "" {
switch flag.Value.Type() {
case "string":
line += fmt.Sprintf("[=\"%s\"]", flag.NoOptDefVal)
fmt.Fprintf(tw, "[=\"%s\"]", flag.NoOptDefVal)
case "bool":
if flag.NoOptDefVal != "true" {
line += fmt.Sprintf("[=%s]", flag.NoOptDefVal)
fmt.Fprintf(tw, "[=%s]", flag.NoOptDefVal)
}
case "count":
if flag.NoOptDefVal != "+1" {
line += fmt.Sprintf("[=%s]", flag.NoOptDefVal)
fmt.Fprintf(tw, "[=%s]", flag.NoOptDefVal)
}
default:
line += fmt.Sprintf("[=%s]", flag.NoOptDefVal)
fmt.Fprintf(tw, "[=%s]", flag.NoOptDefVal)
}
}
tw.Write([]byte{tabwriter.Escape, '\t', tabwriter.Escape})

// This special character will be replaced with spacing once the
// correct alignment is calculated
line += "\x00"
if len(line) > maxlen {
maxlen = len(line)
}

line += usage
// '\x00' tracks where usage starts (so we can wrap it as needed).
fmt.Fprintf(tw, " \x00%s", usage)
if !flag.defaultIsZeroValue() {
if flag.Value.Type() == "string" {
line += fmt.Sprintf(" (default %q)", flag.DefValue)
fmt.Fprintf(tw, " (default %q)", flag.DefValue)
} else {
line += fmt.Sprintf(" (default %s)", flag.DefValue)
fmt.Fprintf(tw, " (default %s)", flag.DefValue)
}
}
if len(flag.Deprecated) != 0 {
line += fmt.Sprintf(" (DEPRECATED: %s)", flag.Deprecated)
fmt.Fprintf(tw, " (DEPRECATED: %s)", flag.Deprecated)
}

lines = append(lines, line)
tw.Write([]byte{tabwriter.Escape, '\n'})
})

for _, line := range lines {
sidx := strings.Index(line, "\x00")
spacing := strings.Repeat(" ", maxlen-sidx)
// maxlen + 2 comes from + 1 for the \x00 and + 1 for the (deliberate) off-by-one in maxlen-sidx
fmt.Fprintln(buf, line[:sidx], spacing, wrap(maxlen+2, cols, line[sidx+1:]))
tw.Flush()
lines := lw.Lines()
if len(lines) == 0 {
return ""
}

return buf.String()
var (
// Usage should start at the same index for all the lines since
// tabwriter already aligns it for us, so just check the first line.
// Note: there's a small exception, see below.
i = strings.IndexByte(lines[0], '\x00')
b strings.Builder
)
// Skip the empty line at the end.
for _, line := range lines[:len(lines)-1] {
// Some flags could have multiline usage, which would end up as separate
// lines -- they however wouldn't have '\x00', so we indent them with
// the same number of spaces as the first line and then wrap them.
// wrap indents by i+1 to account for the space introduced by Fprintln.
if strings.IndexByte(line, '\x00') == -1 {
fmt.Fprintln(&b, strings.Repeat(" ", i), wrap(i+1, cols, line))
} else {
fmt.Fprintln(&b, line[:i], wrap(i+1, cols, line[i+1:]))
}
}
return b.String()
}

// FlagUsages returns a string containing the usage information for all flags in
Expand Down Expand Up @@ -867,7 +930,7 @@ func (f *FlagSet) AddFlag(flag *Flag) {
}
if len(flag.Shorthand) > 1 {
msg := fmt.Sprintf("%q shorthand is more than one ASCII character", flag.Shorthand)
fmt.Fprintf(f.Output(), msg)
fmt.Fprint(f.Output(), msg)
panic(msg)
}
if f.shorthands == nil {
Expand All @@ -877,7 +940,7 @@ func (f *FlagSet) AddFlag(flag *Flag) {
used, alreadyThere := f.shorthands[c]
if alreadyThere {
msg := fmt.Sprintf("unable to redefine %q shorthand in %q flagset: it's already used for %q flag", c, f.name, used.Name)
fmt.Fprintf(f.Output(), msg)
fmt.Fprint(f.Output(), msg)
panic(msg)
}
f.shorthands[c] = flag
Expand Down Expand Up @@ -934,9 +997,9 @@ func (f *FlagSet) usage() {
}
}

//--unknown (args will be empty)
//--unknown --next-flag ... (args will be --next-flag ...)
//--unknown arg ... (args will be arg ...)
// --unknown (args will be empty)
// --unknown --next-flag ... (args will be --next-flag ...)
// --unknown arg ... (args will be arg ...)
func stripUnknownFlagValue(args []string) []string {
if len(args) == 0 {
//--unknown
Expand Down Expand Up @@ -1135,7 +1198,7 @@ func (f *FlagSet) Parse(arguments []string) error {
}
f.parsed = true

if len(arguments) < 0 {
if len(arguments) == 0 {
return nil
}

Expand Down
46 changes: 22 additions & 24 deletions flag_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -571,7 +571,7 @@ func TestShorthandLookup(t *testing.T) {
defer func() {
recover()
}()
flag = f.ShorthandLookup("ab")
f.ShorthandLookup("ab")
// should NEVER get here. lookup should panic. defer'd func should recover it.
t.Errorf("f.ShorthandLookup(\"ab\") did not panic")
}
Expand Down Expand Up @@ -1134,7 +1134,6 @@ func TestMultipleNormalizeFlagNameInvocations(t *testing.T) {
}
}

//
func TestHiddenFlagInUsage(t *testing.T) {
f := NewFlagSet("bob", ContinueOnError)
f.Bool("secretFlag", true, "shhh")
Expand All @@ -1149,7 +1148,6 @@ func TestHiddenFlagInUsage(t *testing.T) {
}
}

//
func TestHiddenFlagUsage(t *testing.T) {
f := NewFlagSet("bob", ContinueOnError)
f.Bool("secretFlag", true, "shhh")
Expand All @@ -1166,27 +1164,27 @@ func TestHiddenFlagUsage(t *testing.T) {
}
}

const defaultOutput = ` --A for bootstrapping, allow 'any' type
--Alongflagname disable bounds checking
-C, --CCC a boolean defaulting to true (default true)
--D path set relative path for local imports
-E, --EEE num[=1234] a num with NoOptDefVal (default 4321)
--F number a non-zero number (default 2.7)
--G float a float that defaults to zero
--IP ip IP address with no default
--IPMask ipMask Netmask address with no default
--IPNet ipNet IP network with no default
--Ints ints int slice with zero default
--N int a non-zero int (default 27)
--ND1 string[="bar"] a string with NoOptDefVal (default "foo")
--ND2 num[=4321] a num with NoOptDefVal (default 1234)
--StringArray stringArray string array with zero default
--StringSlice strings string slice with zero default
--Z int an int that defaults to zero
--custom custom custom Value implementation
--customP custom a VarP with default (default 10)
--maxT timeout set timeout for dial
-v, --verbose count verbosity
const defaultOutput = ` --A for bootstrapping, allow 'any' type
--Alongflagname disable bounds checking
-C, --CCC a boolean defaulting to true (default true)
--D path set relative path for local imports
-E, --EEE num[=1234] a num with NoOptDefVal (default 4321)
--F number a non-zero number (default 2.7)
--G float a float that defaults to zero
--IP ip IP address with no default
--IPMask ipMask Netmask address with no default
--IPNet ipNet IP network with no default
--Ints ints int slice with zero default
--N int a non-zero int (default 27)
--ND1 string[="bar"] a string with NoOptDefVal (default "foo")
--ND2 num[=4321] a num with NoOptDefVal (default 1234)
--StringArray stringArray string array with zero default
--StringSlice strings string slice with zero default
--Z int an int that defaults to zero
--custom custom custom Value implementation
--customP custom a VarP with default (default 10)
--maxT timeout set timeout for dial
-v, --verbose count verbosity
`

// Custom value that satisfies the Value interface.
Expand Down
5 changes: 1 addition & 4 deletions ipnet_slice_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -13,10 +13,7 @@ func getCIDR(ip net.IP, cidr *net.IPNet, err error) net.IPNet {
}

func equalCIDR(c1 net.IPNet, c2 net.IPNet) bool {
if c1.String() == c2.String() {
return true
}
return false
return c1.String() == c2.String()
}

func setUpIPNetFlagSet(ipsp *[]net.IPNet) *FlagSet {
Expand Down