MVVM更容易内存泄露吗?

由于MVVM是把View, ViewModel, Model紧紧绑定在一起的模式,特别视图和视图模型通过实现观察者模式双向绑定和NotifyPropertyChanged事件,似乎更加容易造成内存泄露/内存不释放。网上也有这种说法。真的是这样的吗?我们来实际测试一下。

实际测试MVVM是不是容易内存泄露

为了说明问题,我把MVVM搞复杂一点,在ViewModel里面引用一个Singleton单例模式的Service,这个Service定义如下:

   1: namespace SilverlightApplication1.Service
   2: {
   3:     public class GlobalService
   4:     {
   5:         private static readonly GlobalService Instance = new GlobalService();
   6:  
   7:         static GlobalService()
   8:         {
   9:         }
  10:  
  11:         public static GlobalService GetInstance()
  12:         {
  13:             return Instance;
  14:         }
  15:     }
  16: }

写一个ViewModel,里面引用了Service,用到了ICommand,实现了INotifyPorpertyChanged接口:

   1: using System.ComponentModel;
   2: using System.Windows.Input;
   3: using SilverlightApplication1.Service;
   4:  
   5: namespace SilverlightApplication1.MVVM
   6: {
   7:     public class ViewModel1 : INotifyPropertyChanged
   8:     {
   9:         private GlobalService _injectSingletonService;
  10:  
  11:         public ViewModel1(GlobalService injectSingletonService)
  12:         {
  13:             Property1 = "test1";
  14:             Command1 = new DelegateCommand(LoadMe, CanLoadMe);
  15:  
  16:             _injectSingletonService = injectSingletonService;
  17:         }
  18:  
  19:         private string _property1;
  20:         public string Property1
  21:         {
  22:             get { return _property1; }
  23:             set
  24:             {
  25:                 _property1 = value;
  26:  
  27:                 if (PropertyChanged != null)
  28:                 {
  29:                     PropertyChanged(this,
  30:                         new PropertyChangedEventArgs("Property1"));
  31:                 }
  32:             }
  33:         }
  34:         
  35:         public ICommand Command1 { get; set; }
  36:         public event PropertyChangedEventHandler PropertyChanged;   
  37:  
  38:         private void LoadMe(object param)
  39:         {
  40:             
  41:         }
  42:  
  43:         private bool CanLoadMe(object param)
  44:         {
  45:             return true;
  46:         }
  47:     }
  48: }

来一个视图View,绑定ViewModel,有个button绑定了ICommand,属性也绑定了。

   1: <UserControl x:Class="SilverlightApplication1.MVVM.View1"
   2:     xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
   3:     xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
   4:     xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
   5:     xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
   6:     mc:Ignorable="d"
   7:     d:DesignHeight="300" d:DesignWidth="400">
   8:     
   9:     <Grid x:Name="LayoutRoot" Background="White">
  10:         <TextBlock Height="65" HorizontalAlignment="Left" Margin="57,82,0,0" Name="textBlock1" Text="this is view1" VerticalAlignment="Top" Width="224" FontSize="18" />
  11:         <Button Content="Button" Command="{Binding Command1}" Height="28" HorizontalAlignment="Left" Margin="55,130,0,0" Name="button1" VerticalAlignment="Top" Width="111" />
  12:         <TextBlock Height="28" HorizontalAlignment="Left" Margin="56,173,0,0" Name="textBlock2" Text="{Binding Property1}" VerticalAlignment="Top" Width="114" />
  13:     </Grid>
  14: </UserControl>

这个View1的界面是这样子的:

image

View1.xaml.cs代码:

   1: using System.Windows.Controls;
   2: using SilverlightApplication1.Service;
   3:  
   4: namespace SilverlightApplication1.MVVM
   5: {
   6:     public partial class View1 : UserControl
   7:     {
   8:         public View1()
   9:         {
  10:             InitializeComponent();
  11:  
  12:             this.DataContext = new ViewModel1(GlobalService.GetInstance());
  13:         }
  14:     }
  15: }

辅助类DelegateCommand源码:

   1: using System;
   2: using System.Windows.Input;
   3:  
   4: namespace SilverlightApplication1
   5: {
   6:     public class DelegateCommand : ICommand
   7:     {
   8:         public event EventHandler CanExecuteChanged;
   9:  
  10:         Func<object, bool> canExecute;
  11:         Action<object> executeAction;
  12:         bool canExecuteCache;
  13:  
  14:         public DelegateCommand(Action<object> executeAction,
  15:         Func<object, bool> canExecute)
  16:         {
  17:             this.executeAction = executeAction;
  18:             this.canExecute = canExecute;
  19:         }
  20:  
  21:         #region ICommand Members
  22:  
  23:         /// <summary>
  24:  
  25:         /// Defines the method that determines whether the command 
  26:  
  27:         /// can execute in its current state.
  28:  
  29:         /// </summary>
  30:  
  31:         /// <param name="parameter">
  32:  
  33:         /// Data used by the command. 
  34:  
  35:         /// If the command does not require data to be passed,
  36:  
  37:         /// this object can be set to null.
  38:  
  39:         /// </param>
  40:  
  41:         /// <returns>
  42:  
  43:         /// true if this command can be executed; otherwise, false.
  44:  
  45:         /// </returns>
  46:  
  47:         public bool CanExecute(object parameter)
  48:         {
  49:  
  50:             bool tempCanExecute = canExecute(parameter);
  51:  
  52:  
  53:  
  54:             if (canExecuteCache != tempCanExecute)
  55:             {
  56:  
  57:                 canExecuteCache = tempCanExecute;
  58:  
  59:                 if (CanExecuteChanged != null)
  60:                 {
  61:  
  62:                     CanExecuteChanged(this, new EventArgs());
  63:  
  64:                 }
  65:  
  66:             }
  67:  
  68:  
  69:  
  70:             return canExecuteCache;
  71:  
  72:         }
  73:  
  74:  
  75:  
  76:         /// <summary>
  77:  
  78:         /// Defines the method to be called when the command is invoked.
  79:  
  80:         /// </summary>
  81:  
  82:         /// <param name="parameter">
  83:  
  84:         /// Data used by the command. 
  85:  
  86:         /// If the command does not require data to be passed, 
  87:  
  88:         /// this object can be set to null.
  89:  
  90:         /// </param>
  91:  
  92:         public void Execute(object parameter)
  93:         {
  94:  
  95:             executeAction(parameter);
  96:  
  97:         }
  98:  
  99:         #endregion
 100:     }
 101: }

MainPage的代码:

   1: <UserControl x:Class="SilverlightApplication1.MainPage"
   2:     xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
   3:     xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
   4:     xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
   5:     xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
   6:     mc:Ignorable="d"
   7:     d:DesignHeight="300" d:DesignWidth="400" xmlns:sdk="http://schemas.microsoft.com/winfx/2006/xaml/presentation/sdk">
   8:  
   9:     <Grid x:Name="LayoutRoot" Background="White">
  10:         <Button Content="Add view" Height="36" HorizontalAlignment="Left" Margin="20,31,0,0" Name="button1" VerticalAlignment="Top" Width="115" Click="button1_Click" />
  11:         <sdk:TabControl Height="197" HorizontalAlignment="Left" Margin="28,82,0,0" Name="tabControl1" VerticalAlignment="Top" Width="346">
  12:             <sdk:TabItem Header="tabItem1" Name="tabItem1">
  13:                 <Grid />
  14:             </sdk:TabItem>
  15:         </sdk:TabControl>
  16:         <Button Content="Close view" Height="35" HorizontalAlignment="Left" Margin="148,32,0,0" Name="button2" VerticalAlignment="Top" Width="108" Click="button2_Click" />
  17:     </Grid>
  18: </UserControl>

MainPage界面,主要是在Tab里面打开View1,不断打开关闭,打开关闭,因为View1是用MVVM模式实现的,看看有内存泄露:

image

MainPage.xaml.cs,就是测试代码,正常情况下点击关闭tab,可能GC不会立即回收内存,这里为了便于测试,手动加了GC.Collect。(正常情况下,不推荐使用GC.Collect())

   1: using System;
   2: using System.Windows;
   3: using System.Windows.Controls;
   4: using SilverlightApplication1.MVVM;
   5:  
   6: namespace SilverlightApplication1
   7: {
   8:     public partial class MainPage : UserControl
   9:     {
  10:         public MainPage()
  11:         {
  12:             InitializeComponent();
  13:         }
  14:  
  15:         private void button1_Click(object sender, RoutedEventArgs e)
  16:         {
  17:             var v = new View1();
  18:             TabItem t = new TabItem {Content = v, Header = "header " + DateTime.Now.Second.ToString()};
  19:             this.tabControl1.Items.Add(t);
  20:         }
  21:  
  22:         private void button2_Click(object sender, RoutedEventArgs e)
  23:         {
  24:             this.tabControl1.Items.RemoveAt(0);//view1, viewModel1并没有立即释放,由GC决定何时决定。
  25:  
  26:             System.GC.Collect();
  27:             System.GC.WaitForPendingFinalizers();
  28:  
  29:             //{
  30:             //    FooContext context = new FooContext();
  31:             //    context.Load(context.MyQuery);
  32:             //}
  33:         }
  34:     }
  35: }

 

测试结果:内存泄露和MVVM无关

我的测试结果是内存能够释放,没有内存泄露问题,也就是说MVVM模式和内存泄露无关。那种所谓的MVVM更容易内存泄露的说法没有什么道理。但不排除你的ViewModel和Model里面有复杂的引用关系,比如你的VIewModel或者Model引用了其他的类,你可能没有察觉,而那些类可能是Public Static的(是GC Root,不释放),或者是永远不释放的(如MainForm)引用,那就复杂了。由于你的ViewModel被那些不释放的对象引用着,而你却不知道,那就是内存泄露了。这和MVVM没有关系。

2011-09-01 16h22_58

 

深入思考和继续阅读

通常.NET程序的内存泄露原因:

  • Static references
  • Event with missing unsubscription
  • Static event with missing unsubscription
  • Dispose method not invoked
  • Incomplete Dispose method

有关如何避免.NET程序的内存泄露,请仔细阅读MSDN这两篇文章,详细讲述了<如何检测.NET程序内存泄露>以及<如何写高性能的托管程序>

  • How to detect and avoid memory and resources leaks in .NET applications
  • Writing High-Performance Managed Applications : A Primer

有关.NET的自动内存管理机制、GC机制,垃圾回收原理等深层次内容,请仔细阅读下面的内容:

  • 买书《CLR Via C#(3rd Edition)》,里面有《Memory Management》这一章专门讲述了.NET CLR的自动内存管理和垃圾回收机制
  • CodeProject上的文章《Memory Management Misconceptions》有助你深入理解Root, Generation 0, 1…

@:Mainz → http://www.cnblogs.com/Mainz 
®: 博文是本人当时的学习笔记及知识整理,由于自身局限错误在所难免,敬请斧正. 博文中源码只作为例子学习参考之用,不保证能运行,对后果不负任何责且无任何质保,如有不明请给我留言 
©: 本文版权属于博客园和本人,版权基于署名 2.5 中国大陆许可协议发布,欢迎转载,但未经作者同意必须保留此段声明,且在文章页面明显位置给出原文连接和署名Mainz(包含链接),不得删节,否则保留追究法律责任的权利。

分类: SilverLight

转载于:https://www.cnblogs.com/Areas/archive/2011/09/23/2186621.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/475493.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

分组统计 - 不同时间颗粒度下,按照秒、分、时、日、周、月、季度、年 GROUP BY 分组统计 - (MySQL)

数据处理时&#xff0c;经常需要&#xff1a;统计不同时间粒度下的数据分布情况。 例如&#xff0c;网站每天&#xff08;or每小时&#xff09;的访问量&#xff0c;周杰伦每年&#xff08;or每季度 or每月&#xff09;的收入等。 首先有一个表叫&#xff1a;table_test&…

LeetCode 971. 翻转二叉树以匹配先序遍历(DFS)

1. 题目 给定一个有 N 个节点的二叉树&#xff0c;每个节点都有一个不同于其他节点且处于 {1, …, N} 中的值。 通过交换节点的左子节点和右子节点&#xff0c;可以翻转该二叉树中的节点。 考虑从根节点开始的先序遍历报告的 N 值序列。将这一 N 值序列称为树的行程。 &…

缺失值处理 - 获取一段时间内所有日期的列表 - (Python、MySQL)

有的时候做数据清洗的时候 &#xff0c; 如果表中数据在某一天没有记录&#xff0c;但是业务要求不能有缺失日期&#xff0c;那么就需要我们将这些缺失日期补上。这个前提就是我们先要有一张包含所有日期的列表&#xff08;作为左表&#xff09;&#xff0c;供我们进行匹配&…

[Kaggle] Digit Recognizer 手写数字识别

文章目录1. Baseline KNN2. Try SVCDigit Recognizer 练习地址 相关博文&#xff1a;[Hands On ML] 3. 分类&#xff08;MNIST手写数字预测&#xff09; 1. Baseline KNN 读取数据 import pandas as pd train pd.read_csv(train.csv) X_test pd.read_csv(test.csv)特征、…

Power BI 数据分析可视化软件入门教程

入 门 l Power BI 的引导学习 什么是Power BI&#xff1f; Power BI 是软件服务、应用和连接器的集合&#xff0c;它们协同工作以将相关数据来源转换为连贯的视觉逼真的交互式见解。 Power BI 简单且快速&#xff0c;能够从 Excel 电子表格或本地数据库创建快速见解。同…

分组统计 - DataFrame.groupby() 所见的各种用法 - Python代码

目录 所见 1 &#xff1a;日常用法 所见 2 &#xff1a;解决groupby.sum() 后层级索引levels上移的问题 所见 3 &#xff1a;解决groupby.apply() 后层级索引levels上移的问题 所见 4 &#xff1a;groupby函数的分组结果保存成DataFrame groupby的函数定义&#xff1a; Da…

线性回归 - 多元线性回归案例 - 分析步骤、输出结果详解、与Python的结果对比 -(SPSS建模)

现在用 Python 写线性回归的博客都快烂大街了&#xff0c;为什么还要用 SPSS 做线性回归呢&#xff1f;这就来说说 SPSS 存在的原因吧。 SPSS 是一个很强大的软件&#xff0c;不用编程&#xff0c;不用调参&#xff0c;点巴两下就出结果了&#xff0c;而且出来的大多是你想要的…

R12 应付款模块(AP):预付款(prepayment)的标准处理流程

预付款的概念 财务会计的解释&#xff1a; 企业对于某些物资有时需要采取预先订购的方式&#xff0c;即按照购货合同规定预付一部分货款。这部分预先付给供货单位的订货款就构成了企业的预付账款。&#xff08;来自会计学概论&#xff0c;要区分定金和预付款的区别&#xff01;…

LeetCode 391. 完美矩形(set检查顶点+面积检查)

1. 题目 我们有 N 个与坐标轴对齐的矩形, 其中 N > 0, 判断它们是否能精确地覆盖一个矩形区域。 每个矩形用左下角的点和右上角的点的坐标来表示。例如&#xff0c; 一个单位正方形可以表示为 [1,1,2,2]。 ( 左下角的点的坐标为 (1, 1) 以及右上角的点的坐标为 (2, 2) )。…

时间序列 - 案例按步骤详解 -(SPSS建模)

时间序列简单的说就是各时间点上形成的数值序列&#xff0c;通过观察历史数据的变化规律预测未来的值。在这里需要强调一点的是&#xff0c;时间序列分析并不是关于时间的回归&#xff0c;它主要是研究自身的变化规律的。 准备工作&#xff1a;SPSS - 中文版 SPSS 22.0 软件下…

特征计算 - 遍历求值提速 6 万倍 lambda...if...else(if...else...) +map() 对比 iterrows() - Python代码

Python 进行 DataFrame 数据处理的过程中&#xff0c;需要判断某一列中的值&#xff08;条件&#xff09;&#xff0c;然后对其他两列或三列进行求和&#xff08;均值/最值&#xff09;等运算&#xff0c;并把运算结果存储在新的一列中。干说可能觉得比较晕&#xff0c;我们来看…

非线性回归 - 案例按步骤详解 -(SPSS建模)

在上一篇时间序列的文章中&#xff0c;偶然发现另一份数据的整体趋势很符合非线性回归关系&#xff0c;那么就顺势写一篇非线性回归案例的文章吧。 准备工作&#xff1a;SPSS - 中文版 SPSS 22.0 软件下载与安装教程 - 【附产品授权许可码&#xff0c;永久免费】 数据解释&am…

邮件服务器之POP3协议分析

第1章. POP3概述 POP3全称为Post Office Protocol version3&#xff0c;即邮局协议第3版。它被用户代理用来邮件服务器取得邮件。POP3采用的也是C/S通信 模型&#xff0c;对应的RFC文 档为RFC1939。 该协议非常简单&#xff0c;所以我们只重点介绍其通信过程&#xff0c;而相关…

Python 画图常用颜色 - 单色、渐变色、混色 - 够用

单色 装了seaborn扩展的话&#xff0c;在字典seaborn.xkcd_rgb中包含所有的xkcd crowdsourced color names。如下&#xff1a; plt.plot([1,2], lw4, cseaborn.xkcd_rgb[baby poop green]) 虽然觉得上面的已经够用了&#xff0c;但是还是备份一下这个最全的吧。 渐变色&…

[scikit-learn 机器学习] 2. 简单线性回归

文章目录1. 简单线性回归2. 评价模型本文为 scikit-learn机器学习&#xff08;第2版&#xff09;学习笔记1. 简单线性回归 import numpy as np import matplotlib.pyplot as pltX np.array([[6],[8],[10],[14],[18]]) y np.array([7,9,13,17.5,18]) plt.title("pizza …

Matplotlib - 散点图 scatter() 所有用法详解

目录 基本用法 散点的大小不同&#xff08;根据点对应的数值&#xff09; 散点的颜色不同&#xff08;指定颜色或者渐变色&#xff09; 散点图和折线图是数据分析中最常用的两种图形&#xff0c;他们能够分析不同数值型特征间的关系。其中&#xff0c;散点图主要用于分析特征…

Matplotlib - 折线图 plot() 所有用法详解

散点图和折线图是数据分析中最常用的两种图形。其中&#xff0c;折线图用于分析自变量和因变量之间的趋势关系&#xff0c;最适合用于显示随着时间而变化的连续数据&#xff0c;同时还可以看出数量的差异&#xff0c;增长情况。 Matplotlib 中绘制散点图的函数为 plot() &…

html 拍照旋转了90度_华为Mate X2概念图:可旋转正反三屏幕,单颗镜头在转轴上...

如果你是新朋友&#xff0c;请点击上方的蓝色字 关注 “高科技爱好者”&#xff0c;保证不会让你失望的.华为折叠手机的上市发售&#xff0c;引起了消费者的广泛关注&#xff0c;尤其是华为MateX系列手机的售价非常昂贵&#xff0c;同时出货量也比较少&#xff0c;所以外界都十…

[scikit-learn 机器学习] 3. K-近邻算法分类和回归

文章目录1. KNN模型2. KNN分类3. 使用sklearn KNN分类4. KNN回归本文为 scikit-learn机器学习&#xff08;第2版&#xff09;学习笔记K 近邻法&#xff08;K-Nearest Neighbor, K-NN&#xff09; 常用于 搜索和推荐系统。 1. KNN模型 确定距离度量方法&#xff08;如欧氏距离…

Matplotlib - 柱状图、直方图、条形图 bar() barh() 所有用法详解

目录 基本用法 多个直方图并列显示 显示直方图上的数值 多个直方图堆叠显示 水平直方图 相较散点图和折线图&#xff0c;柱状图&#xff08;直方图、条形图&#xff09;、饼图、箱线图是另外 3 种数据分析常用的图形&#xff0c;主要用于分析数据内部的分布状态或分散状…