使用 Lambda 获取不同的父项

Get Distinct Parent Items using Lambda

我有以下三个类;

public class City
{
    public int CityId { get; set; }
    public Region Region { get; set; }
    public string Name { get; set; }
}

public class Region
{
    public int RegionId { get; set; }
    public Country Country { get; set; }
    public string Name { get; set; }
}

public class Country
{
    public string CountryCode { get; set; }
    public string Name { get; set; }
}

我填充了一个包含多个城市的城市列表对象,每个城市都有一个地区和一个国家/地区。

现在我想获取所有城市的所有国家/地区列表。我尝试了以下方法;

List<City> CityObjectList = GetAllCity();
CityObjectList.Select(r => r.Region).ToList().Select(c => c.Country).ToList();

然而,我得到的只是所有国家。我怎样才能得到不同的国家?

您可以使用:

var allCityCountries = CityObjectList.Select(c => c.Region.Country).ToList();

此列表不明确。要使国家/地区独一无二,您可以在 Country 中覆盖 Equals + GetHashCode,为 Enumerable.Disinct 实施自定义 IEqualityComparer<Country> 或使用 GroupBy(最慢但最简单的选择):

var distinctCountries = CityObjectList
    .Select(c => c.Region.Country)
    .GroupBy(c => c.CountryCode)
    .Select(g => g.First())
    .ToList();

IEqualityComparer<T>方式:

class CountryCodeComparer : IEqualityComparer<Country>
{
    public bool Equals(Country x, Country y)
    {
        if(object.ReferenceEquals(x, y)) return true;
        if(x == null || y == null) return false;
        return x.CountryCode == y.CountryCode;
    }

    public int GetHashCode(Country obj)
    {
        return obj == null ? 0 : obj.CountryCode == null ? 0 : obj.CountryCode.GetHashCode();
    }
}

现在您可以将 Distinct 与它的一个实例一起使用:

var comparer = new CountryCodeComparer();
distinctCountries = CityObjectList.Select(c => c.Region.Country).Distinct(comparer).ToList();