web-dev-qa-db-ja.com

LINQ to Objects 2つのコレクションを結合して、最初のコレクションに値を設定します

次のEntity Frameworkクエリがあります。

var results = from r in db.Results
              select r;

AutoMapperを使用して別のタイプにマップしています:

var mapped = Mapper.Map<IEnumerable<Database.Result>, IEnumerable<Objects.Result>>(results);

私のObjects.Resultタイプには、データベースに由来しないreasonというプロパティがあります。それは別のソースから来ているので、基本的にはマップしたタイプに戻す必要があります。

var reasons = new List<Reason>
{
    new Reason { Id = 1, Reason = "asdf..." }
};

理由をマップされたコレクションと結合し、理由コレクションの値を使用して、マップされたコレクションのReasonプロパティを設定する必要があります。これは可能ですか?

 // need something like this:
 mapped = from m in mapped
          join r in reasons on m.Id equals r.Id
          update m.Reason = r.Reason
          select m;

明らかに上記のコードはコンパイルできませんが、私が望むことを実行できるコードを書くことができますか?

21
Dismissile

ループで突然変異を行います。理想的には、Linqは、操作対象のコレクションに対する変更がないようにする必要があります。 Linqを使用して、データのフィルタリング、順序付け、射影を行い、従来の手法を使用して変更します。

var joinedData = from m in mapped 
                 join r in reasons on m.Id equals r.Id 
                 select new { m, r };

foreach (var item in joinedData)
{
    item.m.Reason = item.r.Reason;
}
24
Anthony Pegram

これにより、多くの時間を節約できます。以下のコードは、2つのコレクションを結合し、最初のコレクションのプロパティ値を設定するためのものです。

class SourceType
{
    public int Id;
    public string Name;
    public int Age { get; set; }
    // other properties
}

class DestinationType
{
    public int Id;
    public string Name;
    public int Age { get; set; }
    // other properties
}
    List<SourceType> sourceList = new List<SourceType>();
    sourceList.Add(new SourceType { Id = 1, Name = "1111", Age = 35});
    sourceList.Add(new SourceType { Id = 2, Name = "2222", Age = 26});
    sourceList.Add(new SourceType { Id = 3, Name = "3333", Age = 43});
    sourceList.Add(new SourceType { Id = 5, Name = "5555", Age = 37});

    List<DestinationType> destinationList = new List<DestinationType>();
    destinationList.Add(new DestinationType { Id = 1, Name = null });
    destinationList.Add(new DestinationType { Id = 2, Name = null });
    destinationList.Add(new DestinationType { Id = 3, Name = null });
    destinationList.Add(new DestinationType { Id = 4, Name = null });


    var mapped= destinationList.Join(sourceList, d => d.Id, s => s.Id, (d, s) =>
    {
        d.Name = s.Name;
        d.Age = s.Age;
        return d;
    }).ToList();
10

強引な方法の1つは次のとおりです。

foreach(var m in mapped)
{
    m.Reason = reasons.Single(r=> r.Id == m.Id).Reason;
}

実際、これは実装が疑似コードに非常に近いものです。

0
Adam Ralph