Tuesday, November 28, 2023
HomeVideo EditingKotlin From Scratch: Summary Lessons, Interfaces, Inheritance, and Sort Alias

Kotlin From Scratch: Summary Lessons, Interfaces, Inheritance, and Sort Alias


Kotlin is a contemporary programming language that compiles to Java bytecode. It’s free and open supply, and guarantees to make coding for Android much more enjoyable.  

Within the earlier article, you realized extra about Kotlin properties comparable to late-initialization, extension, and inline properties. Not solely that, you additionally realized about superior courses comparable to knowledge, enum, nested, and sealed courses in Kotlin. 

On this put up, you may proceed to find out about object-oriented programming in Kotlin by studying about summary courses, interfaces, and inheritance. For a bonus, you may additionally find out about sort aliases. 

1. Summary Lessons

Kotlin helps summary courses—similar to Java, these are courses which you by no means intend to create objects from. An summary class is incomplete or ineffective with out some concrete (non-abstract) subclasses, from which you’ll instantiate objects. A concrete subclass of an summary class implements all of the strategies and properties outlined within the summary class—in any other case that subclass can be an summary class!

We create an summary class with the summary modifier (just like Java). 

1
summary class Worker (val firstName: String, val lastName: String) {
2
    summary enjoyable earnings(): Double
3
}

Observe that not all members must be summary. In different phrases, we will have technique default implementation in an summary class. 

1
summary class Worker (val firstName: String, val lastName: String) {
2
    // ... 
3
    
4
    enjoyable fullName(): String {
5
        return lastName + " " + firstName;
6
    }
7
}

Right here we created the non-abstract operate fullName() in an summary class Worker. Concrete courses (subclasses of the summary class) can override an summary technique’s default implementation—however provided that the strategy has the open modifier specified (you’ll be taught extra about this shortly). 

We are able to additionally retailer state in summary courses. 

1
summary class Worker (val firstName: String, val lastName: String) {
2
    // ... 
3
    val propFoo: String = "bla bla"
4
}

Even when the summary class does not outline any strategies, we have to create a subclass earlier than we will instantiate it, as within the instance beneath.

1
class Programmer(firstName: String, lastName: String) : Worker(firstName, lastName) {
2

3
    override enjoyable earnings(): Double {
4
        // calculate earnings
5
    }
6
}

Our Programmer class extends the Worker summary class. In Kotlin we use a single colon character (:) as a substitute of the Java extends key phrase to increase a category or implement an interface. 

We are able to then create an object of sort Programmer and name strategies on it—both in its personal class or the superclass (base class).  

1
val programmer = Programmer("Chike", "Mgbemena")
2
println(programmer.fullName()) // "Mgbemena Chike"

One factor that may shock you is that we have now the flexibility to override a val (immutable) property with var (mutable). 

1
open class BaseA (open val baseProp: String) {
2

3
}
4

5
class DerivedA : BaseA("") {
6

7
    personal var derivedProp: String = ""
8

9
    override var baseProp: String
10
        get() = derivedProp
11
        set(worth) {
12
            derivedProp = worth
13
        }
14
}

Be sure to use this performance properly! Remember that we will not do the reverse—override a var property with val

2. Interfaces

An interface is just a set of associated strategies that usually allow you to inform objects what to do and likewise find out how to do it by default. (Default strategies in interfaces are a brand new characteristic added to Java 8.) In different phrases, an interface is a contract that implementing courses should abide by. 

An interface is outlined utilizing the interface key phrase in Kotlin (just like Java). 

1
class End result
2
class Pupil 
3

4
interface StudentRepository {
5
    enjoyable getById(id: Lengthy): Pupil
6
    enjoyable getResultsById(id: Lengthy): Listing<End result>
7
}

Within the code above, we have declared a StudentRepository interface. This interface incorporates two summary strategies: getById() and getResultsById(). Observe that together with the summary key phrase is redundant in an interface technique as a result of they’re already summary implicitly. 

An interface is ineffective with out a number of implementers—so let’s create a category that may implement this interface. 

1
class StudentLocalDataSource : StudentRepository {
2
    override enjoyable getResults(id: Lengthy): Listing<End result> {
3
       // do implementation
4
    }
5

6
    override enjoyable getById(id: Lengthy): Pupil {
7
        // do implementation
8
    }
9
}

Right here we created a category StudentLocalDataSource that implements the StudentRepository interface.

We use the override modifier to label the strategies and properties we need to redefine from the interface or superclass—that is just like the @Override annotation in Java.

Observe the next further guidelines of interfaces in Kotlin:

  • A category can implement as many interfaces as you need, however it could solely lengthen a single class (just like Java).
  • The override modifier is obligatory in Kotlin—in contrast to in Java. 
  • Together with strategies, we will additionally declare properties in a Kotlin interface. 
  • A Kotlin interface technique can have a default implementation (just like Java 8). 

Let’s examine an instance of an interface technique with a default implementation.

1
interface StudentRepository {
2
    // ... 
3
    enjoyable delete(scholar: Pupil) {
4
        // do implementation
5
    }
6
}

Within the previous code, we added a brand new technique delete() with a default implementation (although I didn’t add the precise implementation code for demonstration functions). 

We even have the liberty to override the default implementation if we would like.

1
class StudentLocalDataSource : StudentRepository {
2
    // ... 
3
    override enjoyable delete(scholar: Pupil) {
4
       // do implementation
5
    }
6
}

As said, a Kotlin interface can have properties—however notice that it could’t preserve state. (Nonetheless, bear in mind summary courses can preserve state.) So the next interface definition with a property declaration will work.

1
interface StudentRepository {
2
    val propFoo: Boolean // will work
3
    // ... 
4
}

But when we attempt to add some state to the interface by assigning a worth to the property, it is not going to work.

1
interface StudentRepository {
2
    val propFoo: Boolean = true // Error: Property initializers should not allowed in interfaces
3
    // .. 
4
}

Nonetheless, an interface property in Kotlin can have getter and setter strategies (although solely the latter if the property is mutable). Observe additionally that property in an interface can’t have a backing discipline. 

1
interface StudentRepository {
2
    var propFoo: Boolean
3
        get() = true
4
        set(worth)  {
5
           if (worth) {
6
             // do one thing
7
           }
8
        }
9
    // ...
10
}

We are able to additionally override an interface property in order for you, in order to redefine it. 

1
class StudentLocalDataSource : StudentRepository {
2
    // ... 
3
    override var propFoo: Boolean
4
        get() = false
5
        set(worth) {
6
            if (worth) {
7
                
8
            }
9
        }
10
}

Let us take a look at a case the place we have now a category implementing a number of interfaces with the identical technique signature. How does the category resolve which interface technique to name?

1
interface InterfaceA {
2
    enjoyable funD() {}
3
}
4

5
interface InterfaceB {
6
    enjoyable funD() {}
7
}

Right here we have now two interfaces which have a technique with the identical signature funD(). Let’s create a category that implements these two interfaces and overrides the funD() technique. 

1
class classA : InterfaceA, InterfaceB {
2
    override enjoyable funD() {
3
        tremendous.funD() // Error: Many supertypes out there, please specify the one you imply in angle brackets, e.g. 'tremendous<Foo>'
4
    }
5
}

The compiler is confused about calling the tremendous.funD() technique as a result of the 2 interfaces that the category implements have the identical technique signature. 

To unravel this drawback, we wrap the interface identify for which we need to name the strategy in angle brackets <InterfaceName>. (IntelliJ IDEA or Android Studio will provide you with a touch about fixing this subject when it crops up.)

1
class classA : InterfaceA, InterfaceB {
2
    override enjoyable funD() {
3
        tremendous<InterfaceA>.funD()
4
    }
5
}

Right here we’re going to name the funD()  technique of InterfaceA. Drawback solved! 

3. Inheritance

A brand new class (subclass) is created by buying an current class’s (superclass) members and maybe redefining their default implementation. This mechanism is called inheritance in object-oriented programming (OOP). One of many issues that make Kotlin so superior is that it encompasses each the OOP and useful programming paradigms—multi functional language.

The bottom class for all courses in Kotlin is Any

1
class Individual : Any {
2
}

The Any sort is equal to the Object sort we have now in Java. 

1
public open class Any {
2
    public open operator enjoyable equals(different: Any?): Boolean
3
    public open enjoyable hashCode(): Int
4
    public open enjoyable toString(): String
5
}

The Any sort incorporates the next members: equals(), hashcode(), and likewise toString() strategies (just like Java). 

Our courses needn’t explicitly lengthen this kind. If you happen to do not explicitly specify which class a brand new class extends, the category extends Any implicitly. For that reason, you usually needn’t embody : Any in your code—we accomplish that within the code above for demonstration functions. 

 Let’s now look into creating courses in Kotlin with inheritance in thoughts. 

1
class Pupil {
2

3
}
4

5
class GraduateStudent : Pupil() {
6

7
}

Within the code above, the GraduateStudent class extends the superclass Pupil. However this code will not compile. Why? As a result of courses and strategies are closing by default in Kotlin. In different phrases, they can’t be prolonged by default—in contrast to in Java the place courses and strategies are open by default. 

Software program engineering greatest apply recommends that you simply to start making your courses and strategies closing by default—i.e. if they are not particularly meant to be redefined or overridden in subclasses. The Kotlin staff (JetBrains) utilized this coding philosophy and lots of extra improvement greatest practices in creating this contemporary language. 

For us to permit subclasses to be created from a superclass, we have now to explicitly mark the superclass with the open modifier. This modifier additionally applies to any superclass property or technique that ought to be overridden by subclasses.

1
open class Pupil {
2

3
}

We merely put the open modifier earlier than the class key phrase. We’ve now instructed the compiler to permit our Pupil class to be open for extension. 

As said earlier, members of a Kotlin class are additionally closing by default. 

1
open class Pupil {
2
    
3
    open enjoyable schoolFees(): BigDecimal {
4
       // do implementation
5
    }
6
}

Within the previous code, we marked the schoolFees operate as open—in order that subclasses can override it. 

1
open class GraduateStudent : Pupil() {
2

3
    override enjoyable schoolFees(): BigDecimal {
4
        return tremendous.schoolFees() + calculateSchoolFees()
5
    }
6

7
    personal enjoyable calculateSchoolFees(): BigDecimal {
8
        // calculate and return faculty charges
9
    }
10
}

Right here, the open schoolFees operate from the superclass Pupil is overridden by the GraduateStudent class—by including the override modifier earlier than the enjoyable key phrase. Observe that in the event you override a member of a superclass or interface, the overriding member can even be open by default, as within the instance beneath:

1
class ComputerScienceStudent : GraduateStudent() {
2

3
    override enjoyable schoolFees(): BigDecimal {
4
        return tremendous.schoolFees() + calculateSchoolFess()
5
    }
6

7
    personal enjoyable calculateSchoolFess(): BigDecimal {
8
        // calculate and return faculty charges
9
    }
10
}

Despite the fact that we did not mark the schoolFees() technique within the GraduateStudent class with the open modifier, we will nonetheless override it—as we did within the ComputerScienceStudent class. For us to forestall this, we have now to mark the overriding member as closing

Do not forget that we will add new performance to a category—even when it is closing—by way of extension capabilities in Kotlin. For a refresher on extension capabilities, try my Superior Capabilities in Kotlin put up. Additionally, in the event you want a refresher on find out how to give even a closing class new properties with out inheriting from it, learn the part on extension Properties in my Superior Properties and Lessons put up. 

If our superclass has a main constructor like this:

1
open class Pupil(val firstName: String, val lastName: String) {
2
    // ... 
3
}

Then any subclass has to name the first constructor of the superclass. 

1
open class GraduateStudent(firstName: String, lastName: String) : Pupil(firstName, lastName) {
2
    // ... 
3
}

We are able to merely create an object of the GraduateStudent class as typical:

1
val graduateStudent = GraduateStudent("Jon", "Snow")
2
println(graduateStudent.firstName) // Jon

If the subclass desires to name the superclass constructor from its secondary constructor, we use the tremendous key phrase (just like how superclass constructors are invoked in Java). 

1
open class GraduateStudent : Pupil {
2
    // ...
3
    personal var thesis: String = ""
4
    
5
    constructor(firstName: String, lastName: String, thesis: String) : tremendous(firstName, lastName) {
6
        this.thesis = thesis
7
    }
8
}

If you happen to want a refresher on class constructors in Kotlin, kindly go to my Lessons and Objects put up. 

4. Bonus: Sort Alias

One other superior factor we will do in Kotlin is to present a kind an alias. 

Let’s examine an instance.

1
knowledge class Individual(val firstName: String, val lastName: String, val age: Int)

Within the class above, we will assign the String and Int sorts for the Individual properties aliases utilizing the typealias modifier in Kotlin. This modifier is used to create an alias of any sort in Kotlin—together with those you could have created. 

1
typealias Title = String
2
typealias Age = Int
3

4
knowledge class Individual(val firstName: Title, val lastName: Title, val age: Age) 

As you’ll be able to see, we have now created an alias Title and Age for each the String and Int sorts respectively. We’ve now changed the firstName and lastName property sort to our alias Title—and likewise Int sort to Age alias. Observe that we did not create any new sorts—we as a substitute created an alias for the kinds. 

These may be helpful once you need to present a greater which means or semantic to sorts in your Kotlin codebase. So use them properly! 

Conclusion

On this tutorial, you realized extra about object-oriented programming in Kotlin. We coated the next:

  • summary courses
  • interfaces 
  • inheritance
  • sort alias

When you have been studying Kotlin by way of our Kotlin From Scratch sequence, be sure you have been typing the code you see and working it in your IDE. One nice tip to actually grasp a brand new programming language (or any programming idea) you are studying is to be sure you do not simply solely learn the educational useful resource or information, but in addition sort the precise code and run it!

Within the subsequent tutorial within the Kotlin From Scratch sequence, you may be launched to exception dealing with in Kotlin. See you quickly!

To be taught extra concerning the Kotlin language, I like to recommend visiting the Kotlin documentation. Or try a few of our different Android app improvement posts right here on Envato Tuts!

RELATED ARTICLES

LEAVE A REPLY

Please enter your comment!
Please enter your name here

Most Popular

Recent Comments