Kotlin (programming language)

Kotlin
Designed by JetBrains
Developer JetBrains and open source contributors
First appeared 2011
Stable release
1.2.71 / September 24, 2018 (2018-09-24)[1]
Typing discipline static, inferred
Platform Outputs Java virtual machine bytecode and JavaScript source code
OS Any supporting JVM or JavaScript interpreter
License Apache 2
Filename extensions .kt, .kts
Website kotlinlang.org
Influenced by
Java, Scala, Groovy, C#, Gosu, JavaScript

Kotlin is a statically typed programming language that runs on the Java virtual machine and also can be compiled to JavaScript source code or use the LLVM compiler infrastructure. Its primary development is from a team of JetBrains programmers based in Saint Petersburg, Russia.[2] While the syntax is not compatible with Java, the JVM implementation of the Kotlin standard library is designed to interoperate with Java code and is reliant on Java code from the existing Java Class Library, such as the collections framework.[3] Kotlin uses aggressive type inference to determine the type of values and expressions for which type has been left unstated. This reduces language verbosity relative to Java, which demands often entirely redundant type specifications prior to version 10.

As of Android Studio 3.0 (released in October 2017), Kotlin is fully supported by Google for use with their Android operating system,[4] and is directly included in the IDE's installation package as an alternative to the standard Java compiler. The Android Kotlin compiler lets the user choose between targeting Java 6, Java 7, or Java 8-compatible bytecode.[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 compile time of Scala as an obvious 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 February 15, 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.[4]

Kotlin v1.2 was released on November 28, 2017.[12] Sharing code between JVM and Javascript platforms feature was newly added to this release.

Philosophy

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.[13]

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

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

Variables in Kotlin can be immutable, declared with the val keyword, or mutable, declared with the var keyword.[15]

Class members are public by default, and classes themselves are sealed by default, meaning that creating a derived class is disabled unless the base class is declared with the open 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.[16]

Syntax

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 and C++, the entry point to a Kotlin program is a function named "main", which is passed an array containing any command line arguments. Perl and Unix/Linux shell script-style string interpolation is supported. Type inference is also supported.

1 // Hello, World! example
2 fun main(args: Array<String>) {
3   val scope = "World"
4   println("Hello, $scope!")
5 }

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:

1     package MyStringExtensions
2 
3     fun String.lastChar(): Char = get(length - 1)
4 
5     >>> println("Kotlin".lastChar())

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

1     // Overloading '+' operator using an extension method
2     operator fun Point.plus(other: Point): Point {
3         return Point(x + other.x, y + other.y)
4     }
5 
6     >>> val p1 = Point(10, 20)
7     >>> val p2 = Point(30, 40)
8     >>> println(p1 + p2)
9     Point(x=40, y=60)

Unpack arguments with spread operator

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

1     fun main(args: Array<String>) { 
2         val list = listOf("args: ", *args)
3         println(list)
4     }

Deconstructor methods

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:

1     for ((index, element) in collection.withIndex()) { 
2          println("$index: $element")
3     }

Nested functions

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

 1     class User(
 2         val id:      Int, 
 3         val name:    String, 
 4         val address: String) 
 5     {
 6 
 7         fun saveUser(user: User) {
 8            fun validate(user: User, value: String, fieldName: String) {
 9                if (value.isEmpty()) {
10                    throw IllegalArgumentException(
11                       "Can't save user ${user.id}: empty $fieldName")
12                }
13            }
14 
15            validate(user, user.name, "Name") 
16            validate(user, user.address, "Address")
17            // Save user to the database
18         }
19     }

Classes are final by default

In Kotlin if you want to derive a new class from a base class type, then this class needs to be explicitly marked as "open" in order to allow this to happen. 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.

 1     // open on the class means this class will allow derived classes
 2     open class MegaButton  {
 3 
 4         // no-open on a function means that 
 5         //    polymorphic behavior disabled if function overridden in derived class
 6         fun disable() { ... }
 7 
 8         // open on a function means that
 9         //    polymorphic behavior allowed if function is overridden in derived class
10         open fun animate() { ... }
11     }
12 
13     class GigaButton: MegaButton {
14 
15         // Explicit use of override keyword required to override a function in derived class
16         override fun animate() { println("Giga Click!") } 
17     }

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.

 1     // No need for the open keyword here, its already open by default
 2     abstract class Animated {
 3 
 4         // This virtual function is already open by default as well
 5         abstract fun animate()
 6   
 7         open fun stopAnimating() { }
 8 
 9         fun animateTwice() { }
10     }

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:

1     // Class is visible only to current module
2     internal open class TalkativeButton : Focusable {
3         // method is only visible to current class 
4         private   fun yell() = println("Hey!")
5 
6         // method is visible to current class and derived classes
7         protected fun whisper() = println("Let's talk!")
8     }

Primary constructor vs. secondary constructors

Most classes in Kotlin are created using only primary constructor syntax which allows only one primary constructor. The ability to selectively choose which of the constructor properties to initialize is based on keyword selection of the property during object creation. Non-initialized constructor properties are simply set to a default value.

1      // Example of class using primary constructor syntax
2      // (Only one constructor required for this class)
3      class User(
4          val nickname: String, 
5          val isSubscribed: Boolean = true) 
6      {
7          ...
8      }

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.

 1     // Example of class using secondary constructor syntax
 2     // (more than one constructor required for this class)
 3     class MyButton : View {
 4 
 5         // Constructor #1 
 6         constructor(ctx: Context) : super(ctx) { 
 7             // ... 
 8         } 
 9   
10         // Constructor #2
11         constructor(ctx: Context, attr: AttributeSet) : super(ctx, attr) { 
12             // ... 
13         }
14     }

Anko library

Anko is a library specifically created for Kotlin to help build Android UI applications.[17]

1         fun Activity.showAreYouSureAlert(process: () -> Unit) {
2             alert(
3               title   = "Are you sure?",
4               message = "Are you really sure?") 
5             {
6               positiveButton("Yes") { process() }
7               negativeButton("No") { cancel() }
8             }
9         }

Kotlin interactive shell

$ kotlinc-jvm
type :help for help; :quit for quit
>>> 2+2
4
>>> println("Hello, World!")
Hello, World!
>>>

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.

1 // list_folders.kts
2 import java.io.File
3 val folders = File(args[0]).listFiles { file -> file.isDirectory() }
4 folders?.forEach { folder -> println(folder) }

To run a script, you pass the -script option to the compiler with the corresponding script file:

1 $ kotlinc -script list_folders.kts "path_to_folder_to_inspect"

Kotlin features in an overly complex "hello world" example

 1 fun main(args: Array<String>) {
 2     
 3     greet {
 4         to.place
 5     }.print()
 6 }
 7 
 8 // Inline higher-order functions
 9 inline fun greet(s: () -> String) : String = greeting andAnother s()
10 
11 // Infix functions, extensions, type inference, nullable types, 
12 // lambda expressions, labeled this, Elvis operator (?:)
13 infix fun String.andAnother(other : Any?) = buildString() 
14 { 
15     append(this@andAnother); append(" "); append(other ?: "") 
16 }
17 
18 // Immutable types, delegated properties, lazy initialization, string templates
19 val greeting by lazy { val doubleEl: String = "ll"; "he${doubleEl}o" }
20 
21 // Sealed classes, companion objects
22 sealed class to { companion object { val place = "world"} }
23 
24 // Extensions, Unit
25 fun String.print() = println(this)

Variables in Kotlin can be immutable, declared with the val keyword or mutable, declared with the var keyword.[15]

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:

  • ?. (safe navigation operator) can be used to safely access a method or property of a possibly null object. If the object is null, the method will not be called and the expression evaluates to null.
  • ?: (null coalescing operator) often referred to as the Elvis operator:
fun sayHello(maybe: String?, neverNull: Int) {
   // use of elvis operator
   val name: String = maybe ?: "stranger"
   println("Hello $name")
}

An example of the use of the safe navigation operator:

  // 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()

Kotlin provides support for higher order functions and Anonymous functions or lambdas.[18]

  // 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")
  }

Lambdas are declared using braces, { } . If a lambda takes parameters, they are declared within the braces and followed by the -> operator.

  // 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") }

Tools

Downloading Kotlin command line binaries
Operating System Package Manager Command
Windows GitHub download zip from https://github.com/JetBrains/kotlin/releases/tag/v1.2.61 (also, requires Java 8 JDK)
Windows Android Studio Add to path C:\Program Files\Android\Android Studio\plugins\Kotlin\kotlinc\bin and C:\Program Files\Android\Android Studio\jre\bin
Windows / Cygwin sdkman.io $ curl -s https://get.sdkman.io | bash; $ sdk install kotlin
macOS Homebrew $ brew update; $ brew install kotlin
macOS MacPorts $ sudo port install kotlin
Ubuntu Linux Snappy $ sudo snap install—classic kotlin
Linux Generic sdkman.io $ curl -s https://get.sdkman.io | bash; $ sdk install kotlin

Applications

One of the obvious applications of Kotlin is Android development. The platform was stuck on Java 7 for a while (with some contemporary language features made accessible through the use of Retrolambda[27] or the Jack toolchain[28]) 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[29]) it is intended to improve code readability, give an easier way to extend Android SDK classes and speed up development.[30]

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++.[31]

Adoption

According to the Kotlin website, Prezi is using Kotlin in the backend.[32] DripStat has done a writeup of their experience with Kotlin.[33]

According to Jetbrains blog, Kotlin is used by Amazon Web Services, Pinterest, Coursera, Netflix, Uber, Square, Trello, Basecamp,[34] and others. Corda, a distributed ledger developed by a consortium of well-known banks (such as Goldman Sachs, Wells Fargo, J.P. Morgan, Deutsche Bank, UBS, HSBC, BNP Paribas, Société Générale), has over 90% Kotlin in its codebase. [35]

According to Google, Kotlin has already been adopted by several major developers — Expedia, Flipboard, Pinterest, Square, and others — for their Android production apps.[36]

See also

References

  1. https://github.com/JetBrains/kotlin/releases/latest
  2. Heiss, Janice (April 2013). "The Advent of Kotlin: A Conversation with JetBrains' Andrey Breslav". oracle.com. Oracle Technology Network. Retrieved February 2, 2014.
  3. "kotlin-stdlib". kotlinlang.org. JetBrains. Retrieved April 20, 2018.
  4. 1 2 Shafirov, Maxim (May 17, 2017). "Kotlin on Android. Now official". Today, at the Google I/O keynote, the Android team announced first-class support for Kotlin.
  5. "Kotlin FAQ". Kotlin lets you choose between generating Java 6 and Java 8 compatible bytecode. More optimal byte code may be generated for higher versions of the platform.
  6. 1 2 Krill, Paul (Jul 22, 2011). "JetBrains readies JVM language Kotlin". infoworld.com. InfoWorld. Retrieved February 2, 2014.
  7. Waters, John (February 22, 2012). "Kotlin Goes Open Source". ADTmag.com/. 1105 Enterprise Computing Group. Retrieved February 2, 2014.
  8. Mobius (2015-01-08), Андрей Бреслав — Kotlin для Android: коротко и ясно, retrieved 2017-05-28
  9. https://www.javaworld.com/article/2077265/core-java/so-why-did-they-decide-to-call-it-java-.html
  10. "Why JetBrains needs Kotlin". we expect Kotlin to drive the sales of IntelliJ IDEA
  11. "Kotlin 1.0 Released: Pragmatic Language for JVM and Android | Kotlin Blog". Blog.jetbrains.com. 2016-02-15. Retrieved 2017-04-11.
  12. "Kotlin 1.2 Released: Sharing Code between Platforms | Kotlin Blog". Blog.jetbrains.com. 2017-11-28.
  13. "JVM Languages Report extended interview with Kotlin creator Andrey Breslav". Zeroturnaround.com. April 22, 2013. Retrieved February 2, 2014.
  14. "Semicolons". jetbrains.com. Retrieved February 8, 2014.
  15. 1 2 "Basic Syntax". Kotlin. Jetbrains. Retrieved 19 January 2018.
  16. "functions". jetbrains.com. Retrieved February 8, 2014.
  17. Anko Github
  18. "Higher-Order Functions and Lambdas". Kotlin. Jetbrains. Retrieved 19 January 2018.
  19. "Kotlin :: JetBrains Plugin Repository". Plugins.jetbrains.com. 2017-03-31. Retrieved 2017-04-11.
  20. "What's New in IntelliJ IDEA 2017.1". Jetbrains.com. Retrieved 2017-04-11.
  21. "Getting Started with Eclipse Neon - Kotlin Programming Language". Kotlinlang.org. 2016-11-10. Retrieved 2017-04-11.
  22. "JetBrains/kotlin-eclipse: Kotlin Plugin for Eclipse". GitHub. Retrieved 2017-04-11.
  23. "Using Maven - Kotlin Programming Language". kotlinlang.org. Retrieved 2017-05-09.
  24. "Using Ant - Kotlin Programming Language". kotlinlang.org. Retrieved 2017-05-09.
  25. "Using Gradle - Kotlin Programming Language". kotlinlang.org. Retrieved 2017-05-09.
  26. https://developer.android.com/kotlin/index.html
  27. "orfjackal/retrolambda: Backport of Java 8's lambda expressions to Java 7, 6 and 5". GitHub. Retrieved 2017-05-09.
  28. "Jack (Java Android Compiler Kit) | Android Open Source Project". source.android.com. Retrieved 2016-04-15.
  29. "JetBrains Plugin Repository :: Kotlin". plugins.jetbrains.com. Retrieved 2016-04-15.
  30. "Will Kotlin Replace Java?". themindstudios.com. Retrieved 2017-03-10.
  31. Lardinois, Frederic (2017-05-17). "Google makes Kotlin a first-class language for writing Android apps". techcrunch.com. Retrieved 2018-06-28.
  32. "Kotlin Programming Language". Kotlinlang.org. Retrieved 2017-04-11.
  33. "Kotlin in Production - What works, Whats broken". Blog.dripstat.com. 2016-09-24. Retrieved 2017-04-11.
  34. "How we made Basecamp 3's Android app 100% Kotlin – Signal v. Noise". Signal v. Noise. 2017-04-29. Retrieved 2017-05-01.
  35. "Kotlin 1.1 Released with JavaScript Support, Coroutines and more". Retrieved 2017-05-01.
  36. "Android Announces Support for Kotlin". 2017-05-17. Retrieved 2017-05-19.
This article is issued from Wikipedia. The text is licensed under Creative Commons - Attribution - Sharealike. Additional terms may apply for the media files.