为什么console.writeline在打印状态时会引发错误?我可以正确实现状态机吗?

时间:2019-03-16 11:02:48

标签: c# .net c#-4.0 action state-machine

我刚接触状态机,并尝试使用状态机进行“提交,审阅和批准”方案的过程。它在fsm.ProcessEvent(FiniteStateMachine.Events.Reviewed);

上引发错误

即对象引用null异常。我不知道吗?我是否正确实施了方案?

    class Program
    {
        static void Main(string[] args)
        {
            var fsm = new FiniteStateMachine();
            Console.WriteLine(fsm.State);
            fsm.ProcessEvent(FiniteStateMachine.Events.Submitted);
            Console.WriteLine(fsm.State);
            fsm.ProcessEvent(FiniteStateMachine.Events.Reviewed);
            Console.WriteLine(fsm.State);
            fsm.ProcessEvent(FiniteStateMachine.Events.Approved);
            Console.WriteLine(fsm.State);
            Console.ReadKey();
        }

        class FiniteStateMachine
        {
            public enum States { Submitted, Reviewed, Approved};
            public States State { get; set; }

            public enum Events { Submitted, Reviewed, Approved};

            private Action[,] fsm;

            public FiniteStateMachine()
            {
                this.fsm = new Action[3, 3] { 
                //Submitted,    Reviewed,               TurnOff,           
                {this.SubmittedForReview,   null,                   null               },     //Submitted
                {null,          this.Reviewing,          null              },     //Reviewed
                {null,          null,                   this.Approving} };       //Approved
            }

            public void ProcessEvent(Events theEvent)
            {
                this.fsm[(int)this.State, (int)theEvent].Invoke();
            }

            private void SubmittedForReview() { this.State = States.Submitted; }
            private void Reviewing() { this.State = States.Reviewed; }
            private void Approving() { this.State = States.Approved; }
        }
    }
}

2 个答案:

答案 0 :(得分:0)

我认为问题出在您的FSM。您正在创建多维操作数组。而是像字典一样尝试查找。在这里,您有一个字典,其中的键是状态,值是您要执行的操作。这对我有用。这就是我所做的更改。

    private Dictionary<int, Action> fsm;

    public FiniteStateMachine()
    {
        this.fsm = new Dictionary<int, Action>() {
        { (int)States.Submitted, SubmittedForReview },
            {(int)States.Reviewed, Reviewing },
            {(int)States.Approved, Approving}
            };
    }

    public void ProcessEvent(Events theEvent)
    {
        var action = fsm[(int)theEvent];
        action.Invoke();
    }

编辑1

处理“审阅”时获得空引用的原因是因为“状态”设置为“已提交”。 C#中的枚举从0开始,因此在您调用时

 fsm.ProcessEvent(FiniteStateMachine.Events.Reviewed);

您要查找的内容是

 public void ProcessEvent(Events theEvent)
    {
        //this.fsm[(int)this.State, (int)theEvent].Invoke();
        this.fsm[0, 1].Invoke();
    }

因为this.State仍为Submitted。因此,您尝试在索引为0的索引1处调用该操作,该索引为null。希望有帮助。

答案 1 :(得分:0)

在您的情况下,有一个对象引用为空的异常是正常的,因为您没有状态为已提交已审核事件安排您的数组。

您可以使用下面的代码来避免对象引用为null的异常(C#6的功能)

    public void ProcessEvent(Events theEvent)
    {
        this.fsm[(int)this.State, (int)theEvent]?.Invoke();
    }