I have a class template Function
that takes a unsigned integer as a template argument, for the number of inputs. This template overloads operator()
so the Function
can be evaluated for a set of given inputs.
Usually, one of the prototypes for this member would be operator()(double, ...)
. However, if the template argument is 0, then that prototype wouldn't work, as it requires at least one argument.
template <unsigned Arity>
struct Function {
void operator () (double, ...);
};
Normally, I'd just write a template specialization, but there would be a lot of redundant code since there are a lot of other member functions. Again, normally, I'd make a base class containing the redundant code for the main class definition and the specialization to inherit from.
struct FunctionBase {
// Common code
Function operator + (Function const &) const; // ?
};
template <unsigned Arity>
struct Function : FunctionBase { /* etc */ };
Unfortunately, I'm unsure how to go about doing this, since for example operator+
is meant to return a Function
. But how can it do this if Function
is only defined later on? Function
inherits from the base class, and by this design operator+
is in the base class...
It could return an instance of the base class, but then we need a way to convert that instance to an instance of Function
, and I know of no way to do this without copying the first instance's data, which is very expensive in terms of performance.
How can I accomplish this?
The question is quite difficult to answer for it's far from being clear.
Below two possibile alternatives that try to address your issues:
If you want to go ahead with
Arity
template parameter, you can use sfinae'd operators to deal withArity
equal to 0:This way you no longer need to introduce a base class and all the related problems don't apply anymore.
If you mind changing approach instead, you can switch to the following pattern for your function object:
You can use it as it follows:
If you want to have a fixed
double
as you first parameter foroperator()
, you can do this:And use it as it follows:
This will help at least dealing easily with empty parameter packs (note that
sizeof...(A)
will return you the number of submitted parameters in any case).It follows a minimal, working example implementation: