Go
Parsowanie argumentów i flag wiersza poleceń
Szukaj…
Argumenty wiersza poleceń
Analiza argumentów wiersza poleceń to Go jest bardzo podobna do innych języków. W swoim kodzie masz dostęp do wycinka argumentów, gdzie pierwszym argumentem będzie nazwa samego programu.
Szybki przykład:
package main
import (
"fmt"
"os"
)
func main() {
progName := os.Args[0]
arguments := os.Args[1:]
fmt.Printf("Here we have program '%s' launched with following flags: ", progName)
for _, arg := range arguments {
fmt.Printf("%s ", arg)
}
fmt.Println("")
}
I wynik byłby:
$ ./cmd test_arg1 test_arg2
Here we have program './cmd' launched with following flags: test_arg1 test_arg2
Każdy argument jest tylko ciągiem. W pakiecie os
wygląda to następująco: var Args []string
Flagi
Standardowa biblioteka Go udostępnia flag
pakietu, która pomaga w analizowaniu flag przekazywanych do programu.
Zauważ, że pakiet flag
nie zapewnia zwykłych flag w stylu GNU. Oznacza to, że flagi -exampleflag
należy zaczynać od pojedynczego myślnika, takiego jak: -exampleflag
, a nie to: --exampleflag
. Flagi w stylu GNU można wykonać za pomocą jakiegoś pakietu strony trzeciej.
package main
import (
"flag"
"fmt"
)
func main() {
// basic flag can be defined like this:
stringFlag := flag.String("string.flag", "default value", "here comes usage")
// after that stringFlag variable will become a pointer to flag value
// if you need to store value in variable, not pointer, than you can
// do it like:
var intFlag int
flag.IntVar(&intFlag, "int.flag", 1, "usage of intFlag")
// after all flag definitions you must call
flag.Parse()
// then we can access our values
fmt.Printf("Value of stringFlag is: %s\n", *stringFlag)
fmt.Printf("Value of intFlag is: %d\n", intFlag)
}
flag
pomaga nam przesłać wiadomość:
$ ./flags -h
Usage of ./flags:
-int.flag int
usage of intFlag (default 1)
-string.flag string
here comes usage (default "default value")
Zadzwoń ze wszystkimi flagami:
$ ./flags -string.flag test -int.flag 24
Value of stringFlag is: test
Value of intFlag is: 24
Zadzwoń z brakującymi flagami:
$ ./flags
Value of stringFlag is: default value
Value of intFlag is: 1