传输对象模式

传输对象模式(Transfer Object Pattern)用于从客户端向服务器一次性传递带有多个属性的数据。传输对象也被称为数值对象。传输对象是一个具有 getter/setter 方法的简单的 POJO 类,它是可序列化的,所以它可以通过网络传输。它没有任何的行为。服务器端的业务类通常从数据库读取数据,然后填充 POJO,并把它发送到客户端或按值传递它。对于客户端,传输对象是只读的。客户端可以创建自己的传输对象,并把它传递给服务器,以便一次性更新数据库中的数值。以下是这种设计模式的实体。

业务对象(Business Object) - 为传输对象填充数据的业务服务。

传输对象(Transfer Object) - 简单的 POJO,只有设置/获取属性的方法。

客户端(Client) - 客户端可以发送请求或者发送传输对象到业务对象。


传输对象模式的实例

定义值对象类

class StudentVO {
constructor(name, rollNo){
this.name = name;
this.rollNo = rollNo;
}
getName() {
return this.name;
}
setName(name) {
this.name = name;
}
getRollNo() {
return this.rollNo;
}
setRollNo(rollNo) {
this.rollNo = rollNo;
}
}

定义值对象对应的业务对象

class StudentBO{
constructor(){
//列表是当作一个数据库
this.students = [];
this.students.getIndexByRollNo = (rollNo)=>{
return this.students.findIndex(
(val)=>val.getRollNo() == rollNo
);
}
const student1 = new StudentVO("Robert",0);
const student2 = new StudentVO("John",1);
this.students.push(student1);
this.students.push(student2);
}
deleteStudent(student) {
this.students.splice(student.getIndexByRollNo(student.getRollNo() ),1);
console.log("Student: Roll No " + student.getRollNo()
+", deleted from database");
}
//从数据库中检索学生名单
getAllStudents() {
return this.students;
}
getStudent(rollNo) {
return this.students[this.students.getIndexByRollNo(rollNo)];
}
updateStudent(student) {
this.students[this.students.getIndexByRollNo(student.getRollNo())].setName(student.getName());
console.log("Student: Roll No " + student.getRollNo()
+", updated in the database");
}
}

获取全部业务对象,并更新传输对象

const studentBusinessObject = new StudentBO();
//输出所有的学生
for (const student of studentBusinessObject.getAllStudents()) {
console.log("Student: [RollNo : "
+student.getRollNo()+", Name : "+student.getName()+" ]");
}
//更新学生
const student =studentBusinessObject.getAllStudents()[
studentBusinessObject.getAllStudents().getIndexByRollNo(0)
];
student.setName("Michael");
studentBusinessObject.updateStudent(student);
//获取学生
studentBusinessObject.getStudent(0);
console.log("Student: [RollNo : "
+student.getRollNo()+", Name : "+student.getName()+" ]");


传输对象模式的优势

代码看起来和数据访问对象模式很像,但是表达的意思是完全不一样的。传输对象模式表达的是一种传输模型,数据访问对象模式表达的是模型层和操作层的分离。


链接: https://fly63.com/course/27_1290