我想知道如何在循环中的map中插入值。
我在下面的代码中使用了insert()
,但这没效果。
#include<stdio.h>
#include<map>
#include<utility>
using namespace std;
int main()
{
int t;
scanf("%d", &t);
while (t--)
{
int n, i;
map<char*, int> vote;
char name[20], v;
scanf("%d", &n);
for (i = 0; i<n; ++i)
{
scanf("%s %c", name, &v);
vote.insert(make_pair(name, 0));
vote[name] = 0;
if (v == '+')
vote[name]++;
else
vote[name]--;
printf("%d\n", vote[name]);
printf("Size=%lu\n", vote.size());
}
int score = 0;
for (map<char*, int>::iterator it = vote.begin(); it != vote.end(); ++it)
{
printf("%s%d\n", it->first, it->second);
score += it->second;
}
printf("%d\n", score);
}
}
每次我输入一个新密钥(字符串)时,它只会更新前一个密钥。 地图的大小始终为1.
如何正确地向地图添加新元素?
答案 0 :(得分:2)
地图由指针(char*
)键控。代码中的键始终是相同的 - name
指针(尽管您更改指针指向的内容,但它不会改变指针本身不相同的事实)。
您可以使用std::string
作为密钥而不是char*
。
更改地图的定义(替换char*
中的std::string
)可以解决问题。
编辑:正如@McNabb所说,也将it->first
更改为it->first.c_str()
。