将动态参数传递给注释

时间:2013-05-07 16:01:02

标签: java annotations bytecode javassist hibernate-filters

我想知道是否有可能将动态值传递给注释属性。

我知道注释不是为了修改而设计的,但我使用Hibernate Filters并且在我的情况下,条件不是静态的。

我认为唯一的解决方案是使用目标是读取和修改字节代码的库,例如Javassist或ASM,但如果有另一种解决方案则会好得多。

ps:我的案例中的难点在于我应该修改注释(属性的值),但我上面提到的库,允许创建不编辑,这就是为什么我想知道另一个解决方案

提前致谢

2 个答案:

答案 0 :(得分:2)

我不知道它是否与您的框架很好地集成,但我想建议以下内容:

  • 创建一个注释,该注释接收实现验证规则的类
  • 创建注释可以接收的界面
  • 为具有规则逻辑的接口创建实现
  • 将注释添加到模型类
  • 创建一个注释处理器,为每个带注释的字段应用验证

我在Groovy中编写了以下示例,但使用的是标准Java库和惯用Java。如果有什么不可读的话,请警告我:

import java.lang.annotation.*

// Our Rule interface
interface Rule<T> { boolean isValid(T t) }

// Here is the annotation which can receive a Rule class
@Retention(RetentionPolicy.RUNTIME)
@interface Validation { Class<? extends Rule> value() }

// An implementation of our Rule, in this case, for a Person's name
class NameRule implements Rule<Person> {
  PersonDAO dao = new PersonDAO()
  boolean isValid(Person person) {
    Integer mode = dao.getNameValidationMode()
    if (mode == 1) { // Don't hardcode numbers; use enums
      return person.name ==~ "[A-Z]{1}[a-z ]{2,25}" // regex matching
    } else if (mode == 2) {
      return person.name ==~ "[a-zA-Z]{1,25}"
    }
  }
}

在这些声明之后,用法:

// Our model with an annotated field
class Person {
  @Validation(NameRule.class)
  String name
}

// Here we are mocking a database select to get the rule save in the database
// Don't use hardcoded numbers, stick to a enum or anything else
class PersonDAO { Integer getNameValidationMode() { return 1 } }

注释的处理:

// Here we get each annotation and process it against the object
class AnnotationProcessor {
  String validate(Person person) {
    def annotatedFields = person.class.declaredFields.findAll { it.annotations.size() > 0 }
    for (field in annotatedFields) {
      for (annotation in field.annotations) {
        Rule rule = annotation.value().newInstance()
        if (! rule.isValid(person)) {
          return "Error: name is not valid"
        }
        else {
          return "Valid"
        }
      }
    }
  }
}

测试:

// These two must pass
assert new AnnotationProcessor().validate( 
  new Person(name: "spongebob squarepants") ) == "Error: name is not valid"

assert new AnnotationProcessor().validate( 
  new Person(name: "John doe") ) == "Valid"

另外,看一下GContracts,它提供了一些有趣的验证通过注释模型。

答案 1 :(得分:0)

注释参数是类文件中的硬编码常量。所以改变它们的唯一方法是生成一个新的类文件。

不幸的是,我不熟悉Hibernate,所以我无法建议您在特定情况下的最佳选择。