Say I've got a few interfaces extending CRUDRepositor
. There are methods in there like findByField
. Some of these methods should only return entities that belong to a group of entities to which the user has access (the group
is a column in the database, so it's a field that's defined for most entities). I want to achieve this by allowing the use of annotations (like @Protected) on the repository methods, and then when these methods are called instead of calling findByField
a method findByFieldAndGroup
is called behind the scenes. With the use of AOP (which intercepts methods annotated with my @Protected tag) the group can be assigned before the method is effectively executed.
public interface MyRepository extends CRUDRepository<MyEntity,long> {
@Protected
Optional<MyEntity> findById(Long id); // Should become findByIdAndGroup(Long id, String group) behind the scenes
@Protected
Collection<MyEntity> findAll();
}
Is there a way to achieve this? In the worst case I either add all the methods manually, or completely switch to a query by example approach (where you can more easily add the group dynamically) or generate methods with a Java agent using ASM (manipulating the bytecode) ... but these are much less practical approaches which demand a good deal of refactoring.
Edit : found these relevant questions Spring data jpa - modifying query before execution Spring Data JPA and spring-security: filter on database level (especially for paging) Other relevant references include this ticket on GitHub (no progress, only a sort-of-solution with QueryDSL which precludes the use of queries based on method names) and this thread.
You can use filters, a specific Hibernate feature, for this problem.
The idea is the following.
First, you need to annotate your entity with the different filters you want to apply, in your case, something like:
Then, you need access to the underlying
EntityManager
because you need to interact with the associated HibernateSession
. You have several ways to do this. For example, you can define a custom transaction manager for the task, something like:Then, register this
TransationManager
in your database configuration instead of the defaultJpaTransactionManager
:You can also have access to the
EntityManager
and associatedSession
by creating a customJpaRepository
or by injecting@PersistenceContext
in your beans, but I think the above-mentioned approach is the simpler one although it has the drawback of being always applied.