某个方法的“返回值类型”会声明为某个“类”类型,它返回的是这个类的对象的引用,也可能返回空指针NULL,下面这个例子演示了创建一个返回值类型为类名的getStudent()方法,并且怎么接受这个返回值。
- //定义一个Student类
- class Student{
- void show(){
- System.out.println("Student的show()");
- }
- }
- //存在主方法的一个测试Demo类
- class Demo{
- public static void main(String[] args){
- Student stu=getStudent();
- //判断返回的是否是空指针,保证程序的健壮性
- if(stu != NULL){
- stu.show();//如果不是空指针,调用Student类的show方法
- }
- }
- //这是一个返回Student类型的方法
- public static Student getStudent(){
- Student stu=new Student();
- return stu;
- }
- }
复制代码 在上述例子中,有一个Student的类和一个Demo的测试类,在Demo测试类中定义了一个getStudent()的方法,仔细一看该方法的返回值类型是Student类类型的。所以我们在该方法中创建了一个Student的对象,并返回该对象的引用stu。
那么怎么在main方法中调用该方法了,因为返回的是“类”类型,所以也得用一个对象的引用来接收该方法的返回值,又因为返回值可能为NULL,为了保证程序的健壮性,用了一个if判断语句,最后,用接收到返回值类型的对象的引用stu来带调用Student类中的show()方法
|
|