首先,我非常新的Java反射,泛型和注解。

我想开发一个抽象类,通过提供基于子类的自定义注释的通用实现/方法,使我能够支持各种POJO(更准确地说是value objects)。

抽象类

public abstract class AbstractValueObject<T>

    private Class<T> targetClass;
    private Integer id;
    private String rowState;

    public AbstractValueObject(final Class<T> targetClassToSet) {

        this.targetClass = targetClassToSet;

        for (Method method : targetClass.getMethods()) {

            if (method.isAnnotationPresent(ValueObjectId.class)) {
                ... invoke getter that has the @ValueObjectId annotation from the child class, and set that value in the id class attribute...
            }

            if (method.isAnnotationPresent(ValueObjectRowState.class)) {
                ... invoke getter that has the @ValueObjectRowState annotation from the child classfro, and set that value in the rowState class attribute...
            }
        }
    }

    public boolean isNew() {
    ... logic based on id and rowState ...
    }

    public boolean isUpdated() {
    ... logic based on id and rowState ...
    }

    public boolean isDeleted() {
    ... logic based on id and rowState ...
    }

    abstract boolean isValid();
}


举例子类

public class MyCustomClass extends AbstractValueObject<MyCustomClass> implements Serializable {

   private String fileId;
   private String fileRowState;

   @ValueObjectId
   public String getFileId() {
       return fileId;
   }

   public void setFileId(String fileId) {
       this.fileId = fileId;
   }

   @ValueObjectRowState
   public String getFileRowState() {
       return fileRowState
   }

   public void setFileRowState(String fileRowState) {
       this.fileRowState= fileRowState;
   }

   @Override
   public boolean isValid() {
   ...specific implementation...
   }
}


注释

@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.METHOD)
public @interface ValueObjectId {
}

@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.METHOD)
public @interface ValueObjectRowState {
}


是否可行?我还没有发现类似的规定还有任何例子呢。

谢谢

最佳答案

但是,几乎所有事物都应该以这种方式工作:

您要在包装的对象上调用吸气剂。但是,您只能将对象的类作为参数传递。如果您的方法可行,则必须将对象作为参数。

请注意,反射效果不佳,尤其是应用于许多对象时。每当将新对象传递给AbstractValueObject的构造函数时,您的方法都必须对其进行计算,缓存反射信息(Method,MethodHandle)会使其更快。

如果您知道满足值对象的所有对象类(并且您不打算在运行时引入新的类),那么访问者模式将更合适且性能更高。

07-26 04:01