0

我正在计算数组中存在多少个字符串-

Tags = "the cat the mat the sat";

string[] words = Tags.Split(' ');

int counter = 0;

foreach (string item in words)
{
    if (item != "")
    {
      counter++;

    }
}

但是,我如何修改我的代码以便计算每个字符串的出现次数。所以例如 -

  • “该” = 3
  • “猫” = 1
  • “垫子” = 1
  • “星期六” = 1

然后以某种方式存储这些值?

4

4 回答 4

9

你没有说你使用什么语言,但我看到它看起来像 c#。这是一种方法。

    Dictionary<string, int> dictionary = new Dictionary<string, int>();
    foreach (string word in words)
    {
        if (dictionary.ContainsKey(word))
        {
            dictionary[word] += 1; 
        }
        else
        {
            dictionary.Add(word,1);
        }
    }
于 2012-08-15T10:21:21.850 回答
6

试试这个:

var result = tags.Split(new[] { ' ' }, StringSplitOptions.RemoveEmptyEntries)
                 .GroupBy(tag => tag)
                 .ToDictionary(group => group.Key, group => group.Count());

var max = result.MaxBy(kvp => kvp.Value);
var min = result.MinBy(kvp => kvp.Value);

使用来自 MoreLINQ 的 MaxBy 和MinBy

于 2012-08-15T10:29:39.417 回答
0

存储在地图中,其中键是单词,值是它出现次数的计数器....

于 2012-08-15T10:20:53.180 回答
0

您必须使用字典。这里是:

        string Tags = "the cat the mat the sat";

        string[] words = Tags.Split(' ');

        Dictionary<string, int> oddw = new Dictionary<string, int>();

        foreach (string item in words)
        {
            if (item != "")
            {
                if (oddw.ContainsKey(item) == false)
                {
                    oddw.Add(item, 1);
                }
                else
                {
                    oddw[item]++;
                }
            }
        }

        foreach (var item in oddw)
        {
            Console.WriteLine(item);
        }
于 2012-08-15T10:25:36.357 回答