我想将数组的内容写入向量。
int A[]={10,20,30,40,50,60,70,80,90};
vector<int> my_vector;
之前我曾经使用 memcpy将数组A的内容复制到另一个数组B中。我想使用 my_vector 而不是数组B
如何在没有 for 循环的情况下一次性将数组A 的内容写入 my_vector?
使用你想使用的 C++ 2011
std::copy(std::begin(A), std::end(A), std::back_inserter(my_vector));
... 或者
std::vector<int> my_vector(std::begin(A), std::end(A));
...或者,实际上:
std::vector<int> my_vector({ 10, 20, 30, 40, 50, 60, 70, 80, 90 });
如果你没有 C++ 2011,你想定义
namespace whatever {
template <typename T, int Size>
T* begin(T (&array)[Size]) { return array; }
template <typename T, int Size>
T* end(T (&array)[Size]) { return array + Size; }
}
并将whatever::begin()
andwhatever::end()
与前两种方法之一一起使用。
#include <algorithm>
#include <vector>
int main() {
int A[]={10,20,30,40,50,60,70,80,90};
std::vector<int> my_vector;
unsigned size = sizeof(A)/sizeof(int);
std::copy(&A[0],&A[size],std::back_inserter(my_vector));
}
C++11 要简单得多。
#include <vector>
#include <algorithm>
int main() {
int A[]={10,20,30,40,50,60,70,80,90};
std::vector<int> my_vector(std::begin(A),std::end(A));
}
您可以memcpy
在 C++98/03 中使用或使用此类初始化。
int A[]={10,20,30,40,50,60,70,80,90};
vector<int> my_vector(A, A + sizeof(A) / sizeof(*A));
您也可以使用算法,例如copy
.
std::copy(A, A + sizeof(A) / sizeof(*A), std::back_inserter(my_vector));
在 C++11 中,使用std::begin(A)
,std::end(A)
作为数组的开始和结束。