http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/cobra/bash_completions.go
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/cobra/bash_completions.go 
b/newt/vendor/github.com/spf13/cobra/bash_completions.go
new file mode 100644
index 0000000..eea11ee
--- /dev/null
+++ b/newt/vendor/github.com/spf13/cobra/bash_completions.go
@@ -0,0 +1,532 @@
+package cobra
+
+import (
+       "fmt"
+       "io"
+       "os"
+       "sort"
+       "strings"
+
+       "github.com/spf13/pflag"
+)
+
+const (
+       BashCompFilenameExt     = 
"cobra_annotation_bash_completion_filename_extentions"
+       BashCompOneRequiredFlag = 
"cobra_annotation_bash_completion_one_required_flag"
+       BashCompSubdirsInDir    = 
"cobra_annotation_bash_completion_subdirs_in_dir"
+)
+
+func preamble(out io.Writer, name string) error {
+       _, err := fmt.Fprintf(out, "# bash completion for %-36s -*- 
shell-script -*-\n", name)
+       if err != nil {
+               return err
+       }
+       _, err = fmt.Fprintf(out, `
+__debug()
+{
+    if [[ -n ${BASH_COMP_DEBUG_FILE} ]]; then
+        echo "$*" >> "${BASH_COMP_DEBUG_FILE}"
+    fi
+}
+
+# Homebrew on Macs have version 1.3 of bash-completion which doesn't include
+# _init_completion. This is a very minimal version of that function.
+__my_init_completion()
+{
+    COMPREPLY=()
+    _get_comp_words_by_ref cur prev words cword
+}
+
+__index_of_word()
+{
+    local w word=$1
+    shift
+    index=0
+    for w in "$@"; do
+        [[ $w = "$word" ]] && return
+        index=$((index+1))
+    done
+    index=-1
+}
+
+__contains_word()
+{
+    local w word=$1; shift
+    for w in "$@"; do
+        [[ $w = "$word" ]] && return
+    done
+    return 1
+}
+
+__handle_reply()
+{
+    __debug "${FUNCNAME}"
+    case $cur in
+        -*)
+            if [[ $(type -t compopt) = "builtin" ]]; then
+                compopt -o nospace
+            fi
+            local allflags
+            if [ ${#must_have_one_flag[@]} -ne 0 ]; then
+                allflags=("${must_have_one_flag[@]}")
+            else
+                allflags=("${flags[*]} ${two_word_flags[*]}")
+            fi
+            COMPREPLY=( $(compgen -W "${allflags[*]}" -- "$cur") )
+            if [[ $(type -t compopt) = "builtin" ]]; then
+                [[ $COMPREPLY == *= ]] || compopt +o nospace
+            fi
+            return 0;
+            ;;
+    esac
+
+    # check if we are handling a flag with special work handling
+    local index
+    __index_of_word "${prev}" "${flags_with_completion[@]}"
+    if [[ ${index} -ge 0 ]]; then
+        ${flags_completion[${index}]}
+        return
+    fi
+
+    # we are parsing a flag and don't have a special handler, no completion
+    if [[ ${cur} != "${words[cword]}" ]]; then
+        return
+    fi
+
+    local completions
+    if [[ ${#must_have_one_flag[@]} -ne 0 ]]; then
+        completions=("${must_have_one_flag[@]}")
+    elif [[ ${#must_have_one_noun[@]} -ne 0 ]]; then
+        completions=("${must_have_one_noun[@]}")
+    else
+        completions=("${commands[@]}")
+    fi
+    COMPREPLY=( $(compgen -W "${completions[*]}" -- "$cur") )
+
+    if [[ ${#COMPREPLY[@]} -eq 0 ]]; then
+        declare -F __custom_func >/dev/null && __custom_func
+    fi
+
+    __ltrim_colon_completions "$cur"
+}
+
+# The arguments should be in the form "ext1|ext2|extn"
+__handle_filename_extension_flag()
+{
+    local ext="$1"
+    _filedir "@(${ext})"
+}
+
+__handle_subdirs_in_dir_flag()
+{
+    local dir="$1"
+    pushd "${dir}" >/dev/null 2>&1 && _filedir -d && popd >/dev/null 2>&1
+}
+
+__handle_flag()
+{
+    __debug "${FUNCNAME}: c is $c words[c] is ${words[c]}"
+
+    # if a command required a flag, and we found it, unset must_have_one_flag()
+    local flagname=${words[c]}
+    local flagvalue
+    # if the word contained an =
+    if [[ ${words[c]} == *"="* ]]; then
+        flagvalue=${flagname#*=} # take in as flagvalue after the =
+        flagname=${flagname%%=*} # strip everything after the =
+        flagname="${flagname}=" # but put the = back
+    fi
+    __debug "${FUNCNAME}: looking for ${flagname}"
+    if __contains_word "${flagname}" "${must_have_one_flag[@]}"; then
+        must_have_one_flag=()
+    fi
+
+    # keep flag value with flagname as flaghash
+    if [ ${flagvalue} ] ; then
+        flaghash[${flagname}]=${flagvalue}
+    elif [ ${words[ $((c+1)) ]} ] ; then
+        flaghash[${flagname}]=${words[ $((c+1)) ]}
+    else
+        flaghash[${flagname}]="true" # pad "true" for bool flag
+    fi
+
+    # skip the argument to a two word flag
+    if __contains_word "${words[c]}" "${two_word_flags[@]}"; then
+        c=$((c+1))
+        # if we are looking for a flags value, don't show commands
+        if [[ $c -eq $cword ]]; then
+            commands=()
+        fi
+    fi
+
+    c=$((c+1))
+
+}
+
+__handle_noun()
+{
+    __debug "${FUNCNAME}: c is $c words[c] is ${words[c]}"
+
+    if __contains_word "${words[c]}" "${must_have_one_noun[@]}"; then
+        must_have_one_noun=()
+    fi
+
+    nouns+=("${words[c]}")
+    c=$((c+1))
+}
+
+__handle_command()
+{
+    __debug "${FUNCNAME}: c is $c words[c] is ${words[c]}"
+
+    local next_command
+    if [[ -n ${last_command} ]]; then
+        next_command="_${last_command}_${words[c]//:/__}"
+    else
+        if [[ $c -eq 0 ]]; then
+            next_command="_$(basename ${words[c]//:/__})"
+        else
+            next_command="_${words[c]//:/__}"
+        fi
+    fi
+    c=$((c+1))
+    __debug "${FUNCNAME}: looking for ${next_command}"
+    declare -F $next_command >/dev/null && $next_command
+}
+
+__handle_word()
+{
+    if [[ $c -ge $cword ]]; then
+        __handle_reply
+        return
+    fi
+    __debug "${FUNCNAME}: c is $c words[c] is ${words[c]}"
+    if [[ "${words[c]}" == -* ]]; then
+        __handle_flag
+    elif __contains_word "${words[c]}" "${commands[@]}"; then
+        __handle_command
+    elif [[ $c -eq 0 ]] && __contains_word "$(basename ${words[c]})" 
"${commands[@]}"; then
+        __handle_command
+    else
+        __handle_noun
+    fi
+    __handle_word
+}
+
+`)
+       return err
+}
+
+func postscript(w io.Writer, name string) error {
+       name = strings.Replace(name, ":", "__", -1)
+       _, err := fmt.Fprintf(w, "__start_%s()\n", name)
+       if err != nil {
+               return err
+       }
+       _, err = fmt.Fprintf(w, `{
+    local cur prev words cword
+    declare -A flaghash 2>/dev/null || :
+    if declare -F _init_completion >/dev/null 2>&1; then
+        _init_completion -s || return
+    else
+        __my_init_completion || return
+    fi
+
+    local c=0
+    local flags=()
+    local two_word_flags=()
+    local flags_with_completion=()
+    local flags_completion=()
+    local commands=("%s")
+    local must_have_one_flag=()
+    local must_have_one_noun=()
+    local last_command
+    local nouns=()
+
+    __handle_word
+}
+
+`, name)
+       if err != nil {
+               return err
+       }
+       _, err = fmt.Fprintf(w, `if [[ $(type -t compopt) = "builtin" ]]; then
+    complete -o default -F __start_%s %s
+else
+    complete -o default -o nospace -F __start_%s %s
+fi
+
+`, name, name, name, name)
+       if err != nil {
+               return err
+       }
+       _, err = fmt.Fprintf(w, "# ex: ts=4 sw=4 et filetype=sh\n")
+       return err
+}
+
+func writeCommands(cmd *Command, w io.Writer) error {
+       if _, err := fmt.Fprintf(w, "    commands=()\n"); err != nil {
+               return err
+       }
+       for _, c := range cmd.Commands() {
+               if !c.IsAvailableCommand() || c == cmd.helpCommand {
+                       continue
+               }
+               if _, err := fmt.Fprintf(w, "    commands+=(%q)\n", c.Name()); 
err != nil {
+                       return err
+               }
+       }
+       _, err := fmt.Fprintf(w, "\n")
+       return err
+}
+
+func writeFlagHandler(name string, annotations map[string][]string, w 
io.Writer) error {
+       for key, value := range annotations {
+               switch key {
+               case BashCompFilenameExt:
+                       _, err := fmt.Fprintf(w, "    
flags_with_completion+=(%q)\n", name)
+                       if err != nil {
+                               return err
+                       }
+
+                       if len(value) > 0 {
+                               ext := "__handle_filename_extension_flag " + 
strings.Join(value, "|")
+                               _, err = fmt.Fprintf(w, "    
flags_completion+=(%q)\n", ext)
+                       } else {
+                               ext := "_filedir"
+                               _, err = fmt.Fprintf(w, "    
flags_completion+=(%q)\n", ext)
+                       }
+                       if err != nil {
+                               return err
+                       }
+               case BashCompSubdirsInDir:
+                       _, err := fmt.Fprintf(w, "    
flags_with_completion+=(%q)\n", name)
+
+                       if len(value) == 1 {
+                               ext := "__handle_subdirs_in_dir_flag " + 
value[0]
+                               _, err = fmt.Fprintf(w, "    
flags_completion+=(%q)\n", ext)
+                       } else {
+                               ext := "_filedir -d"
+                               _, err = fmt.Fprintf(w, "    
flags_completion+=(%q)\n", ext)
+                       }
+                       if err != nil {
+                               return err
+                       }
+               }
+       }
+       return nil
+}
+
+func writeShortFlag(flag *pflag.Flag, w io.Writer) error {
+       b := (flag.Value.Type() == "bool")
+       name := flag.Shorthand
+       format := "    "
+       if !b {
+               format += "two_word_"
+       }
+       format += "flags+=(\"-%s\")\n"
+       if _, err := fmt.Fprintf(w, format, name); err != nil {
+               return err
+       }
+       return writeFlagHandler("-"+name, flag.Annotations, w)
+}
+
+func writeFlag(flag *pflag.Flag, w io.Writer) error {
+       b := (flag.Value.Type() == "bool")
+       name := flag.Name
+       format := "    flags+=(\"--%s"
+       if !b {
+               format += "="
+       }
+       format += "\")\n"
+       if _, err := fmt.Fprintf(w, format, name); err != nil {
+               return err
+       }
+       return writeFlagHandler("--"+name, flag.Annotations, w)
+}
+
+func writeFlags(cmd *Command, w io.Writer) error {
+       _, err := fmt.Fprintf(w, `    flags=()
+    two_word_flags=()
+    flags_with_completion=()
+    flags_completion=()
+
+`)
+       if err != nil {
+               return err
+       }
+       var visitErr error
+       cmd.NonInheritedFlags().VisitAll(func(flag *pflag.Flag) {
+               if err := writeFlag(flag, w); err != nil {
+                       visitErr = err
+                       return
+               }
+               if len(flag.Shorthand) > 0 {
+                       if err := writeShortFlag(flag, w); err != nil {
+                               visitErr = err
+                               return
+                       }
+               }
+       })
+       if visitErr != nil {
+               return visitErr
+       }
+       cmd.InheritedFlags().VisitAll(func(flag *pflag.Flag) {
+               if err := writeFlag(flag, w); err != nil {
+                       visitErr = err
+                       return
+               }
+               if len(flag.Shorthand) > 0 {
+                       if err := writeShortFlag(flag, w); err != nil {
+                               visitErr = err
+                               return
+                       }
+               }
+       })
+       if visitErr != nil {
+               return visitErr
+       }
+
+       _, err = fmt.Fprintf(w, "\n")
+       return err
+}
+
+func writeRequiredFlag(cmd *Command, w io.Writer) error {
+       if _, err := fmt.Fprintf(w, "    must_have_one_flag=()\n"); err != nil {
+               return err
+       }
+       flags := cmd.NonInheritedFlags()
+       var visitErr error
+       flags.VisitAll(func(flag *pflag.Flag) {
+               for key := range flag.Annotations {
+                       switch key {
+                       case BashCompOneRequiredFlag:
+                               format := "    must_have_one_flag+=(\"--%s"
+                               b := (flag.Value.Type() == "bool")
+                               if !b {
+                                       format += "="
+                               }
+                               format += "\")\n"
+                               if _, err := fmt.Fprintf(w, format, flag.Name); 
err != nil {
+                                       visitErr = err
+                                       return
+                               }
+
+                               if len(flag.Shorthand) > 0 {
+                                       if _, err := fmt.Fprintf(w, "    
must_have_one_flag+=(\"-%s\")\n", flag.Shorthand); err != nil {
+                                               visitErr = err
+                                               return
+                                       }
+                               }
+                       }
+               }
+       })
+       return visitErr
+}
+
+func writeRequiredNoun(cmd *Command, w io.Writer) error {
+       if _, err := fmt.Fprintf(w, "    must_have_one_noun=()\n"); err != nil {
+               return err
+       }
+       sort.Sort(sort.StringSlice(cmd.ValidArgs))
+       for _, value := range cmd.ValidArgs {
+               if _, err := fmt.Fprintf(w, "    must_have_one_noun+=(%q)\n", 
value); err != nil {
+                       return err
+               }
+       }
+       return nil
+}
+
+func gen(cmd *Command, w io.Writer) error {
+       for _, c := range cmd.Commands() {
+               if !c.IsAvailableCommand() || c == cmd.helpCommand {
+                       continue
+               }
+               if err := gen(c, w); err != nil {
+                       return err
+               }
+       }
+       commandName := cmd.CommandPath()
+       commandName = strings.Replace(commandName, " ", "_", -1)
+       commandName = strings.Replace(commandName, ":", "__", -1)
+       if _, err := fmt.Fprintf(w, "_%s()\n{\n", commandName); err != nil {
+               return err
+       }
+       if _, err := fmt.Fprintf(w, "    last_command=%q\n", commandName); err 
!= nil {
+               return err
+       }
+       if err := writeCommands(cmd, w); err != nil {
+               return err
+       }
+       if err := writeFlags(cmd, w); err != nil {
+               return err
+       }
+       if err := writeRequiredFlag(cmd, w); err != nil {
+               return err
+       }
+       if err := writeRequiredNoun(cmd, w); err != nil {
+               return err
+       }
+       if _, err := fmt.Fprintf(w, "}\n\n"); err != nil {
+               return err
+       }
+       return nil
+}
+
+func (cmd *Command) GenBashCompletion(w io.Writer) error {
+       if err := preamble(w, cmd.Name()); err != nil {
+               return err
+       }
+       if len(cmd.BashCompletionFunction) > 0 {
+               if _, err := fmt.Fprintf(w, "%s\n", 
cmd.BashCompletionFunction); err != nil {
+                       return err
+               }
+       }
+       if err := gen(cmd, w); err != nil {
+               return err
+       }
+       return postscript(w, cmd.Name())
+}
+
+func (cmd *Command) GenBashCompletionFile(filename string) error {
+       outFile, err := os.Create(filename)
+       if err != nil {
+               return err
+       }
+       defer outFile.Close()
+
+       return cmd.GenBashCompletion(outFile)
+}
+
+// MarkFlagRequired adds the BashCompOneRequiredFlag annotation to the named 
flag, if it exists.
+func (cmd *Command) MarkFlagRequired(name string) error {
+       return MarkFlagRequired(cmd.Flags(), name)
+}
+
+// MarkPersistentFlagRequired adds the BashCompOneRequiredFlag annotation to 
the named persistent flag, if it exists.
+func (cmd *Command) MarkPersistentFlagRequired(name string) error {
+       return MarkFlagRequired(cmd.PersistentFlags(), name)
+}
+
+// MarkFlagRequired adds the BashCompOneRequiredFlag annotation to the named 
flag in the flag set, if it exists.
+func MarkFlagRequired(flags *pflag.FlagSet, name string) error {
+       return flags.SetAnnotation(name, BashCompOneRequiredFlag, 
[]string{"true"})
+}
+
+// MarkFlagFilename adds the BashCompFilenameExt annotation to the named flag, 
if it exists.
+// Generated bash autocompletion will select filenames for the flag, limiting 
to named extensions if provided.
+func (cmd *Command) MarkFlagFilename(name string, extensions ...string) error {
+       return MarkFlagFilename(cmd.Flags(), name, extensions...)
+}
+
+// MarkPersistentFlagFilename adds the BashCompFilenameExt annotation to the 
named persistent flag, if it exists.
+// Generated bash autocompletion will select filenames for the flag, limiting 
to named extensions if provided.
+func (cmd *Command) MarkPersistentFlagFilename(name string, extensions 
...string) error {
+       return MarkFlagFilename(cmd.PersistentFlags(), name, extensions...)
+}
+
+// MarkFlagFilename adds the BashCompFilenameExt annotation to the named flag 
in the flag set, if it exists.
+// Generated bash autocompletion will select filenames for the flag, limiting 
to named extensions if provided.
+func MarkFlagFilename(flags *pflag.FlagSet, name string, extensions ...string) 
error {
+       return flags.SetAnnotation(name, BashCompFilenameExt, extensions)
+}

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/cobra/bash_completions.md
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/cobra/bash_completions.md 
b/newt/vendor/github.com/spf13/cobra/bash_completions.md
new file mode 100644
index 0000000..204704e
--- /dev/null
+++ b/newt/vendor/github.com/spf13/cobra/bash_completions.md
@@ -0,0 +1,149 @@
+# Generating Bash Completions For Your Own cobra.Command
+
+Generating bash completions from a cobra command is incredibly easy. An actual 
program which does so for the kubernetes kubectl binary is as follows:
+
+```go
+package main
+
+import (
+        "io/ioutil"
+        "os"
+
+        "github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/cmd"
+)
+
+func main() {
+        kubectl := cmd.NewFactory(nil).NewKubectlCommand(os.Stdin, 
ioutil.Discard, ioutil.Discard)
+        kubectl.GenBashCompletionFile("out.sh")
+}
+```
+
+That will get you completions of subcommands and flags. If you make additional 
annotations to your code, you can get even more intelligent and flexible 
behavior.
+
+## Creating your own custom functions
+
+Some more actual code that works in kubernetes:
+
+```bash
+const (
+        bash_completion_func = `__kubectl_parse_get()
+{
+    local kubectl_output out
+    if kubectl_output=$(kubectl get --no-headers "$1" 2>/dev/null); then
+        out=($(echo "${kubectl_output}" | awk '{print $1}'))
+        COMPREPLY=( $( compgen -W "${out[*]}" -- "$cur" ) )
+    fi
+}
+
+__kubectl_get_resource()
+{
+    if [[ ${#nouns[@]} -eq 0 ]]; then
+        return 1
+    fi
+    __kubectl_parse_get ${nouns[${#nouns[@]} -1]}
+    if [[ $? -eq 0 ]]; then
+        return 0
+    fi
+}
+
+__custom_func() {
+    case ${last_command} in
+        kubectl_get | kubectl_describe | kubectl_delete | kubectl_stop)
+            __kubectl_get_resource
+            return
+            ;;
+        *)
+            ;;
+    esac
+}
+`)
+```
+
+And then I set that in my command definition:
+
+```go
+cmds := &cobra.Command{
+       Use:   "kubectl",
+       Short: "kubectl controls the Kubernetes cluster manager",
+       Long: `kubectl controls the Kubernetes cluster manager.
+
+Find more information at https://github.com/GoogleCloudPlatform/kubernetes.`,
+       Run: runHelp,
+       BashCompletionFunction: bash_completion_func,
+}
+```
+
+The `BashCompletionFunction` option is really only valid/useful on the root 
command. Doing the above will cause `__custom_func()` to be called when the 
built in processor was unable to find a solution. In the case of kubernetes a 
valid command might look something like `kubectl get pod [mypod]`. If you type 
`kubectl get pod [tab][tab]` the `__customc_func()` will run because the 
cobra.Command only understood "kubectl" and "get." `__custom_func()` will see 
that the cobra.Command is "kubectl_get" and will thus call another helper 
`__kubectl_get_resource()`.  `__kubectl_get_resource` will look at the 'nouns' 
collected. In our example the only noun will be `pod`.  So it will call 
`__kubectl_parse_get pod`.  `__kubectl_parse_get` will actually call out to 
kubernetes and get any pods.  It will then set `COMPREPLY` to valid pods!
+
+## Have the completions code complete your 'nouns'
+
+In the above example "pod" was assumed to already be typed. But if you want 
`kubectl get [tab][tab]` to show a list of valid "nouns" you have to set them. 
Simplified code from `kubectl get` looks like:
+
+```go
+validArgs []string = { "pods", "nodes", "services", "replicationControllers" }
+
+cmd := &cobra.Command{
+       Use:     "get [(-o|--output=)json|yaml|template|...] (RESOURCE [NAME] | 
RESOURCE/NAME ...)",
+       Short:   "Display one or many resources",
+       Long:    get_long,
+       Example: get_example,
+       Run: func(cmd *cobra.Command, args []string) {
+               err := RunGet(f, out, cmd, args)
+               util.CheckErr(err)
+       },
+       ValidArgs: validArgs,
+}
+```
+
+Notice we put the "ValidArgs" on the "get" subcommand. Doing so will give 
results like
+
+```bash
+# kubectl get [tab][tab]
+nodes                 pods                    replicationControllers  services
+```
+
+## Mark flags as required
+
+Most of the time completions will only show subcommands. But if a flag is 
required to make a subcommand work, you probably want it to show up when the 
user types [tab][tab].  Marking a flag as 'Required' is incredibly easy.
+
+```go
+cmd.MarkFlagRequired("pod")
+cmd.MarkFlagRequired("container")
+```
+
+and you'll get something like
+
+```bash
+# kubectl exec [tab][tab][tab]
+-c            --container=  -p            --pod=  
+```
+
+# Specify valid filename extensions for flags that take a filename
+
+In this example we use --filename= and expect to get a json or yaml file as 
the argument. To make this easier we annotate the --filename flag with valid 
filename extensions.
+
+```go
+       annotations := []string{"json", "yaml", "yml"}
+       annotation := make(map[string][]string)
+       annotation[cobra.BashCompFilenameExt] = annotations
+
+       flag := &pflag.Flag{
+               Name:        "filename",
+               Shorthand:   "f",
+               Usage:       usage,
+               Value:       value,
+               DefValue:    value.String(),
+               Annotations: annotation,
+       }
+       cmd.Flags().AddFlag(flag)
+```
+
+Now when you run a command with this filename flag you'll get something like
+
+```bash
+# kubectl create -f 
+test/                         example/                      rpmbuild/
+hello.yml                     test.json
+```
+
+So while there are many other files in the CWD it only shows me subdirs and 
those with valid extensions.

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/cobra/cobra.go
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/cobra/cobra.go 
b/newt/vendor/github.com/spf13/cobra/cobra.go
new file mode 100644
index 0000000..7572ddf
--- /dev/null
+++ b/newt/vendor/github.com/spf13/cobra/cobra.go
@@ -0,0 +1,171 @@
+// Copyright © 2013 Steve Francia <s...@spf13.com>.
+//
+// Licensed under the Apache License, Version 2.0 (the "License");
+// you may not use this file except in compliance with the License.
+// You may obtain a copy of the License at
+// http://www.apache.org/licenses/LICENSE-2.0
+//
+// Unless required by applicable law or agreed to in writing, software
+// distributed under the License is distributed on an "AS IS" BASIS,
+// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+// See the License for the specific language governing permissions and
+// limitations under the License.
+
+// Commands similar to git, go tools and other modern CLI tools
+// inspired by go, go-Commander, gh and subcommand
+
+package cobra
+
+import (
+       "fmt"
+       "io"
+       "reflect"
+       "strconv"
+       "strings"
+       "text/template"
+       "unicode"
+)
+
+var templateFuncs template.FuncMap = template.FuncMap{
+       "trim":               strings.TrimSpace,
+       "trimRightSpace":     trimRightSpace,
+       "appendIfNotPresent": appendIfNotPresent,
+       "rpad":               rpad,
+       "gt":                 Gt,
+       "eq":                 Eq,
+}
+
+var initializers []func()
+
+// automatic prefix matching can be a dangerous thing to automatically enable 
in CLI tools.
+// Set this to true to enable it
+var EnablePrefixMatching bool = false
+
+//AddTemplateFunc adds a template function that's available to Usage and Help
+//template generation.
+func AddTemplateFunc(name string, tmplFunc interface{}) {
+       templateFuncs[name] = tmplFunc
+}
+
+//AddTemplateFuncs adds multiple template functions availalble to Usage and
+//Help template generation.
+func AddTemplateFuncs(tmplFuncs template.FuncMap) {
+       for k, v := range tmplFuncs {
+               templateFuncs[k] = v
+       }
+}
+
+//OnInitialize takes a series of func() arguments and appends them to a slice 
of func().
+func OnInitialize(y ...func()) {
+       for _, x := range y {
+               initializers = append(initializers, x)
+       }
+}
+
+//Gt takes two types and checks whether the first type is greater than the 
second. In case of types Arrays, Chans,
+//Maps and Slices, Gt will compare their lengths. Ints are compared directly 
while strings are first parsed as
+//ints and then compared.
+func Gt(a interface{}, b interface{}) bool {
+       var left, right int64
+       av := reflect.ValueOf(a)
+
+       switch av.Kind() {
+       case reflect.Array, reflect.Chan, reflect.Map, reflect.Slice:
+               left = int64(av.Len())
+       case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, 
reflect.Int64:
+               left = av.Int()
+       case reflect.String:
+               left, _ = strconv.ParseInt(av.String(), 10, 64)
+       }
+
+       bv := reflect.ValueOf(b)
+
+       switch bv.Kind() {
+       case reflect.Array, reflect.Chan, reflect.Map, reflect.Slice:
+               right = int64(bv.Len())
+       case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, 
reflect.Int64:
+               right = bv.Int()
+       case reflect.String:
+               right, _ = strconv.ParseInt(bv.String(), 10, 64)
+       }
+
+       return left > right
+}
+
+//Eq takes two types and checks whether they are equal. Supported types are 
int and string. Unsupported types will panic.
+func Eq(a interface{}, b interface{}) bool {
+       av := reflect.ValueOf(a)
+       bv := reflect.ValueOf(b)
+
+       switch av.Kind() {
+       case reflect.Array, reflect.Chan, reflect.Map, reflect.Slice:
+               panic("Eq called on unsupported type")
+       case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, 
reflect.Int64:
+               return av.Int() == bv.Int()
+       case reflect.String:
+               return av.String() == bv.String()
+       }
+       return false
+}
+
+func trimRightSpace(s string) string {
+       return strings.TrimRightFunc(s, unicode.IsSpace)
+}
+
+// appendIfNotPresent will append stringToAppend to the end of s, but only if 
it's not yet present in s
+func appendIfNotPresent(s, stringToAppend string) string {
+       if strings.Contains(s, stringToAppend) {
+               return s
+       }
+       return s + " " + stringToAppend
+}
+
+//rpad adds padding to the right of a string
+func rpad(s string, padding int) string {
+       template := fmt.Sprintf("%%-%ds", padding)
+       return fmt.Sprintf(template, s)
+}
+
+// tmpl executes the given template text on data, writing the result to w.
+func tmpl(w io.Writer, text string, data interface{}) error {
+       t := template.New("top")
+       t.Funcs(templateFuncs)
+       template.Must(t.Parse(text))
+       return t.Execute(w, data)
+}
+
+// ld compares two strings and returns the levenshtein distance between them
+func ld(s, t string, ignoreCase bool) int {
+       if ignoreCase {
+               s = strings.ToLower(s)
+               t = strings.ToLower(t)
+       }
+       d := make([][]int, len(s)+1)
+       for i := range d {
+               d[i] = make([]int, len(t)+1)
+       }
+       for i := range d {
+               d[i][0] = i
+       }
+       for j := range d[0] {
+               d[0][j] = j
+       }
+       for j := 1; j <= len(t); j++ {
+               for i := 1; i <= len(s); i++ {
+                       if s[i-1] == t[j-1] {
+                               d[i][j] = d[i-1][j-1]
+                       } else {
+                               min := d[i-1][j]
+                               if d[i][j-1] < min {
+                                       min = d[i][j-1]
+                               }
+                               if d[i-1][j-1] < min {
+                                       min = d[i-1][j-1]
+                               }
+                               d[i][j] = min + 1
+                       }
+               }
+
+       }
+       return d[len(s)][len(t)]
+}

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/cobra/command.go
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/cobra/command.go 
b/newt/vendor/github.com/spf13/cobra/command.go
new file mode 100644
index 0000000..7671ce5
--- /dev/null
+++ b/newt/vendor/github.com/spf13/cobra/command.go
@@ -0,0 +1,1197 @@
+// Copyright © 2013 Steve Francia <s...@spf13.com>.
+//
+// Licensed under the Apache License, Version 2.0 (the "License");
+// you may not use this file except in compliance with the License.
+// You may obtain a copy of the License at
+// http://www.apache.org/licenses/LICENSE-2.0
+//
+// Unless required by applicable law or agreed to in writing, software
+// distributed under the License is distributed on an "AS IS" BASIS,
+// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+// See the License for the specific language governing permissions and
+// limitations under the License.
+
+//Package cobra is a commander providing a simple interface to create powerful 
modern CLI interfaces.
+//In addition to providing an interface, Cobra simultaneously provides a 
controller to organize your application code.
+package cobra
+
+import (
+       "bytes"
+       "fmt"
+       "io"
+       "os"
+       "path/filepath"
+       "strings"
+
+       flag "github.com/spf13/pflag"
+)
+
+// Command is just that, a command for your application.
+// eg.  'go run' ... 'run' is the command. Cobra requires
+// you to define the usage and description as part of your command
+// definition to ensure usability.
+type Command struct {
+       // Name is the command name, usually the executable's name.
+       name string
+       // The one-line usage message.
+       Use string
+       // An array of aliases that can be used instead of the first word in 
Use.
+       Aliases []string
+       // An array of command names for which this command will be suggested - 
similar to aliases but only suggests.
+       SuggestFor []string
+       // The short description shown in the 'help' output.
+       Short string
+       // The long message shown in the 'help <this-command>' output.
+       Long string
+       // Examples of how to use the command
+       Example string
+       // List of all valid non-flag arguments, used for bash completions 
*TODO* actually validate these
+       ValidArgs []string
+       // Custom functions used by the bash autocompletion generator
+       BashCompletionFunction string
+       // Is this command deprecated and should print this string when used?
+       Deprecated string
+       // Is this command hidden and should NOT show up in the list of 
available commands?
+       Hidden bool
+       // Full set of flags
+       flags *flag.FlagSet
+       // Set of flags childrens of this command will inherit
+       pflags *flag.FlagSet
+       // Flags that are declared specifically by this command (not inherited).
+       lflags *flag.FlagSet
+       // SilenceErrors is an option to quiet errors down stream
+       SilenceErrors bool
+       // Silence Usage is an option to silence usage when an error occurs.
+       SilenceUsage bool
+       // The *Run functions are executed in the following order:
+       //   * PersistentPreRun()
+       //   * PreRun()
+       //   * Run()
+       //   * PostRun()
+       //   * PersistentPostRun()
+       // All functions get the same args, the arguments after the command name
+       // PersistentPreRun: children of this command will inherit and execute
+       PersistentPreRun func(cmd *Command, args []string)
+       // PersistentPreRunE: PersistentPreRun but returns an error
+       PersistentPreRunE func(cmd *Command, args []string) error
+       // PreRun: children of this command will not inherit.
+       PreRun func(cmd *Command, args []string)
+       // PreRunE: PreRun but returns an error
+       PreRunE func(cmd *Command, args []string) error
+       // Run: Typically the actual work function. Most commands will only 
implement this
+       Run func(cmd *Command, args []string)
+       // RunE: Run but returns an error
+       RunE func(cmd *Command, args []string) error
+       // PostRun: run after the Run command.
+       PostRun func(cmd *Command, args []string)
+       // PostRunE: PostRun but returns an error
+       PostRunE func(cmd *Command, args []string) error
+       // PersistentPostRun: children of this command will inherit and execute 
after PostRun
+       PersistentPostRun func(cmd *Command, args []string)
+       // PersistentPostRunE: PersistentPostRun but returns an error
+       PersistentPostRunE func(cmd *Command, args []string) error
+       // DisableAutoGenTag remove
+       DisableAutoGenTag bool
+       // Commands is the list of commands supported by this program.
+       commands []*Command
+       // Parent Command for this command
+       parent *Command
+       // max lengths of commands' string lengths for use in padding
+       commandsMaxUseLen         int
+       commandsMaxCommandPathLen int
+       commandsMaxNameLen        int
+
+       flagErrorBuf *bytes.Buffer
+
+       args          []string                 // actual args parsed from flags
+       output        *io.Writer               // nil means stderr; use Out() 
method instead
+       usageFunc     func(*Command) error     // Usage can be defined by 
application
+       usageTemplate string                   // Can be defined by Application
+       helpTemplate  string                   // Can be defined by Application
+       helpFunc      func(*Command, []string) // Help can be defined by 
application
+       helpCommand   *Command                 // The help command
+       // The global normalization function that we can use on every pFlag set 
and children commands
+       globNormFunc func(f *flag.FlagSet, name string) flag.NormalizedName
+
+       // Disable the suggestions based on Levenshtein distance that go along 
with 'unknown command' messages
+       DisableSuggestions bool
+       // If displaying suggestions, allows to set the minimum levenshtein 
distance to display, must be > 0
+       SuggestionsMinimumDistance int
+}
+
+// os.Args[1:] by default, if desired, can be overridden
+// particularly useful when testing.
+func (c *Command) SetArgs(a []string) {
+       c.args = a
+}
+
+func (c *Command) getOut(def io.Writer) io.Writer {
+       if c.output != nil {
+               return *c.output
+       }
+
+       if c.HasParent() {
+               return c.parent.Out()
+       } else {
+               return def
+       }
+}
+
+func (c *Command) Out() io.Writer {
+       return c.getOut(os.Stderr)
+}
+
+func (c *Command) getOutOrStdout() io.Writer {
+       return c.getOut(os.Stdout)
+}
+
+// SetOutput sets the destination for usage and error messages.
+// If output is nil, os.Stderr is used.
+func (c *Command) SetOutput(output io.Writer) {
+       c.output = &output
+}
+
+// Usage can be defined by application
+func (c *Command) SetUsageFunc(f func(*Command) error) {
+       c.usageFunc = f
+}
+
+// Can be defined by Application
+func (c *Command) SetUsageTemplate(s string) {
+       c.usageTemplate = s
+}
+
+// Can be defined by Application
+func (c *Command) SetHelpFunc(f func(*Command, []string)) {
+       c.helpFunc = f
+}
+
+func (c *Command) SetHelpCommand(cmd *Command) {
+       c.helpCommand = cmd
+}
+
+// Can be defined by Application
+func (c *Command) SetHelpTemplate(s string) {
+       c.helpTemplate = s
+}
+
+// SetGlobalNormalizationFunc sets a normalization function to all flag sets 
and also to child commands.
+// The user should not have a cyclic dependency on commands.
+func (c *Command) SetGlobalNormalizationFunc(n func(f *flag.FlagSet, name 
string) flag.NormalizedName) {
+       c.Flags().SetNormalizeFunc(n)
+       c.PersistentFlags().SetNormalizeFunc(n)
+       c.globNormFunc = n
+
+       for _, command := range c.commands {
+               command.SetGlobalNormalizationFunc(n)
+       }
+}
+
+func (c *Command) UsageFunc() (f func(*Command) error) {
+       if c.usageFunc != nil {
+               return c.usageFunc
+       }
+
+       if c.HasParent() {
+               return c.parent.UsageFunc()
+       } else {
+               return func(c *Command) error {
+                       err := tmpl(c.Out(), c.UsageTemplate(), c)
+                       if err != nil {
+                               fmt.Print(err)
+                       }
+                       return err
+               }
+       }
+}
+
+// HelpFunc returns either the function set by SetHelpFunc for this command
+// or a parent, or it returns a function which calls c.Help()
+func (c *Command) HelpFunc() func(*Command, []string) {
+       cmd := c
+       for cmd != nil {
+               if cmd.helpFunc != nil {
+                       return cmd.helpFunc
+               }
+               cmd = cmd.parent
+       }
+       return func(*Command, []string) {
+               err := c.Help()
+               if err != nil {
+                       c.Println(err)
+               }
+       }
+}
+
+var minUsagePadding int = 25
+
+func (c *Command) UsagePadding() int {
+       if c.parent == nil || minUsagePadding > c.parent.commandsMaxUseLen {
+               return minUsagePadding
+       } else {
+               return c.parent.commandsMaxUseLen
+       }
+}
+
+var minCommandPathPadding int = 11
+
+//
+func (c *Command) CommandPathPadding() int {
+       if c.parent == nil || minCommandPathPadding > 
c.parent.commandsMaxCommandPathLen {
+               return minCommandPathPadding
+       } else {
+               return c.parent.commandsMaxCommandPathLen
+       }
+}
+
+var minNamePadding int = 11
+
+func (c *Command) NamePadding() int {
+       if c.parent == nil || minNamePadding > c.parent.commandsMaxNameLen {
+               return minNamePadding
+       } else {
+               return c.parent.commandsMaxNameLen
+       }
+}
+
+func (c *Command) UsageTemplate() string {
+       if c.usageTemplate != "" {
+               return c.usageTemplate
+       }
+
+       if c.HasParent() {
+               return c.parent.UsageTemplate()
+       } else {
+               return `Usage:{{if .Runnable}}
+  {{if .HasFlags}}{{appendIfNotPresent .UseLine 
"[flags]"}}{{else}}{{.UseLine}}{{end}}{{end}}{{if .HasSubCommands}}
+  {{ .CommandPath}} [command]{{end}}{{if gt .Aliases 0}}
+
+Aliases:
+  {{.NameAndAliases}}
+{{end}}{{if .HasExample}}
+
+Examples:
+{{ .Example }}{{end}}{{ if .HasAvailableSubCommands}}
+
+Available Commands:{{range .Commands}}{{if .IsAvailableCommand}}
+  {{rpad .Name .NamePadding }} {{.Short}}{{end}}{{end}}{{end}}{{ if 
.HasLocalFlags}}
+
+Flags:
+{{.LocalFlags.FlagUsages | trimRightSpace}}{{end}}{{ if .HasInheritedFlags}}
+
+Global Flags:
+{{.InheritedFlags.FlagUsages | trimRightSpace}}{{end}}{{if 
.HasHelpSubCommands}}
+
+Additional help topics:{{range .Commands}}{{if .IsHelpCommand}}
+  {{rpad .CommandPath .CommandPathPadding}} {{.Short}}{{end}}{{end}}{{end}}{{ 
if .HasSubCommands }}
+
+Use "{{.CommandPath}} [command] --help" for more information about a 
command.{{end}}
+`
+       }
+}
+
+func (c *Command) HelpTemplate() string {
+       if c.helpTemplate != "" {
+               return c.helpTemplate
+       }
+
+       if c.HasParent() {
+               return c.parent.HelpTemplate()
+       } else {
+               return `{{with or .Long .Short }}{{. | trim}}
+
+{{end}}{{if or .Runnable .HasSubCommands}}{{.UsageString}}{{end}}`
+       }
+}
+
+// Really only used when casting a command to a commander
+func (c *Command) resetChildrensParents() {
+       for _, x := range c.commands {
+               x.parent = c
+       }
+}
+
+// Test if the named flag is a boolean flag.
+func isBooleanFlag(name string, f *flag.FlagSet) bool {
+       flag := f.Lookup(name)
+       if flag == nil {
+               return false
+       }
+       return flag.Value.Type() == "bool"
+}
+
+// Test if the named flag is a boolean flag.
+func isBooleanShortFlag(name string, f *flag.FlagSet) bool {
+       result := false
+       f.VisitAll(func(f *flag.Flag) {
+               if f.Shorthand == name && f.Value.Type() == "bool" {
+                       result = true
+               }
+       })
+       return result
+}
+
+func stripFlags(args []string, c *Command) []string {
+       if len(args) < 1 {
+               return args
+       }
+       c.mergePersistentFlags()
+
+       commands := []string{}
+
+       inQuote := false
+       inFlag := false
+       for _, y := range args {
+               if !inQuote {
+                       switch {
+                       case strings.HasPrefix(y, "\""):
+                               inQuote = true
+                       case strings.Contains(y, "=\""):
+                               inQuote = true
+                       case strings.HasPrefix(y, "--") && !strings.Contains(y, 
"="):
+                               // TODO: this isn't quite right, we should 
really check ahead for 'true' or 'false'
+                               inFlag = !isBooleanFlag(y[2:], c.Flags())
+                       case strings.HasPrefix(y, "-") && !strings.Contains(y, 
"=") && len(y) == 2 && !isBooleanShortFlag(y[1:], c.Flags()):
+                               inFlag = true
+                       case inFlag:
+                               inFlag = false
+                       case y == "":
+                               // strip empty commands, as the go tests expect 
this to be ok....
+                       case !strings.HasPrefix(y, "-"):
+                               commands = append(commands, y)
+                               inFlag = false
+                       }
+               }
+
+               if strings.HasSuffix(y, "\"") && !strings.HasSuffix(y, "\\\"") {
+                       inQuote = false
+               }
+       }
+
+       return commands
+}
+
+// argsMinusFirstX removes only the first x from args.  Otherwise, commands 
that look like
+// openshift admin policy add-role-to-user admin my-user, lose the admin 
argument (arg[4]).
+func argsMinusFirstX(args []string, x string) []string {
+       for i, y := range args {
+               if x == y {
+                       ret := []string{}
+                       ret = append(ret, args[:i]...)
+                       ret = append(ret, args[i+1:]...)
+                       return ret
+               }
+       }
+       return args
+}
+
+// find the target command given the args and command tree
+// Meant to be run on the highest node. Only searches down.
+func (c *Command) Find(args []string) (*Command, []string, error) {
+       if c == nil {
+               return nil, nil, fmt.Errorf("Called find() on a nil Command")
+       }
+
+       var innerfind func(*Command, []string) (*Command, []string)
+
+       innerfind = func(c *Command, innerArgs []string) (*Command, []string) {
+               argsWOflags := stripFlags(innerArgs, c)
+               if len(argsWOflags) == 0 {
+                       return c, innerArgs
+               }
+               nextSubCmd := argsWOflags[0]
+               matches := make([]*Command, 0)
+               for _, cmd := range c.commands {
+                       if cmd.Name() == nextSubCmd || cmd.HasAlias(nextSubCmd) 
{ // exact name or alias match
+                               return innerfind(cmd, 
argsMinusFirstX(innerArgs, nextSubCmd))
+                       }
+                       if EnablePrefixMatching {
+                               if strings.HasPrefix(cmd.Name(), nextSubCmd) { 
// prefix match
+                                       matches = append(matches, cmd)
+                               }
+                               for _, x := range cmd.Aliases {
+                                       if strings.HasPrefix(x, nextSubCmd) {
+                                               matches = append(matches, cmd)
+                                       }
+                               }
+                       }
+               }
+
+               // only accept a single prefix match - multiple matches would 
be ambiguous
+               if len(matches) == 1 {
+                       return innerfind(matches[0], argsMinusFirstX(innerArgs, 
argsWOflags[0]))
+               }
+
+               return c, innerArgs
+       }
+
+       commandFound, a := innerfind(c, args)
+       argsWOflags := stripFlags(a, commandFound)
+
+       // no subcommand, always take args
+       if !commandFound.HasSubCommands() {
+               return commandFound, a, nil
+       }
+
+       // root command with subcommands, do subcommand checking
+       if commandFound == c && len(argsWOflags) > 0 {
+               suggestionsString := ""
+               if !c.DisableSuggestions {
+                       if c.SuggestionsMinimumDistance <= 0 {
+                               c.SuggestionsMinimumDistance = 2
+                       }
+                       if suggestions := c.SuggestionsFor(argsWOflags[0]); 
len(suggestions) > 0 {
+                               suggestionsString += "\n\nDid you mean this?\n"
+                               for _, s := range suggestions {
+                                       suggestionsString += 
fmt.Sprintf("\t%v\n", s)
+                               }
+                       }
+               }
+               return commandFound, a, fmt.Errorf("unknown command %q for 
%q%s", argsWOflags[0], commandFound.CommandPath(), suggestionsString)
+       }
+
+       return commandFound, a, nil
+}
+
+func (c *Command) SuggestionsFor(typedName string) []string {
+       suggestions := []string{}
+       for _, cmd := range c.commands {
+               if cmd.IsAvailableCommand() {
+                       levenshteinDistance := ld(typedName, cmd.Name(), true)
+                       suggestByLevenshtein := levenshteinDistance <= 
c.SuggestionsMinimumDistance
+                       suggestByPrefix := 
strings.HasPrefix(strings.ToLower(cmd.Name()), strings.ToLower(typedName))
+                       if suggestByLevenshtein || suggestByPrefix {
+                               suggestions = append(suggestions, cmd.Name())
+                       }
+                       for _, explicitSuggestion := range cmd.SuggestFor {
+                               if strings.EqualFold(typedName, 
explicitSuggestion) {
+                                       suggestions = append(suggestions, 
cmd.Name())
+                               }
+                       }
+               }
+       }
+       return suggestions
+}
+
+func (c *Command) VisitParents(fn func(*Command)) {
+       var traverse func(*Command) *Command
+
+       traverse = func(x *Command) *Command {
+               if x != c {
+                       fn(x)
+               }
+               if x.HasParent() {
+                       return traverse(x.parent)
+               }
+               return x
+       }
+       traverse(c)
+}
+
+func (c *Command) Root() *Command {
+       var findRoot func(*Command) *Command
+
+       findRoot = func(x *Command) *Command {
+               if x.HasParent() {
+                       return findRoot(x.parent)
+               }
+               return x
+       }
+
+       return findRoot(c)
+}
+
+// ArgsLenAtDash will return the length of f.Args at the moment when a -- was
+// found during arg parsing. This allows your program to know which args were
+// before the -- and which came after. (Description from
+// https://godoc.org/github.com/spf13/pflag#FlagSet.ArgsLenAtDash).
+func (c *Command) ArgsLenAtDash() int {
+       return c.Flags().ArgsLenAtDash()
+}
+
+func (c *Command) execute(a []string) (err error) {
+       if c == nil {
+               return fmt.Errorf("Called Execute() on a nil Command")
+       }
+
+       if len(c.Deprecated) > 0 {
+               c.Printf("Command %q is deprecated, %s\n", c.Name(), 
c.Deprecated)
+       }
+
+       // initialize help flag as the last point possible to allow for user
+       // overriding
+       c.initHelpFlag()
+
+       err = c.ParseFlags(a)
+       if err != nil {
+               return err
+       }
+       // If help is called, regardless of other flags, return we want help
+       // Also say we need help if the command isn't runnable.
+       helpVal, err := c.Flags().GetBool("help")
+       if err != nil {
+               // should be impossible to get here as we always declare a help
+               // flag in initHelpFlag()
+               c.Println("\"help\" flag declared as non-bool. Please correct 
your code")
+               return err
+       }
+       if helpVal || !c.Runnable() {
+               return flag.ErrHelp
+       }
+
+       c.preRun()
+       argWoFlags := c.Flags().Args()
+
+       for p := c; p != nil; p = p.Parent() {
+               if p.PersistentPreRunE != nil {
+                       if err := p.PersistentPreRunE(c, argWoFlags); err != 
nil {
+                               return err
+                       }
+                       break
+               } else if p.PersistentPreRun != nil {
+                       p.PersistentPreRun(c, argWoFlags)
+                       break
+               }
+       }
+       if c.PreRunE != nil {
+               if err := c.PreRunE(c, argWoFlags); err != nil {
+                       return err
+               }
+       } else if c.PreRun != nil {
+               c.PreRun(c, argWoFlags)
+       }
+
+       if c.RunE != nil {
+               if err := c.RunE(c, argWoFlags); err != nil {
+                       return err
+               }
+       } else {
+               c.Run(c, argWoFlags)
+       }
+       if c.PostRunE != nil {
+               if err := c.PostRunE(c, argWoFlags); err != nil {
+                       return err
+               }
+       } else if c.PostRun != nil {
+               c.PostRun(c, argWoFlags)
+       }
+       for p := c; p != nil; p = p.Parent() {
+               if p.PersistentPostRunE != nil {
+                       if err := p.PersistentPostRunE(c, argWoFlags); err != 
nil {
+                               return err
+                       }
+                       break
+               } else if p.PersistentPostRun != nil {
+                       p.PersistentPostRun(c, argWoFlags)
+                       break
+               }
+       }
+
+       return nil
+}
+
+func (c *Command) preRun() {
+       for _, x := range initializers {
+               x()
+       }
+}
+
+func (c *Command) errorMsgFromParse() string {
+       s := c.flagErrorBuf.String()
+
+       x := strings.Split(s, "\n")
+
+       if len(x) > 0 {
+               return x[0]
+       } else {
+               return ""
+       }
+}
+
+// Call execute to use the args (os.Args[1:] by default)
+// and run through the command tree finding appropriate matches
+// for commands and then corresponding flags.
+func (c *Command) Execute() error {
+       _, err := c.ExecuteC()
+       return err
+}
+
+func (c *Command) ExecuteC() (cmd *Command, err error) {
+
+       // Regardless of what command execute is called on, run on Root only
+       if c.HasParent() {
+               return c.Root().ExecuteC()
+       }
+
+       // windows hook
+       if preExecHookFn != nil {
+               preExecHookFn(c)
+       }
+
+       // initialize help as the last point possible to allow for user
+       // overriding
+       c.initHelpCmd()
+
+       var args []string
+
+       // Workaround FAIL with "go test -v" or "cobra.test -test.v", see #155
+       if c.args == nil && filepath.Base(os.Args[0]) != "cobra.test" {
+               args = os.Args[1:]
+       } else {
+               args = c.args
+       }
+
+       cmd, flags, err := c.Find(args)
+       if err != nil {
+               // If found parse to a subcommand and then failed, talk about 
the subcommand
+               if cmd != nil {
+                       c = cmd
+               }
+               if !c.SilenceErrors {
+                       c.Println("Error:", err.Error())
+                       c.Printf("Run '%v --help' for usage.\n", 
c.CommandPath())
+               }
+               return c, err
+       }
+       err = cmd.execute(flags)
+       if err != nil {
+               // Always show help if requested, even if SilenceErrors is in
+               // effect
+               if err == flag.ErrHelp {
+                       cmd.HelpFunc()(cmd, args)
+                       return cmd, nil
+               }
+
+               // If root command has SilentErrors flagged,
+               // all subcommands should respect it
+               if !cmd.SilenceErrors && !c.SilenceErrors {
+                       c.Println("Error:", err.Error())
+               }
+
+               // If root command has SilentUsage flagged,
+               // all subcommands should respect it
+               if !cmd.SilenceUsage && !c.SilenceUsage {
+                       c.Println(cmd.UsageString())
+               }
+               return cmd, err
+       }
+       return cmd, nil
+}
+
+func (c *Command) initHelpFlag() {
+       if c.Flags().Lookup("help") == nil {
+               c.Flags().BoolP("help", "h", false, "help for "+c.Name())
+       }
+}
+
+func (c *Command) initHelpCmd() {
+       if c.helpCommand == nil {
+               if !c.HasSubCommands() {
+                       return
+               }
+
+               c.helpCommand = &Command{
+                       Use:   "help [command]",
+                       Short: "Help about any command",
+                       Long: `Help provides help for any command in the 
application.
+    Simply type ` + c.Name() + ` help [path to command] for full details.`,
+                       PersistentPreRun:  func(cmd *Command, args []string) {},
+                       PersistentPostRun: func(cmd *Command, args []string) {},
+
+                       Run: func(c *Command, args []string) {
+                               cmd, _, e := c.Root().Find(args)
+                               if cmd == nil || e != nil {
+                                       c.Printf("Unknown help topic %#q.", 
args)
+                                       c.Root().Usage()
+                               } else {
+                                       helpFunc := cmd.HelpFunc()
+                                       helpFunc(cmd, args)
+                               }
+                       },
+               }
+       }
+       c.AddCommand(c.helpCommand)
+}
+
+// Used for testing
+func (c *Command) ResetCommands() {
+       c.commands = nil
+       c.helpCommand = nil
+}
+
+//Commands returns a slice of child commands.
+func (c *Command) Commands() []*Command {
+       return c.commands
+}
+
+// AddCommand adds one or more commands to this parent command.
+func (c *Command) AddCommand(cmds ...*Command) {
+       for i, x := range cmds {
+               if cmds[i] == c {
+                       panic("Command can't be a child of itself")
+               }
+               cmds[i].parent = c
+               // update max lengths
+               usageLen := len(x.Use)
+               if usageLen > c.commandsMaxUseLen {
+                       c.commandsMaxUseLen = usageLen
+               }
+               commandPathLen := len(x.CommandPath())
+               if commandPathLen > c.commandsMaxCommandPathLen {
+                       c.commandsMaxCommandPathLen = commandPathLen
+               }
+               nameLen := len(x.Name())
+               if nameLen > c.commandsMaxNameLen {
+                       c.commandsMaxNameLen = nameLen
+               }
+               // If global normalization function exists, update all children
+               if c.globNormFunc != nil {
+                       x.SetGlobalNormalizationFunc(c.globNormFunc)
+               }
+               c.commands = append(c.commands, x)
+       }
+}
+
+// AddCommand removes one or more commands from a parent command.
+func (c *Command) RemoveCommand(cmds ...*Command) {
+       commands := []*Command{}
+main:
+       for _, command := range c.commands {
+               for _, cmd := range cmds {
+                       if command == cmd {
+                               command.parent = nil
+                               continue main
+                       }
+               }
+               commands = append(commands, command)
+       }
+       c.commands = commands
+       // recompute all lengths
+       c.commandsMaxUseLen = 0
+       c.commandsMaxCommandPathLen = 0
+       c.commandsMaxNameLen = 0
+       for _, command := range c.commands {
+               usageLen := len(command.Use)
+               if usageLen > c.commandsMaxUseLen {
+                       c.commandsMaxUseLen = usageLen
+               }
+               commandPathLen := len(command.CommandPath())
+               if commandPathLen > c.commandsMaxCommandPathLen {
+                       c.commandsMaxCommandPathLen = commandPathLen
+               }
+               nameLen := len(command.Name())
+               if nameLen > c.commandsMaxNameLen {
+                       c.commandsMaxNameLen = nameLen
+               }
+       }
+}
+
+// Convenience method to Print to the defined output
+func (c *Command) Print(i ...interface{}) {
+       fmt.Fprint(c.Out(), i...)
+}
+
+// Convenience method to Println to the defined output
+func (c *Command) Println(i ...interface{}) {
+       str := fmt.Sprintln(i...)
+       c.Print(str)
+}
+
+// Convenience method to Printf to the defined output
+func (c *Command) Printf(format string, i ...interface{}) {
+       str := fmt.Sprintf(format, i...)
+       c.Print(str)
+}
+
+// Output the usage for the command
+// Used when a user provides invalid input
+// Can be defined by user by overriding UsageFunc
+func (c *Command) Usage() error {
+       c.mergePersistentFlags()
+       err := c.UsageFunc()(c)
+       return err
+}
+
+// Output the help for the command
+// Used when a user calls help [command]
+// by the default HelpFunc in the commander
+func (c *Command) Help() error {
+       c.mergePersistentFlags()
+       err := tmpl(c.getOutOrStdout(), c.HelpTemplate(), c)
+       return err
+}
+
+func (c *Command) UsageString() string {
+       tmpOutput := c.output
+       bb := new(bytes.Buffer)
+       c.SetOutput(bb)
+       c.Usage()
+       c.output = tmpOutput
+       return bb.String()
+}
+
+// CommandPath returns the full path to this command.
+func (c *Command) CommandPath() string {
+       str := c.Name()
+       x := c
+       for x.HasParent() {
+               str = x.parent.Name() + " " + str
+               x = x.parent
+       }
+       return str
+}
+
+//The full usage for a given command (including parents)
+func (c *Command) UseLine() string {
+       str := ""
+       if c.HasParent() {
+               str = c.parent.CommandPath() + " "
+       }
+       return str + c.Use
+}
+
+// For use in determining which flags have been assigned to which commands
+// and which persist
+func (c *Command) DebugFlags() {
+       c.Println("DebugFlags called on", c.Name())
+       var debugflags func(*Command)
+
+       debugflags = func(x *Command) {
+               if x.HasFlags() || x.HasPersistentFlags() {
+                       c.Println(x.Name())
+               }
+               if x.HasFlags() {
+                       x.flags.VisitAll(func(f *flag.Flag) {
+                               if x.HasPersistentFlags() {
+                                       if x.persistentFlag(f.Name) == nil {
+                                               c.Println("  
-"+f.Shorthand+",", "--"+f.Name, "["+f.DefValue+"]", "", f.Value, "  [L]")
+                                       } else {
+                                               c.Println("  
-"+f.Shorthand+",", "--"+f.Name, "["+f.DefValue+"]", "", f.Value, "  [LP]")
+                                       }
+                               } else {
+                                       c.Println("  -"+f.Shorthand+",", 
"--"+f.Name, "["+f.DefValue+"]", "", f.Value, "  [L]")
+                               }
+                       })
+               }
+               if x.HasPersistentFlags() {
+                       x.pflags.VisitAll(func(f *flag.Flag) {
+                               if x.HasFlags() {
+                                       if x.flags.Lookup(f.Name) == nil {
+                                               c.Println("  
-"+f.Shorthand+",", "--"+f.Name, "["+f.DefValue+"]", "", f.Value, "  [P]")
+                                       }
+                               } else {
+                                       c.Println("  -"+f.Shorthand+",", 
"--"+f.Name, "["+f.DefValue+"]", "", f.Value, "  [P]")
+                               }
+                       })
+               }
+               c.Println(x.flagErrorBuf)
+               if x.HasSubCommands() {
+                       for _, y := range x.commands {
+                               debugflags(y)
+                       }
+               }
+       }
+
+       debugflags(c)
+}
+
+// Name returns the command's name: the first word in the use line.
+func (c *Command) Name() string {
+       if c.name != "" {
+               return c.name
+       }
+       name := c.Use
+       i := strings.Index(name, " ")
+       if i >= 0 {
+               name = name[:i]
+       }
+       return name
+}
+
+// Determine if a given string is an alias of the command.
+func (c *Command) HasAlias(s string) bool {
+       for _, a := range c.Aliases {
+               if a == s {
+                       return true
+               }
+       }
+       return false
+}
+
+func (c *Command) NameAndAliases() string {
+       return strings.Join(append([]string{c.Name()}, c.Aliases...), ", ")
+}
+
+func (c *Command) HasExample() bool {
+       return len(c.Example) > 0
+}
+
+// Determine if the command is itself runnable
+func (c *Command) Runnable() bool {
+       return c.Run != nil || c.RunE != nil
+}
+
+// Determine if the command has children commands
+func (c *Command) HasSubCommands() bool {
+       return len(c.commands) > 0
+}
+
+// IsAvailableCommand determines if a command is available as a non-help 
command
+// (this includes all non deprecated/hidden commands)
+func (c *Command) IsAvailableCommand() bool {
+       if len(c.Deprecated) != 0 || c.Hidden {
+               return false
+       }
+
+       if c.HasParent() && c.Parent().helpCommand == c {
+               return false
+       }
+
+       if c.Runnable() || c.HasAvailableSubCommands() {
+               return true
+       }
+
+       return false
+}
+
+// IsHelpCommand determines if a command is a 'help' command; a help command is
+// determined by the fact that it is NOT runnable/hidden/deprecated, and has no
+// sub commands that are runnable/hidden/deprecated
+func (c *Command) IsHelpCommand() bool {
+
+       // if a command is runnable, deprecated, or hidden it is not a 'help' 
command
+       if c.Runnable() || len(c.Deprecated) != 0 || c.Hidden {
+               return false
+       }
+
+       // if any non-help sub commands are found, the command is not a 'help' 
command
+       for _, sub := range c.commands {
+               if !sub.IsHelpCommand() {
+                       return false
+               }
+       }
+
+       // the command either has no sub commands, or no non-help sub commands
+       return true
+}
+
+// HasHelpSubCommands determines if a command has any avilable 'help' sub 
commands
+// that need to be shown in the usage/help default template under 'additional 
help
+// topics'
+func (c *Command) HasHelpSubCommands() bool {
+
+       // return true on the first found available 'help' sub command
+       for _, sub := range c.commands {
+               if sub.IsHelpCommand() {
+                       return true
+               }
+       }
+
+       // the command either has no sub commands, or no available 'help' sub 
commands
+       return false
+}
+
+// HasAvailableSubCommands determines if a command has available sub commands 
that
+// need to be shown in the usage/help default template under 'available 
commands'
+func (c *Command) HasAvailableSubCommands() bool {
+
+       // return true on the first found available (non deprecated/help/hidden)
+       // sub command
+       for _, sub := range c.commands {
+               if sub.IsAvailableCommand() {
+                       return true
+               }
+       }
+
+       // the command either has no sub comamnds, or no available (non 
deprecated/help/hidden)
+       // sub commands
+       return false
+}
+
+// Determine if the command is a child command
+func (c *Command) HasParent() bool {
+       return c.parent != nil
+}
+
+// GlobalNormalizationFunc returns the global normalization function or nil if 
doesn't exists
+func (c *Command) GlobalNormalizationFunc() func(f *flag.FlagSet, name string) 
flag.NormalizedName {
+       return c.globNormFunc
+}
+
+// Get the complete FlagSet that applies to this command (local and persistent 
declared here and by all parents)
+func (c *Command) Flags() *flag.FlagSet {
+       if c.flags == nil {
+               c.flags = flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+               if c.flagErrorBuf == nil {
+                       c.flagErrorBuf = new(bytes.Buffer)
+               }
+               c.flags.SetOutput(c.flagErrorBuf)
+       }
+       return c.flags
+}
+
+// Get the local FlagSet specifically set in the current command
+func (c *Command) LocalFlags() *flag.FlagSet {
+       c.mergePersistentFlags()
+
+       local := flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+       c.lflags.VisitAll(func(f *flag.Flag) {
+               local.AddFlag(f)
+       })
+       if !c.HasParent() {
+               flag.CommandLine.VisitAll(func(f *flag.Flag) {
+                       if local.Lookup(f.Name) == nil {
+                               local.AddFlag(f)
+                       }
+               })
+       }
+       return local
+}
+
+// All Flags which were inherited from parents commands
+func (c *Command) InheritedFlags() *flag.FlagSet {
+       c.mergePersistentFlags()
+
+       inherited := flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+       local := c.LocalFlags()
+
+       var rmerge func(x *Command)
+
+       rmerge = func(x *Command) {
+               if x.HasPersistentFlags() {
+                       x.PersistentFlags().VisitAll(func(f *flag.Flag) {
+                               if inherited.Lookup(f.Name) == nil && 
local.Lookup(f.Name) == nil {
+                                       inherited.AddFlag(f)
+                               }
+                       })
+               }
+               if x.HasParent() {
+                       rmerge(x.parent)
+               }
+       }
+
+       if c.HasParent() {
+               rmerge(c.parent)
+       }
+
+       return inherited
+}
+
+// All Flags which were not inherited from parent commands
+func (c *Command) NonInheritedFlags() *flag.FlagSet {
+       return c.LocalFlags()
+}
+
+// Get the Persistent FlagSet specifically set in the current command
+func (c *Command) PersistentFlags() *flag.FlagSet {
+       if c.pflags == nil {
+               c.pflags = flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+               if c.flagErrorBuf == nil {
+                       c.flagErrorBuf = new(bytes.Buffer)
+               }
+               c.pflags.SetOutput(c.flagErrorBuf)
+       }
+       return c.pflags
+}
+
+// For use in testing
+func (c *Command) ResetFlags() {
+       c.flagErrorBuf = new(bytes.Buffer)
+       c.flagErrorBuf.Reset()
+       c.flags = flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+       c.flags.SetOutput(c.flagErrorBuf)
+       c.pflags = flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+       c.pflags.SetOutput(c.flagErrorBuf)
+}
+
+// Does the command contain any flags (local plus persistent from the entire 
structure)
+func (c *Command) HasFlags() bool {
+       return c.Flags().HasFlags()
+}
+
+// Does the command contain persistent flags
+func (c *Command) HasPersistentFlags() bool {
+       return c.PersistentFlags().HasFlags()
+}
+
+// Does the command has flags specifically declared locally
+func (c *Command) HasLocalFlags() bool {
+       return c.LocalFlags().HasFlags()
+}
+
+func (c *Command) HasInheritedFlags() bool {
+       return c.InheritedFlags().HasFlags()
+}
+
+// Climbs up the command tree looking for matching flag
+func (c *Command) Flag(name string) (flag *flag.Flag) {
+       flag = c.Flags().Lookup(name)
+
+       if flag == nil {
+               flag = c.persistentFlag(name)
+       }
+
+       return
+}
+
+// recursively find matching persistent flag
+func (c *Command) persistentFlag(name string) (flag *flag.Flag) {
+       if c.HasPersistentFlags() {
+               flag = c.PersistentFlags().Lookup(name)
+       }
+
+       if flag == nil && c.HasParent() {
+               flag = c.parent.persistentFlag(name)
+       }
+       return
+}
+
+// Parses persistent flag tree & local flags
+func (c *Command) ParseFlags(args []string) (err error) {
+       c.mergePersistentFlags()
+       err = c.Flags().Parse(args)
+       return
+}
+
+func (c *Command) Parent() *Command {
+       return c.parent
+}
+
+func (c *Command) mergePersistentFlags() {
+       var rmerge func(x *Command)
+
+       // Save the set of local flags
+       if c.lflags == nil {
+               c.lflags = flag.NewFlagSet(c.Name(), flag.ContinueOnError)
+               if c.flagErrorBuf == nil {
+                       c.flagErrorBuf = new(bytes.Buffer)
+               }
+               c.lflags.SetOutput(c.flagErrorBuf)
+               addtolocal := func(f *flag.Flag) {
+                       c.lflags.AddFlag(f)
+               }
+               c.Flags().VisitAll(addtolocal)
+               c.PersistentFlags().VisitAll(addtolocal)
+       }
+       rmerge = func(x *Command) {
+               if !x.HasParent() {
+                       flag.CommandLine.VisitAll(func(f *flag.Flag) {
+                               if x.PersistentFlags().Lookup(f.Name) == nil {
+                                       x.PersistentFlags().AddFlag(f)
+                               }
+                       })
+               }
+               if x.HasPersistentFlags() {
+                       x.PersistentFlags().VisitAll(func(f *flag.Flag) {
+                               if c.Flags().Lookup(f.Name) == nil {
+                                       c.Flags().AddFlag(f)
+                               }
+                       })
+               }
+               if x.HasParent() {
+                       rmerge(x.parent)
+               }
+       }
+
+       rmerge(c)
+}

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/cobra/command_notwin.go
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/cobra/command_notwin.go 
b/newt/vendor/github.com/spf13/cobra/command_notwin.go
new file mode 100644
index 0000000..073dd35
--- /dev/null
+++ b/newt/vendor/github.com/spf13/cobra/command_notwin.go
@@ -0,0 +1,5 @@
+// +build !windows
+
+package cobra
+
+var preExecHookFn func(*Command) = nil

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/cobra/command_win.go
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/cobra/command_win.go 
b/newt/vendor/github.com/spf13/cobra/command_win.go
new file mode 100644
index 0000000..4b0eaa1
--- /dev/null
+++ b/newt/vendor/github.com/spf13/cobra/command_win.go
@@ -0,0 +1,26 @@
+// +build windows
+
+package cobra
+
+import (
+       "os"
+       "time"
+
+       "github.com/inconshreveable/mousetrap"
+)
+
+var preExecHookFn = preExecHook
+
+// enables an information splash screen on Windows if the CLI is started from 
explorer.exe.
+var MousetrapHelpText string = `This is a command line tool
+
+You need to open cmd.exe and run it from there.
+`
+
+func preExecHook(c *Command) {
+       if mousetrap.StartedByExplorer() {
+               c.Print(MousetrapHelpText)
+               time.Sleep(5 * time.Second)
+               os.Exit(1)
+       }
+}

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/jwalterweatherman/.gitignore
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/jwalterweatherman/.gitignore 
b/newt/vendor/github.com/spf13/jwalterweatherman/.gitignore
new file mode 100644
index 0000000..0026861
--- /dev/null
+++ b/newt/vendor/github.com/spf13/jwalterweatherman/.gitignore
@@ -0,0 +1,22 @@
+# Compiled Object files, Static and Dynamic libs (Shared Objects)
+*.o
+*.a
+*.so
+
+# Folders
+_obj
+_test
+
+# Architecture specific extensions/prefixes
+*.[568vq]
+[568vq].out
+
+*.cgo1.go
+*.cgo2.c
+_cgo_defun.c
+_cgo_gotypes.go
+_cgo_export.*
+
+_testmain.go
+
+*.exe

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/jwalterweatherman/LICENSE
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/jwalterweatherman/LICENSE 
b/newt/vendor/github.com/spf13/jwalterweatherman/LICENSE
new file mode 100644
index 0000000..4527efb
--- /dev/null
+++ b/newt/vendor/github.com/spf13/jwalterweatherman/LICENSE
@@ -0,0 +1,21 @@
+The MIT License (MIT)
+
+Copyright (c) 2014 Steve Francia
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/jwalterweatherman/README.md
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/jwalterweatherman/README.md 
b/newt/vendor/github.com/spf13/jwalterweatherman/README.md
new file mode 100644
index 0000000..c6f327c
--- /dev/null
+++ b/newt/vendor/github.com/spf13/jwalterweatherman/README.md
@@ -0,0 +1,161 @@
+jWalterWeatherman
+=================
+
+Seamless printing to the terminal (stdout) and logging to a io.Writer
+(file) that’s as easy to use as fmt.Println.
+
+![and_that__s_why_you_always_leave_a_note_by_jonnyetc-d57q7um](https://cloud.githubusercontent.com/assets/173412/11002937/ccd01654-847d-11e5-828e-12ebaf582eaf.jpg)
+Graphic by 
[JonnyEtc](http://jonnyetc.deviantart.com/art/And-That-s-Why-You-Always-Leave-a-Note-315311422)
+
+JWW is primarily a wrapper around the excellent standard log library. It
+provides a few advantages over using the standard log library alone.
+
+1. Ready to go out of the box. 
+2. One library for both printing to the terminal and logging (to files).
+3. Really easy to log to either a temp file or a file you specify.
+
+
+I really wanted a very straightforward library that could seamlessly do
+the following things.
+
+1. Replace all the println, printf, etc statements thought my code with
+   something more useful
+2. Allow the user to easily control what levels are printed to stdout
+3. Allow the user to easily control what levels are logged
+4. Provide an easy mechanism (like fmt.Println) to print info to the user
+   which can be easily logged as well 
+5. Due to 2 & 3 provide easy verbose mode for output and logs
+6. Not have any unnecessary initialization cruft. Just use it.
+
+# Usage
+
+## Step 1. Use it
+Put calls throughout your source based on type of feedback.
+No initialization or setup needs to happen. Just start calling things.
+
+Available Loggers are:
+
+ * TRACE
+ * DEBUG
+ * INFO
+ * WARN
+ * ERROR
+ * CRITICAL
+ * FATAL
+
+These each are loggers based on the log standard library and follow the
+standard usage. Eg..
+
+```go
+    import (
+        jww "github.com/spf13/jwalterweatherman"
+    )
+
+    ...
+
+    if err != nil {
+
+        // This is a pretty serious error and the user should know about
+        // it. It will be printed to the terminal as well as logged under the
+        // default thresholds.
+
+        jww.ERROR.Println(err)
+    }
+
+    if err2 != nil {
+        // This error isn’t going to materially change the behavior of the
+        // application, but it’s something that may not be what the user
+        // expects. Under the default thresholds, Warn will be logged, but
+        // not printed to the terminal. 
+
+        jww.WARN.Println(err2)
+    }
+
+    // Information that’s relevant to what’s happening, but not very
+    // important for the user. Under the default thresholds this will be
+    // discarded.
+
+    jww.INFO.Printf("information %q", response)
+
+```
+
+_Why 7 levels?_
+
+Maybe you think that 7 levels are too much for any application... and you
+are probably correct. Just because there are seven levels doesn’t mean
+that you should be using all 7 levels. Pick the right set for your needs.
+Remember they only have to mean something to your project.
+
+## Step 2. Optionally configure JWW
+
+Under the default thresholds :
+
+ * Debug, Trace & Info goto /dev/null
+ * Warn and above is logged (when a log file/io.Writer is provided)
+ * Error and above is printed to the terminal (stdout)
+
+### Changing the thresholds
+
+The threshold can be changed at any time, but will only affect calls that
+execute after the change was made.
+
+This is very useful if your application has a verbose mode. Of course you
+can decide what verbose means to you or even have multiple levels of
+verbosity.
+
+
+```go
+    import (
+        jww "github.com/spf13/jwalterweatherman"
+    )
+
+    if Verbose {
+        jww.SetLogThreshold(jww.LevelTrace)
+        jww.SetStdoutThreshold(jww.LevelInfo)
+    }
+```
+
+Note that JWW's own internal output uses log levels as well, so set the log
+level before making any other calls if you want to see what it's up to.
+
+### Using a temp log file
+
+JWW conveniently creates a temporary file and sets the log Handle to
+a io.Writer created for it. You should call this early in your application
+initialization routine as it will only log calls made after it is executed. 
+When this option is used, the library will fmt.Println where to find the
+log file.
+
+```go
+    import (
+        jww "github.com/spf13/jwalterweatherman"
+    )
+
+    jww.UseTempLogFile("YourAppName") 
+
+```
+
+### Setting a log file
+
+JWW can log to any file you provide a path to (provided it’s writable).
+Will only append to this file.
+
+
+```go
+    import (
+        jww "github.com/spf13/jwalterweatherman"
+    )
+
+    jww.SetLogFile("/path/to/logfile") 
+
+```
+
+
+# More information
+
+This is an early release. I’ve been using it for a while and this is the
+third interface I’ve tried. I like this one pretty well, but no guarantees
+that it won’t change a bit.
+
+I wrote this for use in [hugo](http://hugo.spf13.com). If you are looking
+for a static website engine that’s super fast please checkout Hugo.

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/jwalterweatherman/thatswhyyoualwaysleaveanote.go
----------------------------------------------------------------------
diff --git 
a/newt/vendor/github.com/spf13/jwalterweatherman/thatswhyyoualwaysleaveanote.go 
b/newt/vendor/github.com/spf13/jwalterweatherman/thatswhyyoualwaysleaveanote.go
new file mode 100644
index 0000000..b64ed46
--- /dev/null
+++ 
b/newt/vendor/github.com/spf13/jwalterweatherman/thatswhyyoualwaysleaveanote.go
@@ -0,0 +1,256 @@
+// Copyright © 2016 Steve Francia <s...@spf13.com>.
+//
+// Use of this source code is governed by an MIT-style
+// license that can be found in the LICENSE file.
+
+package jwalterweatherman
+
+import (
+       "fmt"
+       "io"
+       "io/ioutil"
+       "log"
+       "os"
+       "sync/atomic"
+)
+
+// Level describes the chosen log level between
+// debug and critical.
+type Level int
+
+type NotePad struct {
+       Handle  io.Writer
+       Level   Level
+       Prefix  string
+       Logger  **log.Logger
+       counter uint64
+}
+
+func (n *NotePad) incr() {
+       atomic.AddUint64(&n.counter, 1)
+}
+
+func (n *NotePad) resetCounter() {
+       atomic.StoreUint64(&n.counter, 0)
+}
+
+func (n *NotePad) getCount() uint64 {
+       return atomic.LoadUint64(&n.counter)
+}
+
+type countingWriter struct {
+       incrFunc func()
+}
+
+func (cw *countingWriter) Write(p []byte) (n int, err error) {
+       cw.incrFunc()
+
+       return 0, nil
+}
+
+// Feedback is special. It writes plainly to the output while
+// logging with the standard extra information (date, file, etc)
+// Only Println and Printf are currently provided for this
+type Feedback struct{}
+
+const (
+       LevelTrace Level = iota
+       LevelDebug
+       LevelInfo
+       LevelWarn
+       LevelError
+       LevelCritical
+       LevelFatal
+       DefaultLogThreshold    = LevelWarn
+       DefaultStdoutThreshold = LevelError
+)
+
+var (
+       TRACE      *log.Logger
+       DEBUG      *log.Logger
+       INFO       *log.Logger
+       WARN       *log.Logger
+       ERROR      *log.Logger
+       CRITICAL   *log.Logger
+       FATAL      *log.Logger
+       LOG        *log.Logger
+       FEEDBACK   Feedback
+       LogHandle  io.Writer  = ioutil.Discard
+       OutHandle  io.Writer  = os.Stdout
+       BothHandle io.Writer  = io.MultiWriter(LogHandle, OutHandle)
+       NotePads   []*NotePad = []*NotePad{trace, debug, info, warn, err, 
critical, fatal}
+
+       trace           *NotePad = &NotePad{Level: LevelTrace, Handle: 
os.Stdout, Logger: &TRACE, Prefix: "TRACE: "}
+       debug           *NotePad = &NotePad{Level: LevelDebug, Handle: 
os.Stdout, Logger: &DEBUG, Prefix: "DEBUG: "}
+       info            *NotePad = &NotePad{Level: LevelInfo, Handle: 
os.Stdout, Logger: &INFO, Prefix: "INFO: "}
+       warn            *NotePad = &NotePad{Level: LevelWarn, Handle: 
os.Stdout, Logger: &WARN, Prefix: "WARN: "}
+       err             *NotePad = &NotePad{Level: LevelError, Handle: 
os.Stdout, Logger: &ERROR, Prefix: "ERROR: "}
+       critical        *NotePad = &NotePad{Level: LevelCritical, Handle: 
os.Stdout, Logger: &CRITICAL, Prefix: "CRITICAL: "}
+       fatal           *NotePad = &NotePad{Level: LevelFatal, Handle: 
os.Stdout, Logger: &FATAL, Prefix: "FATAL: "}
+       logThreshold    Level    = DefaultLogThreshold
+       outputThreshold Level    = DefaultStdoutThreshold
+)
+
+const (
+       DATE  = log.Ldate
+       TIME  = log.Ltime
+       SFILE = log.Lshortfile
+       LFILE = log.Llongfile
+       MSEC  = log.Lmicroseconds
+)
+
+var logFlags = DATE | TIME | SFILE
+
+func init() {
+       SetStdoutThreshold(DefaultStdoutThreshold)
+}
+
+// initialize will setup the jWalterWeatherman standard approach of providing 
the user
+// some feedback and logging a potentially different amount based on 
independent log and output thresholds.
+// By default the output has a lower threshold than logged
+// Don't use if you have manually set the Handles of the different levels as 
it will overwrite them.
+func initialize() {
+       BothHandle = io.MultiWriter(LogHandle, OutHandle)
+
+       for _, n := range NotePads {
+               if n.Level < outputThreshold && n.Level < logThreshold {
+                       n.Handle = ioutil.Discard
+               } else if n.Level >= outputThreshold && n.Level >= logThreshold 
{
+                       n.Handle = BothHandle
+               } else if n.Level >= outputThreshold && n.Level < logThreshold {
+                       n.Handle = OutHandle
+               } else {
+                       n.Handle = LogHandle
+               }
+       }
+
+       for _, n := range NotePads {
+               n.Handle = io.MultiWriter(n.Handle, &countingWriter{n.incr})
+               *n.Logger = log.New(n.Handle, n.Prefix, logFlags)
+       }
+
+       LOG = log.New(LogHandle,
+               "LOG:   ",
+               logFlags)
+}
+
+// Set the log Flags (Available flag: DATE, TIME, SFILE, LFILE and MSEC)
+func SetLogFlag(flags int) {
+       logFlags = flags
+       initialize()
+}
+
+// Level returns the current global log threshold.
+func LogThreshold() Level {
+       return logThreshold
+}
+
+// Level returns the current global output threshold.
+func StdoutThreshold() Level {
+       return outputThreshold
+}
+
+// Ensures that the level provided is within the bounds of available levels
+func levelCheck(level Level) Level {
+       switch {
+       case level <= LevelTrace:
+               return LevelTrace
+       case level >= LevelFatal:
+               return LevelFatal
+       default:
+               return level
+       }
+}
+
+// Establishes a threshold where anything matching or above will be logged
+func SetLogThreshold(level Level) {
+       logThreshold = levelCheck(level)
+       initialize()
+}
+
+// Establishes a threshold where anything matching or above will be output
+func SetStdoutThreshold(level Level) {
+       outputThreshold = levelCheck(level)
+       initialize()
+}
+
+// Conveniently Sets the Log Handle to a io.writer created for the file behind 
the given filepath
+// Will only append to this file
+func SetLogFile(path string) {
+       file, err := os.OpenFile(path, os.O_RDWR|os.O_APPEND|os.O_CREATE, 0666)
+       if err != nil {
+               CRITICAL.Println("Failed to open log file:", path, err)
+               os.Exit(-1)
+       }
+
+       INFO.Println("Logging to", file.Name())
+
+       LogHandle = file
+       initialize()
+}
+
+// Conveniently Creates a temporary file and sets the Log Handle to a 
io.writer created for it
+func UseTempLogFile(prefix string) {
+       file, err := ioutil.TempFile(os.TempDir(), prefix)
+       if err != nil {
+               CRITICAL.Println(err)
+       }
+
+       INFO.Println("Logging to", file.Name())
+
+       LogHandle = file
+       initialize()
+}
+
+// LogCountForLevel returns the number of log invocations for a given level.
+func LogCountForLevel(l Level) uint64 {
+       for _, np := range NotePads {
+               if np.Level == l {
+                       return np.getCount()
+               }
+       }
+       return 0
+}
+
+// LogCountForLevelsGreaterThanorEqualTo returns the number of log invocations
+// greater than or equal to a given level threshold.
+func LogCountForLevelsGreaterThanorEqualTo(threshold Level) uint64 {
+       var cnt uint64
+       for _, np := range NotePads {
+               if np.Level >= threshold {
+                       cnt += np.getCount()
+               }
+       }
+       return cnt
+}
+
+// ResetLogCounters resets the invocation counters for all levels.
+func ResetLogCounters() {
+       for _, np := range NotePads {
+               np.resetCounter()
+       }
+}
+
+// Disables logging for the entire JWW system
+func DiscardLogging() {
+       LogHandle = ioutil.Discard
+       initialize()
+}
+
+// Feedback is special. It writes plainly to the output while
+// logging with the standard extra information (date, file, etc)
+// Only Println and Printf are currently provided for this
+func (fb *Feedback) Println(v ...interface{}) {
+       s := fmt.Sprintln(v...)
+       fmt.Print(s)
+       LOG.Output(2, s)
+}
+
+// Feedback is special. It writes plainly to the output while
+// logging with the standard extra information (date, file, etc)
+// Only Println and Printf are currently provided for this
+func (fb *Feedback) Printf(format string, v ...interface{}) {
+       s := fmt.Sprintf(format, v...)
+       fmt.Print(s)
+       LOG.Output(2, s)
+}

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/pflag/.travis.yml
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/pflag/.travis.yml 
b/newt/vendor/github.com/spf13/pflag/.travis.yml
new file mode 100644
index 0000000..c7d8e05
--- /dev/null
+++ b/newt/vendor/github.com/spf13/pflag/.travis.yml
@@ -0,0 +1,18 @@
+sudo: false
+
+language: go
+
+go:
+        - 1.3
+        - 1.4
+        - 1.5
+        - tip
+
+install:
+        - go get github.com/golang/lint/golint
+        - export PATH=$GOPATH/bin:$PATH
+        - go install ./...
+
+script:
+        - verify/all.sh -v
+        - go test ./...

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/pflag/LICENSE
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/pflag/LICENSE 
b/newt/vendor/github.com/spf13/pflag/LICENSE
new file mode 100644
index 0000000..63ed1cf
--- /dev/null
+++ b/newt/vendor/github.com/spf13/pflag/LICENSE
@@ -0,0 +1,28 @@
+Copyright (c) 2012 Alex Ogier. All rights reserved.
+Copyright (c) 2012 The Go Authors. All rights reserved.
+
+Redistribution and use in source and binary forms, with or without
+modification, are permitted provided that the following conditions are
+met:
+
+   * Redistributions of source code must retain the above copyright
+notice, this list of conditions and the following disclaimer.
+   * Redistributions in binary form must reproduce the above
+copyright notice, this list of conditions and the following disclaimer
+in the documentation and/or other materials provided with the
+distribution.
+   * Neither the name of Google Inc. nor the names of its
+contributors may be used to endorse or promote products derived from
+this software without specific prior written permission.
+
+THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
+"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
+LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
+A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
+OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
+SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
+LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
+DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
+THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
+(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

http://git-wip-us.apache.org/repos/asf/incubator-mynewt-newt/blob/b002dd0c/newt/vendor/github.com/spf13/pflag/README.md
----------------------------------------------------------------------
diff --git a/newt/vendor/github.com/spf13/pflag/README.md 
b/newt/vendor/github.com/spf13/pflag/README.md
new file mode 100644
index 0000000..e74dd50
--- /dev/null
+++ b/newt/vendor/github.com/spf13/pflag/README.md
@@ -0,0 +1,256 @@
+[![Build 
Status](https://travis-ci.org/spf13/pflag.svg?branch=master)](https://travis-ci.org/spf13/pflag)
+
+## Description
+
+pflag is a drop-in replacement for Go's flag package, implementing
+POSIX/GNU-style --flags.
+
+pflag is compatible with the [GNU extensions to the POSIX recommendations
+for command-line options][1]. For a more precise description, see the
+"Command-line flag syntax" section below.
+
+[1]: http://www.gnu.org/software/libc/manual/html_node/Argument-Syntax.html
+
+pflag is available under the same style of BSD license as the Go language,
+which can be found in the LICENSE file.
+
+## Installation
+
+pflag is available using the standard `go get` command.
+
+Install by running:
+
+    go get github.com/spf13/pflag
+
+Run tests by running:
+
+    go test github.com/spf13/pflag
+
+## Usage
+
+pflag is a drop-in replacement of Go's native flag package. If you import
+pflag under the name "flag" then all code should continue to function
+with no changes.
+
+``` go
+import flag "github.com/spf13/pflag"
+```
+
+There is one exception to this: if you directly instantiate the Flag struct
+there is one more field "Shorthand" that you will need to set.
+Most code never instantiates this struct directly, and instead uses
+functions such as String(), BoolVar(), and Var(), and is therefore
+unaffected.
+
+Define flags using flag.String(), Bool(), Int(), etc.
+
+This declares an integer flag, -flagname, stored in the pointer ip, with type 
*int.
+
+``` go
+var ip *int = flag.Int("flagname", 1234, "help message for flagname")
+```
+
+If you like, you can bind the flag to a variable using the Var() functions.
+
+``` go
+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
+
+``` go
+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
+
+``` go
+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.
+
+``` go
+fmt.Println("ip has value ", *ip)
+fmt.Println("flagvar has value ", flagvar)
+```
+
+There are helpers function to get values later if you have the FlagSet but
+it was difficult to keep up with all of the the flag pointers in your code.
+If you have a pflag.FlagSet with a flag called 'flagname' of type int you
+can use GetInt() to get the int value. But notice that 'flagname' must exist
+and it must be an int. GetString("flagname") will fail.
+
+``` go
+i, err := flagset.GetInt("flagname")
+```
+
+After parsing, the arguments after the flag are available as the
+slice flag.Args() or individually as flag.Arg(i).
+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.
+
+``` go
+var ip = flag.IntP("flagname", "f", 1234, "help message")
+var flagvar bool
+func init() {
+    flag.BoolVarP("boolname", "b", true, "help message")
+}
+flag.VarP(&flagVar, "varname", "v", 1234, "help message")
+```
+
+Shorthand letters can be used with single dashes on the command line.
+Boolean shorthand flags can be combined with other shorthand flags.
+
+The default set of command-line flags is controlled by
+top-level functions.  The FlagSet type allows one to define
+independent sets of flags, such as to implement subcommands
+in a command-line interface. The methods of FlagSet are
+analogous to the top-level functions for the command-line
+flag set.
+
+## Setting no option default values for flags
+
+After you create a flag it is possible to set the pflag.NoOptDefVal for
+the given flag. Doing this changes the meaning of the flag slightly. If
+a flag has a NoOptDefVal and the flag is set on the command line without
+an option the flag will be set to the NoOptDefVal. For example given:
+
+``` go
+var ip = flag.IntP("flagname", "f", 1234, "help message")
+flag.Lookup("flagname").NoOptDefVal = "4321"
+```
+
+Would result in something like
+
+| Parsed Arguments | Resulting Value |
+| -------------    | -------------   |
+| --flagname=1357  | ip=1357         |
+| --flagname       | ip=4321         |
+| [nothing]        | ip=1234         |
+
+## Command line flag syntax
+
+```
+--flag    // boolean flags, or flags with no option default values
+--flag x  // only on flags without a default value
+--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
+or a flag with a default value
+
+```
+// boolean or flags where the 'no option default value' is set
+-f
+-f=true
+-abc
+but
+-b true is INVALID
+
+// non-boolean and flags without a 'no option default value'
+-n 1234
+-n=1234
+-n1234
+
+// mixed
+-abcs "hello"
+-absd="hello"
+-abcs1234
+```
+
+Flag parsing stops after the terminator "--". Unlike the flag package,
+flags can be interspersed with arguments anywhere on the command line
+before this terminator.
+
+Integer flags accept 1234, 0664, 0x1234 and may be negative.
+Boolean flags (in their long form) accept 1, 0, t, f, true, false,
+TRUE, FALSE, True, False.
+Duration flags accept any input valid for time.ParseDuration.
+
+## Mutating or "Normalizing" Flag names
+
+It is possible to set a custom flag name 'normalization function.' It allows 
flag names to be mutated both when created in the code and when used on the 
command line to some 'normalized' form. The 'normalized' form is used for 
comparison. Two examples of using the custom normalization func follow.
+
+**Example #1**: You want -, _, and . in flags to compare the same. aka 
--my-flag == --my_flag == --my.flag
+
+``` go
+func wordSepNormalizeFunc(f *pflag.FlagSet, name string) pflag.NormalizedName {
+       from := []string{"-", "_"}
+       to := "."
+       for _, sep := range from {
+               name = strings.Replace(name, sep, to, -1)
+       }
+       return pflag.NormalizedName(name)
+}
+
+myFlagSet.SetNormalizeFunc(wordSepNormalizeFunc)
+```
+
+**Example #2**: You want to alias two flags. aka --old-flag-name == 
--new-flag-name
+
+``` go
+func aliasNormalizeFunc(f *pflag.FlagSet, name string) pflag.NormalizedName {
+       switch name {
+       case "old-flag-name":
+               name = "new-flag-name"
+               break
+       }
+       return pflag.NormalizedName(name)
+}
+
+myFlagSet.SetNormalizeFunc(aliasNormalizeFunc)
+```
+
+## Deprecating a flag or its shorthand
+It is possible to deprecate a flag, or just its shorthand. Deprecating a 
flag/shorthand hides it from help text and prints a usage message when the 
deprecated flag/shorthand is used.
+
+**Example #1**: You want to deprecate a flag named "badflag" as well as inform 
the users what flag they should use instead.
+```go
+// deprecate a flag by specifying its name and a usage message
+flags.MarkDeprecated("badflag", "please use --good-flag instead")
+```
+This hides "badflag" from help text, and prints `Flag --badflag has been 
deprecated, please use --good-flag instead` when "badflag" is used.
+
+**Example #2**: You want to keep a flag name "noshorthandflag" but deprecate 
its shortname "n".
+```go
+// deprecate a flag shorthand by specifying its flag name and a usage message
+flags.MarkShorthandDeprecated("noshorthandflag", "please use --noshorthandflag 
only")
+```
+This hides the shortname "n" from help text, and prints `Flag shorthand -n has 
been deprecated, please use --noshorthandflag only` when the shorthand "n" is 
used.
+
+Note that usage message is essential here, and it should not be empty.
+
+## Hidden flags
+It is possible to mark a flag as hidden, meaning it will still function as 
normal, however will not show up in usage/help text.
+
+**Example**: You have a flag named "secretFlag" that you need for internal use 
only and don't want it showing up in help text, or for its usage text to be 
available.
+```go
+// hide a flag by specifying its name
+flags.MarkHidden("secretFlag")
+```
+
+## More info
+
+You can see the full reference documentation of the pflag package
+[at godoc.org][3], or through go's standard documentation system by
+running `godoc -http=:6060` and browsing to
+[http://localhost:6060/pkg/github.com/ogier/pflag][2] after
+installation.
+
+[2]: http://localhost:6060/pkg/github.com/ogier/pflag
+[3]: http://godoc.org/github.com/ogier/pflag


Reply via email to