ForEach循环不改变类的属性

时间:2013-02-16 23:35:32

标签: c# foreach windows-store-apps ienumerator

我已经看过几个关于此的问题,并做了一些研究。

我的理解是当你在IEnumerable上运行foreach时:如果T是一个引用类型(例如Class),你应该能够在循环中修改对象的属性。如果T是值类型(例如Struct),则这将不起作用,因为迭代变量将是本地副本。

我正在使用以下代码处理Windows应用商店应用:

我的班级:

public class WebResult
{
    public string Id { get; set; }
    public string Title { get; set; }
    public string Description { get; set; }
    public string DisplayUrl { get; set; }
    public string Url { get; set; }
    public string TileColor
    {
        get
        {
            string[] colorArray = { "FFA200FF", "FFFF0097", "FF00ABA9", "FF8CBF26",
            "FFA05000", "FFE671B8", "FFF09609", "FF1BA1E2", "FFE51400", "FF339933" };
            Random random = new Random();
            int num = random.Next(0, (colorArray.Length - 1));
            return "#" + colorArray[num];
        }
    }
    public string Keywords { get; set; }
}

守则:

IEnumerable<WebResult> results = from r in doc.Descendants(xmlnsm + "properties")
                                 select new WebResult
                                 {
                                     Id = r.Element(xmlns + "ID").Value,
                                     Title = r.Element(xmlns + "Title").Value,
                                     Description = r.Element(xmlns +
                                                       "Description").Value,
                                     DisplayUrl = r.Element(xmlns + 
                                                      "DisplayUrl").Value,
                                     Url = r.Element(xmlns + "Url").Value,
                                     Keywords = "Setting the keywords here"
                                 };

foreach (WebResult result in results)
{
    result.Keywords = "These, are, my, keywords";
}

if (control is GridView)
{
    (control as GridView).ItemsSource = results;
}

结果显示后,“关键字”属性为“在此处设置关键字”。如果我在foreach循环中设置了一个断点,我可以看到结果对象没有被修改......

关于发生了什么的任何想法?我只是缺少一些明显的东西吗? IEnumerable在.NET for Windows Store应用程序中的行为是否不同?

1 个答案:

答案 0 :(得分:6)

这被称为deferred execution; results是每次迭代时执行的查询。在你的情况下,它被评估两次,一次是在for循环中,第二次是它的数据绑定。

您可以通过执行此类操作来验证这一点

var results2 = results.ToList();

foreach (WebResult result in results2)
{
    result.Keywords = "These, are, my, keywords";
}

if (control is GridView)
{
    (control as GridView).ItemsSource = results2;
}

您应该看到您的更改仍然存在。