Я пытаюсь создать очень простую версию игры Simon с WiiMote, используя WPF. Я застрял на том, как сделать его пошаговым, когда программа блокируется до тех пор, пока графический интерфейс не будет отображен.
Вот код, который у меня есть (в основном на основе ответа здесь: WPF - простой пример последовательной анимации ):
public partial class Window1 : Window
{
public enum SimonSquare { BLUE = 1, GREEN = 3, RED = 5, YELLOW = 7 };
List<int> _correctSequence;
int _currentLevel = 1;
Random random = new Random();
Wiimote _wiiMote;
List<int> _squaresEntered;
private IEnumerator<Action> _actions;
Rectangle blueRect;
Rectangle redRect;
Rectangle greenRect;
Rectangle yellowRect;
AutoResetEvent autoEvent;
public Window1()
{
InitializeComponent();
blueRect = new Rectangle() { Fill =
System.Windows.Media.Brushes.Blue, Name = "Blue"};
redRect = new Rectangle() { Fill =
System.Windows.Media.Brushes.Red, Name = "Red" };
greenRect = new Rectangle() { Fill =
System.Windows.Media.Brushes.Green, Name = "Green" };
yellowRect = new Rectangle() { Fill =
System.Windows.Media.Brushes.Yellow, Name = "Yellow" };
UniformGrid1.Children.Add(new Rectangle() { Fill =
System.Windows.Media.Brushes.LightGray });
UniformGrid1.Children.Add(blueRect);
UniformGrid1.Children.Add(new Rectangle() { Fill =
System.Windows.Media.Brushes.LightGray });
UniformGrid1.Children.Add(redRect);
UniformGrid1.Children.Add(new Rectangle() { Fill =
System.Windows.Media.Brushes.LightGray });
UniformGrid1.Children.Add(greenRect);
UniformGrid1.Children.Add(new Rectangle() { Fill =
System.Windows.Media.Brushes.LightGray });
UniformGrid1.Children.Add(yellowRect);
UniformGrid1.Children.Add(new Rectangle() { Fill =
System.Windows.Media.Brushes.LightGray });
//connectWiiRemote();
}
private void Window_Loaded(object sender, RoutedEventArgs e)
{
_actions = AnimationSequence().GetEnumerator();
autoEvent = new AutoResetEvent(false);
Thread thread = new Thread(RunNextAction);
thread.Start();
autoEvent.WaitOne(); // need to block here somehow!
int x = 5;
}
IEnumerable<Action> AnimationSequence()
{
getSequence();
foreach(int square in _correctSequence)
{
if(square == (int) SimonSquare.BLUE)
yield return () => animateCell(blueRect, Colors.Blue);
else if(square == (int) SimonSquare.RED)
yield return () => animateCell(redRect, Colors.Red);
else if (square == (int)SimonSquare.GREEN)
yield return () => animateCell(greenRect, Colors.Green);
else if (square == (int)SimonSquare.YELLOW)
yield return () => animateCell(yellowRect, Colors.Yellow);
}
}
private void animateCell(Rectangle rectangle, Color fromColor)
{
this.Dispatcher.BeginInvoke(new Action(delegate
{
Color toColor = Colors.White;
ColorAnimation ani = new ColorAnimation(toColor,
new Duration(TimeSpan.FromMilliseconds(300)));
ani.AutoReverse = true;
SolidColorBrush newBrush = new SolidColorBrush(fromColor);
ani.BeginTime = TimeSpan.FromSeconds(2);
rectangle.Fill = newBrush;
ani.Completed += (s, e) => RunNextAction();
newBrush.BeginAnimation(SolidColorBrush.ColorProperty, ani);
}));
}
private void RunNextAction()
{
if (_actions.MoveNext())
_actions.Current();
else
{
autoEvent.Set();
_currentLevel++;
}
}
private void getSequence()
{
_correctSequence = new List<int>();
int[] values =
Enum.GetValues(typeof(SimonSquare)).Cast<int>().ToArray();
for (int i = 0; i < _currentLevel + 2; i++)
{
_correctSequence.Add(values[random.Next(values.Length)]);
}
}
}
Тем не менее, waitOne / set autoSet работают неправильно. В настоящее время он вызывает RunNextAction один раз, но затем блокирует waitOne на неопределенный срок. Что я делаю не так?
EDIT:
Позвольте мне попытаться перефразировать вопрос. Если я возьму Threading и AutoResetEvent, в Window_Loaded у меня есть:
private void Window_Loaded(object sender, RoutedEventArgs e)
{
_actions = AnimationSequence().GetEnumerator();
RunNextAction(); // shows all of the flashing squares
// need to wait here until the flashing squares are all shown
// process player's events etc.
}
Когда я запускаю приведенный выше код, он будет вызывать RunNextAction один раз, который будет вызывать сам себя до тех пор, пока не будут показаны все квадраты (кажется, как в собственном потоке), НО метод WindowLoaded продолжает работать. После того, как я вызываю RunNextAction (), мне нужно Window_Loaded для блокировки, пока RunNextAction не будет полностью завершен.