我已经阅读了Java接口(回调),因为教授告诉我应该在我的一个程序中使用回调。在我的代码中,有两个数学函数我可以选择'从。当我想要改变函数时,他没有使用方法activate()和更改内部代码(从一个函数到另一个函数),他说我应该使用回调。但是,从我所读到的有关回调的内容来看,我不确定这将如何有用。
编辑:添加了我的代码
public interface
//the Interface
Activation {
double activate(Object anObject);
}
//one of the methods
public void sigmoid(double x)
{
1 / (1 + Math.exp(-x));
}
//other method
public void htan(final double[] x, final int start,
final int size) {
for (int i = start; i < start + size; i++) {
x[i] = Math.tanh(x[i]);
}
}
public double derivativeFunction(final double x) {
return (1.0 - x * x);
}
}
答案 0 :(得分:1)
如果你想使用这样的接口会起作用。
我有一个MathFunc
接口,它有一个calc
方法。
在程序中,我有一个MathFunc
用于mutliplication,一个用于添加。
使用方法chooseFunc
,您可以选择其中之一,并使用doCalc
当前所选的MathFunc
进行计算。
public interface MathFunc {
int calc(int a, int b);
}
你可以这样使用它:
public class Program {
private MathFunc mult = new MathFunc() {
public int calc(int a, int b) {
return a*b;
}
};
private MathFunc add = new MathFunc() {
public int calc(int a, int b) {
return a+b;
}
};
private MathFunc current = null;
// Here you choose the function
// It doesnt matter in which way you choose the function.
public void chooseFunc(String func) {
if ("mult".equals(func))
current = mult;
if ("add".equals(func))
current = add;
}
// here you calculate with the chosen function
public int doCalc(int a, int b) {
if (current != null)
return current.calc(a, b);
return 0;
}
public static void main(String[] args) {
Program program = new Program();
program.chooseFunc("mult");
System.out.println(program.doCalc(3, 3)); // prints 9
program.chooseFunc("add");
System.out.println(program.doCalc(3, 3)); // prints 6
}
}