web-dev-qa-db-ja.com

LINQを使用してリストから重複するアイテムを取得する方法は?

私はList<string>のようなものを持っています:

List<String> list = new List<String>{"6","1","2","4","6","5","1"};

リスト内の重複するアイテムを新しいリストに入れる必要があります。これを行うために、ネストされたforループを使用しています。

結果のlistには{"6","1"}が含まれます。

LINQ または lambda式 を使用してこれを行うアイデアはありますか?

165
var duplicates = lst.GroupBy(s => s)
    .SelectMany(grp => grp.Skip(1));

これによりすべての重複が返されるため、ソースリストで重複しているアイテムのみを知りたい場合は、Distinctを結果のシーケンスに適用するか、Mark Byersが提供するソリューションを使用できます。

231
Lee

これを行う1つの方法を次に示します。

List<String> duplicates = lst.GroupBy(x => x)
                             .Where(g => g.Count() > 1)
                             .Select(g => g.Key)
                             .ToList();

GroupByは同じ要素をグループ化し、Whereは一度しか現れない要素を除外し、重複部分のみを残します。

170
Mark Byers

別のオプションを次に示します。

var list = new List<string> { "6", "1", "2", "4", "6", "5", "1" };

var set = new HashSet<string>();
var duplicates = list.Where(x => !set.Add(x));
37
LukeH

私はそれが元の質問に対する答えではないことを知っていますが、あなたはここでこの問題を見つけるかもしれません。

結果にすべての重複アイテムが必要な場合、次のように機能します。

var duplicates = list
    .GroupBy( x => x )               // group matching items
    .Where( g => g.Skip(1).Any() )   // where the group contains more than one item
    .SelectMany( g => g );           // re-expand the groups with more than one item

私の状況では、UIでエラーとしてマークできるように、すべての重複が必要です。

22
Scott Langham

この拡張メソッドは、OPに対する@Leeの応答に基づいて作成しました。 、デフォルトのパラメーターが使用されました(C#4.0が必要)。ただし、C#3.0でオーバーロードされたメソッド呼び出しで十分です。

/// <summary>
/// Method that returns all the duplicates (distinct) in the collection.
/// </summary>
/// <typeparam name="T">The type of the collection.</typeparam>
/// <param name="source">The source collection to detect for duplicates</param>
/// <param name="distinct">Specify <b>true</b> to only return distinct elements.</param>
/// <returns>A distinct list of duplicates found in the source collection.</returns>
/// <remarks>This is an extension method to IEnumerable&lt;T&gt;</remarks>
public static IEnumerable<T> Duplicates<T>
         (this IEnumerable<T> source, bool distinct = true)
{
     if (source == null)
     {
        throw new ArgumentNullException("source");
     }

     // select the elements that are repeated
     IEnumerable<T> result = source.GroupBy(a => a).SelectMany(a => a.Skip(1));

     // distinct?
     if (distinct == true)
     {
        // deferred execution helps us here
        result = result.Distinct();
     }

     return result;
}
18
Michael

これが役立つことを願って

int[] listOfItems = new[] { 4, 2, 3, 1, 6, 4, 3 };

var duplicates = listOfItems 
    .GroupBy(i => i)
    .Where(g => g.Count() > 1)
    .Select(g => g.Key);

foreach (var d in duplicates)
    Console.WriteLine(d);
10
Thakur
  List<String> list = new List<String> { "6", "1", "2", "4", "6", "5", "1" };

    var q = from s in list
            group s by s into g
            where g.Count() > 1
            select g.First();

    foreach (var item in q)
    {
        Console.WriteLine(item);

    }
10
explorer

オブジェクトのリストで同じことを解決しようとしていて、グループのリストを元のリストに再パックしようとしていたため、問題が発生していました。そこで、グループをループして、重複したアイテムを含む元のリストを再パックしました。

public List<MediaFileInfo> GetDuplicatePictures()
{
    List<MediaFileInfo> dupes = new List<MediaFileInfo>();
    var grpDupes = from f in _fileRepo
                   group f by f.Length into grps
                   where grps.Count() >1
                   select grps;
    foreach (var item in grpDupes)
    {
        foreach (var thing in item)
        {
            dupes.Add(thing);
        }
    }
    return dupes;
}
2
Jamie L.

これまでに説明したすべてのソリューションは、GroupByを実行します。最初のDuplicateだけが必要な場合でも、コレクションのすべての要素が少なくとも1回列挙されます。

次の拡張機能は、重複が見つかるとすぐに列挙を停止します。次の複製が要求された場合、続行します。

LINQにはいつものように、IEqualityComparerがあるものとないものの2つのバージョンがあります。

public static IEnumerable<TSource> ExtractDuplicates(this IEnumerable<TSource> source)
{
    return source.ExtractDuplicates(null);
}
public static IEnumerable<TSource> ExtractDuplicates(this IEnumerable<TSource source,
    IEqualityComparer<TSource> comparer);
{
    if (source == null) throw new ArgumentNullException(nameof(source));
    if (comparer == null)
        comparer = EqualityCompare<TSource>.Default;

    HashSet<TSource> foundElements = new HashSet<TSource>(comparer);
    foreach (TSource sourceItem in source)
    {
        if (!foundElements.Contains(sourceItem))
        {   // we've not seen this sourceItem before. Add to the foundElements
            foundElements.Add(sourceItem);
        }
        else
        {   // we've seen this item before. It is a duplicate!
            yield return sourceItem;
        }
    }
}

使用法:

IEnumerable<MyClass> myObjects = ...

// check if has duplicates:
bool hasDuplicates = myObjects.ExtractDuplicates().Any();

// or find the first three duplicates:
IEnumerable<MyClass> first3Duplicates = myObjects.ExtractDuplicates().Take(3)

// or find the first 5 duplicates that have a Name = "MyName"
IEnumerable<MyClass> myNameDuplicates = myObjects.ExtractDuplicates()
    .Where(duplicate => duplicate.Name == "MyName")
    .Take(5);

これらのすべてのlinqステートメントでは、要求されたアイテムが見つかるまでコレクションのみが解析されます。シーケンスの残りは解釈されません。

私見、それは考慮するべき効率の向上です。

0