Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Forward declaration of types MatrixXd & VectorXd?

Maybe someone knows, is it possible in the Eigen to forward declare types MatrixXd & VectorXd?

While compiling, I get the following error:

/usr/include/eigen3/Eigen/src/Core/Matrix.h:372:34: error: conflicting declaration ‘typedef class Eigen::Matrix Eigen::MatrixXd’

typedef Matrix Matrix##SizeSuffix##TypeSuffix;

SIMP.h

#ifndef SIMP_H
#define SIMP_H


namespace Eigen
{
    class MatrixXd;
    class VectorXd;
}

class SIMP {
public:
    SIMP(Eigen::MatrixXd * gsm, Eigen::VectorXd * displ);
    SIMP ( const SIMP& other ) = delete;
    ~SIMP(){}
    SIMP& operator= ( const SIMP& other ) = delete;
    bool operator== ( const SIMP& other ) = delete;


private:      
    Eigen::MatrixXd * m_gsm;
    Eigen::VectorXd * m_displ;

};

#endif // SIMP_H

SIMP.cpp

#include "SIMP.h"
#include <Eigen/Core>
SIMP::SIMP( Eigen::MatrixXd * gsm, Eigen::VectorXd * displ) :
    m_gsm(gsm),
    m_displ(displ), 
{

}
like image 937
Ivan Kush Avatar asked Sep 29 '22 02:09

Ivan Kush


2 Answers

No, you cannot "forward declare" type aliases: neither MatrixXd nor VectorXd are classes; they are type aliases.

The best you can do is manually introduce the type aliases early yourself by writing out the typedef statement. This is probably a bad idea.

BTW that last line of output is highly suspicious; it looks like a macro definition, which should definitely not be turning up in a compiler error.

like image 83
Lightness Races in Orbit Avatar answered Oct 03 '22 02:10

Lightness Races in Orbit


You can do it like this:

namespace Eigen {
    template<typename _Scalar, int _Rows, int _Cols, int _Options, int _MaxRows, int _MaxCols>
    class Matrix;
    using MatrixXd = Matrix<double, -1, -1, 0, -1, -1>;
    using VectorXd = Matrix<double, -1, 1, 0, -1, 1>;
}
like image 26
Ali Hares Avatar answered Oct 03 '22 02:10

Ali Hares