golang命令行參數解析

1. os基礎處理

os包中有一個string類型的切片變量os.Args,其用來處理一些基本的命令行參數,它在程序啓動後讀取命令行輸入的參數。參數會放置在切片os.Args[]中(以空格分隔),從索引1開始(os.Args[0]放的是程序自己的名字)。app

fmt.Println("Parameters:", os.Args[1:])

 

2. flag參數解析

flag包能夠用來解析命令行選項,但一般被用來替換基本常量。例如,在某些狀況下但願在命令行給常量一些不同的值。ui

type Flag struct {
    Name     string // name as it appears on command line
    Usage    string // help message
    Value    Value  // value as set
    DefValue string // default value (as text); for usage message
}

flag的使用規則是:首先定義flag(定義的flag會被解析),而後使用Parse()解析flag,解析後已定義的flag能夠直接使用,未定義的剩餘的flag可經過Arg(i)單獨獲取或經過Args()切片整個獲取。spa

定義flag命令行

func String(name string, value string, usage string) *string
func StringVar(p *string, name string, value string, usage string)
func Int(name string, value int, usage string) *int
func IntVar(p *int, name string, value int, usage string)

解析flagcode

func Parse()

Parse() parses the command-line flags from os.Args[1:]. Must be called after all flags are defined and before flags are accessed by the program.blog

func Arg(i int) string
func Args() []string

Arg returns the i'th command-line argument. Arg(0) is the first remaining argument after flags have been processed.索引

Args returns the non-flag command-line arguments.rem

After parsing, the arguments following the flags are available as the slice flag.Args() or individually as flag.Arg(i). The arguments are indexed from 0 through flag.NArg()-1.string

func NArg() int

NArg is the number of arguments remaining after flags have been processed.it

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.

package main
import (
        "fmt"
        "flag"
)

func main(){
        var new_line = flag.Bool("n", false, "new line")
        var max_num int
        flag.IntVar(&max_num, "MAX_NUM", 100, "the num max")

        flag.PrintDefaults()
        flag.Parse()

        fmt.Println("There are", flag.NFlag(), "remaining args, they are:", flag.Args())
        fmt.Println("n has value: ", *new_line)
        fmt.Println("MAX_NJUM has value: ", max_num)
}
$ go build -o flag flag.go
$ ./flag
  -MAX_NUM int
        the num max (default 100)
  -n    new line
There are 0 remaining args, they are: []
n has value:  false
MAX_NJUM has value:  100
$ ./flag -n -MAX_NUM=1000 wang qin
  -MAX_NUM int
        the num max (default 100)
  -n    new line
There are 2 remaining args, they are: [wang qin]
n has value:  true
MAX_NJUM has value:  1000
相關文章
相關標籤/搜索