性能调优可以分为:硬件调优、网络调优、架构调优、组件配置调优、业务调优、数据库调优、代码调优等,此篇就是简单的代码调优实践。
引用:马士兵老师的课程,以日期(年,月,日)数组为例,进行递增排序
综上所述:通过对冒泡法的改进后,当日期数组元素>=1000 时,性能优化了至少 50%。
public static void BubbleSort(DateArray[] d) { //递增排序,普通冒泡法
DateArray demo = new DateArray(2016,12,12);
for(int i=0; i<d.length; i++) {
for(int j=i+1; j<d.length; j++) {
if(d[i].compare(d[j])>0) {
demo = d[i];
d[i] = d[j];
d[j] = demo;
}
}
}
}
public static void BubbleSortGood(DateArray[] d) { //递增排序,改进冒泡法
int z=0;
DateArray demo = new DateArray(2016,12,12);
for(int i=0; i<d.length; i++) {
z = i;
for(int j=z+1; j<d.length; j++) {
if(j < d.length) {
if(d[z].compare(d[j])>0) {
z = j;
}
}else {
demo = d[i];
d[i] = d[j];
d[j] = demo;
}
}
}
}
public class TestDataSort {
public static void main(String[] args) {
long starttime_BubbleSort; //原始冒泡法开始时间 变量定义
long endtime_BubbleSort; //原始冒泡法结束时间 变量定义
long starttime_BubbleSortGood; //改进冒泡法开始时间 变量定义
long endtime_BubbleSortGood; //改进冒泡法结束时间 变量定义
//日期数据的定义及初始化
DateArray[] d = new DateArray[1000];
for(int i=0; i<d.length; i++) {
d[i] = new DateArray((int)(2020+Math.random()*(2020-1990+1)),(int)(12+Math.random()*(12-1+1)),(int)(30+Math.random()*(30-1+1)));
}
//原始冒泡法计时及耗时输出
starttime_BubbleSort = System.currentTimeMillis();
BubbleSort(d);
endtime_BubbleSort = System.currentTimeMillis();
System.out.println("原始冒泡法耗时"+(long)(endtime_BubbleSort-starttime_BubbleSort)+"毫秒");
System.out.println("----------------------------------------------");
//改进冒泡法计时及耗时输出
starttime_BubbleSortGood = System.currentTimeMillis();
BubbleSortGood(d);
endtime_BubbleSortGood = System.currentTimeMillis();
System.out.println("改进后冒泡法耗时"+(long)(endtime_BubbleSortGood-starttime_BubbleSortGood)+"毫秒");
}
//递增排序,普通冒泡法
public static void BubbleSort(DateArray[] d) {
DateArray demo = new DateArray(2016,12,12);
for(int i=0; i<d.length; i++) {
for(int j=i+1; j<d.length; j++) {
if(d[i].compare(d[j])>0) {
demo = d[i];
d[i] = d[j];
d[j] = demo;
}
}
}
}
//递增排序,改进冒泡法
public static void BubbleSortGood(DateArray[] d) {
int z=0;
DateArray demo = new DateArray(2016,12,12);
for(int i=0; i<d.length; i++) {
z = i;
for(int j=z+1; j<d.length; j++) {
if(j < d.length) {
if(d[z].compare(d[j])>0) {
z = j;
}
}else {
demo = d[i];
d[i] = d[j];
d[j] = demo;
}
}
}
}
}
//日期数组类定义
class DateArray {
int year;
int month;
int day;
public DateArray(int year, int month, int day) {
this.year = year;
this.month = month;
this.day = day;
}
public int compare(DateArray d) {
return year > d.year ? 1
: year < d.year ? -1
: month > d.month ? 1
: month < d.month ? -1
: day > d.day ? 1
: day < d.day ? -1
: 0;
}
}