是否可以在Matlab中初始化C ++中的向量?

时间:2014-12-01 13:44:08

标签: c++ matlab vector operator-overloading initializer-list

在Matlab中,您可以初始化这样的矢量:

>> a = 3;
>> b = 4.6;
>> c = [2, 1.3, a, b]

c =

    2.0000    1.3000    3.0000    4.6000

我想在C ++中使用类似的语法。具体来说,我有自己的矢量类Vec:

class Vec {
public:
    unsigned N; //number of elements
    double* e; //array of elements
    Vec(unsigned); //constructor
    ~Vec(void); //destructor
    Vec(const Vec&); //copy constructor
    Vec& operator=(const Vec&); //copy assignment operator
};

我想像这样初始化它:

Vec v;
int a = 3;
double b = 4.6;

v = {2, 1.3, a, b}; //a is converted from int to double

std::cout << "N = " << v.N << std::endl;
std::cout << "v = [" << v.e[0] << ", " << v.e[1] << ", "
          << v.e[2] << ", " << v.e[3] << "]" << std::endl;

这样它就会打印出来:

N = 4
v = [2, 1.3, 3, 4.6]

这可能吗?如果是这样,怎么样?


有一个类似的问题here,但答案是关于复制构造函数,而不是复制赋值运算符。

1 个答案:

答案 0 :(得分:1)

只需使用std::vector

如果你必须自己用数组编写它,可能最简单的方法是首先编写一个初始化列表构造函数,如你链接的问题所述:

Vec(unsigned size) : N(size), e(new double[size]) {}

Vec(std::initializer_list<double> l) : Vec(l.size()) {
  std::copy(l.begin(), l.end(), e);
}

然后写一个不投掷swap

void swap(Vec& rhs) noexcept {
  std::swap(e, rhs.e);
  std::swap(N, rhs.N);
}

最后,标准赋值运算符:

Vec& operator=(Vec rhs) {
  swap(rhs);
  return *this;
}

然后它将使用初始化列表构造函数将initializer_list转换为Vec,然后使用赋值运算符进行赋值。

但严重的是,只需使用std::vector