GFramework/GFramework.Core/state/ContextAwareStateMachine.cs
GeWuYou b6554c5820 refactor(state): 重构状态机实现以支持状态历史记录和线程安全
- 在销毁时添加当前状态退出和所有状态清理逻辑
- 向IStateMachine接口添加状态检查、获取、历史记录等新方法
- 实现线程安全的状态机,添加锁保护并发访问
- 添加状态历史记录功能,支持最大历史数量限制
- 实现GoBack状态回退功能和状态转换验证
- 添加状态切换前后的回调方法
- 在注销状态时从历史记录中移除相关引用
- 添加Unregister方法中的状态转换验证逻辑
2026-01-17 08:43:32 +08:00

96 lines
2.7 KiB
C#
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

using GFramework.Core.Abstractions.architecture;
using GFramework.Core.Abstractions.enums;
using GFramework.Core.Abstractions.rule;
using GFramework.Core.Abstractions.state;
using GFramework.Core.Abstractions.system;
using GFramework.Core.extensions;
namespace GFramework.Core.state;
/// <summary>
/// 上下文感知状态机继承自StateMachine并实现ISystem接口
/// 该状态机能够感知架构上下文,并在状态切换时发送状态变更事件
/// </summary>
public class ContextAwareStateMachine : StateMachine, ISystem
{
/// <summary>
/// 架构上下文对象,用于提供系统运行所需的上下文信息
/// </summary>
protected IArchitectureContext Context = null!;
/// <summary>
/// 设置架构上下文的方法
/// </summary>
/// <param name="context">要设置的架构上下文对象</param>
public void SetContext(IArchitectureContext context)
{
Context = context;
}
/// <summary>
/// 获取当前架构上下文的方法
/// </summary>
/// <returns>当前的架构上下文对象</returns>
public IArchitectureContext GetContext()
{
return Context;
}
/// <summary>
/// 处理架构生命周期阶段的方法
/// </summary>
/// <param name="phase">当前所处的架构生命周期阶段</param>
public virtual void OnArchitecturePhase(ArchitecturePhase phase)
{
}
/// <summary>
/// 初始化方法,在系统启动时调用
/// 遍历所有状态实例为实现了IContextAware接口的状态设置上下文
/// </summary>
public virtual void Init()
{
foreach (var state in States.Values.OfType<IContextAware>())
{
state.SetContext(Context);
}
}
/// <summary>
/// 销毁方法,在系统关闭时调用
/// </summary>
public virtual void Destroy()
{
// 退出当前状态
if (Current != null)
{
Current.OnExit(null);
Current = null;
}
// 清理所有状态
foreach (var state in States.Values.OfType<IDisposable>())
{
state.Dispose();
}
States.Clear();
}
/// <summary>
/// 内部状态切换方法,重写基类方法以添加状态变更事件通知功能
/// </summary>
/// <param name="next">要切换到的下一个状态</param>
protected override void ChangeInternal(IState next)
{
var old = Current;
base.ChangeInternal(next);
// 发送状态变更事件,通知监听者状态已发生改变
this.SendEvent(new StateChangedEvent
{
OldState = old,
NewState = Current
});
}
}