Spring Boot和Kotlin的无缝整合与完美交融

前言

本文讲解 Spring Boot2 基础下,如何使用 Kotlin,并无缝整合与完美交融。为了让读者更加熟悉 Kotlin 的语法糖,笔者会在未来的几篇文章中,聊聊 Kotlin 的新特性及其语法糖。下面话不多说了,来一起看看详细的介绍吧

环境依赖

修改 POM 文件,添加 spring boot 依赖。

<parent>
 <groupId>org.springframework.boot</groupId>
 <artifactId>spring-boot-starter-parent</artifactId>
 <version>2.0.2.RELEASE</version>
 <relativePath/>
</parent>
<dependencies>
 <dependency>
 <groupId>org.springframework.boot</groupId>
 <artifactId>spring-boot-starter</artifactId>
 </dependency>
 <dependency>
 <groupId>org.springframework.boot</groupId>
 <artifactId>spring-boot-starter-web</artifactId>
 </dependency>
 <dependency>
 <groupId>org.springframework.boot</groupId>
 <artifactId>spring-boot-starter-jdbc</artifactId>
 </dependency>
</dependencies>

紧接着,我们需要添加 mysql 依赖。

<dependency>
 <groupId>mysql</groupId>
 <artifactId>mysql-connector-java</artifactId>
 <version>5.1.35</version>
</dependency>
<dependency>
 <groupId>com.alibaba</groupId>
 <artifactId>druid</artifactId>
 <version>1.0.14</version>
</dependency>

最后,添加 Kotlin 依赖。

<dependency>
 <groupId>org.jetbrains.kotlin</groupId>
 <artifactId>kotlin-stdlib-jdk8</artifactId>
</dependency>
<dependency>
 <groupId>org.jetbrains.kotlin</groupId>
 <artifactId>kotlin-reflect</artifactId>
</dependency>
<dependency>
 <groupId>org.jetbrains.kotlin</groupId>
 <artifactId>kotlin-stdlib</artifactId>
</dependency>

注意的是,在 Kotlin 中,data class 默认没有无参构造方法,并且 data class 默认为 final 类型,不可以被继承。注意的是,如果我们使用 Spring + Kotlin 的模式,那么使用 @autowared 就可能遇到这个问题。因此,我们可以添加 NoArg 为标注的类生成无参构造方法。使用 AllOpen 为被标注的类去掉 final,允许被继承。

<plugin>
 <artifactId>kotlin-maven-plugin</artifactId>
 <groupId>org.jetbrains.kotlin</groupId>
 <version>${kotlin.version}</version>
 <executions>
 <execution>
 <id>compile</id>
 <goals> <goal>compile</goal> </goals>
 </execution>
 <execution>
 <id>test-compile</id>
 <goals> <goal>test-compile</goal> </goals>
 </execution>
 </executions>
 <dependencies>
 <dependency>
 <groupId>org.jetbrains.kotlin</groupId>
 <artifactId>kotlin-maven-noarg</artifactId>
 <version>${kotlin.version}</version>
 </dependency>
 <dependency>
 <groupId>org.jetbrains.kotlin</groupId>
 <artifactId>kotlin-maven-allopen</artifactId>
 <version>${kotlin.version}</version>
 </dependency>
 </dependencies>
</plugin>

至此,我们 Maven 的依赖环境大致配置完毕。完整的源码,可以参见文末 GitHub 仓库。

数据源

方案一 使用 Spring Boot 默认配置

使用 Spring Boot 默认配置,不需要在创建 dataSource 和 jdbcTemplate 的 Bean。

在 src/main/resources/application.properties 中配置数据源信息。

spring.datasource.driver-class-name=com.mysql.jdbc.Driver
spring.datasource.url=jdbc:mysql://localhost:3307/springboot_db
spring.datasource.username=root
spring.datasource.password=root

方案二 手动创建

在 src/main/resources/config/source.properties 中配置数据源信息。

# mysql
source.driverClassName = com.mysql.jdbc.Driver
source.url = jdbc:mysql://localhost:3306/springboot_db
source.username = root
source.password = root

这里, 创建 dataSource 和jdbcTemplate。

@Configuration
@EnableTransactionManagement
@PropertySource(value = *arrayOf("classpath:config/source.properties"))
open class BeanConfig {

 @Autowired
 private lateinit var env: Environment

 @Bean
 open fun dataSource(): DataSource {
 val dataSource = DruidDataSource()
 dataSource.driverClassName = env!!.getProperty("source.driverClassName").trim()
 dataSource.url = env.getProperty("source.url").trim()
 dataSource.username = env.getProperty("source.username").trim()
 dataSource.password = env.getProperty("source.password").trim()
 return dataSource
 }

 @Bean
 open fun jdbcTemplate(): JdbcTemplate {
 val jdbcTemplate = JdbcTemplate()
 jdbcTemplate.dataSource = dataSource()
 return jdbcTemplate
 }
}

脚本初始化

先初始化需要用到的 SQL 脚本。

CREATE DATABASE /*!32312 IF NOT EXISTS*/`springboot_db` /*!40100 DEFAULT CHARACTER SET utf8 */;

USE `springboot_db`;

DROP TABLE IF EXISTS `t_author`;

CREATE TABLE `t_author` (
 `id` bigint(20) unsigned NOT NULL AUTO_INCREMENT COMMENT '用户ID',
 `real_name` varchar(32) NOT NULL COMMENT '用户名称',
 `nick_name` varchar(32) NOT NULL COMMENT '用户匿名',
 PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;

使用 JdbcTemplate 操作

实体对象

class Author {
 var id: Long? = null
 var realName: String? = null
 var nickName: String? = null
}

DAO相关

interface AuthorDao {
 fun add(author: Author): Int
 fun update(author: Author): Int
 fun delete(id: Long): Int
 fun findAuthor(id: Long): Author?
 fun findAuthorList(): List<Author>
}

我们来定义实现类,通过 JdbcTemplate 定义的数据访问操作。

@Repository
open class AuthorDaoImpl : AuthorDao {

 @Autowired
 private lateinit var jdbcTemplate: JdbcTemplate

 override fun add(author: Author): Int {
 return jdbcTemplate.update("insert into t_author(real_name, nick_name) values(?, ?)",
 author.realName, author.nickName)
 }

 override fun update(author: Author): Int {
 return jdbcTemplate.update("update t_author set real_name = ?, nick_name = ? where id = ?",
 *arrayOf(author.realName, author.nickName, author.id))
 }

 override fun delete(id: Long): Int {
 return jdbcTemplate.update("delete from t_author where id = ?", id)
 }

 override fun findAuthor(id: Long): Author? {
 val list = jdbcTemplate.query<Author>("select * from t_author where id = ?",
 arrayOf<Any>(id), BeanPropertyRowMapper(Author::class.java))
 return list?.get(0);
 }

 override fun findAuthorList(): List<Author> {
 return jdbcTemplate.query("select * from t_author", arrayOf(), BeanPropertyRowMapper(Author::class.java))
 }
}

Service相关

interface AuthorService {
 fun add(author: Author): Int
 fun update(author: Author): Int
 fun delete(id: Long): Int
 fun findAuthor(id: Long): Author?
 fun findAuthorList(): List<Author>
}

我们来定义实现类,Service 层调用 Dao 层的方法,这个是典型的套路。

@Service("authorService")
open class AuthorServiceImpl : AuthorService {

 @Autowired
 private lateinit var authorDao: AuthorDao

 override fun update(author: Author): Int {
 return this.authorDao.update(author)
 }

 override fun add(author: Author): Int {
 return this.authorDao.add(author)
 }

 override fun delete(id: Long): Int {
 return this.authorDao.delete(id)
 }

 override fun findAuthor(id: Long): Author? {
 return this.authorDao.findAuthor(id)
 }

 override fun findAuthorList(): List<Author> {
 return this.authorDao.findAuthorList()
 }
}

Controller相关

为了展现效果,我们先定义一组简单的 RESTful API 接口进行测试。

@RestController
@RequestMapping(value = "/authors")
class AuthorController {

 @Autowired
 private lateinit var authorService: AuthorService

 /**
 * 查询用户列表
 */
 @RequestMapping(method = [RequestMethod.GET])
 fun getAuthorList(request: HttpServletRequest): Map<String, Any> {
 val authorList = this.authorService.findAuthorList()
 val param = HashMap<String, Any>()
 param["total"] = authorList.size
 param["rows"] = authorList
 return param
 }

 /**
 * 查询用户信息
 */
 @RequestMapping(value = "/{userId:\\d+}", method = [RequestMethod.GET])
 fun getAuthor(@PathVariable userId: Long, request: HttpServletRequest): Author {
 return authorService.findAuthor(userId) ?: throw RuntimeException("查询错误")
 }

 /**
 * 新增方法
 */
 @RequestMapping(method = [RequestMethod.POST])
 fun add(@RequestBody jsonObject: JSONObject) {
 val userId = jsonObject.getString("user_id")
 val realName = jsonObject.getString("real_name")
 val nickName = jsonObject.getString("nick_name")

 val author = Author()
 author.id = java.lang.Long.valueOf(userId)
 author.realName = realName
 author.nickName = nickName
 try {
 this.authorService.add(author)
 } catch (e: Exception) {
 throw RuntimeException("新增错误")
 }
 }

 /**
 * 更新方法
 */
 @RequestMapping(value = "/{userId:\\d+}", method = [RequestMethod.PUT])
 fun update(@PathVariable userId: Long, @RequestBody jsonObject: JSONObject) {
 var author = this.authorService.findAuthor(userId)
 val realName = jsonObject.getString("real_name")
 val nickName = jsonObject.getString("nick_name")
 try {
 if (author != null) {
 author.realName = realName
 author.nickName = nickName
 this.authorService.update(author)
 }
 } catch (e: Exception) {
 throw RuntimeException("更新错误")
 }

 }

 /**
 * 删除方法
 */
 @RequestMapping(value = "/{userId:\\d+}", method = [RequestMethod.DELETE])
 fun delete(@PathVariable userId: Long) {
 try {
 this.authorService.delete(userId)
 } catch (e: Exception) {
 throw RuntimeException("删除错误")
 }
 }
}

最后,我们通过 SpringKotlinApplication 运行程序。

@SpringBootApplication(scanBasePackages = ["com.lianggzone.demo.kotlin"])
open class SpringKotlinApplication{
 fun main(args: Array<String>) {
 SpringApplication.run(SpringKotlinApplication::class.java, *args)
 }
}

关于测试

这里,笔者推荐 IDEA 的 Editor REST Client。IDEA 的 Editor REST Client 在 IntelliJ IDEA 2017.3 版本就开始支持,在 2018.1 版本添加了很多的特性。事实上,它是 IntelliJ IDEA 的 HTTP Client 插件。参见笔者之前的另一篇文章: 快速测试 API 接口的新技能

### 查询用户列表
GET http://localhost:8080/authors
Accept : application/json
Content-Type : application/json;charset=UTF-8

### 查询用户信息
GET http://localhost:8080/authors/15
Accept : application/json
Content-Type : application/json;charset=UTF-8

### 新增方法
POST http://localhost:8080/authors
Content-Type: application/json

{
 "user_id": "21",
 "real_name": "梁桂钊",
 "nick_name": "梁桂钊"
}

### 更新方法
PUT http://localhost:8080/authors/21
Content-Type: application/json

{
 "real_name" : "lianggzone",
 "nick_name": "lianggzone"
}

### 删除方法
DELETE http://localhost:8080/authors/21
Accept : application/json
Content-Type : application/json;charset=UTF-8

总结

通过,上面这个简单的案例,我们发现 Spring Boot 整合 Kotlin 非常容易,并简化 Spring 应用的初始搭建以及开发过程。为了让读者更加熟悉 Kotlin 的语法糖,笔者会在未来的几篇文章中,聊聊 Kotlin 的新特性及其语法糖。

源代码

相关示例完整代码: spring-kotlin-samples (本地下载)

好了,以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对我们的支持。

(0)

相关推荐

  • Spring Boot与Kotlin 整合全文搜索引擎Elasticsearch的示例代码

    Elasticsearch 在全文搜索里面基本是无敌的,在大数据里面也很有建树,完全可以当nosql(本来也是nosql)使用. 这篇文章简单介绍Spring Boot使用Kotlin语言连接操作 Elasticsearch.但是不会做很详细的介绍,如果要深入了解Elasticsearch在Java/kotlin中的使用,请参考我之前编写的<Elasticsearch Java API 手册> https://gitee.com/quanke/elasticsearch-java/ 里面包含使

  • 详解用Kotlin写一个基于Spring Boot的RESTful服务

    Spring太复杂了,配置这个东西简直就是浪费生命.尤其在没有什么并发压力,随便搞一个RESTful服务,让整个业务跑起来先的情况下,更是么有必要纠结在一堆的XML配置上.显然这么想的人是很多的,于是就有了Spring Boot.又由于Java 8太墨迹于是有了Kotlin. 数据源使用MySql.通过Spring Boot这个基本不怎么配置的,不怎么微的微框架的Spring Data JPA和Hibernate来访问数据. 处理依赖 这里使用Gradle来处理依赖. 首先下载官网给的初始项目:

  • Spring Boot与Kotlin定时任务的示例(Scheduling Tasks)

    在编写Spring Boot应用中会遇到这样的场景,比如:需要定时地发送一些短信.邮件之类的操作,也可能会定时地检查和监控一些标志.参数等. 创建定时任务 在Spring Boot中编写定时任务是非常简单的事,下面通过实例介绍如何在Spring Boot中创建定时任务,实现每过5秒输出一下当前时间. 在Spring Boot的主类中加入@EnableScheduling注解,启用定时任务的配置 import org.springframework.boot.SpringApplication i

  • spring boot + jpa + kotlin入门实例详解

    spring boot +jpa的文章网络上已经有不少,这里主要补充一下用kotlin来做. kotlin里面的data class来创建entity可以帮助我们减少不少的代码,比如现在这个User的Entity,这是Java版本的: @Entity public class User { @Id @GeneratedValue(strategy = GenerationType.AUTO) private long id; private String firstName; private S

  • Spring Boot 与 kotlin 使用Thymeleaf模板引擎渲染web视图的方法

    本篇给大家介绍Spring Boot 与 kotlin 使用Thymeleaf模板引擎渲染web视图. 静态资源访问 在我们开发Web应用的时候,需要引用大量的js.css.图片等静态资源,使用Spring Boot 与 kotlin如何去支持这些静态资源?,很简单. 默认配置 Spring Boot默认提供静态资源目录位置需置于 classpath 下,目录名需符合如下规则: /static /public /resources /META-INF/resources 举例:我们可以在src/

  • Spring Boot 与 Kotlin 使用JdbcTemplate连接MySQL数据库的方法

    之前介绍了一些Web层的例子,包括构建RESTful API.使用Thymeleaf模板引擎渲染Web视图,但是这些内容还不足以构建一个动态的应用.通常我们做App也好,做Web应用也好,都需要内容,而内容通常存储于各种类型的数据库,服务端在接收到访问请求之后需要访问数据库获取并处理成展现给用户使用的数据形式. 本文介绍在Spring Boot基础下配置数据源和通过 JdbcTemplate 编写数据访问的示例. 数据源配置 在我们访问数据库的时候,需要先配置一个数据源,下面分别介绍一下几种不同

  • 关于Spring Boot和Kotlin的联合开发

    一.概述 spring官方最近宣布,将在Spring Framework 5.0版本中正式支持Kotlin语言.这意味着Spring Boot 2.x版本将为Kotlin提供一流的支持. 这并不会令人意外,因为Pivotal团队以广泛接纳​​JVM语言(如Scala和Groovy)而闻名.下面我们用Spring Boot 2.x和Kotlin应用程序. 二.搭建环境 1.环境 IntelliJ和Eclipse都对Kotlin提供了支持,可以根据自己的喜好搭建Kotlin开发环境. 2.构建应用

  • Kotlin + Spring Boot 请求参数验证的代码实例

    编写 Web 应用程序的时候,经常要做的事就是要对前端传回的数据进行简单的验证,比如是否非空.字符长度是否满足要求,邮箱格式是否正确等等.在 Spring Boot 中,可以使用 Bean Validation (JSR-303) 技术通过注解的方式来进行参数验证. 准备 DTO 对象 data class UserRegisterModel( @get: NotEmpty(message = "User name is required") @get: Size(message =

  • 使用Spring boot + jQuery上传文件(kotlin)功能实例详解

    文件上传也是常见的功能,趁着周末,用Spring boot来实现一遍. 前端部分 前端使用jQuery,这部分并不复杂,jQuery可以读取表单内的文件,这里可以通过formdata对象来组装键值对,formdata这种方式发送表单数据更为灵活.你可以使用它来组织任意的内容,比如使用 formData.append("test1","hello world"); 在kotlin后端就可以使用@RequestParam("test1") greet

  • Spring Boot 与 Kotlin 上传文件的示例代码

    如果我们做一个小型的web站,而且刚好选择的kotlin 和Spring Boot技术栈,那么上传文件的必不可少了,当然,如果你做一个中大型的web站,那建议你使用云存储,能省不少事情. 这篇文章就介绍怎么使用kotlin 和Spring Boot上传文件 构建工程 如果对于构建工程还不是很熟悉的可以参考<我的第一个Kotlin应用> 完整 build.gradle 文件 group 'name.quanke.kotlin' version '1.0-SNAPSHOT' buildscript

随机推荐