Prism事件聚合器不能从单独的模块中工作
本文关键字:单独 模块 工作 不能 事件 Prism | 更新日期: 2023-09-27 18:18:53
我在使用prism事件聚合器时遇到了麻烦。如果我订阅,并在同一模块中发布一个事件,它的工作很好。像这样-
public class InfrastructureModule : IModule
{
private IEventAggregator eventAggregator;
public InfrastructureModule(IEventAggregator eventAggregator)
{
this.eventAggregator = eventAggregator;
eventAggregator.GetEvent<TestEvent>().Subscribe(TestSub);
}
public void Initialize()
{
eventAggregator.GetEvent<TestEvent>().Publish("Infrastructure module");
}
private void TestSub(string s)
{
MessageBox.Show(s);
}
}
然而,如果我在另一个模块中订阅事件,当eventAggregator.GetEvent().Publish()被调用时,什么都不会发生-
public class OtherModule : IModule
{
private IEventAggregator eventAggregator;
public OtherModule (IEventAggregator eventAggregator)
{
this.eventAggregator = eventAggregator;
}
public void Initialize()
{
eventAggregator.GetEvent<TestEvent>().Publish("Other module");
}
}
Infrastructure模块首先注册,因此问题不在于OtherModule在订阅者出现之前发布事件。你知道哪里出错了吗?
编辑:这里是我注册模块的地方class Bootstrapper : UnityBootstrapper
{
protected override DependencyObject CreateShell()
{
return new Shell();
}
protected override void InitializeShell()
{
base.InitializeShell();
App.Current.MainWindow = (Window)this.Shell;
App.Current.MainWindow.Show();
}
protected override void ConfigureModuleCatalog()
{
base.ConfigureModuleCatalog();
ModuleCatalog moduleCatalog = (ModuleCatalog)this.ModuleCatalog;
// Infrastructure module
moduleCatalog.AddModule(typeof(Infrastructure.InfrastructureModule));
moduleCatalog.AddModule(typeof(Other.OtherModule));
}
}
根据OP的注释,对象被实例化,然后立即销毁。
这使得Publish("OtherModule");
代码什么也不做,因为侦听器被销毁了。
实际上,如果你将KeepSubscriberReferenceAlive
设置为true
,
它将工作,因为您的EventAggregator将保留对订阅者对象(InfrastructureModule
)的引用。
这是不理想的,基本上你从使用弱事件模式,你不冒内存泄漏的风险,
到必须处理对象的生命周期,因此有内存泄漏的风险,就像一个常规的。net事件。
不要误解我的意思,我并不是说你绝对不应该使用KeepSubscriberReferenceAlive,而是说它只应该在很少的情况下使用。
也就是说,您的测试用例是一个奇怪的场景:Bootstrapper将在您定义的每个模块上调用Initialize,然后您的shell不保存这些模块。因为没有人持有这些模块,所以它们被销毁了。
Initialize
的"正常"用法是将被初始化的模块注入Shell
(或任何其他UserControl),这是有意义的:你不想初始化一些你不会使用的东西。