49

我在 VS 2012 中创建了一个 Web Api。我试图从一列“类别”中获取所有值,即所有唯一值,我不希望返回的列表带有重复项。

我使用此代码来获取特定类别的产品。如何获得完整的类别列表(类别列中的所有唯一值)?

public IEnumerable<Product> GetProductsByCategory(string category)
    {
        return repository.GetAllProducts().Where(
            p => string.Equals(p.Category, category, StringComparison.OrdinalIgnoreCase));
    }
4

4 回答 4

97

拥有独特的类别:

var uniqueCategories =  repository.GetAllProducts()
                                  .Select(p=>p.Category)
                                  .Distinct();
于 2013-10-23T17:13:51.633 回答
29
var uniq = allvalues.GroupBy(x => x.Id).Select(y=>y.First()).Distinct();

简单易行

于 2015-03-25T11:09:15.667 回答
2

我必须找到具有以下详细信息类的不同行: Scountry
列:countryID、countryName、isactive
其中没有主键。我已经成功完成了以下查询

public DbSet<SCountry> country { get; set; }
    public List<SCountry> DoDistinct()
    {
        var query = (from m in country group m by new { m.CountryID, m.CountryName, m.isactive } into mygroup select mygroup.FirstOrDefault()).Distinct();
        var Countries = query.ToList().Select(m => new SCountry { CountryID = m.CountryID, CountryName = m.CountryName, isactive = m.isactive }).ToList();
        return Countries;
    }
于 2017-08-04T14:35:11.173 回答
0

有趣的是,我在 LinqPad 中尝试了这两种方法,使用 Dmitry Gribkov 的组的变体似乎更快。(也不需要最终的不同,因为结果已经不同。

我的(有点简单)代码是:

public class Pair 
{ 
    public int id {get;set;}
    public string Arb {get;set;}
}

void Main()
{

    var theList = new List<Pair>();
    var randomiser = new Random();
    for (int count = 1; count < 10000; count++)
    {
        theList.Add(new Pair 
        {
            id = randomiser.Next(1, 50),
            Arb = "not used"
        });
    }

    var timer = new Stopwatch();
    timer.Start();
    var distinct = theList.GroupBy(c => c.id).Select(p => p.First().id);
    timer.Stop();
    Debug.WriteLine(timer.Elapsed);

    timer.Start();
    var otherDistinct = theList.Select(p => p.id).Distinct();
    timer.Stop();
    Debug.WriteLine(timer.Elapsed);
}
于 2018-10-18T06:06:33.430 回答