Kotlin (programming language)

Print Print
Reading time 22:20

Kotlin
Kotlin logo 2021.svg
ParadigmMulti-paradigm: object-oriented, functional, imperative, block structured, declarative, generic, reflective, concurrent
Designed byJetBrains
DeveloperJetBrains
First appearedJuly 22, 2011; 9 years ago (2011-07-22)
Stable release
1.5.10 / May 24, 2021; 22 days ago (2021-05-24)[1]
Preview release
1.5.0-RC / April 15, 2021; 2 months ago (2021-04-15)[2][3][4][5]
Typing disciplineInferred, static, strong
Platform
OSCross-platform
LicenseApache License 2.0
Filename extensions.kt, .kts, .ktm
Websitekotlinlang.org Edit this at Wikidata
Influenced by

Kotlin (/ˈkɒtlɪn/)[6] 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 Kotlin's standard library depends on the Java Class Library,[7] but type inference allows its syntax to be more concise. Kotlin mainly targets the JVM, but also compiles to JavaScript (e.g., for frontend web applications using React[8]) or native code (via LLVM); e.g., for native iOS apps sharing business logic with Android apps.[9] Language development costs are borne by JetBrains, while the Kotlin Foundation protects the Kotlin trademark.[10]

On 7 May 2019, Google announced that the Kotlin programming language is now its preferred language for Android app developers.[11] 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 produces Java 8 bytecode by default (which runs in any later JVM), but lets the programmer choose to target Java 8 up to 16, for optimization,[12] or allows for more features, e.g. Java 8 related with Kotlin 1.4,[13] and has experimental record class support for Java 16 compatibility.[14]

Kotlin support for JavaScript (i.e. classic back-end) is considered stable in Kotlin 1.3 by its developers, while Kotlin/JS (IR-based) in version 1.4, is considered alpha. Kotlin/Native Runtime (for e.g. Apple support) is considered beta.[15]

History

In July 2011, JetBrains unveiled Project Kotlin, a new language for the JVM, which had been under development for a year.[16] 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.[16] 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.[17]

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[18] (though the programming language Java was perhaps named after the coffee).[19]

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

Kotlin v1.0 was released on February 15, 2016.[21] 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.[22]

Kotlin v1.2 was released on November 28, 2017.[23] Sharing code between JVM and JavaScript platforms feature was newly added to this release (as of version 1.4 multiplatform programming is an alpha feature[24] upgraded from "experimental"). A full-stack demo has been made with the new Kotlin/JS Gradle Plugin.[25][26]

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

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

Kotlin v1.4 was released in August 2020, with e.g. some slight changes to the support for Apple's platforms, i.e. to the Objective-C/Swift interop.[27]

Kotlin v1.5 was released in May 2021.

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

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

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

Variables in Kotlin can be read-only, declared with the val keyword, or mutable, declared with the var keyword.[30]

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 open keyword.

In addition to the classes and member functions (equivalent to methods) of object-oriented programming, Kotlin also supports procedural programming with the use of functions.[31] 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 (stable in stdlib; user-defined contracts experimental) support for contracts[32] (inspired by Eiffel's design by contract[33] programming paradigm)

According to Kotlin developers, you can call JavaScript code from Kotlin, e.g. write full, type-safe React applications, or write and maintain full-stack web applications sharing validation logic with the frontend, or you can "generate libraries from your Kotlin code that can be consumed as modules from any code base written in JavaScript or TypeScript".[34]

Syntax

Procedural 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++, 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.[35]Perl, PHP and Unix shell style string interpolation is supported. Type inference is also supported.

// Hello, World! example
fun main() {
    val scope = "World"
    println("Hello, $scope!")
}

fun main(args: Array<String>) {
    for (arg in args) {
        println(arg)
    }
}

Extension functions

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

package MyStringExtensions

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

>>> println("Kotlin".lastChar())

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

// Overloading '+' operator using an extension function
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)

Unpack arguments with spread operator

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

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

Destructuring declarations

Destructuring declarations decompose an object into multiple variables at once, e.g. a 2D coordinate object might be destructured into two integers x and y.

For example, the Map.Entry object supports destructuring to simplify access to its key and value fields:

for ((key, value) in map) {
    println("$key: $value")
}

Nested functions

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

class User(val id: Int, val name: String, val address: String)
    
fun saveUserToDb(user: User) {
    fun validate(user: User, value: String, fieldName: String) {
        require(value.isNotEmpty()) { "Can't save user ${user.id}: empty $fieldName" }
    }
    
    validate(user, user.name, "Name") 
    validate(user, user.address, "Address")
    // Save user to the database 
    ...
}

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.

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

Abstract classes are open by default

Abstract classes define abstract or "pure virtual" placeholder functions that will be defined in a derived class. Abstract classes are open by default.

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

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:

Keyword Visibility
public (default) Everywhere
internal Within a module
protected Within subclasses
private Within a class

When applied to a top-level declaration:

Keyword Visibility
public (default) Everywhere
internal Within a module
private Within a file

Example:

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

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.

// 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) 
    {
         ...
    }

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.

// 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) { 
        // ... 
    }
}

Data classes

Kotlin's data class construct defines classes whose primary purpose is storing data. This construct is similar to normal classes except that the key functions equals, toString, and hashCode are automatically generated from the class properties. In Java, such classes are expected to provide a standard assortment of functions such as those. Data classes are not required to declare any methods, though each must have at least one property. A data class often is written without a body, though it is possible to give a data class any methods or secondary constructors that are valid for any other class. The data keyword is used before the class keyword to define a data class.[36]

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)

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.

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

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

$ kotlinc -script list_folders.kts "path_to_folder_to_inspect"

Null safety

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

Lambdas

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

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

Complex "hello world" example

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)

Tools

  • IntelliJ IDEA has plug-in support for Kotlin.[38] IntelliJ IDEA 15 was the first version to bundle the Kotlin plugin in the IntelliJ Installer, and provide Kotlin support out of the box.[39]
  • JetBrains also provides a plugin for Eclipse.[40][41]
  • Integration with common Java build tools is supported including Apache Maven,[42]Apache Ant,[43] and Gradle.[44]
  • Android Studio (based on IntelliJ IDEA) has official support for Kotlin, starting from Android Studio 3.[45]
  • Emacs has a Kotlin Mode in its Melpa package repository.
  • Vim has a plugin maintained on GitHub.[46]
  • Json2Kotlin generates POJO style native Kotlin code for web service response mapping.

Applications

When Kotlin was announced as an official Android development language at Google I/O in May 2017, it became the third language fully supported for Android, in addition to Java and C++.[47] As of 2020, Kotlin is still most widely used on Android, with Google estimating that 70% of the top 1000 apps on the Play Store are written in Kotlin. Google itself has 60 apps written in Kotlin, including Maps and Drive. Many Android apps, such as Google's Home, are in the process of being migrated to Kotlin, and so use both Kotlin and Java. Kotlin on Android is seen as beneficial for its null-pointer safety as well as for its features that make for shorter, more readable code.[48]

In addition to its prominent use on Android, Kotlin is gaining traction in server-side development. The Spring Framework officially added Kotlin support with version 5 on 4 January 2017.[49] To further support Kotlin, Spring has translated all its documentation to Kotlin and added built-in support for many Kotlin-specific features such as coroutines.[50] In addition to Spring, JetBrains has produced a Kotlin-first framework called Ktor for building web applications.[51]

In 2020, JetBrains found in a survey of developers who use Kotlin that 56% were using Kotlin for mobile apps, while 47% were using it for a web back-end. Just over a third of all Kotlin developers said that they were migrating to Kotlin from another language. Most Kotlin users were targeting Android (or otherwise on the JVM), with only 6% using Kotlin Native.[52]

Adoption

In 2018, Kotlin was the fastest growing language on GitHub with 2.6 times more developers compared to 2017.[53] It is the fourth most loved programming language according to the 2020 Stack Overflow Developer Survey.[54]

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

Many companies/organizations have used Kotlin for backend development:

Some companies/organizations have used Kotlin for web development:

A number of companies have publicly stated they were using Kotlin:

  • DripStat[74]
  • Basecamp[75]
  • Pinterest[76]
  • Coursera[77]
  • Netflix[78]
  • Uber[79]
  • Square[80]
  • Trello[81]
  • Duolingo[82]
  • 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 code in its codebase.[83]

See also

References

  • This article contains quotations from Kotlin tutorials which are released under an Apache 2.0 license.
  1. ^ "JetBrains/kotlin". GitHub.
  2. ^ "Release Kotlin 1.5.0-RC · JetBrains/kotlin". GitHub.
  3. ^ "JetBrains/kotlin". GitHub. Retrieved 29 March 2021.
  4. ^ "Release build-1.5.0-RC-487 · JetBrains/kotlin". GitHub. Retrieved 19 March 2021.
  5. ^ "New Language Features Preview in Kotlin 1.4.30 | The Kotlin Blog". JetBrains Blog. Retrieved 19 March 2021.
  6. ^ "What is the correct English pronunciation of Kotlin?". 16 October 2019. Retrieved 9 November 2019.
  7. ^ "kotlin-stdlib". kotlinlang.org. JetBrains. Retrieved 20 April 2018.
  8. ^ "Kotlin for JavaScript - Kotlin Programming Language". Kotlin. Retrieved 20 August 2020.
  9. ^ "Kotlin for cross-platform mobile development". JetBrains: Developer Tools for Professionals and Teams. Retrieved 20 August 2020.
  10. ^ "Kotlin Foundation - Kotlin Programming Language". Kotlin.
  11. ^ a b "Kotlin is now Google's preferred language for Android app development". TechCrunch. Retrieved 8 May 2019.
  12. ^ "Kotlin FAQ". Kotlin lets you choose the version of JVM for execution. By default, the Kotlin/JVM compiler produces Java 8 compatible bytecode. If you want to make use of optimizations available in newer versions of Java, you can explicitly specify the target Java version from 6 to 16. Note that in this case the resulting bytecode might not run on lower versions.
  13. ^ "What's New in Kotlin 1.4 - Kotlin Programming Language". Kotlin. Retrieved 20 August 2020. Kotlin can now generate type annotations in the JVM bytecode (target version 1.8+) [..] Note that the type annotations from the standard library aren’t emitted in the bytecode for now because the standard library is compiled with the target version 1.6.
  14. ^ "What's new in Kotlin 1.4.30 | Kotlin". Kotlin Help. Retrieved 19 March 2021.
  15. ^ "What's new in Kotlin 1.4.30 | Kotlin". Kotlin Help. 11 February 2021. Retrieved 19 March 2021.
  16. ^ a b Krill, Paul (22 July 2011). "JetBrains readies JVM language Kotlin". InfoWorld. Archived from the original on 7 September 2019. Retrieved 2 February 2014.
  17. ^ Waters, John (22 February 2012). "Kotlin Goes Open Source". ADTmag.com. 1105 Enterprise Computing Group. Archived from the original on 18 February 2014. Retrieved 2 February 2014.
  18. ^ Mobius (8 January 2015), Андрей Бреслав — Kotlin для Android: коротко и ясно, retrieved 28 May 2017
  19. ^ Kieron Murphy (4 October 1996). "So why did they decide to call it Java?". JavaWorld. Archived from the original on 15 March 2019. Retrieved 14 October 2017.
  20. ^ "Why JetBrains needs Kotlin". we expect Kotlin to drive the sales of IntelliJ IDEA
  21. ^ "Kotlin 1.0 Released: Pragmatic Language for JVM and Android | Kotlin Blog". Blog.jetbrains.com. 15 February 2016. Retrieved 11 April 2017.
  22. ^ Shafirov, Maxim (17 May 2017). "Kotlin on Android. Now official". Today, at the Google I/O keynote, the Android team announced first-class support for Kotlin.
  23. ^ "Kotlin 1.2 Released: Sharing Code between Platforms | Kotlin Blog". blog.jetbrains.com. 28 November 2017.
  24. ^ "Multiplatform Projects - Kotlin Programming Language". Kotlin. Retrieved 20 August 2020. Working on all platforms is an explicit goal for Kotlin, but we see it as a premise to a much more important goal: sharing code between platforms. With support for JVM, Android, JavaScript, iOS, Linux, Windows, Mac and even embedded systems like STM32, Kotlin can handle any and all components of a modern application.
  25. ^ "Kotlin/kotlin-full-stack-application-demo". Kotlin. 3 April 2020. Retrieved 4 April 2020.
  26. ^ "Kotlin full stack app demo: update all involving versions to work with 1.3.70 release". youtrack.jetbrains.com. Retrieved 4 April 2020.
  27. ^ "What's New in Kotlin 1.4 - Kotlin Programming Language". Kotlin. Retrieved 20 August 2020. In 1.4.0, we slightly change the Swift API generated from Kotlin with respect to the way exceptions are translated.
  28. ^ "JVM Languages Report extended interview with Kotlin creator Andrey Breslav". Zeroturnaround.com. 22 April 2013. Retrieved 2 February 2014.
  29. ^ "Semicolons". jetbrains.com. Retrieved 8 February 2014.
  30. ^ "Basic Syntax". Kotlin. Jetbrains. Retrieved 19 January 2018.
  31. ^ "functions". jetbrains.com. Retrieved 8 February 2014.
  32. ^ "What's New in Kotlin 1.3 - Kotlin Programming Language". Kotlin. Retrieved 4 April 2020.
  33. ^ "Design by Contract (DbC) design considerations". Kotlin Discussions. 16 August 2012. Retrieved 4 April 2020. Implement the full semantics of Eiffel DbC and improve upon it.
  34. ^ "Kotlin for JavaScript | Kotlin". Kotlin Help. 21 January 2021. Retrieved 19 March 2021.
  35. ^ "Kotlin Examples: Learn Kotlin Programming By Example".
  36. ^ "Introduction to Data Classes in Kotlin".
  37. ^ "Higher-Order Functions and Lambdas". Kotlin. Jetbrains. Retrieved 19 January 2018.
  38. ^ "Kotlin :: JetBrains Plugin Repository". Plugins.jetbrains.com. 31 March 2017. Retrieved 11 April 2017.
  39. ^ "What's New in IntelliJ IDEA 2017.1". Jetbrains.com. Retrieved 11 April 2017.
  40. ^ "Getting Started with Eclipse Neon – Kotlin Programming Language". Kotlinlang.org. 10 November 2016. Retrieved 11 April 2017.
  41. ^ "JetBrains/kotlin-eclipse: Kotlin Plugin for Eclipse". GitHub. Retrieved 11 April 2017.
  42. ^ "Using Maven – Kotlin Programming Language". kotlinlang.org. Retrieved 9 May 2017.
  43. ^ "Using Ant – Kotlin Programming Language". kotlinlang.org. Retrieved 9 May 2017.
  44. ^ "Using Gradle – Kotlin Programming Language". kotlinlang.org. Retrieved 9 May 2017.
  45. ^ "Kotlin and Android". Android Developers.
  46. ^ "udalov/kotlin-vim: Kotlin plugin for Vim. Featuring: syntax highlighting, basic indentation, Syntastic support". GitHub. Retrieved 30 August 2019.
  47. ^ Lardinois, Frederic (17 May 2017). "Google makes Kotlin a first-class language for writing Android apps". techcrunch.com. Retrieved 28 June 2018.
  48. ^ "Kotlin programming language: How Google is using it to squash the code bugs that cause most crashes". ZDNet.
  49. ^ "Introducing Kotlin support in Spring Framework 5.0". Spring. Pivotal. Retrieved 29 September 2020.
  50. ^ "The State of Kotlin Support in Spring". JetBrains. Retrieved 6 December 2020.
  51. ^ "Review of Microservices Frameworks: A Look at Spring Boot Alternatives". DZone.
  52. ^ "Kotlin Programming - The State of Developer Ecosystem 2020". JetBrains. Retrieved 29 September 2020.
  53. ^ "The state of the Octoverse". Archived from the original on 22 March 2019. Retrieved 24 July 2019.
  54. ^ "Stack Overflow Developer Survey 2020". Retrieved 28 May 2020.
  55. ^ "Kotlin wins Breakout Project of the Year award at OSCON '19". Retrieved 24 July 2019.
  56. ^ "State of Kotlin on Android". YouTube. Retrieved 29 September 2020.
  57. ^ "KotlinConf 2019: Kotlin Runs Taxes in Norway by Jarle Hansen & Anders Mikkelsen". YouTube. Retrieved 29 September 2020.
  58. ^ "Gradle Kotlin DSL Primer". docs.gradle.org. Retrieved 29 September 2020.
  59. ^ "QLDB at Amazon". Talking Kotlin. Retrieved 29 September 2020.
  60. ^ "Going Full Kotlin Multiplatform". Talking Kotlin. Retrieved 29 September 2020.
  61. ^ "Kotless". Talking Kotlin. Retrieved 29 September 2020.
  62. ^ "Using Kotlin for backend development at Flux". Talking Kotlin. Retrieved 29 September 2020.
  63. ^ "Kotlin at Allegro". Talking Kotlin. Retrieved 29 September 2020.
  64. ^ "Greenfield Kotlin at OLX". Talking Kotlin. Retrieved 29 September 2020.
  65. ^ "Kotlin at Shazam". Talking Kotlin. Retrieved 29 September 2020.
  66. ^ "Application Monitoring with Micrometer". Talking Kotlin. Retrieved 29 September 2020.
  67. ^ "Groovy and Kotlin Interop at Rocket Travel". Talking Kotlin. Retrieved 29 September 2020.
  68. ^ "Kotlin on the backend at Meshcloud". Talking Kotlin. Retrieved 29 September 2020.
  69. ^ "Zally - An API Linter". Talking Kotlin. Retrieved 29 September 2020.
  70. ^ "KotlinConf 2019: Kotlin in Space by Maxim Mazin". YouTube. Retrieved 29 September 2020.
  71. ^ "KotlinConf 2017 - Frontend Kotlin from the Trenches by Gaetan Zoritchak". YouTube. Retrieved 29 September 2020.
  72. ^ "Fritz2". Talking Kotlin. Retrieved 29 September 2020.
  73. ^ "Java/Kotlin Developer - Barclays - Prague - Wizbii". Wizbii.com. Retrieved 29 September 2020.
  74. ^ "Kotlin in Production – What works, Whats broken". Blog.dripstat.com. 24 September 2016. Retrieved 11 April 2017.
  75. ^ "How we made Basecamp 3's Android app 100% Kotlin – Signal v. Noise". Signal v. Noise. 29 April 2017. Retrieved 1 May 2017.
  76. ^ "Droidcon NYC 2016 - Kotlin in Production". Retrieved 24 July 2019.
  77. ^ "Becoming bilingual@coursera". Retrieved 24 July 2019.
  78. ^ "Rob Spieldenner on twitter". Retrieved 24 July 2019.
  79. ^ "2017 Who's using Kotlin?". Retrieved 24 July 2019.
  80. ^ "square/sqldelight". Retrieved 24 July 2019.
  81. ^ "Dan Lew on Twitter". Retrieved 24 July 2019.
  82. ^ "Duolingo on Twitter". Retrieved 13 April 2020.
  83. ^ "Kotlin 1.1 Released with JavaScript Support, Coroutines and more". Retrieved 1 May 2017.

External links

By: Wikipedia.org
Edited: 2021-06-18 09:29:05
Source: Wikipedia.org