<dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-data-jpa</artifactId> </dependency> <dependency> <groupId>mysql</groupId> <artifactId>mysql-connector-java</artifactId> </dependency>
spring.datasource.url=jdbc:mysql://localhost:3306/test?characterEncoding=utf8&useSSL=true spring.datasource.username=root spring.datasource.password=1234 spring.datasource.driver-class-name=com.mysql.jdbc.Driver
@Entity public class City implements Serializable { private static final long serialVersionUID = 1L; @Id @SequenceGenerator(name = "city_generator", sequenceName = "city_sequence", initialValue = 23) @GeneratedValue(generator = "city_generator") private Long id; @Column(nullable = false) private String name; @Column(nullable = false) private String state; @Column(nullable = false) private String country; @Column(nullable = false) private String map; ...... }
public interface CityRepository extends Repository<City, Long> { Page<City> findAll(Pageable pageable); Page<City> findByNameContainingAndCountryContainingAllIgnoringCase(String name, String country, Pageable pageable); City findByNameAndCountryAllIgnoringCase(String name, String country); }
@Controller public class CityController { @Autowired private CityRepository cityRepository; @GetMapping("/") @ResponseBody @Transactional(readOnly = true) public void helloWorld() { City city = cityRepository.findByNameAndCountryAllIgnoringCase("Bath", "UK"); System.out.println(city); Page<City> cityPage = cityRepository.findAll(new PageRequest(0, 10, new Sort(Sort.Direction.DESC, "name"))); System.out.println(Arrays.toString(cityPage.getContent().toArray())); } }
啓動項目後訪問http://localhost:8080/,控制檯輸出:java
Bath,Somerset,UK [Washington,DC,USA, Tokyo,,Japan, Tel Aviv,,Israel, Sydney,New South Wales,Australia, Southampton,Hampshire,UK, San Francisco,CA,USA, Palm Bay,FL,USA, New York,NY,USA, Neuchatel,,Switzerland, Montreal,Quebec,Canada]
到此,一個簡單的SpringBoot2.0
集成spring-data-jpa
就完成了。
spring-data-jpa對一些簡單的數據庫操做進行了支持。具體的關鍵字以下:And,Or,Is,Equals,Between,LessThan,LessThanEqual,GreaterThan,GreaterThanEqual,After,Before,IsNull,IsNotNull,NotNull,Like,NotLike,StartingWith,EndingWith,Containing,OrderBy,Not,In,NotIn,TRUE,FALSE,IgnoreCase。spring-data-jpa對這些關鍵字的支持原理將在源碼分析篇講解,歡迎關注。mysql
若是有複雜一些的sql語句,依靠上面的關鍵字是確定不行的,因此spring-data-jpa
還提供了註解用來支持自定義sql。在SQL的查詢方法上面使用@Query註解,如涉及到刪除和修改在須要加上@Modifying。
例:git
@Query("select c from City c where c.id = ?1") City queryById(long id); @Modifying @Query("update City c set c.name = ?2 where c.id = ?1") int updateNameById(long id, String name);
注意:自定義sql的語句是對對象進行操做,風格和hql類似。github
SQL數據文件在源碼中,源碼地址:GitHubspring