日韩性视频-久久久蜜桃-www中文字幕-在线中文字幕av-亚洲欧美一区二区三区四区-撸久久-香蕉视频一区-久久无码精品丰满人妻-国产高潮av-激情福利社-日韩av网址大全-国产精品久久999-日本五十路在线-性欧美在线-久久99精品波多结衣一区-男女午夜免费视频-黑人极品ⅴideos精品欧美棵-人人妻人人澡人人爽精品欧美一区-日韩一区在线看-欧美a级在线免费观看

歡迎訪問 生活随笔!

生活随笔

當前位置: 首頁 > 前端技术 > javascript >内容正文

javascript

Spring Boot实战:数据库操作

發布時間:2023/12/9 javascript 33 豆豆
生活随笔 收集整理的這篇文章主要介紹了 Spring Boot实战:数据库操作 小編覺得挺不錯的,現在分享給大家,幫大家做個參考.

From: https://www.cnblogs.com/paddix/p/8178943.html

  上篇文章中已經通過一個簡單的HelloWorld程序講解了Spring boot的基本原理和使用。本文主要講解如何通過spring boot來訪問數據庫,本文會演示三種方式來訪問數據庫,第一種是JdbcTemplate,第二種是JPA,第三種是Mybatis。之前已經提到過,本系列會以一個博客系統作為講解的基礎,所以本文會講解文章的存儲和訪問(但不包括文章的詳情),因為最終的實現是通過MyBatis來完成的,所以,對于JdbcTemplate和JPA只做簡單演示,MyBatis部分會完整實現對文章的增刪改查。

一、準備工作

  在演示這幾種方式之前,需要先準備一些東西。第一個就是數據庫,本系統是采用MySQL實現的,我們需要先創建一個tb_article的表:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

DROP TABLE IF EXISTS `tb_article`;

?

CREATE TABLE `tb_article` (

??`id` bigint(20) NOT NULL AUTO_INCREMENT,

??`title` varchar(255) NOT NULL DEFAULT '',

??`summary` varchar(1024) NOT NULL DEFAULT '',

??`status` int(11) NOT NULL DEFAULT '0',

??`type` int(11) NOT NULL,

??`user_id` bigint(20) NOT NULL DEFAULT '0',

??`create_time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,

??`update_time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,

??`public_time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,

??PRIMARY KEY (`id`)

) ENGINE=InnoDB DEFAULT CHARSET=utf8;

  后續的演示會對這個表進行增刪改查,大家應該會看到這個表里面并沒有文章的詳情,原因是文章的詳情比較長,如果放在這個表里面容易影響查詢文章列表的效率,所以文章的詳情會單獨存在另外的表里面。此外我們需要配置數據庫連接池,這里我們使用druid連接池,另外配置文件使用yaml配置,即application.yml(你也可以使用application.properties配置文件,沒什么太大的區別,如果對ymal不熟悉,有興趣也可以查一下,比較簡單)。連接池的配置如下:

1

2

3

4

5

6

7

spring:

??datasource:

????url: jdbc:mysql://127.0.0.1:3306/blog?useUnicode=true&characterEncoding=UTF-8&useSSL=false

????driverClassName: com.mysql.jdbc.Driver

????username: root

????password: 123456

????type: com.alibaba.druid.pool.DruidDataSource

  最后,我們還需要建立與數據庫對應的POJO類,代碼如下:

1

2

3

4

5

6

7

8

9

public class Article {

????private Long id;

????private String title;

????private String summary;

????private Date createTime;

????private Date publicTime;

????private Date updateTime;

????private Long userId;

????private Integer status;<br>??? private Integer type;<br><br>}

  好了,需要準備的工作就這些,現在開始實現數據庫的操作。

?

?二、與JdbcTemplate集成

  首先,我們先通過JdbcTemplate來訪問數據庫,這里只演示數據的插入,上一篇文章中我們已經提到過,Spring boot提供了許多的starter來支撐不同的功能,要支持JdbcTemplate我們只需要引入下面的starter就可以了:

1

2

3

4

<dependency>

???????<groupId>org.springframework.boot</groupId>

???????<artifactId>spring-boot-starter-jdbc</artifactId>

</dependency>

  現在我們就可以通過JdbcTemplate來實現數據的插入了:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

public interface ArticleDao {

????Long insertArticle(Article article);

}

?

@Repository

public class ArticleDaoJdbcTemplateImpl implements ArticleDao {

?

????@Autowired

????private NamedParameterJdbcTemplate jdbcTemplate;

?

????@Override

????public Long insertArticle(Article article) {

????????String sql = "insert into tb_article(title,summary,user_id,create_time,public_time,update_time,status) " +

????????????????"values(:title,:summary,:userId,:createTime,:publicTime,:updateTime,:status)";

????????Map<String, Object> param = new HashMap<>();

????????param.put("title", article.getTitle());

????????param.put("summary", article.getSummary());

????????param.put("userId", article.getUserId());

????????param.put("status", article.getStatus());

????????param.put("createTime", article.getCreateTime());

????????param.put("publicTime", article.getPublicTime());

????????param.put("updateTime", article.getUpdateTime());

????????return (long) jdbcTemplate.update(sql, param);

????}

}

  我們通過JUnit來測試上面的代碼:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

@RunWith(SpringJUnit4ClassRunner.class)

@SpringBootTest(classes = Application.class)

public class ArticleDaoTest {

?

????@Autowired

????private ArticleDao articleDao;

?

????@Test

????public void testInsert() {

????????Article article = new Article();

????????article.setTitle("測試標題");

????????article.setSummary("測試摘要");

????????article.setUserId(1L);

????????article.setStatus(1);

????????article.setCreateTime(new Date());

????????article.setUpdateTime(new Date());

????????article.setPublicTime(new Date());

????????articleDao.insertArticle(article);

????}

}

   要支持上面的測試程序,也需要引入一個starter:

1

2

3

4

5

<dependency>

???????<groupId>org.springframework.boot</groupId>

???????<artifactId>spring-boot-starter-test</artifactId>

???????<scope>test</scope>

</dependency>

  從上面的代碼可以看出,其實除了引入jdbc的start之外,基本沒有配置,這都是spring boot的自動幫我們完成了配置的過程。上面的代碼需要注意的Application類的位置,該類必須位于Dao類的父級的包中,比如這里Dao都位于com.pandy.blog.dao這個包下,現在我們把Application.java這個類從com.pandy.blog這個包移動到com.pandy.blog.app這個包中,則會出現如下錯誤:

1

2

3

4

5

6

Caused by: org.springframework.beans.factory.NoSuchBeanDefinitionException: No qualifying bean of type 'com.pandy.blog.dao.ArticleDao' available: expected at least 1 bean which qualifies as autowire candidate. Dependency annotations: {@org.springframework.beans.factory.annotation.Autowired(required=true)}

????at org.springframework.beans.factory.support.DefaultListableBeanFactory.raiseNoMatchingBeanFound(DefaultListableBeanFactory.java:1493)

????at org.springframework.beans.factory.support.DefaultListableBeanFactory.doResolveDependency(DefaultListableBeanFactory.java:1104)

????at org.springframework.beans.factory.support.DefaultListableBeanFactory.resolveDependency(DefaultListableBeanFactory.java:1066)

????at org.springframework.beans.factory.annotation.AutowiredAnnotationBeanPostProcessor$AutowiredFieldElement.inject(AutowiredAnnotationBeanPostProcessor.java:585)

????... 28 more

  也就是說,找不到ArticleDao的實現,這是什么原因呢?上一篇博文中我們已經看到@SpringBootApplication這個注解繼承了@ComponentScan,其默認情況下只會掃描Application類所在的包及子包。因此,對于上面的錯誤,除了保持Application類在Dao的父包這種方式外,也可以指定掃描的包來解決:

1

2

3

4

5

6

7

@SpringBootApplication

@ComponentScan({"com.pandy.blog"})

public class Application {

????public static void main(String[] args) throws Exception {

????????SpringApplication.run(Application.class, args);

????}

}

    

三、與JPA集成

  現在我們開始講解如何通過JPA的方式來實現數據庫的操作。還是跟JdbcTemplate類似,首先,我們需要引入對應的starter:

1

2

3

4

<dependency>

???????<groupId>org.springframework.boot</groupId>

???????<artifactId>spring-boot-starter-data-jpa</artifactId>

</dependency>

  然后我們需要對POJO類增加Entity的注解,并指定表名(如果不指定,默認的表名為article),然后需要指定ID的及其生成策略,這些都是JPA的知識,與Spring boot無關,如果不熟悉的話可以看下JPA的知識點:

1

2

3

4

5

6

7

8

9

10

11

12

13

@Entity(name = "tb_article")

public class Article {

????@Id

????@GeneratedValue

????private Long id;

????private String title;

????private String summary;

????private Date createTime;

????private Date publicTime;

????private Date updateTime;

????private Long userId;

????private Integer status;

}

  最后,我們需要繼承JpaRepository這個類,這里我們實現了兩個查詢方法,第一個是符合JPA命名規范的查詢,JPA會自動幫我們完成查詢語句的生成,另一種方式是我們自己實現JPQL(JPA支持的一種類SQL的查詢)。

1

2

3

4

5

6

7

public interface ArticleRepository extends JpaRepository<Article, Long> {

?

????public List<Article> findByUserId(Long userId);

?

????@Query("select art from com.pandy.blog.po.Article art where title=:title")

????public List<Article> queryByTitle(@Param("title") String title);

}

  好了,我們可以再測試一下上面的代碼:

1

2

3

4

5

6

7

8

9

10

11

12

@RunWith(SpringJUnit4ClassRunner.class)

@SpringBootTest(classes = Application.class)

public class ArticleRepositoryTest {

????@Autowired

????private ArticleRepository articleRepository;

?

????@Test

????public void testQuery(){

????????List<Article> articleList = articleRepository.queryByTitle("測試標題");

????????assertTrue(articleList.size()>0);

????}

}

  注意,這里還是存在跟JdbcTemplate類似的問題,需要將Application這個啟動類未于Respository和Entity類的父級包中,否則會出現如下錯誤:

1

2

3

4

5

6

Caused by: org.springframework.beans.factory.NoSuchBeanDefinitionException: No qualifying bean of type 'com.pandy.blog.dao.ArticleRepository' available: expected at least 1 bean which qualifies as autowire candidate. Dependency annotations: {@org.springframework.beans.factory.annotation.Autowired(required=true)}

????at org.springframework.beans.factory.support.DefaultListableBeanFactory.raiseNoMatchingBeanFound(DefaultListableBeanFactory.java:1493)

????at org.springframework.beans.factory.support.DefaultListableBeanFactory.doResolveDependency(DefaultListableBeanFactory.java:1104)

????at org.springframework.beans.factory.support.DefaultListableBeanFactory.resolveDependency(DefaultListableBeanFactory.java:1066)

????at org.springframework.beans.factory.annotation.AutowiredAnnotationBeanPostProcessor$AutowiredFieldElement.inject(AutowiredAnnotationBeanPostProcessor.java:585)

????... 28 more

  當然,同樣也可以通過注解@EnableJpaRepositories指定掃描的JPA的包,但是還是不行,還會出現如下錯誤:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

Caused by: java.lang.IllegalArgumentException: Not a managed type: class com.pandy.blog.po.Article

????at org.hibernate.jpa.internal.metamodel.MetamodelImpl.managedType(MetamodelImpl.java:210)

????at org.springframework.data.jpa.repository.support.JpaMetamodelEntityInformation.<init>(JpaMetamodelEntityInformation.java:70)

????at org.springframework.data.jpa.repository.support.JpaEntityInformationSupport.getEntityInformation(JpaEntityInformationSupport.java:68)

????at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getEntityInformation(JpaRepositoryFactory.java:153)

????at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getTargetRepository(JpaRepositoryFactory.java:100)

????at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getTargetRepository(JpaRepositoryFactory.java:82)

????at org.springframework.data.repository.core.support.RepositoryFactorySupport.getRepository(RepositoryFactorySupport.java:199)

????at org.springframework.data.repository.core.support.RepositoryFactoryBeanSupport.initAndReturn(RepositoryFactoryBeanSupport.java:277)

????at org.springframework.data.repository.core.support.RepositoryFactoryBeanSupport.afterPropertiesSet(RepositoryFactoryBeanSupport.java:263)

????at org.springframework.data.jpa.repository.support.JpaRepositoryFactoryBean.afterPropertiesSet(JpaRepositoryFactoryBean.java:101)

????at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.invokeInitMethods(AbstractAutowireCapableBeanFactory.java:1687)

????at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.initializeBean(AbstractAutowireCapableBeanFactory.java:1624)

????... 39 more

  這個錯誤說明識別不了Entity,所以還需要通過注解@EntityScan來指定Entity的包,最終的配置如下:

1

2

3

4

5

6

7

8

9

@SpringBootApplication

@ComponentScan({"com.pandy.blog"})

@EnableJpaRepositories(basePackages="com.pandy.blog")

@EntityScan("com.pandy.blog")

public class Application {

????public static void main(String[] args) throws Exception {

????????SpringApplication.run(Application.class, args);

????}

}

?

四、與MyBatis集成

  最后,我們再看看如何通過MyBatis來實現數據庫的訪問。同樣我們還是要引入starter:

1

2

3

4

5

<dependency>

??????<groupId>org.mybatis.spring.boot</groupId>

??????<artifactId>mybatis-spring-boot-starter</artifactId>

??????<version>1.1.1</version>

</dependency>

  由于該starter不是spring boot官方提供的,所以版本號于Spring boot不一致,需要手動指定。

  MyBatis一般可以通過XML或者注解的方式來指定操作數據庫的SQL,個人比較偏向于XML,所以,本文中也只演示了通過XML的方式來訪問數據庫。首先,我們需要配置mapper的目錄。我們在application.yml中進行配置:

1

2

3

4

mybatis:

??config-locations: mybatis/mybatis-config.xml

??mapper-locations: mybatis/mapper/*.xml

??type-aliases-package: com.pandy.blog.po

  這里配置主要包括三個部分,一個是mybatis自身的一些配置,例如基本類型的別名。第二個是指定mapper文件的位置,第三個POJO類的別名。這個配置也可以通過 Java configuration來實現,由于篇幅的問題,我這里就不詳述了,有興趣的朋友可以自己實現一下。

  配置完后,我們先編寫mapper對應的接口:

1

2

3

4

5

6

7

8

9

10

11

12

public interface ArticleMapper {

?

????public Long insertArticle(Article article);

?

????public void updateArticle(Article article);

?

????public Article queryById(Long id);

?

????public List<Article> queryArticlesByPage(@Param("article") Article article, @Param("pageSize") int pageSize,

?????????????????????????????????????????????@Param("offset") int offset);

?

}

  該接口暫時只定義了四個方法,即添加、更新,以及根據ID查詢和分頁查詢。這是一個接口,并且和JPA類似,可以不用實現類。接下來我們編寫XML文件:

+ View Code

  最后,我們需要手動指定mapper掃描的包:

1

2

3

4

5

6

7

@SpringBootApplication

@MapperScan("com.pandy.blog.dao")

public class Application {

????public static void main(String[] args) throws Exception {

????????SpringApplication.run(Application.class, args);

????}

}

  好了,與MyBatis的集成也完成了,我們再測試一下:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

33

34

35

36

37

38

39

40

41

42

43

@RunWith(SpringJUnit4ClassRunner.class)

@SpringBootTest(classes = Application.class)

public class ArticleMapperTest {

?

????@Autowired

????private ArticleMapper mapper;

?

????@Test

????public void testInsert() {

????????Article article = new Article();

????????article.setTitle("測試標題2");

????????article.setSummary("測試摘要2");

????????article.setUserId(1L);

????????article.setStatus(1);

????????article.setCreateTime(new Date());

????????article.setUpdateTime(new Date());

????????article.setPublicTime(new Date());

????????mapper.insertArticle(article);

????}

?

????@Test

????public void testMybatisQuery() {

????????Article article = mapper.queryById(1L);

????????assertNotNull(article);

????}

?

????@Test

????public void testUpdate() {

????????Article article = mapper.queryById(1L);

????????article.setPublicTime(new Date());

????????article.setUpdateTime(new Date());

????????article.setStatus(2);

????????mapper.updateArticle(article);

????}

?

????@Test

????public void testQueryByPage(){

????????Article article = new Article();

????????article.setUserId(1L);

????????List<Article> list = mapper.queryArticlesByPage(article,10,0);

????????assertTrue(list.size()>0);

????}

}

  

五、總結

    本文演示Spring boot與JdbcTemplate、JPA以及MyBatis的集成,整體上來說配置都比較簡單,以前做過相關配置的同學應該感覺比較明顯,Spring boot確實在這方面給我們提供了很大的幫助。后續的文章中我們只會使用MyBatis這一種方式來進行數據庫的操作,這里還有一點需要說明一下的是,MyBatis的分頁查詢在這里是手寫的,這個分頁在正式開發中可以通過插件來完成,不過這個與Spring boot沒什么關系,所以本文暫時通過這種手動的方式來進行分頁的處理。

總結

以上是生活随笔為你收集整理的Spring Boot实战:数据库操作的全部內容,希望文章能夠幫你解決所遇到的問題。

如果覺得生活随笔網站內容還不錯,歡迎將生活随笔推薦給好友。

主站蜘蛛池模板: 97操 | 操女人视频网站 | 六月色播| 在线视频欧美日韩 | 91精品国产入口在线 | 国产一区二区亚洲 | 天海翼av | 清纯粉嫩极品夜夜嗨av | 国产高清中文字幕 | 欧美一区二区在线 | 91爱在线观看 | 国产精品美女久久 | 亚洲女人天堂成人av在线 | 一区二区三区不卡在线观看 | 91精品国产高清91久久久久久 | 欧美精品亚洲精品 | 理论片在线观看理伦片 | 精品中文字幕在线 | 中文字幕 日本 | 日本乱码一区 | 久草最新视频 | 日日鲁鲁鲁夜夜爽爽狠狠视频97 | 中文字幕成人在线视频 | 欧美一区二区在线观看 | 精品日韩一区二区三区四区 | 日韩三级视频在线 | 国精无码欧精品亚洲一区蜜桃 | 日本少妇做爰全过程毛片 | 成人免费短视频 | 香蕉毛片 | 91日本在线观看 | 国产精品xxxx| 欧美一a| 狠狠狠| av在线片 | 熟妇人妻一区二区三区四区 | 国产精品成人3p一区二区三区 | 国产美女永久免费无遮挡 | 亚洲iv一区二区三区 | 成年人免费网 | 欧美色频 | 亚洲第一激情 | 老头老夫妇自拍性tv | 国产精品爱啪在线线免费观看 | 打屁股视频网站 | 用舌头去添高潮无码视频 | 成人区人妻精品一区二 | 国产真实乱人偷精品人妻 | 精品久久久无码中文字幕 | 神马久久香蕉 | 999久久久久| 精品视频在线观看一区 | 国产宾馆实践打屁股91 | 麻豆一区二区三区精品视频 | 黄色一几片 | 国产成人精品一二三区 | 色老板最新地址 | 成年人在线免费观看 | 四虎黄色片 | 日韩精品国产一区二区 | 永久av网站 | 中文字幕一区二区三区精品 | 中文字幕 欧美 日韩 | 91精品国产综合久久香蕉922 | 宅男视频在线免费观看 | 成人图片小说 | 久久精品国产精品亚洲 | 韩日三级视频 | 国产精品高潮呻吟久久久 | 4438亚洲最大 | 国产日韩久久久 | 黄色片hd | 国产专区在线视频 | 又紧又大又爽精品一区二区 | 亚洲综合视频网 | 无码少妇一级AV片在线观看 | 国产精品色在线 | 在线观看av国产一区二区 | 国产毛片久久久久久国产毛片 | 亚洲综合色网站 | 国产原创视频在线观看 | 国产成人无码精品久久 | 免费一级淫片aaa片毛片a级 | xxxxxx国产 | 欧美亚洲另类小说 | 国产午夜一区 | 丁香激情五月少妇 | 日本视频免费观看 | 精品乱子一区二区三区 | 手机在线观看日韩av | 男人操女人动态图 | 日韩欧洲亚洲AV无码精品 | 美女黄色一级 | 狂野欧美性猛交xxxx777 | 91热久久| 老司机性视频 | 国产精品视频在线观看 | 精品视频成人 | 久草久草久草 |