WPF运行时替换方法实现mvvm自动触发刷新
作者:CodeOfCC
前言
我们知道,使用wpf的绑定功能,代码触发界面改变时需要在属性的setter触发PropertyChanged事件,以达到界面刷新的效果。上一章我们简化了触发流程,但是依然需要在每个属性的setter中调用方法。本章将再进一步简化,实现setter不需要调方法就可以自动触发界面刷新。
一、如何实现
1、反射获取属性
通过反射获取类的所有公有属性
var propertyInfos = type.GetProperties(bindingAttr: BindingFlags.Instance | BindingFlags.Public);
2、定义替换方法
定义的用于替换属性setter的方法,确保参数类型兼容。设置NoInlining确保不会被内联优化失去函数地址。再方法中触发RaisePropertyChangedEvent。
[MethodImpl(MethodImplOptions.NoInlining)] void Setter0_obj(object value) { //此时Setter0_obj已经被替换成了属性的setter,调用会进入属性的setter中。 Setter0_obj(value); RaisePropertyChangedEvent(_propertyInfos![0].Name); }
3、交换属性的setter方法
将定义的替换方法与属性的setter交换。MethodHooker.SwapMethod可以去搜索C#运行时替换函数的方法,本章的只是去掉了unsafe的实现。
var oldSetter = propertyInfos[i].GetSetMethod(); if (oldSetter != null && oldSetter.IsPublic) //定义了set且set为公有时才交换。 { MethodInfo newSetter= type.BaseType.GetMethod("Setter0_obj", BindingFlags.Instance | BindingFlags.NonPublic)!; MethodHooker.SwapMethod(oldSetter, newSetter); }
二、完整代码
1、接口
/// <summary> /// ViewModelBase,继承此类可以简化属性的定义,不需要手动触发RaisePropertyChangedEvent。 /// 用法:继承此类,属性为公有,set为公有且非内联,设置属性就会自动触发mvvm的binding。 /// 实验性质,其他.net版本无效,在.net6.0是稳定的,。x64、x86,debug和release都可以使用。release需要给set设置[MethodImpl(MethodImplOptions.NoInlining)],否则无法实现函数交换。 /// 目前支持64个属性,单个属性(struct)最大128字节,需要更多可以自行调用GenSetters生成代码。 /// </summary> public abstract class ViewModelBase : INotifyPropertyChanged { public event PropertyChangedEventHandler PropertyChanged; public ViewModelBase(); //依然提供此方法用于手动触发 protected void RaisePropertyChangedEvent([System.Runtime.CompilerServices.CallerMemberName] string propertyName = ""); }
2、项目
vs2022 .net 6.0项目。
注:目前版本只能在.net6.0中正常使用,x64、x86、debug、release都没问题。其他.net版本大概率无效果或者异常。
三、使用示例
倒计时
(1)继承ViewModelBase
public class TimeTick : ViewModelBase
(2)定义属性
set为公有,以及[MethodImpl(MethodImplOptions.NoInlining)]避免内联。支持非缺省set方法体,即可以在set中加入一些逻辑。
public class TimeTick : ViewModelBase { public double Seconds { get; [MethodImpl(MethodImplOptions.NoInlining)] set; }=60; }
(3)属性赋值
public TimeTick() { var time = new DispatcherTimer() { Interval = TimeSpan.FromMilliseconds(1000) }; time.Tick += (s, e) =>Seconds--; time.Start(); }
(4)窗口关联ViewModel
public partial class MainWindow : Window { public MainWindow() { InitializeComponent(); DataContext = new TimeTick(); } }
(5)xaml绑定
<TextBlock Text="{Binding Seconds}" />
效果预览
总结
替换函数原理很简单,但是具体实现还是比较麻烦的,尤其是需要适配不同的.net版本,本文目前只支持.net6.0。还有就是函数的参数,引用和值类型的区分,以及值类型的传值兼容,这些都是通过多次尝试才找个合理的方式。通过本文简化的ViewModelBase使用变的非常方便了,除了需要给set添加非内联属性,其他已经和普通属性没有区别。
到此这篇关于WPF运行时替换方法实现mvvm自动触发刷新的文章就介绍到这了,更多相关WPF mvvm自动触发刷新内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!