假设我有两个重载方法void foo(int arg)void foo(int[] args)。两者都对整数参数执行相同的处理。现在,我以这种方式实现了它们

void foo(int arg){
    // Some processing.
}

void foo(int[] args){
    for(int i : args)
        //The same processing as above.
}

现在,我知道避免代码重复是更好的设计原则,因此第二种方法也可以实现为:
void foo(int[] args){
    for(int i : args)
        foo(i);
}

但是,由于我多次调用该方法,并且由于方法调用会增加开销,因此这种方法会使速度变慢。所以,我的问题是:我应该使用哪种方法?

最佳答案

您在谈论的是微不足道的开销。我有一个小程序,可以帮助您了解它的重要性:

class Bar {
    void foo(double d) {
        double y = (d + 1) * d / 7.1 % 31.3 + 13.12 * 20.002;
    }

    void foo1(double[] args) {
        for (double d : args) {
            foo(d);
        }
    }

    void foo2(double[] args) {
        for (double d : args) {
            double y = (d + 1) * d / 7.1 % 31.3 + 13.12 * 20.002;
        }
    }
}

这是一个测试和样品运行
   public class Main {
        public static void test(int n) {
            System.out.print(n + ",");

            double is[] = new double[n];
            for (int i = 0; i < is.length; i++) {
                is[i] = i * 1.3;
            }

            Bar bar = new Bar();
            long span;

            long start = System.currentTimeMillis();
            bar.foo1(is);
            span = System.currentTimeMillis() - start;
            System.out.print(span + ",");

            start = System.currentTimeMillis();
            bar.foo2(is);
            span = System.currentTimeMillis() - start;
            System.out.print(span + "\n");
        }

        public static void main(String[] args) {
            test(10000000);
            test(20000000);
            test(30000000);
            test(40000000);
            test(50000000);
            test(60000000);
        }
    }

这是一个输出:
10000000,389,383
20000000,743,766
30000000,1130,1113
40000000,1497,1474
50000000,1866,1853
60000000,2243,2239

foo方法越复杂,其区别将越微不足道。因此恕我直言,忘记性能,考虑可维护性。

关于java - 我是否应该选择代码复制来提高性能?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19074399/

10-10 14:26
查看更多