kotlin
  • Kotlin
  • Variable
  • Function
  • First Class Citizen
  • High Order Function
  • Pure Function
  • Call by Value, Call by Name
  • Null Safe
  • Generic
  • Expression
    • if - else
    • when
    • try - catch
    • while
    • for
  • Class
    • abstract
    • constructor
    • Data Class
    • Default Value
    • enum
    • inheritance
    • interface
    • open
    • property
    • sealed
  • Kotlin Standard
    • let
    • with
    • apply
    • run
    • also
    • takeIf
    • takeUnless
    • use
    • repeat
  • Collections
    • Mutable
    • Immutable
    • Collections
    • Aggregate operations
      • any
      • all
      • count
      • fold
      • foldRight
      • fold vs foldRight
      • forEach
      • forEachIndexed
      • max
      • maxBy
      • min
      • minBy
      • none
      • reduce
      • reduceRight
      • sum
      • sumBy
    • Filtering operations
      • drop
      • dropLast
      • dropWhile
      • dropLastWhile
      • filter
      • filterNot
      • slice
      • take
      • takeLast
      • takeWhile
    • Mapping operations
      • map
      • mapIndexed
      • flatMap
      • groupBy
    • Elements operations
      • contains
      • elementAt
      • elementAtOrElse
      • elementAtOrNull
      • first
      • firstOrNull
      • indexOf
      • indexOfFirst
      • indexOfLast
      • last
      • lastIndexOf
      • lastOrNull
      • single
      • singleOrNull
    • Generation operations
      • partition
      • plus
      • minus
      • zip
      • unzip
    • Ordering operations
      • reversed
      • sorted
      • sortedBy
      • sortedDescending
      • sortedByDescending
Powered by GitBook
On this page
  1. Class

enum

  • 타입을 담는 클래스. 열거형 클래스라고도 한다.

//java
enum Color {
    RED(0xFF0000), GREEN(0x00FF00), BLUE(0x0000FF);

    int rgb;
    Color(int color) {
        rgb = color;
    }
}

for(Color color : Color.values()) {
    System.out.println(color);
}
// RED,GREEN,BLUE
//kotlin
enum class Color(val rgb: Int) {
    RED(0xFF0000),
    GREEN(0x00FF00),
    BLUE(0x0000FF);
}

for(color: Color in Color.values()) {
    println(color)
}
//RED,GREEN,BLUE

//코틀린에선 enum class의 생성자부분을 클래스헤더와 같이 작성할 수 있어 코드길이를 줄일 수 있다.

val red: Color = Color.valueOf("RED")
val green: Color = Color.GREEN
val colorList: Array<Color> = Color.values()

//kotlin
enum class Color(val rgb: Int) {
    RED(0xFF0000),
    GREEN(0x00FF00),
    BLUE(0x0000FF);  

    fun rgb() {
        //...
    }

    //enum 클래스 안에서 멤버함수를 정의한다면 마지막 항목 끝에 자바에서 처럼 ; 을 붙여주어야 한다.

}

PreviousDefault ValueNextinheritance

Last updated 6 years ago