9

我知道 IEnumerable.ToList() 应该创建一个新列表,但项目指向 IEnumerable 中的相同原始项目,如ToList() 中所述——它是否创建一个新列表?

但是,我在使用 VS 2012 的代码中出现了一些奇怪的行为;WPF; 和 .NET 4.0。当 IEnumerable.SequenceEquals() 似乎没有按我预期的那样工作时,它就开始了。我仔细研究了我的 QuickWatch 对话框,令人难以置信的是,以下语句的计算结果为 false:

this.Items.First () == this.Items.ToList ()[ 0 ]

我什至尝试过:

this.Items.ToList ().IndexOf(this.Items.First ())

评估为-1。

Items被声明为 WPF 自定义控件上的属性,如下所示:

public static readonly DependencyProperty ItemsProperty = DependencyProperty.Register (
        "Items", 
        typeof ( IEnumerable<UserLayoutType> ), 
        typeof ( UserLayoutSelectorControl ),
        new FrameworkPropertyMetadata ( null, FrameworkPropertyMetadataOptions.AffectsRender, UserLayoutSelectorControl.PropertyChanged ) );


public IEnumerable<UserLayoutType> Items
{
    get
    {
        return ( IEnumerable<UserLayoutType> ) this.GetValue ( UserLayoutSelectorControl.ItemsProperty );
    }
    set
    {    
        this.SetValue ( UserLayoutSelectorControl.ItemsProperty, value );                
    }
}

UserLayoutType 只是 XSD 工具生成的一个类,声明如下:

// 
// This source code was auto-generated by xsd, Version=4.0.30319.17929.
// 
namespace MyAssays.UserLayoutCore.UserLayoutUtility {
    using System.Xml.Serialization;


    /// <remarks/>
    [System.CodeDom.Compiler.GeneratedCodeAttribute("xsd", "4.0.30319.17929")]
    [System.SerializableAttribute()]
    [System.Diagnostics.DebuggerStepThroughAttribute()]
    [System.ComponentModel.DesignerCategoryAttribute("code")]
    [System.Xml.Serialization.XmlRootAttribute("UserLayout", Namespace="", IsNullable=false)]
    public partial class UserLayoutType {

这是工厂类中首先创建 UserLayoutType 项的方法:

public static IEnumerable<UserLayoutType> CreateFromFolder ( string folderPath )
    {
        if (String.IsNullOrEmpty(folderPath))
            throw new ArgumentNullException("folderPath", "Folder path must not be null");

        var userLayoutXmlFilePaths = Directory.GetFiles ( folderPath ).Where ( filePath => filePath.EndsWith ( ".UserLayout.xml", StringComparison.InvariantCultureIgnoreCase ) );
        return userLayoutXmlFilePaths.Select(filePath => UserLayoutFactory.CreateFromFile(filePath));
    }

    public static UserLayoutType CreateFromFile ( string filePath )
    {
        using ( var stream = new StreamReader ( filePath ) )
        {
            return ( UserLayoutType ) new XmlSerializer ( typeof ( UserLayoutType ) ).Deserialize ( stream );
        }
    }

有人知道发生了什么吗?见下图: 在此处输入图像描述

4

1 回答 1

7

为什么您从中看到新对象的主要原因可能IEnumerable<T>是包装了生成器,而不是物化集合。

这是一个简单的LINQPad程序来演示:

void Main()
{
    IEnumerable<string> collection =
        from index in Enumerable.Range(1, 10)
        select "Index=" + index;

    var list1 = collection.ToList();
    var list2 = collection.ToList();

    ReferenceEquals(list1[0], list2[0]).Dump();
}

这将打印False.

它将这样做是因为枚举集合的行为(.ToList()在这种情况下)将执行延迟的 LINQ 查询,并且由于我们枚举集合两次,我们执行它两次,产生具有相同值的不同实例。

于 2013-08-26T06:59:03.843 回答