'What is difference between "as" and "is" operator in Kotlin?
In Java, I can write code like:
void cast(A a) {
if(a instanceof Person) {
Person p = (Person) a;
}
}
In Kotlin, what should I do?
Use as
operator or is
operator?
Solution 1:[1]
is X
is the equivalent of instanceof X
foo as X
is the equivalent of ((X) foo)
Additionally, Kotlin performs smart casting where possible, so no additional cast needed after you check the type using is
:
open class Person : A() {
val foo: Int = 42
}
open class A
and then:
if (p is Person) {
println(p.foo) // look, no cast needed to access `foo`
}
Solution 2:[2]
is
is type checking. But Kotlin has smart cast which means you can use a
like Person
after type check.
if(a is Person) {
// a is now treated as Person
}
as
is type casting. However, as
is not recommended because it does not guarantee run-time safety. (You may pass a wrong object which cannot be detected at compiled time.)
Kotlin has a safe cast as?
. If it cannot be casted, it will return null instead.
val p = a as? Person
p?.foo()
Solution 3:[3]
Solution 4:[4]
is - To check if an object is of a certain type
Example:
if (obj is String) {
print(obj.length)
}
as - To cast an object to a potential parent type
Example:
val x: String = y as String
val x: String? = y as String?
val x: String? = y as? String
Reference: https://kotlinlang.org/docs/reference/typecasts.html
Solution 5:[5]
As per Kotline official documents
Usually, the cast operator throws an exception if the cast is not possible. Thus, we call it unsafe. The unsafe cast in Kotlin is done by the infix operator as
val x: String = y as String
Note that null cannot be cast to String as this type is not nullable, i.e. if y is null, the code above throws an exception. In order to match Java cast semantics we have to have nullable type at cast right hand side, like:
val x: String? = y as String?
So here use is instead of as
fun cast(a: A) {
if (a is Person) {
val p = a as Person
}
}
Solution 6:[6]
as
is used for explicit type casting
val p = a as Person;
is
is exactly the same as instanceof
in Java. Which is used to check if an object is an instance of a class
if(a is Person) {
// a is an instance of Person
}
You can also used !is
as is it not an object of a class
fun cast(a: A) {
if(a is Person) {
val p = a as Person;
}
}
Solution 7:[7]
is Operator is checking datatype
but as is for casting to some type for example casting Int to String
Solution 8:[8]
so
if(a is Person){
a as Person
}else{
null
}
equivalent
a as? Person
Is this answer?
Solution 9:[9]
you can use is operator
fun cast(a:A){
if (a is Person){
var person = a
}
}
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | s1m0nw1 |
Solution 2 | Yogesh Umesh Vaity |
Solution 3 | |
Solution 4 | Arun Yogeshwaran |
Solution 5 | |
Solution 6 | |
Solution 7 | Starman |
Solution 8 | Shawn Plus |
Solution 9 |