国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

SpringBoot 與 Kotlin 完美交融

golden_hamster / 445人閱讀

摘要:環(huán)境依賴修改文件,添加依賴。使用為被標注的類去掉,允許被繼承。數(shù)據(jù)源方案一使用默認配置使用默認配置,不需要在創(chuàng)建和的。相關(guān)為了展現(xiàn)效果,我們先定義一組簡單的接口進行測試。

原文地址:梁桂釗的博客

博客地址:http://blog.720ui.com

歡迎轉(zhuǎn)載,轉(zhuǎn)載請注明作者及出處,謝謝!

本文講解 Spring Boot2 基礎(chǔ)下,如何使用 Kotlin,并無縫整合與完美交融。為了讓讀者更加熟悉 Kotlin 的語法糖,筆者會在未來的幾篇文章中,聊聊 Kotlin 的新特性及其語法糖。

環(huán)境依賴

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


    org.springframework.boot
    spring-boot-starter-parent
    2.0.2.RELEASE
    


    
        org.springframework.boot
        spring-boot-starter
    
    
        org.springframework.boot
        spring-boot-starter-web
    
    
        org.springframework.boot
        spring-boot-starter-jdbc
    

緊接著,我們需要添加 mysql 依賴。


    mysql
    mysql-connector-java
    5.1.35


    com.alibaba
    druid
    1.0.14

最后,添加 Kotlin 依賴。


    org.jetbrains.kotlin
    kotlin-stdlib-jdk8


    org.jetbrains.kotlin
    kotlin-reflect


    org.jetbrains.kotlin
    kotlin-stdlib

注意的是,在 Kotlin 中,data class 默認沒有無參構(gòu)造方法,并且 data class 默認為 final 類型,不可以被繼承。注意的是,如果我們使用 Spring + Kotlin 的模式,那么使用 @autowared 就可能遇到這個問題。因此,我們可以添加 NoArg 為標注的類生成無參構(gòu)造方法。使用 AllOpen 為被標注的類去掉 final,允許被繼承。


    kotlin-maven-plugin
    org.jetbrains.kotlin
    ${kotlin.version}
    
        
            compile
             compile 
        
        
            test-compile
             test-compile 
        
    
    
        
            org.jetbrains.kotlin
            kotlin-maven-noarg
            ${kotlin.version}
        
        
            org.jetbrains.kotlin
            kotlin-maven-allopen
            ${kotlin.version}
        
    

至此,我們 Maven 的依賴環(huán)境大致配置完畢。完整的源碼,可以參見文末 GitHub 倉庫。

數(shù)據(jù)源 方案一 使用 Spring Boot 默認配置

使用 Spring Boot 默認配置,不需要在創(chuàng)建 dataSource 和 jdbcTemplate 的 Bean。

src/main/resources/application.properties 中配置數(shù)據(jù)源信息。


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

方案二 手動創(chuàng)建

src/main/resources/config/source.properties 中配置數(shù)據(jù)源信息。

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

這里, 創(chuàng)建 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相關(guān)
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
}

我們來定義實現(xiàn)類,通過 JdbcTemplate 定義的數(shù)據(jù)訪問操作。

@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("select * from t_author where id = ?",
                arrayOf(id), BeanPropertyRowMapper(Author::class.java))
        return list?.get(0);
    }

    override fun findAuthorList(): List {
        return jdbcTemplate.query("select * from t_author", arrayOf(), BeanPropertyRowMapper(Author::class.java))
    }
}
Service相關(guān)
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
}

我們來定義實現(xiàn)類,Service 層調(diào)用 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 {
        return this.authorDao.findAuthorList()
    }
}
Controller相關(guān)

為了展現(xiàn)效果,我們先定義一組簡單的 RESTful API 接口進行測試。

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

    @Autowired
    private lateinit var authorService: AuthorService

    /**
     * 查詢用戶列表
     */
    @RequestMapping(method = [RequestMethod.GET])
    fun getAuthorList(request: HttpServletRequest): Map {
        val authorList = this.authorService.findAuthorList()
        val param = HashMap()
        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) {
        SpringApplication.run(SpringKotlinApplication::class.java, *args)
    }
}
關(guān)于測試

這里,筆者推薦 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
總結(jié)

通過,上面這個簡單的案例,我們發(fā)現(xiàn) Spring Boot 整合 Kotlin 非常容易,并簡化 Spring 應(yīng)用的初始搭建以及開發(fā)過程。為了讓讀者更加熟悉 Kotlin 的語法糖,筆者會在未來的幾篇文章中,聊聊 Kotlin 的新特性及其語法糖。

源代碼
相關(guān)示例完整代碼: spring-kotlin-samples

(完,轉(zhuǎn)載請注明作者及出處。)

更多精彩文章,盡在「服務(wù)端思維」!

文章版權(quán)歸作者所有,未經(jīng)允許請勿轉(zhuǎn)載,若此文章存在違規(guī)行為,您可以聯(lián)系管理員刪除。

轉(zhuǎn)載請注明本文地址:http://specialneedsforspecialkids.com/yun/71190.html

相關(guān)文章

  • 第12章 元編程注解、反射 《Kotlin 項目實戰(zhàn)開發(fā)》

    摘要:第章元編程與注解反射反射是在運行時獲取類的函數(shù)方法屬性父類接口注解元數(shù)據(jù)泛型信息等類的內(nèi)部信息的機制。本章介紹中的注解與反射編程的相關(guān)內(nèi)容。元編程本質(zhì)上是一種對源代碼本身進行高層次抽象的編碼技術(shù)。反射是促進元編程的一種很有價值的語言特性。 第12章 元編程與注解、反射 反射(Reflection)是在運行時獲取類的函數(shù)(方法)、屬性、父類、接口、注解元數(shù)據(jù)、泛型信息等類的內(nèi)部信息的機...

    joyqi 評論0 收藏0
  • SpringBoot 2.X Kotlin 系列之Hello World

    摘要:二教程環(huán)境三創(chuàng)建項目創(chuàng)建項目有兩種方式一種是在官網(wǎng)上創(chuàng)建二是在上創(chuàng)建如圖所示勾選然后點,然后一直默認最后點擊完成即可。我們這里看到和普通的接口沒有異同,除了返回類型是用包裝之外。與之對應(yīng)的還有,這個后面我們會講到。 showImg(https://segmentfault.com/img/remote/1460000018819338?w=1024&h=500); 從去年開始就開始學(xué)習(xí)...

    warkiz 評論0 收藏0
  • SpringBoot 2.X Kotlin 系列之Reactive Mongodb JPA

    摘要:一本節(jié)目標前兩章主要講了的基本操作,這一章我們將學(xué)習(xí)使用訪問,并通過完成簡單操作。這里有一個問題什么不選用數(shù)據(jù)庫呢答案是目前支持。突出點是,即非阻塞的。二構(gòu)建項目及配置本章不在講解如何構(gòu)建項目了,大家可以參考第一章。 showImg(https://segmentfault.com/img/remote/1460000018819338?w=1024&h=500); 一、本節(jié)目標 前兩...

    MSchumi 評論0 收藏0
  • SpringBoot 2.X Kotlin 系列之Reactive Mongodb JPA

    摘要:一本節(jié)目標前兩章主要講了的基本操作,這一章我們將學(xué)習(xí)使用訪問,并通過完成簡單操作。這里有一個問題什么不選用數(shù)據(jù)庫呢答案是目前支持。突出點是,即非阻塞的。二構(gòu)建項目及配置本章不在講解如何構(gòu)建項目了,大家可以參考第一章。 showImg(https://segmentfault.com/img/remote/1460000018819338?w=1024&h=500); 一、本節(jié)目標 前兩...

    琛h。 評論0 收藏0
  • 初探Kotlin+SpringBoot聯(lián)合編程

    摘要:是一門最近比較流行的靜態(tài)類型編程語言,而且和一樣同屬系。這個生成的構(gòu)造函數(shù)是合成的,因此不能從或中直接調(diào)用,但可以使用反射調(diào)用。 showImg(https://segmentfault.com/img/remote/1460000012958496); Kotlin是一門最近比較流行的靜態(tài)類型編程語言,而且和Groovy、Scala一樣同屬Java系。Kotlin具有的很多靜態(tài)語言...

    xiaokai 評論0 收藏0

發(fā)表評論

0條評論

最新活動
閱讀需要支付1元查看
<