2

使用 C#,我有方法列表(操作)。然后,我有一个使用 foreach 循环调用操作的方法。单击按钮调用该方法,该方法又一次调用列表中的每个操作。我所追求的是每次点击只执行一个动作。提前致谢。

private static List<Action> listOfMethods= new List<Action>();

listOfMethods.Add(() => method1());
listOfMethods.Add(() => method2());
listOfMethods.Add(() => method3());
//====================================================================
private void invokeActions()
{
   foreach (Action step in listOfMethods)
   {
       step.Invoke();
       //I want a break here, only to continue the next time the button is clicked
   }
}
//====================================================================
private void buttonTest_Click(object sender, EventArgs e)
    {
        invokeActions();
    }
4

4 回答 4

2

您可以添加一个计步器:

private static List<Action> listOfMethods= new List<Action>();
private static int stepCounter = 0;

listOfMethods.Add(() => method1());
listOfMethods.Add(() => method2());
listOfMethods.Add(() => method3());
//====================================================================
private void invokeActions()
{
       listOfMethods[stepCounter]();

       stepCounter += 1;
       if (stepCounter >= listOfMethods.Count) stepCounter = 0;
}
//====================================================================
private void buttonTest_Click(object sender, EventArgs e)
    {
        invokeActions();
    }
于 2015-09-03T19:12:55.483 回答
1

首先编写一个方法来在下次按下Task特定时生成一个:Button

public static Task WhenClicked(this Button button)
{
    var tcs = new TaskCompletionSource<bool>();
    EventHandler handler = null;
    handler = (s, e) =>
    {
        tcs.TrySetResult(true);
        button.Click -= handler;
    };
    button.Click += handler;
    return tcs.Task;
}

然后await,当您希望它在下一个按钮按下后继续时,只需在您的方法中使用它:

private async Task invokeActions()
{
    foreach (Action step in listOfMethods)
    {
        step.Invoke();
        await test.WhenClicked();
    }
}
于 2015-09-03T19:18:28.577 回答
1

您需要在按钮单击之间保持一些状态,以便您知道上次离开的位置。我建议使用一个简单的计数器:

private int _nextActionIndex = 0;

private void buttonTest_Click(object sender, EventArgs e)
{
    listOfMethods[_nextActionIndex]();
    if (++_nextActionIndex == listOfMethods.Count)
        _nextActionIndex = 0;    // When we get to the end, loop around
}

每次按下按钮时都会执行第一个动作,然后是下一个动作,依此类推。

于 2015-09-03T19:13:09.447 回答
0

如果您只需要执行一次方法,我建议将它们添加到Queue<T>不需要维护的状态。

private static Queue<Action> listOfMethods = new Queue<Action>();
listOfMethods.Enqueue(method1);
listOfMethods.Enqueue(method2);
listOfMethods.Enqueue(method3);   

private void buttonTest_Click(object sender, EventArgs e) {
    if (listOfMethods.Count > 0) {
        listOfMethods.Dequeue().Invoke();
    }
}
于 2015-09-03T19:23:52.630 回答