我希望我的应用程序从命令行参数或标准输入指定的文件中读取,以便用户可以使用它 myprogram.exe data.txt
或 otherprogram.exe | myprogram.exe
。我怎样才能在 C# 中做到这一点?
在 Python 中,我会写
import fileinput
for line in fileinput.input():
process(line)
Perl 的
<>
和 Ruby 的 ARGF
也同样有用。 最佳答案
stdin
通过 TextReader
作为 Console.In
向您公开。只需为您的输入声明一个 TextReader
变量,该变量使用 Console.In
或您选择的文件,并将其用于所有输入操作。
static TextReader input = Console.In;
static void Main(string[] args)
{
if (args.Any())
{
var path = args[0];
if (File.Exists(path))
{
input = File.OpenText(path);
}
}
// use `input` for all input operations
for (string line; (line = input.ReadLine()) != null; )
{
Console.WriteLine(line);
}
}
否则,如果重构使用这个新变量的代价太高,你总是可以使用
Console.In
将 Console.SetIn()
重定向到你的文件。static void Main(string[] args)
{
if (args.Any())
{
var path = args[0];
if (File.Exists(path))
{
Console.SetIn(File.OpenText(path));
}
}
// Just use the console like normal
for (string line; (line = Console.ReadLine()) != null; )
{
Console.WriteLine(line);
}
}
关于c# - 如何从命令行参数中的文件中读取其他标准? (模拟 Python 的文件输入),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12771347/