设计模式-传输对象模式


当我们想要一次从客户端向服务器传递具有多个属性的数据时,可以使用传输对象模式。传输对象也称为值对象。Transfer Object 是一个简单的 POJO 类,具有 getter/setter 方法,并且可序列化,以便可以通过网络传输。它没有任何Behave。服务器端业务类通常从数据库中获取数据并填充POJO并将其发送到客户端或按值传递。对于客户端来说,传输对象是只读的。客户端可以创建自己的传输对象并将其传递给服务器以一次性更新数据库中的值。以下是此类设计模式的实体。

  • 业务对象- 业务服务用数据填充传输对象。

  • 传输对象- 简单的 POJO,仅具有设置/获取属性的方法。

  • 客户端- 客户端请求传输对象或将传输对象发送到业务对象。

执行

我们将创建一个StudentBO作为业务对象,Student作为代表我们实体的传输对象。

TransferObjectPatternDemo是我们的演示类,在这里充当客户端,并将使用StudentBOStudent来演示传输对象设计模式。

传输对象模式 UML 图

步骤1

创建传输对象。

StudentVO.java

public class StudentVO {
   private String name;
   private int rollNo;

   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;
   }
}

第2步

创建业务对象。

学生BO.java

import java.util.ArrayList;
import java.util.List;

public class StudentBO {
	
   //list is working as a database
   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");
   }

   //retrive list of students from the 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");
   }
}

步骤3

使用StudentBO演示传输对象设计模式。

TransferObjectPatternDemo.java

public class TransferObjectPatternDemo {
   public static void main(String[] args) {
      StudentBO studentBusinessObject = new StudentBO();

      //print all students
      for (StudentVO student : studentBusinessObject.getAllStudents()) {
         System.out.println("Student: [RollNo : " + student.getRollNo() + ", Name : " + student.getName() + " ]");
      }

      //update student
      StudentVO student = studentBusinessObject.getAllStudents().get(0);
      student.setName("Michael");
      studentBusinessObject.updateStudent(student);

      //get the student
      student = studentBusinessObject.getStudent(0);
      System.out.println("Student: [RollNo : " + student.getRollNo() + ", Name : " + student.getName() + " ]");
   }
}

步骤4

验证输出。

Student: [RollNo : 0, Name : Robert ]
Student: [RollNo : 1, Name : John ]
Student: Roll No 0, updated in the database
Student: [RollNo : 0, Name : Michael ]