Kotlin

From Hidden Wiki
Jump to navigation Jump to search

Template:Short description

Template:Infobox programming language

Kotlin (Template:IPAc-en)[1] is a cross-platform, statically typed, general-purpose programming language with type inference. Kotlin is designed to interoperate fully with Java, and the JVM version of its standard library depends on the Java Class Library,[2] but type inference allows its syntax to be more concise. Kotlin mainly targets the JVM, but also compiles to JavaScript or native code (via LLVM). Language development costs are borne by JetBrains, while the Kotlin Foundation protects the Kotlin trademark.[3]

On 7 May 2019, Google announced that the Kotlin programming language is now its preferred language for Android app developers.[4] Since the release of Android Studio 3.0 in October 2017, Kotlin has been included as an alternative to the standard Java compiler. The Android Kotlin compiler targets Java 6 by default, but lets the programmer choose between Java 8 to 13, for optimization.[5]

History

In July 2011, JetBrains unveiled Project Kotlin, a new language for the JVM, which had been under development for a year.[6] JetBrains lead Dmitry Jemerov said that most languages did not have the features they were looking for, with the exception of Scala. However, he cited the slow compilation time of Scala as a deficiency.[6] One of the stated goals of Kotlin is to compile as quickly as Java. In February 2012, JetBrains open sourced the project under the Apache 2 license.[7]

The name comes from Kotlin Island, near St. Petersburg. Andrey Breslav mentioned that the team decided to name it after an island just like Java was named after the Indonesian island of Java[8] (though the programming language Java was perhaps named after the coffee).[9]

JetBrains hopes that the new language will drive IntelliJ IDEA sales.[10]

Kotlin v1.0 was released on 15 February 2016.[11] This is considered to be the first officially stable release and JetBrains has committed to long-term backwards compatibility starting with this version.

At Google I/O 2017, Google announced first-class support for Kotlin on Android.[12]

Kotlin v1.2 was released on 28 November 2017.[13] Sharing code between JVM and JavaScript platforms feature was newly added to this release (as of version 1.3 multiplatform programming is experimental[14]). Full-stack demo has been made with the new Kotlin/JS Gradle Plugin.[15][16]

Kotlin v1.3 was released on 29 October 2018, bringing coroutines for asynchronous programming.

On 7 May 2019, Google announced that the Kotlin programming language is now its preferred language for Android app developers.[4]

Design

Development lead Andrey Breslav has said that Kotlin is designed to be an industrial-strength object-oriented language, and a "better language" than Java, but still be fully interoperable with Java code, allowing companies to make a gradual migration from Java to Kotlin.[17]

Semicolons are optional as a statement terminator; in most cases a newline is sufficient for the compiler to deduce that the statement has ended.[18]

Kotlin variable declarations and parameter lists have the data type come after the variable name (and with a colon separator), similar to Pascal and TypeScript.

Variables in Kotlin can be read-only, declared with the Template:Mono keyword, or mutable, declared with the Template:Mono keyword.[19]

Class members are public by default, and classes themselves are final by default, meaning that creating a derived class is disabled unless the base class is declared with the Template:Mono keyword.

In addition to the classes and methods (called member functions in Kotlin) of object-oriented programming, Kotlin also supports procedural programming with the use of functions.[20] Kotlin functions (and constructors) support default arguments, variable-length argument lists, named arguments and overloading by unique signature. Class member functions are virtual, i.e. dispatched based on the runtime type of the object they are called on.

Kotlin 1.3 adds (experimental) support for contracts[21] (inspired by Eiffel's design by contract[22] programming paradigm)

Syntax

Template:Howto

Functional programming style

Kotlin relaxes Java's restriction of allowing static methods and variables to exist only within a class body. Static objects and functions can be defined at the top level of the package without needing a redundant class level. For compatibility with Java, Kotlin provides a JvmName annotation which specifies a class name used when the package is viewed from a Java project. For example, @file:JvmName("JavaClassName").

Main entry point

As in C, C++, Java, and Go, the entry point to a Kotlin program is a function named "main", which may be passed an array containing any command line arguments. (This is optional since Kotlin 1.3[23]). Perl and Unix shell style string interpolation is supported. Type inference is also supported.

<syntaxhighlight lang="kotlin" line="1">

// Hello, World! example fun main() {

   val scope = "World"
   println("Hello, $scope!")

}

fun main(args: Array<String>) {

   for (arg in args) {
       println(arg)
   }

} </syntaxhighlight>

Extension methods

Similar to C#, Kotlin allows a user to add methods to any class without the formalities of creating a derived class with new methods. Instead, Kotlin adds the concept of an extension method which allows a function to be "glued" onto the public method list of any class without being formally placed inside of the class. In other words, an extension method is a helper method that has access to all the public interface of a class which it can use to create a new method interface to a target class and this method will appear exactly like a method of the class, appearing as part of code completion inspection of class methods. For example:

<syntaxhighlight lang="kotlin" line="1"> package MyStringExtensions

fun String.lastChar(): Char = get(length - 1)

>>> println("Kotlin".lastChar()) </syntaxhighlight>

By placing the preceding code in the top-level of a package, the String class is extended to include a Template:Code method that was not included in the original definition of the String class.

<syntaxhighlight lang="kotlin" line="1"> // Overloading '+' operator using an extension method operator fun Point.plus(other: Point): Point {

   return Point(x + other.x, y + other.y)

}

>>> val p1 = Point(10, 20) >>> val p2 = Point(30, 40) >>> println(p1 + p2) Point(x=40, y=60) </syntaxhighlight>

Unpack arguments with spread operator

Similar to Python, the spread operator asterisk (*) unpacks an array's contents as comma-separated arguments to a function:

<syntaxhighlight lang="kotlin" line="1"> fun main(args: Array<String>) {

   val list = listOf("args: ", *args)
   println(list)

} </syntaxhighlight>

Deconstructor methods

Template:Distinguish A deconstructor's job is to decompose a class object into a tuple of elemental objects. For example, a 2D coordinate class might be deconstructed into a tuple of integer x and integer y.

For example, the collection object contains a deconstructor method that splits each collection item into an index and an element variable:

<syntaxhighlight lang="kotlin" line="1"> for ((index, element) in collection.withIndex()) {

    println("$index: $element")

} </syntaxhighlight>

Nested functions

Kotlin allows local functions to be declared inside of other functions or methods.

<syntaxhighlight lang="kotlin" line="1"> class User(val id: Int, val name: String, val address: String)

fun saveUserToDb(user: User) {

   fun validate(user: User, value: String, fieldName: String) {
       if (value.isEmpty()) {
           throw IllegalArgumentException("Can't save user ${user.id}: empty $fieldName")
       }
   }
   
   validate(user, user.name, "Name") 
   validate(user, user.address, "Address")
   // Save user to the database 
   ...

} </syntaxhighlight>

Classes are final by default

In Kotlin, to derive a new class from a base class type, the base class needs to be explicitly marked as "open". This is in contrast to most object oriented languages such as Java where classes are open by default.

Example of a base class that is open to deriving a new subclass from it.

<syntaxhighlight lang="kotlin" line="1"> // open on the class means this class will allow derived classes open class MegaButton {

   // no-open on a function means that 
   //    polymorphic behavior disabled if function overridden in derived class
   fun disable() { ... }
   // open on a function means that
   //    polymorphic behavior allowed if function is overridden in derived class
   open fun animate() { ... }

}

class GigaButton: MegaButton {

   // Explicit use of override keyword required to override a function in derived class
   override fun animate() { println("Giga Click!") } 

}

</syntaxhighlight>

Abstract classes are open by default

Abstract classes define abstract or "Pure Virtual" placeholder function that will be defined in a derived class. Abstract classes are open by default.

<syntaxhighlight lang="kotlin" line="1"> // No need for the open keyword here, it’s already open by default abstract class Animated {

   // This virtual function is already open by default as well
   abstract fun animate()
 
   open fun stopAnimating() { }
   fun animateTwice() { }

} </syntaxhighlight>

Classes are public by default

Kotlin provides the following keywords to restrict visibility for top-level declaration, such as classes, and for class members:

   public, internal, protected, and private.

When applied to a class member:

   public (default): Visible everywhere 
   internal:         Visible in a module 
   protected:        Visible in subclasses 
   private:          Visible in a class

When applied to a top-level declaration

   public (default):  Visible everywhere
   internal:          Visible in a module
   private:           Visible in a file

Example:

<syntaxhighlight lang="kotlin" line="1"> // Class is visible only to current module internal open class TalkativeButton : Focusable {

   // method is only visible to current class 
   private   fun yell() = println("Hey!")
   // method is visible to current class and derived classes
   protected fun whisper() = println("Let's talk!")

} </syntaxhighlight>

Primary constructor vs. secondary constructors

Kotlin supports the specification of a "primary constructor" as part of the class definition itself, consisting of an argument list following the class name. This argument list supports an expanded syntax on Kotlin's standard function argument lists, that enables declaration of class properties in the primary constructor, including visibility, extensibility and mutability attributes. Additionally, when defining a subclass, properties in super-interfaces and super-classes can be overridden in the primary constructor.

<syntaxhighlight lang="kotlin" line="1"> // Example of class using primary constructor syntax // (Only one constructor required for this class) open class PowerUser : User (

   protected val nickname: String, 
   final override var isSubscribed: Boolean = true) 
   {
        ...
   }

</syntaxhighlight>

However, in cases where more than one constructor is needed for a class, a more general constructor can be used called secondary constructor syntax which closely resembles the constructor syntax used in most object-oriented languages like C++, C#, and Java.

<syntaxhighlight lang="kotlin" line="1"> // Example of class using secondary constructor syntax // (more than one constructor required for this class) class MyButton : View {

   // Constructor #1 
   constructor(ctx: Context) : super(ctx) { 
       // ... 
   } 
 
   // Constructor #2
   constructor(ctx: Context, attr: AttributeSet) : super(ctx, attr) { 
       // ... 
   }

} </syntaxhighlight>

Data Class

Kotlin provides Data Classes to define classes that store only properties. In Java programming, classes that store only properties are not unusual, but regular classes are used for this purpose. Kotlin has given provision to exclusively define classes that store properties alone. These data classes do not have any methods but only properties. A data class does not contain a body, unlike a regular class. data keyword is used before class keyword to define a data class.

<syntaxhighlight lang="kotlin" line="1"> fun main(args: Array) {

   // create a data class object like any other class object
   var book1 = Book("Kotlin Programming", 250)
   println(book1)
   // output: Book(name=Kotlin Programming, price=250)

}

// data class with parameters and their optional default values data class Book(val name: String = "", val price: Int = 0) </syntaxhighlight>

Anko library

Anko was a library specifically created for Kotlin to help build Android UI applications. It was deprecated in 2019.[24]

<syntaxhighlight lang="kotlin" line="1">

   fun Activity.showAreYouSureAlert(process: () -> Unit) {
       alert(
           title   = "Are you sure?",
           message = "Are you really sure?") 
           {
               positiveButton("Yes") { process() }
               negativeButton("No") { cancel() }
           }
   }

</syntaxhighlight>

Kotlin interactive shell

<syntaxhighlight lang="bash"> $ kotlinc-jvm type :help for help; :quit for quit >>> 2 + 2 4 >>> println("Hello, World!") Hello, World! >>> </syntaxhighlight>

Kotlin as a scripting language

Kotlin can also be used as a scripting language. A script is a Kotlin source file (.kts) with top level executable code.

<syntaxhighlight lang="kotlin" line="1"> // list_folders.kts import java.io.File val folders = File(args[0]).listFiles { file -> file.isDirectory() } folders?.forEach { folder -> println(folder) } </syntaxhighlight>

Scripts can be run by passing the -script option and the corresponding script file to the compiler.

<syntaxhighlight lang="bash"> $ kotlinc -script list_folders.kts "path_to_folder_to_inspect" </syntaxhighlight>

Complex "hello world" example

<syntaxhighlight lang="kotlin" line="1"> fun main(args: Array<String>) {

   greet {
       to.place
   }.print()

}

// Inline higher-order functions inline fun greet(s: () -> String) : String = greeting andAnother s()

// Infix functions, extensions, type inference, nullable types, // lambda expressions, labeled this, Elvis operator (?:) infix fun String.andAnother(other : Any?) = buildString() {

   append(this@andAnother); append(" "); append(other ?: "") 

}

// Immutable types, delegated properties, lazy initialization, string templates val greeting by lazy { val doubleEl: String = "ll"; "he${doubleEl}o" }

// Sealed classes, companion objects sealed class to { companion object { val place = "world"} }

// Extensions, Unit fun String.print() = println(this) </syntaxhighlight>

Kotlin makes a distinction between nullable and non-nullable data types. All nullable objects must be declared with a "?" postfix after the type name. Operations on nullable objects need special care from developers: null-check must be performed before using the value. Kotlin provides null-safe operators to help developers:

<syntaxhighlight lang="kotlin" line="1"> fun sayHello(maybe: String?, neverNull: Int) {

   // use of elvis operator
   val name: String = maybe ?: "stranger"
   println("Hello $name")

} </syntaxhighlight>

An example of the use of the safe navigation operator:

<syntaxhighlight lang="kotlin" line="1"> // returns null if... // - foo() returns null, // - or if foo() is non-null, but bar() returns null, // - or if foo() and bar() are non-null, but baz() returns null. // vice versa, return value is non-null if and only if foo(), bar() and baz() are non-null foo()?.bar()?.baz() </syntaxhighlight>

Kotlin provides support for higher order functions and anonymous functions or lambdas.[25]

<syntaxhighlight lang="kotlin" line="1"> // the following function takes a lambda, f, and executes f passing it the string, "lambda" // note that (s: String) -> Unit indicates a lambda with a String parameter and Unit return type fun executeLambda(f: (s: String) -> Unit) {

   f("lambda")

} </syntaxhighlight>

Lambdas are declared using braces, Template:Mono. If a lambda takes parameters, they are declared within the braces and followed by the Template:Mono operator.

<syntaxhighlight lang="kotlin" line="1"> // the following statement defines a lambda that takes a single parameter and passes it to the println function val l = { c : Any? -> println(c) } // lambdas with no parameters may simply be defined using { } val l2 = { print("no parameters") } </syntaxhighlight>

Tools

  • IntelliJ IDEA has plug-in support for Kotlin.[26] IntelliJ IDEA 15 is the first version to bundle the Kotlin plugin in the IntelliJ Installer, and provide Kotlin support out of the box.[27]
  • JetBrains also provides a plugin for Eclipse.[28][29]
  • Integration with common Java build tools is supported including Apache Maven,[30] Apache Ant,[31] and Gradle.[32]
  • Android Studio (based on IntelliJ IDEA) has official support for Kotlin, starting from Android Studio 3.[33]
  • Emacs has a Kotlin Mode in its Melpa package repository.
  • Vim has a plugin maintained on Github.[34]

Applications

Kotlin is widely used for Android development. The platform was stuck on Java 7 for a while (with some contemporary language features made accessible through the use of Retrolambda[35] or the Jack toolchain[36]) and Kotlin introduces many improvements for programmers such as null-pointer safety, extension functions and infix notation. Accompanied by full Java compatibility and good IDE support (Android Studio[37]) it is intended to improve code readability, give an easier way to extend Android SDK classes and speed up development.[38]

Kotlin was announced as an official Android development language at Google I/O 2017. It became the third language fully supported for Android, in addition to Java and C++.[39]

Adoption

In 2018, Kotlin was the fastest growing language on GitHub with 2.6 times more developers compared to 2017.[40] It's the fourth most loved programming language according to the 2019 Stack Overflow survey.[41]

Kotlin was also awarded the O'Reilly Open Source Software Conference Breakout Award for 2019.[42]

A number of companies have publicly stated using Kotlin:

See also

Template:Portal

References

  • This article contains quotations from Kotlin tutorials which are released under an Apache 2.0 license.
1 }}
     | references-column-width 
     | references-column-count references-column-count-{{#if:1|{{{1}}}}} }}
   | {{#if: 
     | references-column-width }} }}" style="{{#if: 
   | {{#iferror: {{#ifexpr: 1 > 1 }}
     | Template:Column-width
     | Template:Column-count }}
   | {{#if: 
     | Template:Column-width }} }} list-style-type: {{#switch: 
   | upper-alpha
   | upper-roman
   | lower-alpha
   | lower-greek
   | lower-roman = {{{group}}}
   | #default = decimal}};">

External links

Template:Programming languages Template:Java (Sun)