Argument Parsing 
In Sake, you can use additional Swift libraries to enhance the functionality of your commands, including argument parsing. One of the popular libraries for argument parsing in Swift is ArgumentParser.
Using ArgumentParser 
With ArgumentParser, you can define custom arguments for your Sake commands, making them more dynamic and user-friendly. Below is an example of how you can integrate ArgumentParser into a Sake command to parse command-line arguments:
import ArgumentParser
import Foundation
import Sake
@main
@CommandGroup
struct Commands: SakeApp {
    public static var lint: Command {
        Command(
            description: "Run SwiftLint",
            run: { context in
                struct Arguments: ParsableArguments {
                    @Flag(name: .shortAndLong, help: "Quiet mode")
                    var quiet: Bool = false
                }
                let arguments: Arguments = try Arguments.parse(context.arguments)
                if arguments.quiet {
                    print("Running SwiftLint in quiet mode...")
                } else {
                    print("Running SwiftLint...")
                }
            }
        )
    }
}Explanation 
Defining Arguments: The
Argumentsstruct conforms toParsableArguments, allowing you to define flags and options. In this example, a flag called--quiet(or-q) is defined, which the user can pass when running the command.Parsing Arguments: The
Arguments.parse(context.arguments)method is used to parse the command-line arguments provided by the user.Using Parsed Arguments: Once parsed, you can use the arguments to modify the command's behavior, such as running a command in quiet mode.
Adding Dependencies 
To use ArgumentParser in your SakeApp, you need to add it to your Package.swift file:
dependencies: [
    .package(url: "https://github.com/kattouf/Sake", from: "0.1.0"),
    .package(url: "https://github.com/apple/swift-argument-parser.git", from: "1.2.0")
]And then adding the product to SakeApp target that needs access to the library:
targets: [
    .executableTarget(
        name: "SakeApp",
        dependencies: [
            "Sake",
            .product(name: "ArgumentParser", package: "swift-argument-parser"),
        ],
        path: "."
    ),
]This makes it easy to parse arguments and enhance the functionality of your commands.