我尝试通过char迭代字符串char。我试过这样的事情:
void print(const string& infix)
{
char &exp = infix.c_str();
while(&exp!='\0')
{
cout<< &exp++ << endl;
}
}
所以这个函数调用print(“hello”);应该回来:
h
e
l
l
o
我尝试使用我的代码,但它根本不起作用。顺便说一句,参数是引用而不是指针。谢谢
答案 0 :(得分:21)
您的代码需要一个指针,而不是一个引用,但如果使用C ++ 11编译器,您只需要:
void print(const std::string& infix)
{
for(auto c : infix)
std::cout << c << std::endl;
}
答案 1 :(得分:12)
for(unsigned int i = 0; i<infix.length(); i++) {
char c = infix[i]; //this is your character
}
我就是这样做的。不确定这是不是“惯用”。
答案 2 :(得分:6)
如果你正在使用std::string
,那么确实没有理由这样做。您可以使用迭代器:
for (auto i = inflix.begin(); i != inflix.end(); ++i) std::cout << *i << '\n';
至于原始代码,您应该使用char*
代替char
,而您不需要参考。
答案 3 :(得分:0)
std::string::c_str()返回const char*
,您无法使用char&
来保留它。 exp也已经是指针,你不需要引用:
更好地使用迭代器:
void print(const string& infix)
{
for (auto c = infix.begin(); c!=infix.end(); ++c)
{
std::cout << *c << "\n";
}
std::cout << std::endl;
}
要修复原始代码,请尝试:
void print(const string& infix)
{
const char *exp = infix.c_str();
while(*exp!='\0')
{
cout << *exp << endl;
exp++;
}
}