使用正常的C数组我会做这样的事情:
void do_something(int el,int **arr)
{
*arr[0] = el;
// do something else
}
现在,我想用矢量替换标准数组,并在此获得相同的结果:
void do_something(int el,std::vector<int> **arr)
{
*arr.push_front(el); // this is what the function above does
}
但它显示“表达式必须有类类型”.如何正确地做到这一点?
您可以通过引用传递容器,以便在
函数中进行
修改.其他答案没有
解决的是std :: vector没有push_front成员
函数.您可以在O(n)插入的向量上使用insert()成员
函数:
void do_something(int el,std::vector<int> &arr){
arr.insert(arr.begin(),el);
}
或者使用std :: deque代替摊销的O(1)插入:
void do_something(int el,std::deque<int> &arr){
arr.push_front(el);
}