如何将数组中重复的值的计数存储到 C++ 中的映射中?

how to store count of values that are repeated in an array into map in c++?

我试图存储字符串数组中重复的单词数...

int countWords(string list[], int n)
{
    map <string, int> mp;

    for(auto val = list.begin(); val!=list.end(); val++){
        mp[*val]++;
    }
    int res = 0;
    for(auto val= mp.begin(); val!=mp.end(); val++){
        if(val->second == 2) res++;
    }
    return res;
}

但我收到如下错误:

prog.cpp: In member function int Solution::countWords(std::__cxx11::string*, int):
prog.cpp:14:32: error: request for member begin in list, which is of pointer type std::__cxx11::string* {aka std::__cxx11::basic_string<char>*} (maybe you meant to use -> ?)
            for(auto val = list.begin(); val!=list.end(); val++){
                                ^
prog.cpp:14:51: error: request for member end in list, which is of pointer type std::__cxx11::stri.................

有人请看一次。

错误的原因是list是一个数组,它没有begin方法(或任何其他方法)。

这可以通过将函数更改为采用 std::vector 而不是数组来解决。

如果你想把它保存为一个数组,for循环应该改成这样,假设n是数组的长度:

for(auto val = list; val != list + n; val++)

在 C 和 C++ 中,数组在某种程度上相当于指向数组第一个元素的指针;因此 list 给出了起始指针,而 list + n 给出了指向数组末尾之后的指针。

list是一个指针,它没有beginend成员,也不是std::beginstd::end的有效输入。

如果数组中有 n 个字符串,由 list 指向,那么您可以通过构造 std::span.

来迭代它们
int countWords(std::string list[], int n)
{
    std::map<std::string, int> mp;

    for(auto & val : std::span(list, n)){
        mp[val]++;
    }
    int res = 0;
    for(auto & [key, value] : mp){
        if(value == 2) res++;
    }
    return res;
}