기본 구문
이 문서는 예제와 함께 기본 구문 요소를 모아 놓은 것입니다. 각 섹션의 끝에는 관련 주제에 대한 상세 설명 링크가 있습니다.
또한 JetBrains Academy에서 제공하는 무료 Kotlin 핵심 트랙을 통해 Kotlin의 모든 필수 사항을 학습할 수 있습니다.
패키지 정의 및 임포트
패키지 선언은 소스 파일의 맨 위에 있어야 합니다:
package my.demo
import kotlin.text.*
// ...
디렉터리와 패키지를 일치시킬 필요는 없습니다. 소스 파일은 파일 시스템의 어디에든 자유롭게 배치될 수 있습니다.
패키지를 참조하세요.
프로그램 진입점
Kotlin 애플리케이션의 진입점은 main
함수입니다:
fun main() {
println("Hello world!")
}
다른 형태의 main
함수는 가변 개수의 String
인자를 받습니다:
fun main(args: Array<String>) {
println(args.contentToString())
}
표준 출력으로 인쇄
print
는 인자를 표준 출력으로 인쇄합니다:
fun main() {
print("Hello ")
print("world!")
}
println
은 인자를 인쇄하고 줄 바꿈을 추가하여 다음에 인쇄하는 내용이 다음 줄에 나타나도록 합니다:
fun main() {
println("Hello world!")
println(42)
}
표준 입력에서 읽기
readln()
함수는 표준 입력에서 읽습니다. 이 함수는 사용자가 입력한 전체 줄을 문자열로 읽습니다.
println()
, readln()
, print()
함수를 함께 사용하여 사용자 입력을 요청하고 표시하는 메시지를 인쇄할 수 있습니다:
// Prints a message to request input
println("Enter any word: ")
// Reads and stores the user input. For example: Happiness
val yourWord = readln()
// Prints a message with the input
print("You entered the word: ")
print(yourWord)
// You entered the word: Happiness
더 많은 정보는 표준 입력 읽기를 참조하세요.
함수
두 개의 Int
매개변수와 Int
반환 타입을 가진 함수:
fun sum(a: Int, b: Int): Int {
return a + b
}
fun main() {
print("sum of 3 and 5 is ")
println(sum(3, 5))
}
함수 본문은 표현식이 될 수 있습니다. 이 경우 반환 타입이 추론됩니다:
fun sum(a: Int, b: Int) = a + b
fun main() {
println("sum of 19 and 23 is ${sum(19, 23)}")
}
의미 있는 값을 반환하지 않는 함수:
fun printSum(a: Int, b: Int): Unit {
println("sum of $a and $b is ${a + b}")
}
fun main() {
printSum(-1, 8)
}
Unit
반환 타입은 생략될 수 있습니다:
fun printSum(a: Int, b: Int) {
println("sum of $a and $b is ${a + b}")
}
fun main() {
printSum(-1, 8)
}
함수를 참조하세요.
변수
Kotlin에서는 val
또는 var
키워드로 시작하여 변수 이름을 뒤따르는 방식으로 변수를 선언합니다.
val
키워드를 사용하여 값이 한 번만 할당되는 변수를 선언합니다. 이 변수들은 불변의 읽기 전용 로컬 변수로, 초기화 후에는 다른 값으로 재할당될 수 없습니다:
fun main() {
// Declares the variable x and initializes it with the value of 5
val x: Int = 5
// 5
println(x)
}
var
키워드를 사용하여 재할당될 수 있는 변수를 선언합니다. 이 변수들은 가변 변수이며, 초기화 후 값을 변경할 수 있습니다:
fun main() {
// Declares the variable x and initializes it with the value of 5
var x: Int = 5
// Reassigns a new value of 6 to the variable x
x += 1
// 6
println(x)
}
Kotlin은 타입 추론을 지원하며 선언된 변수의 데이터 타입을 자동으로 식별합니다. 변수를 선언할 때 변수 이름 뒤의 타입을 생략할 수 있습니다:
fun main() {
// Declares the variable x with the value of 5;`Int` type is inferred
val x = 5
// 5
println(x)
}
변수는 초기화 후에만 사용할 수 있습니다. 변수를 선언 시점에 초기화하거나, 먼저 변수를 선언하고 나중에 초기화할 수 있습니다. 후자의 경우 데이터 타입을 명시해야 합니다:
fun main() {
// Initializes the variable x at the moment of declaration; type is not required
val x = 5
// Declares the variable c without initialization; type is required
val c: Int
// Initializes the variable c after declaration
c = 3
// 5
// 3
println(x)
println(c)
}
최상위 레벨에서 변수를 선언할 수 있습니다:
val PI = 3.14
var x = 0
fun incrementX() {
x += 1
}
// x = 0; PI = 3.14
// incrementX()
// x = 1; PI = 3.14
fun main() {
println("x = $x; PI = $PI")
incrementX()
println("incrementX()")
println("x = $x; PI = $PI")
}
프로퍼티 선언에 대한 정보는 프로퍼티를 참조하세요.
클래스 및 인스턴스 생성
클래스를 정의하려면 class
키워드를 사용합니다:
class Shape
클래스의 프로퍼티는 선언 또는 본문에 나열될 수 있습니다:
class Rectangle(val height: Double, val length: Double) {
val perimeter = (height + length) * 2
}
클래스 선언에 나열된 매개변수를 가진 기본 생성자는 자동으로 제공됩니다:
class Rectangle(val height: Double, val length: Double) {
val perimeter = (height + length) * 2
}
fun main() {
val rectangle = Rectangle(5.0, 2.0)
println("The perimeter is ${rectangle.perimeter}")
}
클래스 간 상속은 콜론(:
)으로 선언됩니다. 클래스는 기본적으로 final
입니다. 클래스를 상속 가능하게 만들려면 open
으로 표시합니다:
open class Shape
class Rectangle(val height: Double, val length: Double): Shape() {
val perimeter = (height + length) * 2
}
생성자 및 상속에 대한 자세한 정보는 클래스 및 객체 및 인스턴스를 참조하세요.
주석
대부분의 최신 언어와 마찬가지로 Kotlin은 한 줄(또는 줄 끝) 주석과 여러 줄(블록) 주석을 지원합니다:
// This is an end-of-line comment
/* This is a block comment
on multiple lines. */
Kotlin의 블록 주석은 중첩될 수 있습니다:
/* The comment starts here
/* contains a nested comment */
and ends here. */
문서 주석 문법에 대한 정보는 Kotlin 코드 문서화를 참조하세요.
문자열 템플릿
fun main() {
var a = 1
// simple name in template:
val s1 = "a is $a"
a = 2
// arbitrary expression in template:
val s2 = "${s1.replace("is", "was")}, but now is $a"
println(s2)
}
자세한 내용은 문자열 템플릿을 참조하세요.
조건식
fun maxOf(a: Int, b: Int): Int {
if (a > b) {
return a
} else {
return b
}
}
fun main() {
println("max of 0 and 42 is ${maxOf(0, 42)}")
}
Kotlin에서 if
는 표현식으로도 사용될 수 있습니다:
fun maxOf(a: Int, b: Int) = if (a > b) a else b
fun main() {
println("max of 0 and 42 is ${maxOf(0, 42)}")
}
if
표현식을 참조하세요.
for 루프
fun main() {
val items = listOf("apple", "banana", "kiwifruit")
for (item in items) {
println(item)
}
}
또는:
fun main() {
val items = listOf("apple", "banana", "kiwifruit")
for (index in items.indices) {
println("item at $index is ${items[index]}")
}
}
for 루프를 참조하세요.
while 루프
fun main() {
val items = listOf("apple", "banana", "kiwifruit")
var index = 0
while (index < items.size) {
println("item at $index is ${items[index]}")
index++
}
}
while 루프를 참조하세요.
when 표현식
fun describe(obj: Any): String =
when (obj) {
1 -> "One"
"Hello" -> "Greeting"
is Long -> "Long"
!is String -> "Not a string"
else -> "Unknown"
}
fun main() {
println(describe(1))
println(describe("Hello"))
println(describe(1000L))
println(describe(2))
println(describe("other"))
}
when 표현식 및 문을 참조하세요.
범위
in
연산자를 사용하여 숫자가 범위 내에 있는지 확인합니다:
fun main() {
val x = 10
val y = 9
if (x in 1..y+1) {
println("fits in range")
}
}
숫자가 범위 밖에 있는지 확인합니다:
fun main() {
val list = listOf("a", "b", "c")
if (-1 !in 0..list.lastIndex) {
println("-1 is out of range")
}
if (list.size !in list.indices) {
println("list size is out of valid list indices range, too")
}
}
범위를 순회합니다:
fun main() {
for (x in 1..5) {
print(x)
}
}
또는 진행을 순회합니다:
fun main() {
for (x in 1..10 step 2) {
print(x)
}
println()
for (x in 9 downTo 0 step 3) {
print(x)
}
}
범위와 진행을 참조하세요.
컬렉션
컬렉션을 순회합니다:
fun main() {
val items = listOf("apple", "banana", "kiwifruit")
for (item in items) {
println(item)
}
}
in
연산자를 사용하여 컬렉션에 객체가 포함되어 있는지 확인합니다:
fun main() {
val items = setOf("apple", "banana", "kiwifruit")
when {
"orange" in items -> println("juicy")
"apple" in items -> println("apple is fine too")
}
}
람다 표현식을 사용하여 컬렉션을 필터링하고 매핑합니다:
fun main() {
val fruits = listOf("banana", "avocado", "apple", "kiwifruit")
fruits
.filter { it.startsWith("a") }
.sortedBy { it }
.map { it.uppercase() }
.forEach { println(it) }
}
컬렉션 개요를 참조하세요.
널 가능 값과 널 검사
null
값이 가능할 경우 참조는 명시적으로 널 가능으로 표시되어야 합니다. 널 가능 타입 이름은 끝에 ?
를 가집니다.
str
이 정수를 포함하지 않으면 null
을 반환합니다:
fun parseInt(str: String): Int? {
// ...
}
널 가능 값을 반환하는 함수를 사용합니다:
fun parseInt(str: String): Int? {
return str.toIntOrNull()
}
fun printProduct(arg1: String, arg2: String) {
val x = parseInt(arg1)
val y = parseInt(arg2)
// Using `x * y` yields error because they may hold nulls.
if (x != null && y != null) {
// x and y are automatically cast to non-nullable after null check
println(x * y)
}
else {
println("'$arg1' or '$arg2' is not a number")
}
}
fun main() {
printProduct("6", "7")
printProduct("a", "7")
printProduct("a", "b")
}
또는:
fun parseInt(str: String): Int? {
return str.toIntOrNull()
}
fun printProduct(arg1: String, arg2: String) {
val x = parseInt(arg1)
val y = parseInt(arg2)
// ...
if (x == null) {
println("Wrong number format in arg1: '$arg1'")
return
}
if (y == null) {
println("Wrong number format in arg2: '$arg2'")
return
}
// x and y are automatically cast to non-nullable after null check
println(x * y)
}
fun main() {
printProduct("6", "7")
printProduct("a", "7")
printProduct("99", "b")
}
널 안정성을 참조하세요.
타입 검사 및 자동 캐스트
is
연산자는 표현식이 특정 타입의 인스턴스인지 확인합니다. 불변 로컬 변수나 프로퍼티가 특정 타입으로 검사될 경우, 명시적으로 캐스팅할 필요가 없습니다:
fun getStringLength(obj: Any): Int? {
if (obj is String) {
// `obj` is automatically cast to `String` in this branch
return obj.length
}
// `obj` is still of type `Any` outside of the type-checked branch
return null
}
fun main() {
fun printLength(obj: Any) {
println("Getting the length of '$obj'. Result: ${getStringLength(obj) ?: "Error: The object is not a string"} ")
}
printLength("Incomprehensibilities")
printLength(1000)
printLength(listOf(Any()))
}
또는:
fun getStringLength(obj: Any): Int? {
if (obj !is String) return null
// `obj` is automatically cast to `String` in this branch
return obj.length
}
fun main() {
fun printLength(obj: Any) {
println("Getting the length of '$obj'. Result: ${getStringLength(obj) ?: "Error: The object is not a string"} ")
}
printLength("Incomprehensibilities")
printLength(1000)
printLength(listOf(Any()))
}
심지어:
fun getStringLength(obj: Any): Int? {
// `obj` is automatically cast to `String` on the right-hand side of `&&`
if (obj is String && obj.length > 0) {
return obj.length
}
return null
}
fun main() {
fun printLength(obj: Any) {
println("Getting the length of '$obj'. Result: ${getStringLength(obj) ?: "Error: The object is not a string"} ")
}
printLength("Incomprehensibilities")
printLength("")
printLength(1000)
}