For循环
问题:
经常看网上两种写法,在循环中,1.将变量i定义在for循环中,2.提前定义,直接在循环中使用.这两者有没有差距了?
package com.dong.acm;
public class testFor {
public static void testfor() {
int i ;
for(int i = 0 ;i<800 ;i++)
System.out.print(i);
}
public static void testfor2() {
for(int j = 0; j< 800; j++)
System.out.print(j);
}
static int k;
public static void testfor3() {
for(k=0;k< 800;k++)
System.out.print(k);
}
public static void main(String[] args) {
long start = System.currentTimeMillis();
testfor();
long end = System.currentTimeMillis();
System.out.println("time is "+ (end-start));
long start2 = System.currentTimeMillis();
testfor2();
long end2 = System.currentTimeMillis();
System.out.println("time is "+ (end2-start2));
long start3 = System.currentTimeMillis();
testfor3();
long end3 = System.currentTimeMillis();
System.out.println("time is "+ (end3-start3));
}
}
执行结果为:(省略具体的数值输出)
操作系统为:Windows 10 , 处理器: Intel Core i7-5600U CPU @2.60GHz 2.59GHz,JDK为JAVA10.
109 | 16 | 0 |
16 | 16 | 0 |
31 | 16 | 0 |
31 | 16 | 0 |
32 | 0 | 0 |
15 | 16 | 0 |
38 | 0 | 15 |
0 | 15 | 0 |
15 | 16 | 0 |
31 | 16 | 0 |
我的理解:
为了好的规范,Java易读性,以及内存的角度出发,我们一般建议使用局部变量,局部变量在使用完后会被销毁,这样就可以将空间进行再次使用.
为了良好的开发,以及别人的阅读,我们一般都是在代码的头部将需要使用的变量提前定义出来,直接在后面使用.
public static void testfor() {
int i ;
for(int i = 0 ;i<800 ;i++)
System.out.print(i);
}
public static void testfor2() {
for(int j = 0; j< 800; j++)
System.out.print(j);
}
这两种写法,都是i为局部变量,区别就是一个提前定义,一个在使用的时候才定义,变量i都会在栈中,所以时间的差距不大;
static int k;
public static void testfor3() {
for(k=0;k< 800;k++)
System.out.print(k);
}
这个写法,视为了模仿全局变量,从类加载的角度出发(加载,验证,准备,解析,初始化),在准备阶段,静态变量会被创建,并被初始化,因此,在后期调用的时候,不需要创建,直接使用,速度最快..
以上是我的理解,如果有新的理解,欢迎评论,谢谢阅读,与君共勉.