我正在为前端开发一个带有AngularJS的Web应用程序,为后端服务开发Java Play Framework。对于数据库访问,我使用Hibernate。
到目前为止,我有大约30个使用和生成JSON的服务,我直接发送Hibernate对象而不是数据传输层。
目前,由于Hibernate实体的双向引用,我面临着递归调用问题。这些问题已经通过一些注释和JSON视图解决,但是针对不同服务方法的那些视图的配置正在成为一个真正的问题,并且相应地为JSON转换注释实体实际上是对可爱的简单实体对象的膨胀。
目前我正在考虑使用DTO层来简化通信,但是我不确定为每个服务准备请求和响应DTO对象所导致的开发和性能开销是否真的值得。这是个好主意吗?
答案 0 :(得分:1)
DTO将使用与实体对象相同的字符串池。如果您的实体中有复杂的对象,您只需在DTO到实体和实体到DTO之间进行浅层复制。
DTO的使用将防止在服务层方法中暴露实体设计。使用DTO不应导致严重的性能问题。
答案 1 :(得分:0)
实际上,您甚至可以通过使用DTO方法来提高性能,因为您可以查询更少的数据,假设DTO不是您实体模型的1:1副本。 我写了article关于使用实体模型带来的问题,以及如何使用Blaze-Persistence Entity Views有效地实现DTO方法。也许你想尝试一下,看看它如何改善你的设计和性能!
答案 2 :(得分:0)
我采用了为XSD
对象编写DTO
模式定义的方法,然后使用插件生成实际的POJOs
。在我的entities
我添加了toEntityType
和fromEntityType
翻译方法。这将DTO直接转换为实体和控制服务。我不需要编写POJO,XSD也可以作为文档。例如。实体
public class Product {
private Long id;
private String name;
/**
* Fill out properties from PurchaseOrderType. Copies all dependencies.
* @param productType {@link ProductType}
* @return Product
*/
public Product fromProductType(ProductType productType) {
this.id = productType.getId();
this.name = productType.getName();
return this;
}
/**
* Create and return ProductType representation.
* @return {@link ProductType}
*/
public ProductType asProductType() {
ProductType productType = new ProductType();
productType.setId(id);
productType.setName(name);
return productType;
}
... getters, setters,
}
XSD定义:
<!-- product -->
<xsd:element name="productType">
<xsd:complexType>
<xsd:sequence>
<xsd:element name="id" type="xsd:long" minOccurs="0"/>
<xsd:element name="name" type="xsd:string" />
</xsd:sequence>
</xsd:complexType>
</xsd:element>
在pom.xml中
<plugin>
<groupId>org.jvnet.jaxb2.maven2</groupId>
<artifactId>maven-jaxb2-plugin</artifactId>
<version>0.13.2</version>
<executions>
<execution>
<goals>
<goal>generate</goal>
</goals>
</execution>
</executions>
</plugin>
和服务
/**
* Rest endpoint for a ProductType
* rest/productservice/getproduct/{id}
* @param id @{link Long}
* @return {@link ProductType}
*/
@GET
@Path("getproduct/{id}")
@Produces({MediaType.APPLICATION_JSON})
public ProductType getProduct(@PathParam("id") Long id) throws Exception {
// retrieve product information based on the id supplied in the formal argument
Product getProduct = productDao.getProduct(id);
if ( getProduct == null )
throw new IllegalArgumentException("Product not found for id: " + id);
ProductType productType = getProduct.asProductType();
return productType;
}