web-dev-qa-db-ja.com

リスト内の出現回数をカウントする方法

リストのすべての要素の出現回数をC#の同じリストにカウントする簡単な方法はありますか?

このようなもの:

using System;
using System.IO;
using System.Text.RegularExpressions;
using System.Collections.Generic;
using System.Linq;

string Occur;
List<string> Words = new List<string>();
List<string> Occurrences = new List<string>();

// ~170 elements added. . . 

for (int i = 0;i<Words.Count;i++){
    Words = Words.Distinct().ToList();
    for (int ii = 0;ii<Words.Count;ii++){Occur = new Regex(Words[ii]).Matches(Words[]).Count;}
         Occurrences.Add (Occur);
         Console.Write("{0} ({1}), ", Words[i], Occurrences[i]);
    }
}
43
Nona Urbiz

このようなものはどうですか...

_var l1 = new List<int>() { 1,2,3,4,5,2,2,2,4,4,4,1 };

var g = l1.GroupBy( i => i );

foreach( var grp in g )
{
  Console.WriteLine( "{0} {1}", grp.Key, grp.Count() );
}
_

コメントごとに編集:私はこの正義を試みます。 :)

私の例では、リストはintであるため、_Func<int, TKey>_です。そこで、GroupByにアイテムをグループ化する方法を伝えています。 Funcはintを受け取り、グループ化のキーを返します。この場合、_IGrouping<int,int>_(intをキーとするintのグループ化)を取得します。たとえば(i => i.ToString())に変更した場合、文字列でグループ化をキーイングします。 「1」、「2」、「3」でキーイングするよりもささいな例が想像できます。「1」、「2」、「3」をキーとして返す関数を作成するかもしれません...

_private string SampleMethod( int i )
{
  // magically return "One" if i == 1, "Two" if i == 2, etc.
}
_

だから、それはちょうど...のようにintを受け取り、文字列を返すFuncです...

_i =>  // magically return "One" if i == 1, "Two" if i == 2, etc. 
_

しかし、元の質問では元のリストの値とそのカウントを知る必要があるため、整数を使用して整数のグループ化をキーイングし、例を簡単にしました。

74
JP Alioto

あなたは物事のリストから数えるためにこのような何かをすることができます。

IList<String> names = new List<string>() { "ToString", "Format" };
IEnumerable<String> methodNames = typeof(String).GetMethods().Select(x => x.Name);

int count = methodNames.Where(x => names.Contains(x)).Count();

単一の要素を数えるには

string occur = "Test1";
IList<String> words = new List<string>() {"Test1","Test2","Test3","Test1"};

int count = words.Where(x => x.Equals(occur)).Count();
14
Stan R.
var wordCount =
    from Word in words
    group Word by Word into g
    select new { g.Key, Count = g.Count() };    

これは、linqpadの例の1つから取られています

14
Steve Mitcham