struct st
{
int to, cost;
};
void fun(vector<st>&v1[10])
{
vector<st>v2[10];
v1=v2;
}
int main()
{
vector<st>arr[10];
fun(arr);
}
我想通过引用在函数中传递2D向量,并将该向量与该函数中的另一个向量交换。但我收到了错误。我不想用双向量来做。我想在这里使用结构。怎么做?
答案 0 :(得分:3)
一个主要问题:当一个数组作为参数传递时,真正传递的是一个指针。
使用std::array
代替:
void fun(std::array<std::vector<st>, 10>& v1)
{
std::array<std::vector<st>, 10> v2;
// Initialize v2...
v1 = v2;
}
int main()
{
std::array<std::vector<st>, 10> arr;
fun(arr);
}
在上面介绍std::array
之后,我宁愿建议返回数组,而不是通过引用传递:
std::array<std::vector<st>, 10> fun()
{
std::array<std::vector<st>, 10> v2;
// Initialize v2...
return v2;
}
int main()
{
std::array<std::vector<st>, 10> arr = fun();
}