gpt4 book ai didi

java - 如何在 Jhipster 生成的应用程序上从 AbstractAuditingEntity 扩展实体?

转载 作者:搜寻专家 更新时间:2023-11-01 03:20:22 25 4
gpt4 key购买 nike

我用命令 yo jhipster:entity MyEntity 生成了一个实体(我使用的是 generator-jhipster@2.19.0 )

和以下选项

{
"relationships": [],
"fields": [
{
"fieldId": 1,
"fieldName": "title",
"fieldType": "String"
}
],
"changelogDate": "20150826154353",
"dto": "no",
"pagination": "no"
}

我在 liquibase 变更日志文件中添加了可审核的列

<changeSet id="20150826154353" author="jhipster">
<createSequence sequenceName="SEQ_MYENTITY" startValue="1000" incrementBy="1"/>
<createTable tableName="MYENTITY">
<column name="id" type="bigint" autoIncrement="${autoIncrement}" defaultValueComputed="SEQ_MYENTITY.NEXTVAL">
<constraints primaryKey="true" nullable="false"/>
</column>
<column name="title" type="varchar(255)"/>

<!--auditable columns-->
<column name="created_by" type="varchar(50)">
<constraints nullable="false"/>
</column>
<column name="created_date" type="timestamp" defaultValueDate="${now}">
<constraints nullable="false"/>
</column>
<column name="last_modified_by" type="varchar(50)"/>
<column name="last_modified_date" type="timestamp"/>
</createTable>

</changeSet>

并修改 MyEntity 类以扩展 AbstractAuditingEntity

@Entity
@Table(name = "MYENTITY")
@Cache(usage = CacheConcurrencyStrategy.NONSTRICT_READ_WRITE)
public class MyEntity extends AbstractAuditingEntity implements Serializable {

然后运行mvn test 得到以下异常

[DEBUG] com.example.web.rest.MyEntityResource - REST request to update MyEntity : MyEntity{id=2, title='UPDATED_TEXT'}

javax.validation.ConstraintViolationException: Validation failed for classes [com.example.domain.MyEntity] during update time for groups [javax.validation.groups.Default, ]
List of constraint violations:[
ConstraintViolationImpl{interpolatedMessage='may not be null', propertyPath=createdBy, rootBeanClass=class com.example.domain.MyEntity, messageTemplate='{javax.validation.constraints.NotNull.message}'}
]
at org.hibernate.cfg.beanvalidation.BeanValidationEventListener.validate(BeanValidationEventListener.java:160)
at org.hibernate.cfg.beanvalidation.BeanValidationEventListener.onPreUpdate(BeanValidationEventListener.java:103)
at org.hibernate.action.internal.EntityUpdateAction.preUpdate(EntityUpdateAction.java:257)
at org.hibernate.action.internal.EntityUpdateAction.execute(EntityUpdateAction.java:134)
at org.hibernate.engine.spi.ActionQueue.executeActions(ActionQueue.java:463)
at org.hibernate.engine.spi.ActionQueue.executeActions(ActionQueue.java:349)
at org.hibernate.event.internal.AbstractFlushingEventListener.performExecutions(AbstractFlushingEventListener.java:350)
at org.hibernate.event.internal.DefaultAutoFlushEventListener.onAutoFlush(DefaultAutoFlushEventListener.java:67)
at org.hibernate.internal.SessionImpl.autoFlushIfRequired(SessionImpl.java:1191)
at org.hibernate.internal.SessionImpl.list(SessionImpl.java:1257)
at org.hibernate.internal.QueryImpl.list(QueryImpl.java:103)
at org.hibernate.jpa.internal.QueryImpl.list(QueryImpl.java:573)
at org.hibernate.jpa.internal.QueryImpl.getResultList(QueryImpl.java:449)
at org.hibernate.jpa.criteria.compile.CriteriaQueryTypeQueryAdapter.getResultList(CriteriaQueryTypeQueryAdapter.java:67)
at org.springframework.data.jpa.repository.support.SimpleJpaRepository.findAll(SimpleJpaRepository.java:318)

这是失败的测试

@Test
@Transactional
public void updateMyEntity() throws Exception {
// Initialize the database
myEntityRepository.saveAndFlush(myEntity);

int databaseSizeBeforeUpdate = myEntityRepository.findAll().size();

// Update the myEntity
myEntity.setTitle(UPDATED_TITLE);


restMyEntityMockMvc.perform(put("/api/myEntitys")
.contentType(TestUtil.APPLICATION_JSON_UTF8)
.content(TestUtil.convertObjectToJsonBytes(myEntity)))
.andExpect(status().isOk());

// Validate the MyEntity in the database
List<MyEntity> myEntitys = myEntityRepository.findAll();
assertThat(myEntitys).hasSize(databaseSizeBeforeUpdate);
MyEntity testMyEntity = myEntitys.get(myEntitys.size() - 1);
assertThat(testMyEntity.getTitle()).isEqualTo(UPDATED_TITLE);
}

抛出异常的那一行是

List<MyEntity> myEntitys = myEntityRepository.findAll();

我注意到 TestUtil.convertObjectToJsonBytes(myEntity) 方法正在返回不带可审计属性的 JSON 对象表示 - 这是预期的,因为 @JsonIgnore 注释 - 但我想 mockMVC.perform 更新操作不遵守在 createdBy 字段上设置的 updatable = false 属性

@CreatedBy
@NotNull
@Column(name = "created_by", nullable = false, length = 50, updatable = false)
@JsonIgnore
private String createdBy;

如何使实体可审计并通过测试?

最佳答案

问题是传输(序列化)的对象不包含可审核的属性(由于@JsonIgnore 注释),这与@NotNull 注释相结合会产生ConstraintViolation。

1.- 一种解决方案是首先检索我们要更新的对象,然后仅更新您需要的字段。因此,在我们的示例中,我们需要修改更新方法在 MyEntityResource 类上如下:

/**
* PUT /myEntitys -> Updates an existing myEntity.
*/
@RequestMapping(value = "/myEntitys",
method = RequestMethod.PUT,
produces = MediaType.APPLICATION_JSON_VALUE)
@Timed
public ResponseEntity<MyEntity> update(@RequestBody MyEntity myEntityReceived) throws URISyntaxException {
log.debug("REST request to update MyEntity : {}", myEntityReceived);
if (myEntityReceived.getId() == null) {
return create(myEntityReceived);
}
MyEntity myEntity = myEntityRepository.findOne(myEntityReceived.getId());
myEntity.setTitle(myEntityReceived.getTitle());
MyEntity result = myEntityRepository.save(myEntity);
return ResponseEntity.ok()
.headers(HeaderUtil.createEntityUpdateAlert("myEntity", myEntity.getId().toString()))
.body(result);
}

2.- 另一种解决方案是通过删除 AbstractAuditingEntity 中所需值的 @JsonIgnore 注释 来包含可审计字段。

创建实体时会产生如下响应

{
"createdBy":"admin",
"createdDate":"2015-08-27T17:40:20Z",
"lastModifiedBy":"admin",
"lastModifiedDate":"2015-08-27T17:40:20Z",
"id":1,
"title":"New Entity"
}

因此,在更新实体时,请求将包含先前生成的值

{
"createdBy":"admin",
"createdDate":"2015-08-27T17:40:20Z",
"lastModifiedBy":"admin",
"lastModifiedDate":"2015-08-27T17:40:20Z",
"id":1,
"title":"New Entity Updated"
}

同样更新响应,但是更新了 lastModified 字段

{
"createdBy":"admin",
"createdDate":"2015-08-27T17:40:20Z",
"lastModifiedBy":"admin",
"lastModifiedDate":"2015-08-27T17:45:12Z",
"id":1,
"title":"New Entity Updated"
}

两种解决方案各有优缺点,因此请选择最适合您的解决方案。

此外,您应该查看此 issue在generator-jhipster上,虽然它只是标题为DTO实体,但不管你用不用都是一样的问题。

关于java - 如何在 Jhipster 生成的应用程序上从 AbstractAuditingEntity 扩展实体?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/32232372/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com