Spring Boot 와 Kotlin 의 틈새 없 는 통합 과 완벽 한 융합
본 고 는 Spring Boot 2 를 바탕 으로 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))
}
}
서비스 관련
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()
}
}
컨트롤 러 관련효 과 를 보 여주 기 위해 간단 한 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 ( 로 컬 다운로드 )
자,이상 이 이 글 의 전체 내용 입 니 다.본 논문 의 내용 이 여러분 의 학습 이나 업무 에 어느 정도 참고 학습 가치 가 있 기 를 바 랍 니 다.궁금 한 점 이 있 으 시 면 댓 글 을 남 겨 주 셔 서 저희 에 대한 지지 에 감 사 드 립 니 다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Kotlin의 실험, 에피소드 1a String 의 중심에 있는 문자를 반환하는 메서드를 작성하려는 경우 Java에서 가장 좋은 옵션은 유틸리티 클래스를 정의하는 것입니다. Kotlin을 사용하면 을 통해 기존 클래스에 새 메서드를 추가할 수 있습...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.