Я пытаюсь реализовать конечный автомат.Сценарий таков: если документ отправлен, он отправляется на проверку и после этого утверждается.
Но выдает ошибку, которая рассмотрела -> одобрить переход недействительным.
Вот код, который может дать лучшую картину.
Почему выдает ошибку?Я убедился, что все в порядке, но все же.
public enum ProcessState
{
Submitted,
Reviewed,
Approved
}
public enum Command
{
Submit,
Review,
Approve
}
public class Process
{
class StateTransition
{
readonly ProcessState CurrentState;
readonly Command Command;
public StateTransition(ProcessState currentState, Command command)
{
CurrentState = currentState;
Command = command;
}
public override int GetHashCode()
{
return 17 + 31 * CurrentState.GetHashCode() + 31 * Command.GetHashCode();
}
public override bool Equals(object obj)
{
StateTransition other = obj as StateTransition;
return other != null && this.CurrentState == other.CurrentState && this.Command == other.Command;
}
}
Dictionary<StateTransition, ProcessState> transitions;
public ProcessState CurrentState { get; private set; }
public Process()
{
CurrentState = ProcessState.Submitted;
transitions = new Dictionary<StateTransition, ProcessState>
{
{ new StateTransition(ProcessState.Submitted, Command.Review), ProcessState.Reviewed },
{ new StateTransition(ProcessState.Reviewed, Command.Approve), ProcessState.Approved },
};
}
public ProcessState GetNext(Command command)
{
StateTransition transition = new StateTransition(CurrentState, command);
ProcessState nextState;
if (!transitions.TryGetValue(transition, out nextState))
throw new Exception("Invalid transition: " + CurrentState + " -> " + command);
return nextState;
}
public ProcessState MoveNext(Command command)
{
CurrentState = GetNext(command);
return CurrentState;
}
}
public class Program
{
static void Main(string[] args)
{
Process p = new Process();
Console.WriteLine("Current State = " + p.CurrentState);
Console.WriteLine("Command.Submit: Current State = " + p.MoveNext(Command.Submit));
Console.WriteLine("Command.Review: Current State = " + p.MoveNext(Command.Review));
Console.WriteLine("Command.Approve: Current State = " + p.MoveNext(Command.Approve));
Console.ReadLine();
}
}
Обновление:
Вот часть ошибки:
public ProcessState GetNext(Command command)
{
StateTransition transition = new StateTransition(CurrentState, command);
ProcessState nextState;
if (!transitions.TryGetValue(transition, out nextState))
throw new Exception("Invalid transition: " + CurrentState + " -> " + command);
return nextState;
}