7.4 this关键字
目录
this
关键字在Java中有多种用法,主要用来引用当前对象。以下是this
关键字的五种常见用法:
7.4.1 引用当前对象的实例变量:
当方法的参数名与实例变量名相同时,可以使用this
关键字来区分它们。this
引用当前对象的实例变量。
public class Example {
private int value;
public Example(int value) {
this.value = value; // this.value refers to the instance variable
}
}
7.4.2 调用当前对象的方法:
可以使用this
关键字来调用当前对象的另一个方法。
public class Example {
public void method1() {
System.out.println("Method1");
}
public void method2() {
this.method1(); // calls method1 of the current object
}
}
7.4.3 调用当前对象的构造方法:
在一个构造方法中可以使用this
关键字调用同一个类中的另一个构造方法。这通常用于构造方法重载中以避免代码重复。
public class Example {
private int value;
private String text;
public Example(int value) {
this(value, "default"); // calls the other constructor
}
public Example(int value, String text) {
this.value = value;
this.text = text;
}
}
7.4.4 返回当前对象:
this
关键字可以用来返回当前对象的引用,通常用于方法链(method chaining)。
public class Example {
private int value;
public Example setValue(int value) {
this.value = value;
return this; // returns the current object
}
}
public static void main(String[] args) {
Example example = new Example().setValue(5);
}
7.4.5 作为参数传递当前对象:
可以将当前对象作为参数传递给其他方法或构造函数。
public class Example {
public void display() {
System.out.println("Display method");
}
}
public class AnotherClass {
public void execute(Example example) {
example.display(); // calls the display method of the passed Example object
}
public static void main(String[] args) {
Example example = new Example();
new AnotherClass().execute(example); // passing current object as parameter
}
}
通过这些用法,this
关键字在Java中提供了一种方便的方式来引用当前对象,并处理实例变量、方法调用、构造方法重载等情况。
7.4.6 this实现链式调用
链式调用(Method Chaining)是一种编程风格,允许在单个语句中连续调用多个方法。通过使用this
关键字返回当前对象的引用,可以实现链式调用。这种风格使代码更简洁、更易读。
以下是一个实现链式调用的示例:
public class Person {
private String name;
private int age;
private String address;
public Person setName(String name) {
this.name = name;
return this; // 返回当前对象以便进行链式调用
}
public Person setAge(int age) {
this.age = age;
return this; // 返回当前对象以便进行链式调用
}
public Person setAddress(String address) {
this.address = address;
return this; // 返回当前对象以便进行链式调用
}
@Override
public String toString() {
return "Person{name='" + name + "', age=" + age + ", address='" + address + "'}";
}
public static void main(String[] args) {
Person person = new Person()
.setName("John Doe")
.setAge(30)
.setAddress("123 Main St");
System.out.println(person); // 输出:Person{name='John Doe', age=30, address='123 Main St'}
}
}
在这个示例中,Person
类有三个方法:setName
、setAge
和 setAddress
。每个方法都返回this
,即当前对象的引用,从而允许在方法调用后继续调用其他方法。这种方式称为链式调用,可以使代码更加简洁和连贯。
执行结果将是:
Person{name='John Doe', age=30, address='123 Main St'}
通过链式调用,可以在一行代码中连续设置多个属性,避免了多行代码的冗余。这在构建器模式(Builder Pattern)中也非常常见,用于创建复杂对象时简化代码。
标签:调用,对象,value,Example,关键字,7.4,public From: https://www.cnblogs.com/hweiling/p/18361594