I created a class Chromosome that ended up simply being a wrapper for vector with an ostream operator, so I've decided to typedef vector instead. However, I'm having trouble with the templated ostream operator... Is this the best way to go about it? (I've seen a few approaches and have failed to get any to work)
template<typename G>
class Chromosome {
public:
typedef typename std::vector<G> type;
typedef typename std::pair<type *,type *> ptr_pair;
};
template<typename G> //line 19 below:
std::ostream& operator<<(std::ostream& os, const Chromosome<G>::type& chromosome) {
for(auto iter = chromosome.begin(); iter != chromosome.end(); ++iter)
std::cout << *iter;
return os;
}
At the moment the error I'm getting is:
chromosome.h:19: error: expected unqualified-id before ‘&’ token
chromosome.h:19: error: expected ‘)’ before ‘&’ token
chromosome.h:19: error: expected initializer before ‘&’ token
Cheers.
Unfortunately, there's no clean way to do this because the compiler can't deduce the type of
G
from the function declarationThe reason is that if you were to specialize
Chromosome
for different types, you could end up in a situation where the compiler couldn't unambiguously inferG
. For example:Now, what would happen if you did this?
The compiler can't tell if
G
isdouble
orint
in this case, because bothChromosome<int>
andChromosome<double>
havevector<double>
as their nested type.To fix this, you'll have to explicitly use the type
vector<G>
as the argument:Unfortunately, there really isn't a better way of doing this. It's not really a defect in the language, since there's a good reason to prohibit it, but it does actually prevent you from doing what you want to in this context.