Java 封装
封装
封装 的含义是确保“敏感”数据对用户隐藏。要实现此目的,您必须
- 将类变量/属性声明为
private
- 提供公共 get 和 set 方法来访问和更新
private
变量的值
Get 和 Set
您从上一章中学到,private
变量只能在同一个类中访问(外部类无法访问它)。但是,如果我们提供公共 get 和 set 方法,则可以访问它们。
The get
method returns the variable value, and the set
method sets the value.
Syntax for both is that they start with either get
or set
, followed by the name of the variable, with the first letter in upper case
示例
public class Person {
private String name; // private = restricted access
// Getter
public String getName() {
return name;
}
// Setter
public void setName(String newName) {
this.name = newName;
}
}
示例说明
The get
method returns the value of the variable name
.
The set
method takes a parameter (newName
) and assigns it to the name
variable. The this
keyword is used to refer to the current object.
但是,由于 name
变量声明为 private
,因此我们不能从该类外部访问它
示例
public class Main {
public static void main(String[] args) {
Person myObj = new Person();
myObj.name = "John"; // error
System.out.println(myObj.name); // error
}
}
如果变量声明为 public
,我们预计以下输出
John
但是,当我们尝试访问 private
变量时,出现错误
MyClass.java:4: error: name has private access in Person
myObj.name = "John";
^
MyClass.java:5: error: name has private access in Person
System.out.println(myObj.name);
^
2 errors
相反,我们使用 getName()
和 setName()
方法来访问和更新变量
示例
public class Main {
public static void main(String[] args) {
Person myObj = new Person();
myObj.setName("John"); // Set the value of the name variable to "John"
System.out.println(myObj.getName());
}
}
// Outputs "John"
为什么封装?
- 更好地控制类属性和方法
- 类属性可以设置为只读(如果您只使用
get
方法),或只写(如果您只使用set
方法) - 灵活:程序员可以在不影响其他部分的情况下更改代码的一部分
- 提高数据安全性