Scott
Scott

Reputation: 1186

Templated member function typedefs won't compile

#include <iostream>
#include <string>
using namespace std;

void printstr( const string & s ) { cout << s << endl; }

template < typename A >
class Test
{
public:
    typedef void (*Func)( const A & );
};

typedef void (*Func)( const string & );

template < typename A >
void bind(
        Test< A >::Func f,           //<---- does NOT compile
        //Func f,                    //<---- compiles & works!
        //void (*f)( const A & ),    //<---- compiles & works!
        const A & a) { f( a ); }


int main( )
{
    bind( printstr, string("test") );
    return 0;
}

In the code above, I am trying to use a function pointer typedef from another class. As shown, it does not compile, but with either of the other two lines uncommented instead of the Test< A >::Func f, line, it compiles fine! Is this something I can't do in C++? What syntax is needed?

Using g++ 4.4.3, I get

test.cpp:20: error: variable or field "bind" declared void
test.cpp:20: error: expected ")" before "f"
test.cpp:23: error: expected primary-expression before "const"

Upvotes: 4

Views: 589

Answers (1)

JaredPar
JaredPar

Reputation: 754715

The name Test<A>::Func is a dependent name and needs to be prefixed with typename

typename Test< A >::Func f,  

For a more detailed explanation you should check out Johannes explanation in the following answer

Upvotes: 7

Related Questions