Ich schrieb eine einfache dynamische FSM. bedeutet, dass die Zustandsübergänge dynamisch und nicht statisch sind, wie in ConcreteStateB
gezeigt.Mehr .net-Ansatz für dynamische Zustandsmaschine
namespace FSM_Example
{
using System;
class Program
{
static void Main()
{
var context = new Context(new ConcreteStateA());
context.Run();
Console.Read();
}
}
abstract class State
{
public abstract void Execute(Context context);
}
class ConcreteStateA : State
{
public override void Execute(Context context)
{
context.State = new ConcreteStateB();
}
}
class ConcreteStateB : State
{
public override void Execute(Context context)
{
Console.Write("Input state: ");
string input = Console.ReadLine();
context.State = input == "e" ? null : new ConcreteStateA();
}
}
class Context
{
private State _state;
public Context(State state)
{
State = state;
}
public State State
{
get { return _state; }
set
{
_state = value;
Console.WriteLine("State: " + _state.GetType().Name);
}
}
public void Run()
{
while (_state != null)
{
_state.Execute(this);
}
}
}
}
Dies implementiert eine Zustandsmaschine wie in GoF305
beschrieben.
Da ich neu in C# und .net bin: Gibt es bessere Ansätze, die dieses Ziel mit spezifischeren Funktionen von .net
oder C#
erreichen?