傳輸對象模式(Transfer Object Pattern)用于從客戶端向服務(wù)器一次性傳遞帶有多個(gè)屬性的數(shù)據(jù)。傳輸對象也被稱為數(shù)值對象戒财。傳輸對象是一個(gè)具有 getter/setter 方法的簡單的 POJO 類蜡饵,它是可序列化的披诗,所以它可以通過網(wǎng)絡(luò)傳輸拨匆。它沒有任何的行為库菲。服務(wù)器端的業(yè)務(wù)類通常從數(shù)據(jù)庫讀取數(shù)據(jù)整袁,然后填充 POJO菠齿,并把它發(fā)送到客戶端或按值傳遞它。對于客戶端坐昙,傳輸對象是只讀的绳匀。客戶端可以創(chuàng)建自己的傳輸對象民珍,并把它傳遞給服務(wù)器襟士,以便一次性更新數(shù)據(jù)庫中的數(shù)值。以下是這種設(shè)計(jì)模式的實(shí)體嚷量。
- 業(yè)務(wù)對象(Business Object) - 為傳輸對象填充數(shù)據(jù)的業(yè)務(wù)服務(wù)陋桂。
- 傳輸對象(Transfer Object) - 簡單的 POJO,只有設(shè)置/獲取屬性的方法蝶溶。
- 客戶端(Client) - 客戶端可以發(fā)送請求或者發(fā)送傳輸對象到業(yè)務(wù)對象嗜历。
- 創(chuàng)建傳輸對象宣渗。
/**
* 1. 創(chuàng)建傳輸對象。
* @author mazaiting
*/
public class StudentVO {
private String name;
private int rollNo;
public StudentVO(String name, int rollNo) {
this.name = name;
this.rollNo = rollNo;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getRollNo() {
return rollNo;
}
public void setRollNo(int rollNo) {
this.rollNo = rollNo;
}
}
- 創(chuàng)建業(yè)務(wù)對象梨州。
/**
* 2. 創(chuàng)建業(yè)務(wù)對象痕囱。
* @author mazaiting
*/
public class StudentBO {
// 列表當(dāng)做數(shù)據(jù)庫
List<StudentVO> students;
public StudentBO() {
students = new ArrayList<StudentVO>();
StudentVO student1 = new StudentVO("Robert", 0);
StudentVO student2 = new StudentVO("John", 1);
students.add(student1);
students.add(student2);
}
public void deleteStudent(StudentVO student){
students.remove(student.getRollNo());
System.out.println("Student: Roll No "
+ student.getRollNo() +", deleted from database");
}
public List<StudentVO> getAllStudents() {
return students;
}
public StudentVO getStudent(int rollNo){
return students.get(rollNo);
}
public void updateStudent(StudentVO student){
students.get(student.getRollNo()).setName(student.getName());
System.out.println("Student: Roll No "
+ student.getRollNo() +", updated in the database");
}
}
- 使用 StudentBO 來演示傳輸對象設(shè)計(jì)模式。
/**
* 3. 使用 StudentBO 來演示傳輸對象設(shè)計(jì)模式暴匠。
* @author mazaiting
*/
public class Client {
public static void main(String[] args) {
StudentBO studentBusinessObject = new StudentBO();
// 輸出所有的學(xué)生
for (StudentVO student : studentBusinessObject.getAllStudents()) {
System.out.println("Student: [RollNo : "
+student.getRollNo()+", Name : "+student.getName()+" ]");
}
// 更新學(xué)生
StudentVO student = studentBusinessObject.getAllStudents().get(0);
student.setName("Michael");
studentBusinessObject.updateStudent(student);
// 獲取學(xué)生
studentBusinessObject.getStudent(0);
System.out.println("Student: [RollNo : "
+student.getRollNo()+", Name : "+student.getName()+" ]");
}
}
- 打印結(jié)果
Student: [RollNo : 0, Name : Robert ]
Student: [RollNo : 1, Name : John ]
Student: Roll No 0, updated in the database
Student: [RollNo : 0, Name : Michael ]