I want to have a template function defined in one file and used in many files. Does this work the same way regular function prototypes work? So I can define it once and just include the prototype in other files? I have the same question for classes, must I include the full defintion of a template class in each header file, just as I would for a class? Would it cause and error if I defined a template function twice in separate files or would this just go unchecked.
One more question, what is the format for a template function prototype?
No, it's not the same as a regular function. With a regular function, you can declare
in a header, define the functions in some source file, such as
foo.cc
, #include the header in any source file that has to use those functions, such asbar.cc
, and let the linker do the rest. The compiler will compilebar.cc
and producebar.o
, confident that you've defined the functions somewhere, and if you haven't then you'll get a link-time error.But if you're using a template:
try to imagine how that would work. The source files
foo.cc
andbar.cc
are independent and know nothing about each other, except that they agree on what's in the headers they both #include (that's the whole idea). Sobar.cc
doesn't know howfoo.cc
implements things, andfoo.cc
doesn't know whatbar.cc
will do with these functions. In this scenario,foo.cc
doesn't know what typebar.cc
will specify for T. So how canfoo.cc
possible have definitions for every typename under the sun?It can't, so this approach isn't allowed. You must have the whole template in the header, so that the compiler can gin up a definition for
foo(int)
, orfoo(string)
, orfoo(myWeirdClass)
, or whateverbar.cc
calls for, and build it intobar.o
(or complain if the template makes no sense for that type).The same goes for classes.
The rules are a little different for template specializations, but you should get a good grip on the basics before trying the advanced techniques.