I'm looking for an elegant way to avoid re-writing a function, whose implementation is almost the same, but only the signature (the number of input parameters and their data types) is different. I know function overloading is not possible in C. I also know about the existence of variadic functions. But I think they won't be helpful in this situation.
Consider the following problem, where we need to calculate the area of a triangle. We have two functions implementing two different formulae: S = 1/2bh and S = sqrt(s(s-a)(s-b)(s-c)). Apart from calculating the area each of the functions also modifies a parameter nb
or nthr
. Finally, there is a top level routine bisect_area_...
that launches a bisection procedure on a given function area_tria1
or area_tria2
optimising it for a parameter nb
or nthr
. Currently I explicitly implement two bisection functions: one for the signature of area_tria1
and another one for area_tria2
. I feel there must be a better, more elegant way, that would allow to have a single generic bisection function bisect_area_tria()
. Please note, in the real case, that I have at hand, the input parameter data types also differ.
Below is a skeleton pseudocode of the function signatures:
// Calculate area of triangle, modify and return parameter 'nb'
void area_tria1_nb(..., int *nb, double b, double h, double *S) {
// change parameter 'nb'
...
S = 0.5*b*h;
}
// Calculate area of triangle, modify and return parameter 'nthr'
void area_tria1_nthr(..., int *nthr, double b, double h, double *S) {
// change parameter 'nthr'
...
S = 0.5*b*h;
}
// Optimise calculation of area of triangle, for parameter 'nb' or 'nthr'
void bisect_area_tria1(..., double b, double h, double *S, int (*area_tria1)(double, double)) {
}
// Calculate area of triangle, modify and return parameter 'nb'
void area_tria2_nb(..., int *nb, double a, double b, double c, double *S) {
// change parameter 'nb'
...
S = sqrt(s*(s-a)*(s-b)*(s-c));
}
// Calculate area of triangle, modify and return parameter 'nthr'
void area_tria_2_nthr(..., int *nthr, double a, double b, double c, double *S) {
// change parameter 'nthr'
...
S = sqrt(s*(s-a)*(s-b)*(s-c));
}
// Optimise calculation of area of triangle, for parameter 'nb' or 'nthr'
void bisect_area_tria2(..., double a, double b, double c, double *S, int (*area_tria2)(double, double, double)) {
}
void main() {
bisect_area_tria1(..., &nb, b, h, &S, area_tria1_nb);
bisect_area_tria1(..., &nthr, b, h, &S, area_tria1_nthr);
bisect_area_tria2(..., &nb, a, b, c, &S, area_tria2_nb);
bisect_area_tria2(..., &nthr, a, b, c, &S, area_tria2_nthr);
}