不同于类模板,可以具有显式特化和局部特化(partial specializations),函数模板没有”局部特化”的概念,只有显式特化和重载。
函数模板在C++标准中的描述:
A function template defines an unbounded set of related functions.
函数模板特化和函数重载的区别是什么?
**[TC++PL4th]**How does a specialization differ from overloading? From a technical point of view, they differ because individual functions take part in overloading whereas only the primary template takes part in specialization.
函数模板的特化和普通的函数重载略有不同:
1 |
|
这里void func(int)
是函数重载,而不是函数模板特化(不过从本质来说模板特化出来的函数也是重载函数)。
注意下面的问题:
1 | int ival=123; |
从中间代码(LLVM-IR)的角度来看更直观一些:
1 | %1 = alloca i32, align 4 |
原因在于func<int>(ival)
显式地通过函数模板得到一个重载的func实例,而和void func(int)
调用的函数不同是由于普通的函数和函数模板具有两种不同的签名规则:
<function>
name, parameter type list (8.3.5), and enclosing namespace (if any)<function template>
name, parameter type list (8.3.5), enclosing namespace (if any), return type, and template parameter list<function template specialization>
signature of the template of which it is a specialization and its template arguments (whether explicitly specified or deduced)
C++标准中给出了更直接的描述:
A non-template function is not related to a function template (i.e., it is never considered to be a specialization), even if it has the same name and type as a potentially generated function template specialization.
That is, declarations of non-template functions do not merely guide overload resolution of function template specializations with the same name. If such a non-template function is odr-used (3.2) in a program, it must be defined; it will not be implicitly instantiated using the function template definition.
关于重载决议的描述:
A function template can be overloaded either by (non-template) functions of its name or by (other) function templates of the same name.
函数的重载决议的最佳可行函数(Best viable function)具有一个非常复杂的规则,在本篇文章中按下不表。
函数特化的功能有限,在对无参函数进行匹配时有用:
1 | template <typename T> |
而且,两个不同的函数模板有可能会特化出相同的类型:
It is possible to overload function templates so that two different function template specializations have the same type.
1 | // file1.cc |
以及:
1 | // file2.cc |
这样的特化并不违反ODR:
Such specializations are distinct functions and do not violate the one definition rule (3.2).
原因就是前面提到的函数模板的签名规则是包含parameter type list
的。
所以,void f(T*)
与void func(T)
是具有不同签名的函数:
void func(T*)
的参数类型列表为T,函数参数为T*void func(T)
的参数类型列表为T*,参数类型也为T*
可以看一下上面代码的IR代码:
1 | // file1.cc |
用直观的diff来看一下:
可以看到,虽然两个不同的函数模板可以特化出接收相同参数的函数类型,但是本质上他们还是不一样的。