我有这个功能:
void strPointerTest(const string* const pStr)
{
cout << pStr;
}
如果我这样称呼它:
string animals[] = {"cat", "dog"};
strPointerTest(animals);
它返回第一个元素的地址。所以我期待如果我取消引用它,我会得到数组的第一个元素但是这样做:
void strPointerTest(const string* const pStr)
{
cout << *(pStr);
}
它甚至不让我编译。我尝试使用int而不是字符串,它的工作原理。字符串有什么特别之处吗?如何在此函数中检索字符串数组的元素?
编辑:
这是一个完整的例子,它不会在我的结尾编译:
#include <iostream>
void strPointerTest(const std::string* const pStr);
void intPointerTest(const int* const pInt);
int main()
{
std::string animals[] = { "cat", "dog" };
strPointerTest(animals);
int numbers[] = { 9, 4 };
intPointerTest(numbers);
}
void strPointerTest(const std::string* const pStr)
{
std::cout << *(pStr);
}
void intPointerTest(const int* const pInt)
{
std::cout << *(pInt);
}
我不知道为什么要投票。我正在寻求帮助,因为它不会在我的最后编译。如果它适用于你的结果并不意味着它也适用于我的。我正在寻求帮助,因为我不知道发生了什么。
编译错误是:
No operator "<<" matches these operands - operand types are: std::ostream << const std::string
答案 0 :(得分:5)
在某些编译器<iostream>
上恰好还包含<string>
标头。在其他编译器上,特别是Microsoft编译器,它显然没有。字符串的I / O运算符在<string>
标题中声明。
您有责任包含所有必需的标题,即使代码有时可能正常工作。
所以修复只是添加
#include <string>
位于文件顶部。