c#暂停foreach循环,直到按钮被按下
本文关键字:按钮 暂停 foreach 循环 | 更新日期: 2023-09-27 18:11:16
使用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();
}
您可以添加一个计步器:
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();
}
您需要在按钮单击之间保留一些状态,以便您知道上次离开的位置。我建议使用一个简单的计数器:
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
}
每次按下按钮时执行第一个动作,然后执行下一个动作,等等。
首先编写一个方法,当下一次按下特定的Button
时生成Task
:
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();
}
}
如果您只需要执行一次方法,我建议将它们添加到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();
}
}