我想从人员列表中获得不同的列表。
List<Person> plst = cl.PersonList;
如何通过LINQ
. 我想将结果存储在List<Person>
Distinct()
会给你不同的价值 - 但除非你已经覆盖Equals
/GetHashCode()
你只会得到不同的引用。例如,如果您希望两个Person
对象在名称相同的情况下相等,则需要覆盖Equals
/GetHashCode
来表明这一点。(理想情况下,实现IEquatable<Person>
以及只是覆盖Equals(object)
。)
然后,您需要调用ToList()
以将结果返回为List<Person>
:
var distinct = plst.Distinct().ToList();
如果您想通过某些特定属性获得不同的人,但这不是“自然”平等的合适候选人,您需要GroupBy
像这样使用:
var people = plst.GroupBy(p => p.Name)
.Select(g => g.First())
.ToList();
或使用MoreLINQDistinctBy
中的方法:
var people = plst.DistinctBy(p => p.Name).ToList();
您可以使用Distinct方法,您需要实现 IEquatable 并覆盖等于和哈希码。
public class Person : IEquatable<Person>
{
public string Name { get; set; }
public int Code { get; set; }
public bool Equals(Person other)
{
//Check whether the compared object is null.
if (Object.ReferenceEquals(other, null)) return false;
//Check whether the compared object references the same data.
if (Object.ReferenceEquals(this, other)) return true;
//Check whether the person' properties are equal.
return Code.Equals(other.Code) && Name.Equals(other.Name);
}
// If Equals() returns true for a pair of objects
// then GetHashCode() must return the same value for these objects.
public override int GetHashCode()
{
//Get hash code for the Name field if it is not null.
int hashPersonName = Name == null ? 0 : Name.GetHashCode();
//Get hash code for the Code field.
int hashPersonCode = Code.GetHashCode();
//Calculate the hash code for the person.
return hashPersonName ^ hashPersonCode;
}
}
var distinctPersons = plst.Distinct().ToList();
使用Distinct扩展方法将返回一个 IEnumerable,然后您可以执行以下ToList()
操作:
List<Person> plst = cl.PersonList.Distinct().ToList();