oriaj
oriaj

Reputation: 798

override function with concrete type parameter

Hi I would like know why the following example doesn't work

abstract class BaseClass {

}

class ConcretClasOne : BaseCalculator {


}

class ConcretClasTwo : BaseCalculator {


}

abstract class BaseRun {

    abstract fun run(param: BaseClass): Int
}

class ConcretRun : BaseRun {

    override fun run(param: ConcretClasOne): Int {

        return 0
    }
}

this shows me a message run overrides nothing.

I suppose that kotlin isn't able to match the abstract class and the concrete implementation, but what other alternative is there to emulate this behavior, that the run method in the concrete class ConcretRun should receive a concrete param ConcretClasOne?

Upvotes: 2

Views: 1403

Answers (1)

jrtapsell
jrtapsell

Reputation: 7031

Generics

Using generics, you can make the base class have a type extending the base class, so that the run method can take that type in.

abstract class BaseClass {

}

class ConcretClasOne: BaseCalculator {


}

class ConcretClasTwo: BaseCalculator {


}

abstract class BaseRun<T: BaseClass> {
    abstract fun run(param: T): Int
}

class ConcretRun: BaseRun<ConcretClasOne> {
    override fun run(param: ConcretClasOne): Int {
        return 0
    }
}

Why your code doesn't work

At the moment you are trying to override a method with a more specific type, but as the more general base method can accept more types the more specific method cannot override it.

Upvotes: 3

Related Questions