可以通过分配将Eigen::Map
转换为Matrix
:
vector<float> v = { 1, 2, 3, 4 };
auto m_map = Eigen::Map<Eigen::Matrix<float, 2, 2, Eigen::RowMajor>>(&v[0]);
Eigen::MatrixXf m = m_map;
cout << m << endl;
这会产生:
1 2
3 4
如果我尝试使用Tensor
执行类似操作:
vector<float> v = { 1, 2, 3, 4 };
auto mapped_t = Eigen::TensorMap<Eigen::Tensor<float, 2, Eigen::RowMajor>>(&v[0], 2, 2);
Eigen::Tensor<float, 2> t = mapped_t;
我只是得到编译器错误YOU_MADE_A_PROGRAMMING_MISTAKE
。有没有办法将TensorMap转换为Tensor?
答案 0 :(得分:4)
好吧,Eigen::RowMajor
不是Eigen::Tensor
的默认值,这意味着您没有分配相同的类型,这意味着YOU_MADE_A_PROGRAMMING_MISTAKE
。您必须明确请求交换布局。
#include <vector>
#include <unsupported/Eigen/CXX11/Tensor>
int main()
{
std::vector<float> v = { 1, 2, 3, 4 };
auto mapped_t = Eigen::TensorMap<Eigen::Tensor<float, 2, Eigen::RowMajor>>(&v[0], 2, 2);
Eigen::Tensor<float, 2> t = Eigen::TensorLayoutSwapOp<Eigen::Tensor<float, 2, Eigen::RowMajor>>(mapped_t);
}
使用C ++ 14你可以为它编写一个很好的实例化函数。
#include <type_traits>
#include <vector>
#include <unsupported/Eigen/CXX11/Tensor>
namespace Eigen {
template < typename T >
decltype(auto) TensorLayoutSwap(T&& t)
{
return Eigen::TensorLayoutSwapOp<typename std::remove_reference<T>::type>(t);
}
}
int main()
{
std::vector<float> v = { 1, 2, 3, 4 };
auto mapped_t = Eigen::TensorMap<Eigen::Tensor<float, 2, Eigen::RowMajor>>(&v[0], 2, 2);
Eigen::Tensor<float, 2> t = Eigen::TensorLayoutSwap(mapped_t);
}