Im writing this small template class inheriting from an interface.
Inside my class I declared a variable I'd like to use outside and put it into a dispatch table.
when I try to compile my program it throws me an error
This is my source code:
template <typename T> class Operand;
typedef struct s_typeInfo
{
int enum_nb;
bool (*fct_cast)(void);
} t_typeInfo;
t_typeInfo typeInfo[] =
{
{0, Operand::castInt8},
};
template <typename T>
class Operand : public IOperand {
...
bool castInt8(void) {...}
}
I have been trying to solve this problem in many different ways, but no one them work. How could I fix it? Thank you in advance :)
There is number of things that cause erroer with compilation of Your code.
First of all, this construction
Operand::castInt8
makes no sense to compiler asOperand
is not a class/struct but a class template. To get pointer to function You need a concrete type not a template of it. Therefore something like this would be more reasonableOperand<int>::castInt8
for example.The type of
bool castInt8(void)
is notbool (*)(void)
as it appears to be. Non-static member functions have more complicated types. In Your case it would bebool (Operand<sometype>::*)(void)
.One last thing - the compiler does not know
Operand
template has membercastInt8
before the definition. So You should reorder it like this:Putting it all together it would look like this: