WP8内存泄漏打开和关闭PhoneApplicationPage
作者:互联网
我正在创建一个显示缩略图列表的Windows Phone应用程序.我正在使用LongListSelector做到这一点.
当我前后导航到缩略图列表时,我的应用程序存在内存泄漏.我在使用该应用程序时查看了内存使用情况,并且发现打开带有缩略图的页面时内存增加了(正如我期望的那样).当我导航回到上一页时,内存使用量减少了,但增加的却不多.重复执行几次该过程将导致内存不足异常.
我创建了一个只有两个页面的测试应用程序.一个带有按钮的导航到另一个按钮,该按钮在LongListSelector中加载一组potos.我创建此应用程序是为了确保内存泄漏不是由其他原因引起的.
在此简单测试中,内存使用情况与我的应用程序相同.
这是我的页面的主要代码:
public class testObject
{
public string Title { get; set; }
public BitmapImage Thumbnail { get; set; }
}
protected override void OnNavigatedTo(NavigationEventArgs e)
{
photosList = new List<testObject>();
for (int i = 0; i < 200; i++)
{
BitmapImage bi = new BitmapImage(new Uri("/images/"
+ i.ToString()+".jpg",
UriKind.RelativeOrAbsolute));
photosList.Add(new testObject { Title = i.ToString(),
Thumbnail = bi });
}
GridPictures.ItemsSource = photosList;
}
protected override void OnBackKeyPress(
System.ComponentModel.CancelEventArgs e)
{
foreach (testObject test in photosList)
{
test.Thumbnail.DecodePixelHeight = 1;
test.Thumbnail.DecodePixelWidth = 1;
test.Thumbnail = null;
}
photosList.Clear();
photosList = null;
base.OnBackKeyPress(e);
}
这是另一页上按钮的代码:
private void Button_Click_1(object sender, RoutedEventArgs e)
{
NavigationService.Navigate(new Uri("/Page1.xaml", UriKind.RelativeOrAbsolute));
}
解决方法:
LongListSelector是已知的泄漏源.当您使用诸如Image之类的控件时,这些泄漏尤其麻烦,该控件占用大量内存.
到目前为止,最好的解决方案是完全避免使用LongListSelector.但是,您找不到合适的替代方法,但是有一些解决方法:
>在Page1的OnNavigatedFrom事件中,强制释放图片.有几种方法可以做到,但是通常将ImageSource属性设置为null就足够了
>进行自定义控件,为您完成肮脏的工作
自定义控件可能类似于:
public class SafePicture : System.Windows.Controls.ContentControl
{
public SafePicture()
{
this.Unloaded += this.SafePictureUnloaded;
}
private void SafePictureUnloaded(object sender, System.Windows.RoutedEventArgs e)
{
var image = this.Content as System.Windows.Controls.Image;
if (image != null)
{
image.Source = null;
}
}
}
然后,将所有图片包装在该控件中:
<my:SafePicture>
<Image Source="{Binding Path=Thumbnail}" />
</my:SafePicture>
这应该可以解决问题.请注意,您仍然会泄漏内存,但数量要合理得多.
标签:longlistselector,windows-phone-8,out-of-memory,memory-leaks,c 来源: https://codeday.me/bug/20191123/2064785.html