我正在尝试在C ++中的迭代器中访问struct元素,但是编译器只是给出了一个结构不包含该元素的错误。我正在尝试执行以下操作:
typedef struct
{
string str;
int frequenzy;
} word;
bool isPresent = false;
for(std::vector<word>::iterator itr=words.begin(); itr!=words.end(); ++itr)
{
if(*itr.str.compare(currentWord)==0){
isPresent = true;
*itr.frequenzy++;
}
}
我收到以下消息:
lab7.cc: In function 'int main()':
lab7.cc:27:13: error: 'std::vector<word>::iterator' has no member named 'str'
lab7.cc:29:11: error: 'std::vector<word>::iterator' has no member named 'frequen
zy'
为什么不可能?
答案 0 :(得分:6)
您应该以这种方式重写for
循环的主体:
if (itr->str.compare(currentWord)==0)
// ^^
{
isPresent = true;
itr->frequenzy++;
// ^^
}
.
运算符的优先级高于*
运算符。因此,如果你真的想使用这两个运算符,你应该用这种方式重写:
if ((*itr).str.compare(currentWord)==0)
// ^^^^^^^
{
isPresent = true;
(*itr).frequenzy++;
// ^^^^^^^
}