如何在 C++ 中将向量转换为数组
本文将介绍如何在 C++ 中把一个向量转换为数组。
使用 data()方法将双向量转换为数组
由于 C++ 标准保证 vector
容器元素在内存中是连续存储的,所以我们可以调用内置向量方法 data()
,并将返回的地址分配给新声明的 double
指针,如下面的代码示例所示。
请注意,使用 d_arr
指针对元素的任何修改都会改变原始向量的数据元素,因为我们只是指向 arr
元素,而不是将它们复制到一个新的位置。
#include <iostream>
#include <vector>
#include <iterator>
using std::cout; using std::cin;
using std::endl; using std::vector;
using std::copy;
int main()
{
vector<double> arr {-3.5, -21.1, -1.99, 0.129, 2.5, 3.111};
copy(arr.begin(), arr.end(),
std::ostream_iterator<double>(cout,"; "));
cout << endl;
double *d_arr = arr.data();
for (size_t i = 0; i < arr.size(); ++i) {
cout << d_arr[i] << "; ";
}
cout << endl;
return EXIT_SUCCESS;
}
输出:
-3.5; -21.1; -1.99; 0.129; 2.5; 3.111;
-3.5; -21.1; -1.99; 0.129; 2.5; 3.111;
使用&
操作符的地址将向量转换为数组
另外,我们也可以使用 &
运算符,它可以提取内存中对象的地址,并将其分配给新声明的 double
指针。
在这个例子中,我们取的是 vector
中第一个元素的地址,但你可以提取一个指向任何其他元素的指针,并根据需要进行操作。
元素可以用 d_arr[index]
数组符号来访问,与前面的方法类似,对 d_arr
的任何修改都会影响 arr
数据。
#include <iostream>
#include <vector>
#include <iterator>
using std::cout; using std::cin;
using std::endl; using std::vector;
using std::copy;
int main()
{
vector<double> arr {-3.5, -21.1, -1.99, 0.129, 2.5, 3.111};
copy(arr.begin(), arr.end(),
std::ostream_iterator<double>(cout,"; "));
cout << endl;
double *d_arr = &arr[0];
for (size_t i = 0; i < arr.size(); ++i) {
cout << d_arr[i] << "; ";
}
cout << endl;
return EXIT_SUCCESS;
}
使用 copy()
函数将向量转换为数组
可以利用 copy()
方法将一个向量转换为数组,以便将数据元素复制到不同的内存位置。之后,我们可以修改它们,而不用担心改变原来的向量数据。
注意,我们声明的是一个固定 6 个元素的 d_arr
,它被分配为栈内存。在大多数情况下,不会预先知道数组的大小,所以你需要使用动态的内存分配方法,如 new
或 malloc
。
#include <iostream>
#include <vector>
#include <iterator>
using std::cout; using std::cin;
using std::endl; using std::vector;
using std::copy;
int main()
{
vector<double> arr {-3.5, -21.1, -1.99, 0.129, 2.5, 3.111};
copy(arr.begin(), arr.end(),
std::ostream_iterator<double>(cout,"; "));
cout << endl;
double d_arr[6];
copy(arr.begin(), arr.end(), d_arr);
for (size_t i = 0; i < arr.size(); ++i) {
cout << d_arr[i] << "; ";
}
cout << endl;
return EXIT_SUCCESS;
}
输出:
new_vec - | 97 | 98 | 99 | 100 | 101 |
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn