在对Java代码进行优化的时候,想方设法的要提高整体的效率,使用JProfiler看代码的时间占比,然后,看看哪些部分是可以优化的,减少运行时间的。下面有这么几个方向。
下面对这个构造和set的效率对比:
然后,使用的代码如下:
package com.lxk.fast;
import com.google.common.collect.Lists;
import com.lxk.model.Car;
import com.lxk.model.Dog;
/**
* 测试谁快 直接构造或者一个个set,他们的效率差多少
*
* @author LiXuekai on 2019/6/18
*/
public class FastIsConstructOrSet {
public static void main(String[] args) {
testFast();
}
/**
* 使用JProfiler看时间占比
*/
private static void testFast() {
while (true) {
//27.4%
set();
//72.6%
construct();
}
}
/**
* 构造函数来给属性赋值
*/
private static void construct() {
Car car = new Car("oooo", 100, Lists.newArrayList(new Dog("aaa", true, true)));
}
/**
* set来给属性赋值
*/
private static void set() {
Car car = new Car();
car.setSign("oooo");
car.setPrice(100);
Dog dog = new Dog();
dog.setName("aaa");
dog.setAlive(true);
dog.setLoyal(true);
car.setMyDog(Lists.newArrayList(dog));
}
}
可以发现,构造就是比一个个设置要快不少,所以,在能一步到位给属性设置值的时候,考虑到效率问题,就要这么干!
不是有老铁说builder模式吗?
我好奇就测试了一下,万一这个builder模式快呢。
下面是builder的代码:
/**
* 使用JProfiler看时间占比
*/
@Test
public void testFast2() {
while (true) {
//33%
set();
//12.4%
construct();
//54.6%
builder();
}
}
/**
* 使用lombok的 builder 模式来赋值
*/
private static void builder() {
Car car = Car.builder()
.sign("0000")
.price(100)
.myDog(Lists.newArrayList(Dog.builder().name("aaa").alive(true).isLoyal(true).build()))
.build();
}
使用的Lombok的注解。
然后是JProfiler监测结果
结果:
可以看到,还是构造函数牛x呀,还是他快,另外,上面的比例:72.6 : 27.4 = 33 :12.4 = 2.64
构造和set的时间比例是没有变化的。
来源:blog.csdn.net/qq_27093465/article/details/92763548