如何在没有更改代码的情况下将限制应用于spring / hibernate企业应用程序中的所有业务点?
作者:互联网
假设这个类图:
我有一个名为Organization的类,许多对象与之关联.除了StoreHouse和Personnel之外,还有很多对象,但是为了拥有简单的类图,我没有将这些类放入图中(假设超过1000个类依赖于Organization类).
现在,我想将启用字段添加到Organization类.这很简单,没有任何问题.但在那之后,我想阻止所有业务点和服务使用被禁用的组织.
假设以下服务:
@Service
public class PersonnelService {
@Autowired
private PersonnelRepository repository;
public long save(Personnel entity) {
return repository.save(entity);
}
}
如果我在应用程序中有上面的代码,在将启用字段添加到组织后,我应该将上面的方法更改为:
@Service
public class PersonnelService {
@Autowired
private PersonnelRepository repository;
public long save(Personnel entity) {
if(!entity.getOrganization().getEnabled()) {
throw Exception();
}
return repository.save(entity);
}
}
而且因为这个动作非常耗时,要改变1000多个班级.
我想知道有没有办法在不改变业务点的情况下执行此操作,例如使用Aspect或类似的东西,并检测修改何时对对象进行修改并且它具有类型为Organization的字段检查启用的值?
解决方法:
我假设您正在使用spring数据jpa或spring数据休息来实现更新.如果是这样,那么可以实现如下:
创建注释UpdateIfTrue
@Documented
@Target(ElementType.TYPE)
@Retention(RUNTIME)
public @interface UpdateIfTrue {
String value();
}
创建服务
@Service("updateIfTrueService")
public class UpdateIfTrueService {
public boolean canUpdate(Object object){
Class klass = object.getClass();
UpdateIfTrue updateIfTrue = (UpdateIfTrue) klass.getAnnotation(UpdateIfTrue.class);
if (updateIfTrue != null){
String propertyTree[] = updateIfTrue.value().split(".");
/*Traverse heirarchy now to get the value of the last one*/
int i=0;
try{
while(i<propertyTree.length){
for (Field field : klass.getDeclaredFields()){
if (field.getName().equalsIgnoreCase(propertyTree[i])){
if (i < (propertyTree.length - 1)){
i++;
klass = field.getClass();
object = field.get(object);
break;
}
else if (i == (propertyTree.length - 1)){
i++;
klass= field.getClass();
object = field.get(object);
return (Boolean)object;
}
}
}
}
}catch(Exception e){
e.printStackTrace();
}
}else{
return true;
}
return true;
}
}
注释要检查的实体.例如,具有以下注释的用户
@UpdateIfTrue("personnel.organization.enabled")
现在在存储库中执行以下操作
@Override
@PreAuthorize("@updateIfTrueService.canUpdate(#user)")
User save(@Param("user")User user);
标签:java,spring,hibernate,aop,business-logic 来源: https://codeday.me/bug/20190710/1427152.html