Search code examples
kotlindefault-parameters

Kotlin default parameter ordering


Does anyone know why the call to method1 does not compile whereas the call to method2 does?

class MyApp {

    interface X {

        fun <Q : Any, A : Any> method1(argStr: String = "", argQ: Q, argH: (A) -> Unit)

        fun <Q : Any, A : Any> method2(argQ: Q, argStr: String = "", argH: (A) -> Unit)
    }

    fun test(x: X) {

        /* Call to method1 does not work - the following errors are produced
         * Error: Kotlin: Type inference failed:
         * fun <Q : Any, A : Any> method1(argStr: String = ..., argQ: Q, argH: (A) -> Unit): Unit
         * cannot be applied to (Int,(Int) -> Unit)
         * Error: Kotlin: The integer literal does not conform to the expected type String
         * Error: Kotlin: No value passed for parameter 'argQ'
         */
        
        x.method1(1) { res: Int -> println(res) }

        /* No errors here */
        x.method2(1) { res: Int -> println(res) }
    }

}

Solution

  • If a default parameter precedes a parameter with no default value, the default value can only be used by calling the function with named arguments.

    Example:

    fun foo(bar: Int = 0, baz: Int) { ... }
    
    foo(baz = 1) // The default value bar = 0 is used
    

    In your example this will work:

    x.method1(argQ = 1) { res: Int -> println(res) } // The default value argStr = "" is used
    

    Further reading