Messenger在MVVM模式中的应用

Messenger在MVVM模式中的应用

Messenger在MVVM中应用的前提

我们知道在MVVM架构中,系统平台的Silverlight客户端界面开发和业务逻辑已经被分开,XAML是SL的主要部分,界面设计者只需要绑定ViewModel里的数据即可。但是在ViewModel里有些时候是需要界面发出响应的,在这种情况下,Messenger显示出它的用处。

Messenger的架构

Messager构件代码

定义Imessager接口

注册一个接收消息的类型,比如某一控件来接收消息

void Register<TMessage>(object recipient, Action<TMessage> action);

给最近注册的类型发送消息

void Send<TMessage, TTarget>(TMessage message);

取消最近注册的类型,当执行该句后,不再接收任何消息

void Unregister(object recipient);

实现Imessager接口

public class Messenger : IMessenger

{

private static Messenger _defaultInstance;

private Dictionary<Type, List<WeakActionAndToken>> _recipientsOfSubclassesAction;

private Dictionary<Type, List<WeakActionAndToken>> _recipientsStrictAction;

public static Messenger Default

{

get

{

if (_defaultInstance == null)

{

_defaultInstance = new Messenger();

}

return _defaultInstance;

}

}

public static void OverrideDefault(Messenger newMessenger)

{

_defaultInstance = newMessenger;

}

public static void Reset()

{

_defaultInstance = null;

}

public virtual void Register<TMessage>(object recipient, Action<TMessage> action)

{

Register(recipient, null, false, action);

}

public virtual void Register<TMessage>(object recipient, bool receiveDerivedMessagesToo, Action<TMessage> action)

{

Register(recipient, null, receiveDerivedMessagesToo, action);

}

public virtual void Register<TMessage>(object recipient, object token, Action<TMessage> action)

{

Register(recipient, token, false, action);

}

public virtual void Register<TMessage>(

object recipient,

object token,

bool receiveDerivedMessagesToo,

Action<TMessage> action)

{

var messageType = typeof(TMessage);

Dictionary<Type, List<WeakActionAndToken>> recipients;

if (receiveDerivedMessagesToo)

{

if (_recipientsOfSubclassesAction == null)

{

_recipientsOfSubclassesAction = new Dictionary<Type, List<WeakActionAndToken>>();

}

recipients = _recipientsOfSubclassesAction;

}

else

{

if (_recipientsStrictAction == null)

{

_recipientsStrictAction = new Dictionary<Type, List<WeakActionAndToken>>();

}

recipients = _recipientsStrictAction;

}

List<WeakActionAndToken> list;

if (!recipients.ContainsKey(messageType))

{

list = new List<WeakActionAndToken>();

recipients.Add(messageType, list);

}

else

{

list = recipients[messageType];

}

var weakAction = new WeakAction<TMessage>(recipient, action);

var item = new WeakActionAndToken

{

Action = weakAction,

Token = token

};

list.Add(item);

Cleanup();

}

public virtual void Send<TMessage>(TMessage message)

{

SendToTargetOrType(message, null, null);

}

[SuppressMessage(

"Microsoft.Design",

"CA1004:GenericMethodsShouldProvideTypeParameter",

Justification = "This syntax is more convenient than other alternatives.")]

public virtual void Send<TMessage, TTarget>(TMessage message)

{

SendToTargetOrType(message, typeof(TTarget), null);

}

public virtual void Send<TMessage>(TMessage message, object token)

{

SendToTargetOrType(message, null, token);

}

/// <summary>

public virtual void Unregister(object recipient)

{

UnregisterFromLists(recipient, _recipientsOfSubclassesAction);

UnregisterFromLists(recipient, _recipientsStrictAction);

}

[SuppressMessage(

"Microsoft.Design",

"CA1004:GenericMethodsShouldProvideTypeParameter",

Justification =

"The type parameter TMessage identifies the message type that the recipient wants to unregister for.")]

public virtual void Unregister<TMessage>(object recipient)

{

Unregister<TMessage>(recipient, null);

}

public virtual void Unregister<TMessage>(object recipient, Action<TMessage> action)

{

UnregisterFromLists(recipient, action, _recipientsStrictAction);

UnregisterFromLists(recipient, action, _recipientsOfSubclassesAction);

Cleanup();

}

private static void CleanupList(IDictionary<Type, List<WeakActionAndToken>> lists)

{

if (lists == null)

{

return;

}

var listsToRemove = new List<Type>();

foreach (var list in lists)

{

var recipientsToRemove = new List<WeakActionAndToken>();

foreach (var item in list.Value)

{

if (item.Action == null

|| !item.Action.IsAlive)

{

recipientsToRemove.Add(item);

}

}

foreach (var recipient in recipientsToRemove)

{

list.Value.Remove(recipient);

}

if (list.Value.Count == 0)

{

listsToRemove.Add(list.Key);

}

}

foreach (var key in listsToRemove)

{

lists.Remove(key);

}

}

private static bool Implements(Type instanceType, Type interfaceType)

{

if (interfaceType == null

|| instanceType == null)

{

return false;

}

var interfaces = instanceType.GetInterfaces();

foreach (var currentInterface in interfaces)

{

if (currentInterface == interfaceType)

{

return true;

}

}

return false;

}

private static void SendToList<TMessage>(

TMessage message,

IEnumerable<WeakActionAndToken> list,

Type messageTargetType,

object token)

{

if (list != null)

{

var listClone = list.Take(list.Count()).ToList();

foreach (var item in listClone)

{

var executeAction = item.Action as IExecuteWithObject;

if (executeAction != null

&& item.Action.IsAlive

&& item.Action.Target != null

&& (messageTargetType == null

|| item.Action.Target.GetType() == messageTargetType

|| Implements(item.Action.Target.GetType(), messageTargetType))

&& ((item.Token == null && token == null)

|| item.Token != null && item.Token.Equals(token)))

{

executeAction.ExecuteWithObject(message);

}

}

}

}

private static void UnregisterFromLists(object recipient, Dictionary<Type, List<WeakActionAndToken>> lists)

{

if (recipient == null

|| lists == null

|| lists.Count == 0)

{

return;

}

lock (lists)

{

foreach (var messageType in lists.Keys)

{

foreach (var item in lists[messageType])

{

var weakAction = item.Action;

if (weakAction != null

&& recipient == weakAction.Target)

{

weakAction.MarkForDeletion();

}

}

}

}

}

private static void UnregisterFromLists<TMessage>(

object recipient,

Action<TMessage> action,

Dictionary<Type, List<WeakActionAndToken>> lists)

{

var messageType = typeof(TMessage);

if (recipient == null

|| lists == null

|| lists.Count == 0

|| !lists.ContainsKey(messageType))

{

return;

}

lock (lists)

{

foreach (var item in lists[messageType])

{

var weakActionCasted = item.Action as WeakAction<TMessage>;

if (weakActionCasted != null

&& recipient == weakActionCasted.Target

&& (action == null

|| action == weakActionCasted.Action))

{

item.Action.MarkForDeletion();

}

}

}

}

private void Cleanup()

{

CleanupList(_recipientsOfSubclassesAction);

CleanupList(_recipientsStrictAction);

}

private void SendToTargetOrType<TMessage>(TMessage message, Type messageTargetType, object token)

{

var messageType = typeof(TMessage);

if (_recipientsOfSubclassesAction != null)

{

var listClone = _recipientsOfSubclassesAction.Keys.Take(_recipientsOfSubclassesAction.Count()).ToList();

foreach (var type in listClone)

{

List<WeakActionAndToken> list = null;

if (messageType == type

|| messageType.IsSubclassOf(type)

|| Implements(messageType, type))

{

list = _recipientsOfSubclassesAction[type];

}

SendToList(message, list, messageTargetType, token);

}

}

if (_recipientsStrictAction != null)

{

if (_recipientsStrictAction.ContainsKey(messageType))

{

var list = _recipientsStrictAction[messageType];

SendToList(message, list, messageTargetType, token);

}

}

Cleanup();

}

private struct WeakActionAndToken

{

public WeakAction Action;

public object Token;

}

}

Messager在MVVM的实例

在ViewModel端

public void UpdateJob(object sender, RoutedEventArgs v)

{

var focusrow = (JobMVVMClient.JobBL.View_T_SegmentJob)SelectRow;

if (focusrow != null)

{

JobMVVMClient.JobBL.JobBLClient Job = new          JobMVVMClient.JobBL.JobBLClient();

var row = (JobMVVMClient.JobBL.View_T_SegmentJob)selectRow;

if (row.班次号 == null || row.班组号 == null

|| row.计划结束时间 == null || row.计划开始时间 == null || row.投产量 == 0.0)

return;

Job.UpdateSegmentJobBySomeThingCompleted += (s, e) =>

{

if (e.Result)

{

MessageBox.Show(PromptString.UpdateJobYes);

foreach (var element in jobModel.Gradeinfo)

{

if (element.DetailID == row.班次号.ToString())

row.班次 = element.DetailName;

}

foreach (var element in jobModel.Groupinfo)

{

if (element.DetailID == row.班组号.ToString())

row.班组 = element.DetailName;

}

}

};

   Messenger.Default.Send<bool?,JobMVVMClinet.Views.JobPlanUpdateView>(true);

//给位于View层中的JobPlanUpdateView这个界面发送bool消息,这个消息是true.

Job.UpdateSegmentJobBySomeThingAsync(row.工单ID, row.投产量, (DateTime)row.计划开始时间, (DateTime)row.计划结束时间, (int)row.班次号, (int)row.班组号);

Job.CloseAsync();

}

}

在VIEW端

public partial class JobPlanUpdateView : ChildWindow

{

public JobPlanUpdateView(CreateJobViewModel model)

{

InitializeComponent();

DataContext = model;

Messenger.Default.Register<bool?>(this, m => this.DialogResult = m);

//注册接收消息,并且做出响应处理

}

}

Messager总结

消息在MVVM中广泛应用,更好的运用MESSAGER能更好的处理View与ViewModel的关系,为MVVM添加喝彩。

时间: 2024-12-21 04:49:31

Messenger在MVVM模式中的应用的相关文章

在MVVM模式中,按钮Click事件的绑定方法

原文:在MVVM模式中,按钮Click事件的绑定方法 在MVVM模式中,我们将Button的方法写到ViewModel中,然后绑定到前端界面.通常的做法是写一个类,继承ICommand接口,然而如果按钮比较多的话,就需要写很多的类,对于后期维护造成很大的不变,微软提供了一个DelegateCommand类,可以简化开发. 使用方法如下: 首先生命ViewModel属性,GetMsg函数, public DelegateCommand GetMsg { get { return new Deleg

“Win10 UAP 开发系列”之 在MVVM模式中控制ListView滚动位置

这个扩展属性从WP8.1就开始用了,主要是为了解决MVVM模式中无法直接控制ListView滚动位置的问题.比如在VM中刷新了数据,需要将View中的ListView滚动到顶部,ListView只有一个ScrollIntoView()方法可以控制滚动的位置,但最好在VM中不要出现直接控制View的代码,需要通过其他的方式. 使用一个扩展属性即可实现: /// <summary> /// 将ListView滚动到顶部 使用方法:在ListView增加扩展属性 /// ext:ListViewSc

WPF MVVM模式中,通过命令实现窗体拖动、跳转以及显隐控制

在WPF中使用MVVM模式,可以让我们的程序实现界面与功能的分离,方便开发,易于维护.但是,很多初学者会在使用MVVM的过程中遇到一个显而易见且无法回避的问题,那就是不同的窗体之间如何跳转?很多人在介绍MVVM的使用时,都没有明显提到该如何解决这一问题,不知是因为觉得太简单了还是其他原因. 博主根据自己的开发经验,写了一个简单的示例程序,介绍MVVM模式中,如何通过命令来控制窗体的跳转.拖动与显隐控制. 先看效果: 主窗体中只有一个按钮,点击该按钮后,可以打开新的窗. 新窗体可以为自定义样式窗体

silverlighter下MVVM模式中利用Behavior和TargetedTriggerAction实现文本框的一些特效

在silverlight一般开发模式中,给文本框添加一些事件是轻而易举的,然而MVVM开发模式中,想要给文本框添加一些事件并非那么容易,因为MVVM模式中,只有ICommand接口,而且也只有Button中才有Command属性,通过ViewModel可以将方法绑定到Button上面,却无法绑定到文本框和其他一些控件.. Behavior的出现解决了这一难题,下面就来说一下具体的实现方法: 实例一:在用户登录窗口,用户点击Reset按钮后,让用户名输入框自动获取焦点. 首先要先将ViewMode

实战基础技能(08)--------MVVM模式中WPF数据的完全绑定

一:截图,描述:将后台代码的姓名.年龄绑定到文本框,单击”增加年龄“--年龄自+1,单击”显示年龄“--弹出年龄的显示对话框,实现了从文本框修改年龄和后台更改年龄并显示到文本框 运行结果和解决方案管理截图如下: 二:person类 using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.ComponentModel; namespace 完全数据绑定 {

WPF ContextMenu 在MVVM模式中绑定 Command及使用CommandParameter传参

原文:WPF ContextMenu 在MVVM模式中绑定 Command及使用CommandParameter传参 ContextMenu无论定义在.cs或.xaml文件中,都不继承父级的DataContext,所以如果要绑定父级的DataContext,直接DataContext=“{Binding}”是行不通的 不能绑父级,但是能绑资源 第一步:定义一个中间类用来做资源对象 1 public class BindingProxy : Freezable 2 { 3 #region Over

深入理解MVVM模式中Silverlight的Trigger、Action和Behavior及Silverlight的继承机制

接触Silverlight已经有两三个月了,开始一直感觉他和Winform很相似,拖拖控件就行了,所以一直把经历放在了研究后台和服务器交互和性能优化上面,很少去仔细研究Silverlight的页面.前几天,公司突然让修改一个Winform的项目,再回过头来看Winform,有种"不堪回首"的感觉. 十一长假即将来临,在这里先祝大家假期快乐.今天难得有空,抽出点时间研究了一下Silverlight的继承和触发器,拿出来和大家分享一下.Silverlight和WPF中页面布局使用的都是XA

WPF ContextMenu 在MVVM模式中无法绑定 Command的解决办法

ContextMenu无论定义在.cs或.xaml文件中,都不继承父级的DataContext,所以如果要绑定父级的DataContext,直接DataContext=“{Binding}”是行不通的 不能绑父级,但是能绑资源 第一步:定义一个中间类用来做资源对象 1 public class BindingProxy : Freezable 2 { 3 #region Overrides of Freezable 4 5 protected override Freezable CreateI

WinRT 开发:在 MVVM 模式中,关于绑定的几处技巧

以下会提到三个绑定的技巧,分别是 在 ListView 中为 ListViewItem 的 MenuFlyout 绑定 Command: 在 ListView 的 事件中绑定所选择项目,即其 SelectedItem属性: 处理文本控件与数值属性绑定中默认值0的问题: 一.在 ListView 中为列表项的 MenuFlyout 绑定 Command: 当我们为 ListView 编写了 DataTemplate,并在其中加入了 MenuFlyout 时,而且 MenuFlyoutItem 需要