分配具有不同类型的多维向量

时间:2017-07-26 16:09:51

标签: c++ c++11 vector

假设我有std::vector<std::vector<double>> d并希望将其分配给std::vector<std::vector<int>> i;我能想到的最好的是:

#include <vector>
#include <algorithm>

using namespace std;

int main() {
    vector<vector<double>> d = { {1.0, 2.0}, {3.0, 4.0} };
    vector<vector<int>>    i;

    for_each(begin(d), end(d), [&i](vector<double> &x) {
            i.emplace_back(begin(x), end(x));
        }
    );

    return 0;
}

如果两个向量在内部使用相同的类型,我可以使用赋值运算符(参见C++ copying multidimensional vector):

i = d;

如果向量在内部存储不同的类型,但是是一维的,我可以这样做:

i.assign(begin(d), end(d));

这两者在他们的意图中都非常明显,我不认为我的多维方法的解决方案就是这种情况。这样做有更好的方法或公认的习语吗?

2 个答案:

答案 0 :(得分:1)

在我看来,你的2D矢量解决方案是一个很好的解决方案。 当你必须复制向量矢量的N维向量时会出现问题......

假设您需要一个在以下情况下工作的函数copy_multi_vec()

   std::vector<std::vector<std::vector<double>>> vvvd
    { { {1.0, 2.0, 3.0}, { 4.0,  5.0,  6.0} },
      { {7.0, 8.0, 9.0}, {10.0, 11.0, 12.0} } };

   std::vector<std::vector<std::vector<int>>> vvvi;

   copy_multi_vec(vvvi, vvvd);

在这种情况下,您可以在辅助类中使用部分模板特化;通过例子

template <typename T1, typename T2>
struct cmvH
 { static void func (T1 & v1, T2 const & v2) { v1 = v2; } };

template <typename T1, typename T2>
struct cmvH<std::vector<T1>, std::vector<T2>>
 {
   static void func (std::vector<T1> & v1, std::vector<T2> const & v2)
    {
      v1.resize( v2.size() );

      std::size_t i { 0U };

      for ( auto const & e2 : v2 )
         cmvH<T1, T2>::func(v1[i++], e2);
    }
 };

template <typename T1, typename T2>
void copy_multi_vec (T1 & v1, T2 const & v2)
 { cmvH<T1, T2>::func(v1, v2); }

或者,如果要在最后一级使用assign()方法,可以按如下方式定义辅助结构

template <typename, typename>
struct cmvH;

template <typename T1, typename T2>
struct cmvH<std::vector<T1>, std::vector<T2>>
 {
   static void func (std::vector<T1> & v1, std::vector<T2> const & v2)
    {
      v1.resize( v2.size() );
      v1.assign( v2.cbegin(), v2.cend() );
    }
 };

template <typename T1, typename T2>
struct cmvH<std::vector<std::vector<T1>>, std::vector<std::vector<T2>>>
 {
   static void func (std::vector<std::vector<T1>>       & v1,
                     std::vector<std::vector<T2>> const & v2)
    {
      v1.resize( v2.size() );

      std::size_t i { 0U };

      for ( auto const & e2 : v2 )
         cmvH0<std::vector<T1>, std::vector<T2>>::func(v1[i++], e2);
    }
 };

答案 1 :(得分:0)

  

这样做有更好的方法或公认的习惯用法吗?

一次只能分配一个数组元素。你能做的最好的事情是创建一个帮助它的功能。

例如,您可以使用:

template <typename T1, typename T2>
void vector_copy(std::vector<std::vector<T1>>& dest,
                 std::vector<std::vector<T2>> const& src)
{
   // Add the code to do the copy
}

然后,使用

vector_copy(d, i);