对象初始化
要点: 
1.对象只有在创建的时候,需要使用它的时候才进行初始化,否则永远都不会初始化. 
2.对象进行初始化是有一定顺序的,无论在定义的时候各个成员的摆放位置如何.首先是静态成员和对象,然后是非静态成员和对象,最后才运行构造器. 
3.静态成员和对象有且只有一次初始化过程,这个过程发生在第一次创建对象或者第一次使用类的静态成员和对象的时候. 
以一个名为Dog的类为例,它的对象实例初始化过程如下: 
(1) 类型为Dog的一个对象首次创建时,或者Dog类的static方法/static字段首次访问时,Java解释器必须找到Dog.class(在事先设好的类路径里搜索)。 
(2) 找到Dog.class后,它的所有static初始化模块都会运行。因此,static初始化仅发生一次?D?D在Class对象首次载入的时候。 
(3) 创建一个new Dog()时,Dog对象的构建进程首先会在内存堆(Heap)里为一个Dog对象分配足够多的存储空间。 
(4) 这种存储空间会清为零,将Dog中的所有基本类型设为它们的默认值 
(5) 进行字段定义时发生的所有初始化都会执行。 
(6) 执行构建器。正如第6章将要讲到的那样,这实际可能要求进行相当多的操作,特别是在涉及继承的时候 
5.数组的初始化 
数组包括基本数据类型数组和对象数组,其中对于对象数组的初始化,经常会出现"Exception"错误.比如下面的程序 
问题代码如下: 
public userInfo[] getUsersInfo() {  
userInfo[] usersInfo=null;  
if (users.size()!=0) {  
usersInfo=new userInfo[users.size()];  
for(int i=0;i< usersInfo.length;i++) {  
//+-------------------出问题的地方-----------------  
usersInfo[i].name=((User)(users.elementAt(i))).name;  
usersInfo[i].type=((User)(users.elementAt(i))).type;  
usersInfo[i].userID=((User)(users.elementAt(i))).userID;  
//+-------------------出问题的地方-----------------  
}  
System.out.println("here");  
return usersInfo;  
}else {  
return null;  
}  
}
其中userInfo的定义为 
class userInfo{  
userInfo(String name,int type,int userID){  
this.name=name;  
this.type=type;  
this.userID=userID;  
}  
String name;  
int type;  
int userID;  
}
运行到程序中标出的问题区域时,系统显示NullPointerException,为什么会这样呢? 
这是因为,Java在定义数组的时候 
usersInfo=new userInfo[users.size()]; 
并没有给数组元素分配内存,它只是一个句柄数组,数组中的对象还没有初始化.因此数组中的每个对象都需要new之后才可以访问.例如: 
A[] a=new A[2]; 
for(int i=0;i<2;i++) 
a[i] = new A();
这样才能a[i].someMethod() 
因此上面的程序应该改为 
public userInfo[] getUsersInfo() {  
userInfo[] usersInfo=null;  
if (users.size()!=0) {  
usersInfo=new userInfo[users.size()];  
for(int i=0;i< usersInfo.length;i++) {  
//+-------------------修改的地方-----------------  
usersInfo[i]=new userInfo(((User)(users.elementAt(i))).name,  
((User)(users.elementAt(i))).type,  
((User)(users.elementAt(i))).userID);  
}  
//+-------------------修改的地方-----------------  
return usersInfo;  
}else {  
return null;  
}  
}









