| This version is still in development and is not considered stable yet. For the latest stable version, please use Spring Data MongoDB 4.5.5! | 
Custom Repository Implementations
Spring Data provides various options to create query methods with little coding. But when those options don’t fit your needs you can also provide your own custom implementation for repository methods. This section describes how to do that.
Customizing Individual Repositories
To enrich a repository with custom functionality, you must first define a fragment interface and an implementation for the custom functionality, as follows:
interface CustomizedUserRepository {
  void someCustomMethod(User user);
}class CustomizedUserRepositoryImpl implements CustomizedUserRepository {
  @Override
  public void someCustomMethod(User user) {
    // Your custom implementation
  }
}| The most important part of the class name that corresponds to the fragment interface is the  | 
| Historically, Spring Data custom repository implementation discovery followed a naming pattern that derived the custom implementation class name from the repository allowing effectively a single custom implementation. A type located in the same package as the repository interface, matching repository interface name followed by implementation postfix, is considered a custom implementation and will be treated as a custom implementation. A class following that name can lead to undesired behavior. We consider the single-custom implementation naming deprecated and recommend not using this pattern. Instead, migrate to a fragment-based programming model. | 
The implementation itself does not depend on Spring Data and can be a regular Spring bean.
Consequently, you can use standard dependency injection behavior to inject references to other beans (such as a JdbcTemplate), take part in aspects, and so on.
Then you can let your repository interface extend the fragment interface, as follows:
interface UserRepository extends CrudRepository<User, Long>, CustomizedUserRepository {
  // Declare query methods here
}Extending the fragment interface with your repository interface combines the CRUD and custom functionality and makes it available to clients.
Spring Data repositories are implemented by using fragments that form a repository composition. Fragments are the base repository, functional aspects (such as Querydsl), and custom interfaces along with their implementations. Each time you add an interface to your repository interface, you enhance the composition by adding a fragment. The base repository and repository aspect implementations are provided by each Spring Data module.
The following example shows custom interfaces and their implementations:
interface HumanRepository {
  void someHumanMethod(User user);
}
class HumanRepositoryImpl implements HumanRepository {
  @Override
  public void someHumanMethod(User user) {
    // Your custom implementation
  }
}
interface ContactRepository {
  void someContactMethod(User user);
  User anotherContactMethod(User user);
}
class ContactRepositoryImpl implements ContactRepository {
  @Override
  public void someContactMethod(User user) {
    // Your custom implementation
  }
  @Override
  public User anotherContactMethod(User user) {
    // Your custom implementation
  }
}The following example shows the interface for a custom repository that extends CrudRepository:
interface UserRepository extends CrudRepository<User, Long>, HumanRepository, ContactRepository {
  // Declare query methods here
}Repositories may be composed of multiple custom implementations that are imported in the order of their declaration. Custom implementations have a higher priority than the base implementation and repository aspects. This ordering lets you override base repository and aspect methods and resolves ambiguity if two fragments contribute the same method signature. Repository fragments are not limited to use in a single repository interface. Multiple repositories may use a fragment interface, letting you reuse customizations across different repositories.
The following example shows a repository fragment and its implementation:
save(…)interface CustomizedSave<T> {
  <S extends T> S save(S entity);
}
class CustomizedSaveImpl<T> implements CustomizedSave<T> {
  @Override
  public <S extends T> S save(S entity) {
    // Your custom implementation
  }
}The following example shows a repository that uses the preceding repository fragment:
interface UserRepository extends CrudRepository<User, Long>, CustomizedSave<User> {
}
interface PersonRepository extends CrudRepository<Person, Long>, CustomizedSave<Person> {
}Configuration
The repository infrastructure tries to autodetect custom implementation fragments by scanning for classes below the package in which it found a repository.
These classes need to follow the naming convention of appending a postfix defaulting to Impl.
The following example shows a repository that uses the default postfix and a repository that sets a custom value for the postfix:
- 
Java 
- 
XML 
@EnableMongoRepositories(repositoryImplementationPostfix = "MyPostfix")
class Configuration { … }<repositories base-package="com.acme.repository" />
<repositories base-package="com.acme.repository" repository-impl-postfix="MyPostfix" />The first configuration in the preceding example tries to look up a class called com.acme.repository.CustomizedUserRepositoryImpl to act as a custom repository implementation.
The second example tries to look up com.acme.repository.CustomizedUserRepositoryMyPostfix.
Resolution of Ambiguity
If multiple implementations with matching class names are found in different packages, Spring Data uses the bean names to identify which one to use.
Given the following two custom implementations for the CustomizedUserRepository shown earlier, the first implementation is used.
Its bean name is customizedUserRepositoryImpl, which matches that of the fragment interface (CustomizedUserRepository) plus the postfix Impl.
class CustomizedUserRepositoryImpl implements CustomizedUserRepository {
  // Your custom implementation
}@Component("specialCustomImpl")
class CustomizedUserRepositoryImpl implements CustomizedUserRepository {
  // Your custom implementation
}If you annotate the UserRepository interface with @Component("specialCustom"), the bean name plus Impl then matches the one defined for the repository implementation in com.acme.impl.two, and it is used instead of the first one.
Manual Wiring
If your custom implementation uses annotation-based configuration and autowiring only, the preceding approach shown works well, because it is treated as any other Spring bean. If your implementation fragment bean needs special wiring, you can declare the bean and name it according to the conventions described in the preceding section. The infrastructure then refers to the manually defined bean definition by name instead of creating one itself. The following example shows how to manually wire a custom implementation:
- 
Java 
- 
XML 
class MyClass {
  MyClass(@Qualifier("userRepositoryImpl") UserRepository userRepository) {
    …
  }
}<repositories base-package="com.acme.repository" />
<beans:bean id="userRepositoryImpl" class="…">
  <!-- further configuration -->
</beans:bean>Registering Fragments with spring.factories
As already mentioned in the Configuration section, the infrastructure only auto-detects fragments within the repository base-package.
Therefore, fragments residing in another location or want to be contributed by an external archive will not be found if they do not share a common namespace.
Registering fragments within spring.factories allows you to circumvent this restriction as explained in the following section.
Imagine you’d like to provide some custom search functionality usable across multiple repositories for your organization leveraging a text search index.
First all you need is the fragment interface.
Note the generic <T> parameter to align the fragment with the repository domain type.
public interface SearchExtension<T> {
    List<T> search(String text, Limit limit);
}Let’s assume the actual full-text search is available via a SearchService that is registered as a Bean within the context so you can consume it in our SearchExtension implementation.
All you need to run the search is the collection (or index) name and an object mapper that converts the search results into actual domain objects as sketched out below.
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Limit;
import org.springframework.data.repository.core.RepositoryMethodContext;
class DefaultSearchExtension<T> implements SearchExtension<T> {
    private final SearchService service;
    DefaultSearchExtension(SearchService service) {
        this.service = service;
    }
    @Override
    public List<T> search(String text, Limit limit) {
        return search(RepositoryMethodContext.getContext(), text, limit);
    }
    List<T> search(RepositoryMethodContext metadata, String text, Limit limit) {
        Class<T> domainType = metadata.getRepository().getDomainType();
        String indexName = domainType.getSimpleName().toLowerCase();
        List<String> jsonResult = service.search(indexName, text, 0, limit.max());
        return jsonResult.stream().map(…).collect(toList());
    }
}In the example above RepositoryMethodContext.getContext() is used to retrieve metadata for the actual method invocation.
RepositoryMethodContext exposes information attached to the repository such as the domain type.
In this case we use the repository domain type to identify the name of the index to be searched.
Exposing invocation metadata is costly, hence it is disabled by default.
To access RepositoryMethodContext.getContext() you need to advise the repository factory responsible for creating the actual repository to expose method metadata.
- 
Marker Interface 
- 
Bean Post Processor 
Adding the RepositoryMetadataAccess marker interface to the fragments implementation will trigger the infrastructure and enable metadata exposure for those repositories using the fragment.
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Limit;
import org.springframework.data.repository.core.support.RepositoryMetadataAccess;
import org.springframework.data.repository.core.RepositoryMethodContext;
class DefaultSearchExtension<T> implements SearchExtension<T>, RepositoryMetadataAccess {
    // ...
}The exposeMetadata flag can be set directly on the repository factory bean via a BeanPostProcessor.
import org.springframework.beans.factory.config.BeanPostProcessor;
import org.springframework.context.annotation.Configuration;
import org.springframework.data.repository.core.support.RepositoryFactoryBeanSupport;
import org.springframework.lang.Nullable;
@Configuration
class MyConfiguration {
    @Bean
    static BeanPostProcessor exposeMethodMetadata() {
        return new BeanPostProcessor() {
            @Override
            public Object postProcessBeforeInitialization(Object bean, String beanName) {
                if(bean instanceof RepositoryFactoryBeanSupport<?,?,?> factoryBean) {
                    factoryBean.setExposeMetadata(true);
                }
                return bean;
            }
        };
    }
}Please do not just copy/paste the above but consider your actual use case which may require a more fine-grained approach as the above will simply enable the flag on every repository.
Having both, the fragment declaration and implementation in place you can register the extension in the META-INF/spring.factories file and package things up if needed.
META-INF/spring.factoriescom.acme.search.SearchExtension=com.acme.search.DefaultSearchExtensionNow you are ready to make use of your extension; Simply add the interface to your repository.
import com.acme.search.SearchExtension;
import org.springframework.data.repository.CrudRepository;
interface MovieRepository extends CrudRepository<Movie, String>, SearchExtension<Movie> {
}Customize the Base Repository
The approach described in the preceding section requires customization of each repository interfaces when you want to customize the base repository behavior so that all repositories are affected. To instead change behavior for all repositories, you can create an implementation that extends the persistence technology-specific repository base class. This class then acts as a custom base class for the repository proxies, as shown in the following example:
class MyRepositoryImpl<T, ID>
  extends SimpleJpaRepository<T, ID> {
  private final EntityManager entityManager;
  MyRepositoryImpl(JpaEntityInformation entityInformation,
                          EntityManager entityManager) {
    super(entityInformation, entityManager);
    // Keep the EntityManager around to used from the newly introduced methods.
    this.entityManager = entityManager;
  }
  @Override
  @Transactional
  public <S extends T> S save(S entity) {
    // implementation goes here
  }
}| The class needs to have a constructor of the super class which the store-specific repository factory implementation uses.
If the repository base class has multiple constructors, override the one taking an EntityInformationplus a store specific infrastructure object (such as anEntityManageror a template class). | 
The final step is to make the Spring Data infrastructure aware of the customized repository base class.
In configuration, you can do so by using the repositoryBaseClass, as shown in the following example:
- 
Java 
- 
XML 
@Configuration
@EnableMongoRepositories(repositoryBaseClass = MyRepositoryImpl.class)
class ApplicationConfiguration { … }<repositories base-package="com.acme.repository"
     base-class="….MyRepositoryImpl" />