Provides a way for `DecoratorFactory` to be applied only once
Say a decorator checks permission of request. I want to give all API write permissions in the class and optionally give read permissions. In this way, when a new API is added to the class, write permission is given by default. This will prevent the new API from being accidentally exposed with lower permissions.
This logic cannot be implemented using the DecoratorFactory. Because the decorators in the method and class are applied repeatedly even if it is the same class type.
In the SensitiveService, get() method can't be executed with READ permission. Both READ and WRITE are required instead.
@RequiresPermission(Permission.WRITE)
static class SensitiveService {
@RequiresPermission(Permission.READ)
@Get("/")
public String get() { ... }
@Post("/")
public String create() { ... }
@Put("/")
public String update() { ... }
}
@DecoratorFactory(PermissionCheckerFactory.class)
@Retention(RetentionPolicy.RUNTIME)
@interface RequiresPermission {
Permission value() default Permission.READ;
}
enum Permission {
READ, WRITE
}
To solve this case, I suggest adding the repeatable option to DecoratorFactory. If repeatable=false, the decorator with a higher priority will be selected.
public @interface DecoratorFactory {
Class<? extends DecoratorFactoryFunction<?>> value();
boolean repeatable() default true;
}
@DecoratorFactory(value = PermissionCheckerFactory.class, repeatable = false)
@Retention(RetentionPolicy.RUNTIME)
@interface RequiresPermission {
Permission value() default Permission.READ;
}
If there is any other good name other than repeatable, please recommend it.
Although not a widely used term, this kind of reminds me of additivity in the logging community.
ref: https://logback.qos.ch/manual/architecture.html#additivity
I love the way the maintainers explain the details of the issue and extra information. Just reading the issues sometimes help me a lot 😄
Hi! I'm interested in handling this issue. I have some questions to ask.
Is it ideal that an annotation that has @DecoratorFactory annotation whose repeatable flag is true has higher priority than an annotation whose repeatable flag is false?
One more question. Do you imagine that priority comparison applies only to annotations that have @DecoratorFactory annotation whose value's class is the same?
@DecoratorFactory annotation whose repeatable flag is true has higher priority than an annotation whose repeatable flag is false?
No, I don't think so. We need to keep the original priority. The innermost @DecoratorFactory or @Decorator will take precedence.
Do you imagine that priority comparison applies only to annotations that have @DecoratorFactory annotation whose value's class is the same?
Right. repeatable should be limited to the same DecoratorFactoryFunction.class.