今天主要學習了一下 java 中 get 和 set 函式的使用情況
public class Person {
// 私有變數
private String name;
private int age;
// Getter 方法
public String getName() {
return name;
}
public int getAge() {
return age;
}
// Setter 方法
public void setName(String name) {
this.name = name;
}
public void setAge(int age) {
if (age >= 0) { // 進行資料驗證
this.age = age;
} else {
System.out.println("年齡不能為負數");
}
}
}
解釋:
建立了一個 Person 類,它有兩個私有變數:age 和 name。 簡單的驗證:年齡不能為負數。這提高了物件狀態的安全性。
使用示例:
來訪問和修改物件的屬性
public class Main {
public static void main(String[] args) {
Person person = new Person();
// 使用 Setter 設定值
person.setName("Alice");
person.setAge(25);
// 使用 Getter 獲取值
System.out.println("姓名: " + person.getName());
System.out.println("年齡: " + person.getAge());
// 測試年齡驗證
person.setAge(-5); // 輸出: 年齡不能為負數
}
}