有以下代码:

#include <iostream>

template<const double& f>
void fun5(){
    std::cout << f << std::endl;
}

int main()
{
    const double dddd = 5.0;
    fun5<dddd>();
    return 0;
}

编译期间的编译器错误:
$ g++ klasa.cpp -o klasa
klasa.cpp: In function ‘int main()’:
klasa.cpp:11:10: error: ‘dddd’ cannot appear in a constant-expression
klasa.cpp:11:16: error: no matching function for call to ‘fun5()’
klasa.cpp:11:16: note: candidate is:
klasa.cpp:4:6: note: template<const double& f> void fun5()

为什么将“dddd”作为模板参数不起作用,应该怎么做才能使其起作用?

最佳答案

模板参数的引用和指针必须具有外部链接(或内部链接,对于C++ 11,但需要静态存储持续时间)。因此,如果必须使用dddd作为模板参数,则需要将其移至全局范围并使其成为extern:

extern const double dddd = 5.0;
int main()
{
    fun5<dddd>();
    return 0;
}

09-30 20:26