正如标题所描述的,我试图将指向 a 数据的指针传递给std::vector
一个需要双指针的函数。以下面的代码为例。我有一个 int 指针d
,它被传递给myfunc1
as &d
(仍然不确定是否将其称为指针的引用或什么),其中函数将其引用更改为填充1,2,3,4
. 但是,如果我有一个std::vector
ints 并尝试传递&(vec.data())
给myfunc1
编译器会抛出错误lvalue required as unary ‘&’ operand
。我已经(int *)&(vec.data())
按照这个答案尝试过类似的方法,但它不起作用。
仅供参考,我知道我可以做一些事情,比如myfunc2
直接将向量作为参考传递,工作就完成了。但我想知道是否可以使用myfunc1
std::vector 的指针。
任何帮助将不胜感激。
#include <iostream>
#include <vector>
using std::cout;
using std::endl;
using std::vector;
void myfunc1(int** ptr)
{
int* values = new int[4];
// Fill all the with data
for(auto& i:{0,1,2,3})
{
values[i] = i+1;
}
*ptr = values;
}
void myfunc2(vector<int> &vec)
{
int* values = new int[4];
// Fill all the with data
for(auto& i:{0,1,2,3})
{
values[i] = i+1;
}
vec.assign(values,values+4);
delete values;
}
int main()
{
// Create int pointer
int* d;
// This works. Reference of d pointing to the array
myfunc1(&d);
// Print values
for(auto& i:{0,1,2,3})
{
cout << d[i] << " ";
}
cout << endl;
// Creates the vector
vector<int> vec;
// This works. Data pointer of std::vector pointing to the array
myfunc2(vec);
// Print values
for (const auto &element : vec) cout << element << " ";
cout << endl;
// This does not work
vector<int> vec2;
vec2.resize(4);
myfunc1(&(vec2.data()));
// Print values
for (const auto &element : vec2) cout << element << " ";
cout << endl;
return 0;
}
编辑:我的实际代码所做的是从磁盘读取一些二进制文件,并将部分缓冲区加载到向量中。我在从读取函数中获取修改后的向量时遇到了麻烦,这就是我想出的让我解决它的方法。