18

私は従業員のコレクションを持っています

Class Employee

{
  empName
  empID
  empLoc 
  empPL
  empShift
}

私のリストには

 empName,empID,empLoc,empPL,empShift
    E1,1,L1,EPL1,S1 
    E2,2,L2,EPL2,S2
    E3,3,L3,EPL3,S3
    E4,4,L1,EPL1,S1
    E5,5,L5,EPL5,S5
        E6,6,L2,EPL2,S2

異なる値 empLoc、empPL、empShift を持つ従業員を取得する必要があります。

LINQ を使用してこれを達成する方法はありますか?

4

5 に答える 5

42

匿名型で使用GroupByして、次を取得できます。First

list.GroupBy(e => new { 
                          empLoc = e.empLoc, 
                          empPL = e.empPL, 
                          empShift = e.empShift 
                       })

    .Select(g => g.First());
于 2012-09-25T09:50:41.780 に答える
39

カスタムを実装できますIEqualityComparer<Employee>

public class Employee
{
    public string empName { get; set; }
    public string empID { get; set; }
    public string empLoc { get; set; }
    public string empPL { get; set; }
    public string empShift { get; set; }

    public class Comparer : IEqualityComparer<Employee>
    {
        public bool Equals(Employee x, Employee y)
        {
            return x.empLoc == y.empLoc
                && x.empPL == y.empPL
                && x.empShift == y.empShift;
        }

        public int GetHashCode(Employee obj)
        {
            unchecked  // overflow is fine
            {
                int hash = 17;
                hash = hash * 23 + (obj.empLoc ?? "").GetHashCode();
                hash = hash * 23 + (obj.empPL ?? "").GetHashCode();
                hash = hash * 23 + (obj.empShift ?? "").GetHashCode();
                return hash;
            }
        }
    }
}

これで、次のオーバーロードを使用できますEnumerable.Distinct

var distinct = employees.Distinct(new Employee.Comparer());

匿名タイプを使用した、再利用性が低く、堅牢で効率的なアプローチ:

var distinctKeys = employees.Select(e => new { e.empLoc, e.empPL, e.empShift })
                            .Distinct();
var joined = from e in employees
             join d in distinctKeys
             on new { e.empLoc, e.empPL, e.empShift } equals d
             select e;
// if you want to replace the original collection
employees = joined.ToList();
于 2012-09-25T09:55:13.333 に答える
15

このコードで試すことができます

var result =  (from  item in List
              select new 
              {
                 EmpLoc = item.empLoc,
                 EmpPL= item.empPL,
                 EmpShift= item.empShift
              })
              .ToList()
              .Distinct();
于 2012-09-25T09:48:59.520 に答える
0

試す、

var newList = 
(
from x in empCollection
select new {Loc = x.empLoc, PL = x.empPL, Shift = x.empShift}
).Distinct();
于 2012-09-25T09:50:04.243 に答える