22

当我将模板函数作为基类的模板参数传递时,链接器抱怨它无法链接该函数:

#include <stdio.h>

template<int I> inline int identity() {return I;}
//template<> inline int identity<10>() {return 20;}

template<int (*fn)()>
class Base {
public:
    int f() {
        return fn();
    }
};

template<int Val>
class Derived : public Base<identity<10> > {
public:
    int f2() {
        return f();
    }
};

int main(int argc, char **argv) {
    Derived<10> o;
    printf("result: %d\n", o.f2());
    return 0;
}

结果是:

$ g++ -o test2 test2.cpp && ./test2
/tmp/ccahIuzY.o: In function `Base<&(int identity<10>())>::f()':
test2.cpp:(.text._ZN4BaseIXadL_Z8identityILi10EEivEEE1fEv[_ZN4BaseIXadL_Z8identityILi10EEivEEE1fEv]+0xd): undefined reference to `int identity<10>()'
collect2: error: ld returned 1 exit status

如果我注释掉专业化,那么代码会按预期编译和链接。另外,如果我继承自Base<identity<Val> >而不是Base<identity<10> >,代码将按预期工作。

在这里试试:http: //coliru.stacked-crooked.com/a/9fd1c3aae847aaf7

我想念什么?

4

2 回答 2

19

问题似乎是 gcc 错误:代码编译并与 clang、icc 和 EDG 前端链接。不改变任何用途的潜在解决方法是使用类模板identity而不是函数:

template<int I>
struct identity {
    operator int() { return I; }
};

template<typename fn>
class Base {
public:
    int f() {
        return fn();
    }
};
于 2016-12-30T16:16:03.490 回答
9

将其提升为 typedef 使其可以编译,即

typedef Base< identity<10> > base10;

我不太确定为什么直接在类定义中这样做是行不通的。

http://coliru.stacked-crooked.com/a/f00b4f4d1c43c2b0

于 2016-12-30T16:07:46.420 回答