jonathanrz
jonathanrz

Reputation: 4296

Kotlin when with multiple values not working when value is an android view

I implemented a function that is used in anko's apply recursively:

fun applyTemplateViewStyles(view: View) {
    when(view) {
        is EditText, TextView -> {
            ....
        }
    }
}

And I receive an error saying that "Function invocation 'TextView(...)' expected"

Since I can write an when with a clause like is 0, 1, why I can't do the same with an Android View?

Upvotes: 73

Views: 54631

Answers (4)

Bharat Lalwani
Bharat Lalwani

Reputation: 1520

Use comma-separated to handle multiple options for the same execution.

{ 
view ->
   when(view.id) {
       homeView.tv_new_dealer_rank_to_achieve.id,
       homeView.tv_sales_rank_to_achieve.id,
       homeView.tv_payment_rank_to_achieve.id,
       homeView.tv_bill_dealer_rank_to_achieve.id -> {
           homePresenter.reDirectToFragment(10)
       }
    }
}

Upvotes: 2

Umasankar
Umasankar

Reputation: 141

In case of multiple text option handling you can use comma

when(option) { //option is string
    "type A","type B" -> {
        ....
    }
}

Upvotes: 13

Daniel Storm
Daniel Storm

Reputation: 18878

You're missing the other is:

fun applyTemplateViewStyles(view: View) {
    when(view) {
        is EditText, is TextView -> {
            println("view is either EditText or TextView")
        }
        else -> {
            println("view is something else")
        }
    }
}

Upvotes: 136

zsmb13
zsmb13

Reputation: 89538

You can do this, you just didn't get the syntax right. The following works for handling multiple types under one branch of when:

when(view) {
    is EditText, is TextView -> {
        ....
    }
}

Upvotes: 13

Related Questions