したがって、spring-data
複雑なクエリに役立つ追加の魔法を実行します。最初は奇妙で、ドキュメントでは完全にスキップしますが、それは本当に強力で便利です。
これには、カスタムRepository
とカスタムの `RepositoryImpl ' を作成し、Springにそれを見つける場所を指示することが含まれます。次に例を示します。
構成クラス- リポジトリパッケージをポイントするアノテーションを使用して、まだ必要なxml構成をポイントします(*Impl
クラスを自動的に検索します)。
@Configuration
@EnableJpaRepositories(basePackages = {"com.examples.repositories"})
@EnableTransactionManagement
public class MyConfiguration {
}
jpa-repositories.xml-リポジトリのSpring
場所を教えてください。またSpring
、次のCustomImpl
ファイル名のカスタムリポジトリを探すように指示します。
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:jpa="http://www.springframework.org/schema/data/jpa"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:util="http://www.springframework.org/schema/util"
xsi:schemaLocation="http://www.springframework.org/schema/data/mongo http://www.springframework.org/schema/data/jpa/spring-jpa.xsd
http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd
http://www.springframework.org/schema/util http://www.springframework.org/schema/util/spring-util.xsd">
<jpa:repositories base-package="com.example.repositories" repository-impl-postfix="CustomImpl" />
</beans>
MyObjectRepository
-ここに、注釈付きおよび注釈なしのクエリメソッドを配置できます。このリポジトリインターフェースがどのように拡張するかに注意してくださいCustom
。
@Transactional
public interface MyObjectRepository extends JpaRepository<MyObject, Integer>, MyObjectRepositoryCustom {
List<MyObject> findByName(String name);
@Query("select * from my_object where name = ?0 or middle_name = ?0")
List<MyObject> findByFirstNameOrMiddleName(String name);
}
MyObjectRepositoryCustom
-より複雑で単純なクエリや注釈では処理できないリポジトリメソッド:
public interface MyObjectRepositoryCustom {
List<MyObject> findByNameWithWeirdOrdering(String name);
}
MyObjectRepositoryCustomImpl
-autowiredを使用してこれらのメソッドを実際に実装する場合EntityManager
:
public class MyObjectRepositoryCustomImpl implements MyObjectRepositoryCustom {
@Autowired
private EntityManager entityManager;
public final List<MyObject> findByNameWithWeirdOrdering(String name) {
Query query = query(where("name").is(name));
query.sort().on("whatever", Order.ASC);
return entityManager.find(query, MyObject.class);
}
}
驚くべきことに、これはすべて一緒になり、両方のインターフェース(および実装したCRUDインターフェース)からのメソッドはすべて、次のときに表示されます。
myObjectRepository.
表示されます:
myObjectRepository.save()
myObjectRepository.findAll()
myObjectRepository.findByName()
myObjectRepository.findByFirstNameOrMiddleName()
myObjectRepository.findByNameWithWeirdOrdering()
それは本当に機能します。そして、クエリ用のインターフェースを1つ取得します。spring-data
本当に大きなアプリケーションの準備ができています。さらに、シンプルなクエリやアノテーションにプッシュできるクエリが多いほど、効果が上がります。
これらすべては、Spring Data Jpaサイトで文書化されています。
幸運を。