引用向量
我有这段代码
void split(vector<float> &fvec, string str)
{
int place = 0;
for(int i=0; i<str.length(); i++)
{
if(str.at(i) == ' ')
{
fvec.push_back(atoi(str.substr(place,i-place).c_str()));
place=i+1;
}
}
fvec.push_back(atoi(str.substr(place).c_str()));
}
我想做的是将向量的引用传递到方法中,以便它将我给它的字符串分割成浮点数而不复制向量...我不想复制向量,因为它将包含 1000 个数字。
是否无法通过引用传递向量,或者我只是犯了一个愚蠢的错误?
如果它有帮助的话,我正在测试它的代码
int main (void)
{
vector<float> fvec;
string str = "1 2 2 3.5 1.1";
split(&fvec, str);
cout<<fvec[0];
return 0;
}
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(4)
这确实是可能的。您只是使用了错误的语法。正确的方法是:
您所做的事情是错误的,因为它将向量的地址作为预期的引用传递。
It is indeed possible. You're just using the wrong syntax. The correct way to do it is :
What you're doing is wrong because it passes the address of the vector as the intended reference.
如果您使用的是现代编译器,例如 gcc/g++,它会为您进行命名返回值优化,这样您就不需要通过引用或指针传递返回值。
请参阅:
http://en.wikipedia.org/wiki/Return_value_optimization/
http://cpp-next.com/archive/2009/08/想要按值速度传递/
If you are using a modern compiler, like gcc/g++, it does named return value optimization for you, so that you don't need to pass the return value by reference or pointer.
See:
http://en.wikipedia.org/wiki/Return_value_optimization/
http://cpp-next.com/archive/2009/08/want-speed-pass-by-value/
您正在传递向量的地址。 (
split(&fvec, str);
)调用应为
split(fvec, str);
,不带&
。You are passing the address of the vector. (
split(&fvec, str);
)The call should be
split(fvec, str);
without the&
.显而易见的是
main
函数中的split(&fvec, str);
,这意味着您传递的不是向量而是向量的地址向量。如果您的向量参数是指针,则这是正确的做法,但如果它是引用,则不是。请改用 split(fvec, str); 。另外,您可能需要考虑的一件事是在函数中构建向量并正常返回它。这可能会被编译器优化掉。如果您没有使用具有返回值优化功能的编译器,则通过更改编译器可能会比尝试手动调整代码获得更好的结果。
而且,如果您担心传递大数据结构,那么字符串参数又如何呢?那不是变大了吗?
The obvious thing that leaps out is the
split(&fvec, str);
in yourmain
function, which means you're not passing a vector but the address of a vector. This is the right thing to do if your vector parameter is a pointer, but not if it's a reference. Usesplit(fvec, str);
instead.Also, one thing you might consider is building the vector in the function and returning it as normal. This is likely to be optimized out by the compiler. If you're not using a compiler with return value optimization ability, you're likely to get better results by changing compilers than trying to tune your code manually.
And, if you're worried about passing big data structures around, what of the string parameter? Doesn't that get large?