有没有像收益率“相反”的东西?

时间:2013-09-05 22:04:22

标签: c# yield

我知道我无法在内存中保存完整的数据,所以我想在内存中传输部件并使用它们然后再将它们写回来。

Yield是一个非常有用的关键字,它使用枚举器并保存索引来节省大量内容,....

但是,当我想通过yield转换IEnumerable并将它们写回集合/文件时,我是否需要使用枚举器概念,或者是否有与yield相反的类似内容? 我对RX很感兴趣,但我不清楚它是否解决了我的问题?

    public static IEnumerable<string> ReadFile()
    {
        string line;

        var reader = new System.IO.StreamReader(@"c:\\temp\\test.txt");
        while ((line = reader.ReadLine()) != null)
        {
            yield return line;
        }

        reader.Close();
    }

    public static void StreamFile()
    {
        foreach (string line in ReadFile())
        {
            WriteFile(line);
        }
    }

    public static void WriteFile(string line)
    {
        // how to save the state, of observe an collection/stream???
        var writer = new System.IO.StreamWriter("c:\\temp\\test.txt");
        writer.WriteLine(line);

        writer.Close();
    }

1 个答案:

答案 0 :(得分:4)

在您的情况下,您可以将IEnumerable<string>直接传递给WriteFile:

public static void WriteFile(IEnumerable<string> lines)
{
    // how to save the state, of observe an collection/stream???
    using(var writer = new System.IO.StreamWriter("c:\\temp\\test.txt"))
    {
        foreach(var line in lines)
            writer.WriteLine(line);
    }
}

由于输入是通过IEnumerable<T>流式传输的,因此数据永远不会保存在内存中。

请注意,在这种情况下,您可以使用File.ReadLines来执行读取,因为它已经通过IEnumerable<string>流回结果。使用File.WriteAllLines,您的代码可以完成(但是,您也可以使用File.Copy):

File.WriteAllLines(outputFile, File.ReadLines(inputFile));