如何使用LINQ添加和删除集合中的记录

时间:2012-05-19 11:51:51

标签: c# linq collections

我有以下名为City的类,它包含另一个名为Detail的类。

 public class City
    {
        public override string PartitionKey { get; set; }
        public override string RowKey { get; set; }
        public string Title { get; set; }

        public class Detail {
            public Detail() {
                Text = new HtmlText();
            }
            public HtmlText Text { get; set; }
        }

}

公共类HtmlText {

public HtmlText()
{
    TextWithHtml = String.Empty;
}
[AllowHtml]
public string TextWithHtml { get; set; } 

}

在我的代码中,我使用以下内容创建详细信息列表。后来我填充了一些 细节,但不是全部。

IList<City.Detail> Details = Enumerable.Range(1,6).Select(x => new City.Detail()).ToList();

我需要做两件事。有人能告诉我这样做的最佳方式。希望使用LINQ。

  • a)从具有空文本字段的详细信息中删除所有CityDetails?

  • b)添加到详细信息以使其具有六个City.Detail记录,如果它少于六个?

3 个答案:

答案 0 :(得分:1)

使用此&#34;查询&#34;

可以解决您的第一个问题
Details = Details.Where(cityDetail=>cityDetail.Text != null && !string.IsNullOrEmpty(cityDetail.Text.TextWithHtml)).ToList();

这将覆盖您的详细信息var和新列表,仅包括非空项目。


截至你的第二个问题 - 它不是很清楚你想做什么,你需要向我们提供更多细节/解释

修改
IEnumerable(T)表示只读集合,这意味着它不支持按定义删除项目。当然你可以添加你自己的RemoveWhere扩展方法,但它基本上会做我在这里做的同样的事情

答案 1 :(得分:1)

@YavgenyP很好地回答了你的第一个问题。对于第二个问题,这是我推荐的内容:

while (Details.Count < 6)
    Details.Add(new City.Detail());

尝试使用LINQ执行此操作只是更糟糕(长度,可读性,速度):

if (Details.Count < 6)
    Enumerable.Range(1, 6 - Details.Count).Select(x =>
    {
        var d = new City.Detail();
        Details.Add(d);
        return d;
    }).ToArray();

虽然我最喜欢他的解决方案,但以下是回答第一个问题的其他方法:

foreach (var toRemove in Details.Where(cityDetail => cityDetail.Text == null || string.IsNullOrEmpty(cityDetail.Text.TextWithHtml)))
    Details.Remove(toRemove);

foreach (var toRemove in (from cityDetail in Details
                              where cityDetail.Text == null || string.IsNullOrEmpty(cityDetail.Text.TextWithHtml)
                              select cityDetail))
    Details.Remove(toRemove);

(from cityDetail in Details
where cityDetail.Text == null || string.IsNullOrEmpty(cityDetail.Text.TextWithHtml)
select Details.Remove(cityDetail)).ToArray();

答案 2 :(得分:0)

A)

Details = 
   Details
   .Except(Details
       .Where(d => string.IsNullOrEmpty(d.Text.TextWithHtml)))
   .ToList();

b)中

 Details = 
    Details
      .Concat(
        Enumerable
        .Range(1, 6 - Details.Count())
        .Select(x => new City.Detail()))
      .ToList();