在C#中,使用CommandLineParser
庫可以幫助我們解析命令行參數。要獲取解析結果,首先需要安裝CommandLineParser
庫。你可以通過NuGet包管理器或者.NET CLI來安裝:
dotnet add package CommandLineParser
接下來,創建一個類來定義命令行參數,并使用Option
屬性標記這些屬性。例如:
using CommandLine;
public class Options
{
[Option('f', "file", Required = true, HelpText = "Input file to be processed.")]
public string InputFile { get; set; }
[Option('o', "output", Required = false, HelpText = "Output file to write the result to.")]
public string OutputFile { get; set; }
[Option('v', "verbose", Required = false, HelpText = "Set output to verbose messages.")]
public bool Verbose { get; set; }
}
然后,在你的主程序中,使用Parser.Default.ParseArguments
方法解析命令行參數,并根據解析結果執行相應的操作。例如:
using System;
using CommandLine;
class Program
{
static void Main(string[] args)
{
Parser.Default.ParseArguments<Options>(args)
.WithParsed(options =>
{
// 獲取解析結果
string inputFile = options.InputFile;
string outputFile = options.OutputFile;
bool verbose = options.Verbose;
// 根據解析結果執行相應的操作
Console.WriteLine($"Input file: {inputFile}");
Console.WriteLine($"Output file: {outputFile}");
Console.WriteLine($"Verbose: {verbose}");
})
.WithNotParsed(errors =>
{
// 如果解析失敗,打印錯誤信息
foreach (var error in errors)
{
Console.WriteLine(error.ToString());
}
});
}
}
在這個示例中,我們首先定義了一個Options
類,其中包含了我們想要從命令行參數中解析的選項。然后,在Main
方法中,我們使用Parser.Default.ParseArguments
方法解析命令行參數,并根據解析結果執行相應的操作。如果解析成功,我們可以從options
對象中獲取解析結果,并根據這些結果執行相應的操作。如果解析失敗,我們可以打印錯誤信息。