I want to make some numerical computations in java, and to make operation really modular, I want pass functions as parameters of other functions. I was searching and normally it is done in java using class which warp the function. I realy don't need instantiate these classes (there are no data inside) and I want to make it as fast as possible (somewhere was writen that final static methods are inlined by JIT compiler). So I made something like this
public static class Function2 {
public static float eval(float a, float b){ return Float.NaN; }
}
public static class FAdd extends Function2 {
public static float eval(float a, float b){ return a+b; }
}
public static class Fmult extends Function2 {
public static float eval(float a, float b){ return a*b; }
}
void arrayOp( float [] a, float [] b, float [] out, Function2 func ){
for (int i=0; i<a.length; i++){ out[i] = func.eval( a[i], b[i] ); }
}
float [] a,b, out;
void setup(){
println( FAdd.eval(10,20) );
arrayOp( a,b, out, FAdd );
}
However it prints error: "Cannot find anything like FAdd" when I try to pass it to arrayOp, even though println( FAdd.eval(10,20) ) works fine. So it seem that for some reason it is just impossible to pass static class as a prameter.
What you recommand to solve such task? I actualy want FAdd to be something like macro, nad arrayOp be polymorf (behave depending of which macro I pass in). But ideal would be if it would be resolved in compile time (not in runtime) to improve numerical speed. The compiled result should be the same as if I would write
void arrayAdd( float [] a, float [] b, float [] out ){
for (int i=0; i<a.length; i++){ out[i] = a[i] + b[i]; }
}
void arrayMult( float [] a, float [] b, float [] out ){
for (int i=0; i<a.length; i++){ out[i] = a[i] * b[i]; }
}
Have you considered using enums?
Prints: