如何使用 initializer_ist 在构造函数中初始化动态数组?
How to initialize dynamic array in constructor using initializer_ist?
我试图在 C++ 中使用 initialize_list
在构造函数中初始化动态数组。我怎样才能做到这一点?
#include <cstdlib>
#include <initializer_list>
#include <iostream>
#include <utility>
using namespace std;
class vec {
private:
// Variable to store the number of elements contained in this vec.
size_t elements;
// Pointer to store the address of the dynamically allocated memory.
double *data;
public:
/*
* Constructor to create a vec variable with the contents of 'ilist'.
*/
vec(initializer_list<double> ilist);
}
int main() {
vec x = { 1, 2, 3 }; // should call to the constructor
return 0;
}
initializer_list
有 size
方法,它告诉你有多少元素必须由 new
分配,所以它可能是:
vec(initializer_list<double> ilist)
{
elements = ilist.size();
data = new double[ ilist.size() ];
std::copy(ilist.begin(),ilist.end(),data);
}
使用标准 std::vector
容器而不是原始指针。 std::vector
是动态数组的包装器,它有一个接受 std::initializer_list
作为输入的构造函数。
#include <initializer_list>
#include <iostream>
#include <vector>
using namespace std;
class vec {
private:
vector<double> data;
public:
vec(initializer_list<double> ilist) : data(ilist) {}
};
我试图在 C++ 中使用 initialize_list
在构造函数中初始化动态数组。我怎样才能做到这一点?
#include <cstdlib>
#include <initializer_list>
#include <iostream>
#include <utility>
using namespace std;
class vec {
private:
// Variable to store the number of elements contained in this vec.
size_t elements;
// Pointer to store the address of the dynamically allocated memory.
double *data;
public:
/*
* Constructor to create a vec variable with the contents of 'ilist'.
*/
vec(initializer_list<double> ilist);
}
int main() {
vec x = { 1, 2, 3 }; // should call to the constructor
return 0;
}
initializer_list
有 size
方法,它告诉你有多少元素必须由 new
分配,所以它可能是:
vec(initializer_list<double> ilist)
{
elements = ilist.size();
data = new double[ ilist.size() ];
std::copy(ilist.begin(),ilist.end(),data);
}
使用标准 std::vector
容器而不是原始指针。 std::vector
是动态数组的包装器,它有一个接受 std::initializer_list
作为输入的构造函数。
#include <initializer_list>
#include <iostream>
#include <vector>
using namespace std;
class vec {
private:
vector<double> data;
public:
vec(initializer_list<double> ilist) : data(ilist) {}
};