Command-Line Flags
Learn how to add command-line flags in the basic word count application.
Good command-line tools provide flexibility through options. The current version of the word counter tool only counts words. Let’s add the ability to also count lines by giving the user the option to decide when to switch this behavior through command-line flags. Go provides the flag package, which can be used to create and manage command-line flags.
Adding command-line flags
Let’s open the main.go
file and add this package to our imports section:
import ("bufio""flag""fmt""io""os")
Next, we’ll update the main()
function by adding the definition for the new command-line flag:
func main() {// Defining a boolean flag -l to count lines instead of wordslines := flag.Bool("l", false, "Count lines")// Parsing the flags provided by the userflag.Parse()
This defines a new -l
option that we’ll use to indicate whether to count lines. The default value is false
, which means that the normal behavior is to count words.
We complete the main()
function by updating the call to the function ...