0
public double evalute(double distance){

    /**
     * equation (3.2)
     */
    this.from = 0;
    this.to = distance;
    this.n = 2;
    return - 10 * Math.log10(Math.exp(-IntSimpson(this.from, this.to, this.n)));
}

我手动设计了 IntSimpson() 函数,但我想使用标准库!我该怎么做以及在哪里可以找到它?

4

2 回答 2

3

如果要实际使用积分器对象,则需要调用集成方法,该方法采用UnivariateFunction的实例。如果你在 Java 8 上,这是一个单方法接口,所以它自动是一个函数式接口。因此,您可以传递 lambda 或方法引用,如下所示:

final SimpsonIntegrator si = new SimpsonIntegrator();
final double result = si.integrate(50, x -> 2*x, 0, 10);
System.out.println(result + " should be 100");

否则,您必须自己创建接口的实现,方法是让一个类实现它,或者使用匿名类:

final double result = si.integrate(50, new UnivariateFunction() {
        @Override public double value(double x) {
            return 2*x;
        }
    }, 0, 10);
System.out.println(result + " should be 100");
于 2017-07-02T21:50:04.583 回答
0

有用!

final SimpsonIntegrator si = new SimpsonIntegrator();
final double result1 = si.integrate(10, x -> 2*Math.pow(x, 1), 0.0, 10.0);
System.out.println(result1 + " should be 100.0");
final double result2 = si.integrate(1000, x -> Math.sin(x), 0.0, Math.PI);
System.out.println(result2 + " should be 2.0000...");

谢谢哈维尔马丁!_

于 2017-07-05T18:44:23.310 回答