我试图了解yield如何在C#中工作。为了测试,我编写了一些示例代码:

using System;
using System.Text;

namespace ConsoleApplication1
{
    class GameFrame
    {
    };

    class GameState
    {
        public static GameFrame Begin()
        {
            Console.WriteLine("GameState.Begin");

            return new GameFrame();
        }

        public static GameFrame Play()
        {
            Console.WriteLine("GameState.Play");

            return new GameFrame();
        }

        public static System.Collections.Generic.IEnumerator<GameFrame> MainLoop()
        {
            yield return Begin();

            while (true)
            {
                yield return Play();
            }
        }
    };


    class Program
    {
        static void Main()
        {
            while (GameState.MainLoop() != null)
            {
            }
        }
    }
}


此代码仅尝试运行一次Begin函数并调用无限次函数Play。请告诉我为什么我永远不会在控制台中看到我的消息?

最佳答案

您需要枚举集合,您只需检查结果是否为null,就不会启动枚举。

foreach (var frame in GameState.MainLoop())
{
    //Do whatever with frame
}


要使其与`foreach一起使用,可以使MainLoop方法返回IEnumerable<GameFrame>而不是IEnumerator<GameFrame>或只使用

var enumerator = GameState.MainLoop();
while (enumerator.MoveNext())
{
     //Do whatever with enumerator.Current
}

关于c# - 通过无限循环示例在C#中屈服,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22449938/

10-12 20:50