微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

c# – 如何从命令行参数中读取文件,否则标准? (模拟Python的文件输入)

我希望我的应用程序从命令行参数或标准输入指定的文件中读取,因此用户可以使用它myprogram.exe data.txt或otherprogram.exe | myprogram.exe.我怎么能在C#中做到这一点?

Python中,我会写

import fileinput
for line in fileinput.input():
    process(line)

This iterates over the lines of all files listed in sys.argv[1:],defaulting to sys.stdin if the list is empty. If a filename is ‘-‘,it is also replaced by sys.stdin.

Perl的<>和Ruby的ARGF同样有用.

解决方法

stdin通过Console.In作为TextReader暴露给您.只需为您的输入声明一个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.SetIn()将Console.In重定向到您的文件.

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);
    }
}

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐