在以下C++代码中,bar<func_ptr>(); //does not work行导致编译错误:

#include <iostream>

using namespace std;

void foo(){
    cout<<"Hello world";
};

template<void(*func)()>
void bar(){
    (*func)();
}

int main() {
    using fun_ptr_type= void(*)();
    constexpr fun_ptr_type func_ptr=&foo;

    bar<&foo>();     //works
    bar<func_ptr>(); //does not work
    return 0;
}

g++的输出是这样的:
src/main.cpp: In function ‘int main()’:
src/main.cpp:19:16: error: no matching function for call to ‘bar()’
  bar<func_ptr>(); //does not work
                ^
src/main.cpp:10:6: note: candidate: template<void (* func)()> void bar()
 void bar(){
      ^~~
src/main.cpp:10:6: note:   template argument deduction/substitution failed:
src/main.cpp:19:16: error: ‘(fun_ptr_type)func_ptr’ is not a valid template argument for ty
pe ‘void (*)()’
  bar<func_ptr>(); //does not work
                ^
src/main.cpp:19:16: error: it must be the address of a function with external linkage

我不明白为什么直接将foo的地址作为模板参数传递,但是当我传递constexpr func_ptr时,即使在编译时正好拥有foo的地址,该代码也无法编译。谁可以给我解释一下这个?

编辑:我的g++版本是
$ g++ --version
g++ (Debian 6.3.0-18+deb9u1) 6.3.0 20170516
Copyright (C) 2016 Free Software Foundation, Inc.
This is free software; see the source for copying conditions.  There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.

最佳答案

https://en.cppreference.com/w/cpp/language/template_parameters说:



由于constexpr fun_ptr_type func_ptr=&foo在编译时不会求值为nullptr值,因此如果您使用-std=c++14-std=c++11运行它,它将失败。

但是,C++ 17对函数指针非类型模板参数没有任何此类要求。它说:



(以上内容有一些异常(exception),但均不适用于函数指针)。

因此,您提供的代码可以与-std=c++17选项一起完美运行。

关于c++ - 函数指针作为模板参数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/51502317/

10-11 15:24