首先我们来认识一下基本的构造方法:`
public class Gouzao{
public Gouzao(){
System.out.println("hello");
}
}
所写的就是一种普通的构造方法。观察一下,构造方法的类名与方法名必须相同,第二构造方法的方法不会使用其他类型比如(int,void等)。然后我们再来看看它是怎样使用的。
class Gouzao{
public Gouzao(){
System.out.println("hello");
}
}
public class Test{
public static void main(String[] args)
{
Gouzao g=new Gouzao();
}
}
我们可以看到hello被成功输出。值得注意的是,相较与之前的调用。例如:
class All{
public void method(){
System.out.println("hello");
}
}
public class Test{
public static void main(String[] args)
{
All A=new All();
A.method();
}
}
我们可以看到首先之前的方式All类中的方法又返回类型,其次在调用的过程中在new一个对象时,还需要进行A.method();的方法引用。而在构造方法中只需要new一个对象那么就会调用这个类以及其方法。原因就是在构造方法的使用中,系统在为对象创建内存区域时会自动调用构造方法来初始化成员变量。
解释:
Gouzao g=new Gouzao();//成员变量为空
Gouzao g=new Gouzao("张三");//成员变量为张三
与之前类的方法的重载一样,构造方法也可以进行重载,例如:
class Gouzao{
String name;
int age;
public Gouzao(){
System.out.println("空");
}
public Gouzao(String b,int a)
{
this.name=b;
this.age=a;
System.out.println(name+" "+age);
}
public Gouzao(int a,String b){
this.name=b;
this.age=a;
System.out.println(age+" "+name);
}
}
public class Test{
public static void main(String[] args)
{
Gouzao g=new Gouzao(10,"张三");
Gouzao g1=new Gouzao("张三",10);
Gouzao g2=new Gouzao();
}
}
输出结果如下:
上述例子证明,构造方法可以重载并且参数表的顺序改变会使的构造方法采取的方法不同。