1. 程式人生 > >SpringBoot+Hibernate+Mysql實踐

SpringBoot+Hibernate+Mysql實踐

主要內容

  • 概念簡介
  • 配置
  • 程式碼實現
  • 常見問題
    -

概念簡介

JPA

Java Persistence API,Java持久層API,所謂持久層,個人淺顯的理解就是和資料持久化儲存相關的一層。

Hibernate

詳細的解釋可以看下百度百科,個人理解就是在JDBC上封裝的一層,能夠便利的進行資料庫的操作,提供了很多的介面。參照這個博主文章。https://blog.csdn.net/xiao_xuwen/article/details/53420824

配置

application.properties配置

spring.datasource
.url=jdbc:mysql://localhost:3306/databasename spring.datasource.username=root spring.datasource.password=password spring.datasource.driver-class-name=com.mysql.jdbc.Driver spring.jpa.properties.hibernate.hbm2ddl.auto=update #該屬性有不同選項 spring.jpa.properties.hibernate.dialect=org.hibernate.dialect.MySQL5InnoDBDialect spring.jpa
.show-sql=true

create: 每次載入hibernate時都會刪除上一次的生成的表,然後根據你的model類再重新來生成新表,哪怕兩次沒有任何改變也要這樣執行,這就是導致資料庫表資料丟失的一個重要原因。
create-drop :每次載入hibernate時根據model類生成表,但是sessionFactory一關閉,表就自動刪除。
update:最常用的屬性,第一次載入hibernate時根據model類會自動建立起表的結構(前提是先建立好資料庫),以後載入hibernate時根據 model類自動更新表結構,即使表結構改變了但表中的行仍然存在不會刪除以前的行。要注意的是當部署到伺服器後,表結構是不會被馬上建立起來的,是要等 應用第一次執行起來後才會。
validate

:每次載入hibernate時,驗證建立資料庫表結構,只會和資料庫中的表進行比較,不會建立新表,但是會插入新值。
(ps:上面四個屬性摘自https://zhuanlan.zhihu.com/p/24965387?refer=dreawer
pom.xml

<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-data-jpa</artifactId>
</dependency>
<dependency>
    <groupId>mysql</groupId>
    <artifactId>mysql-connector-java</artifactId>
</dependency>

程式碼

1、實體

@Entity
@Table(name = "user")
public class User implements Serializable {//序列化在Jpa需要

    private static final long serialVersionUID = 1L;
    @Id //主鍵
    @GeneratedValue(strategy = GenerationType.IDENTITY) //自增長
    private Long id;

    @Column(name = "uid",nullable = false,unique = true)
    private String uid;

    @Column(name = "nickname",nullable = false)
    private String nickname;

    @Column(name = "avatar",nullable = true)
    private String avatar;
    ...
}

2、Jpa資料操作

//JpaRepository<Entity,Primary Key Type>
public interface UserRepository extends JpaRepository<User,Long> {
    public User findByNickname(String nickname);
}

3、單元測試

@RunWith(SpringRunner.class)
@SpringBootTest
public class ThereApplicationTests {

    @Autowired
    private UserRepository userRepository;

    @Test
    public void test() throws Exception {
        Date date = new Date();
        DateFormat dateFormat = DateFormat.getDateTimeInstance(DateFormat.LONG, DateFormat.LONG);        
        String formattedDate = dateFormat.format(date);

        userRepository.save(new User("abc11","scrovor1","https://sdfdsfsd1",UserType.DEFAULT,formattedDate));
        userRepository.save(new User("abc12","scrovor2","https://sdfdsfsd2",UserType.DEFAULT,formattedDate));
        userRepository.save(new User("abc13","scrovor3","https://sdfdsfsd3",UserType.DEFAULT,formattedDate));
    }

}

直接Run As、Junit Test就OK,關於單元測試可以學習下這篇博文

可能出現的問題

  1. 確保mysql-connector驅動下載下來了。
  2. 實體類Id型別與JpaRepository第二個泛型一定要對應。
  3. application.properties配置引數名稱不要寫錯。