Learning Kotlin: Collections

Submitted by Robert MacLean on Fri, 07/06/2018 - 09:00
**More Information** * [The code being referenced](https://github.com/Kotlin/kotlin-koans/tree/master/src/ii_collections). * This is the 15th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

The Koans for Kotlin, are broken into sections and our earlier posts have covered the first section; this post is going to cover the entire second section. The reasons we are not breaking this down as we did before is because the common theme here is working the kotlin.collections and in particular the wealth of extension methods that exist.


Koan Functions What it does? C# Equivalent Notes
Filter and Map Map & Filter Map is a projection - it allows you to take in a collection of items and change each time. It is useful for selecting properties of objects in a collection. Filter lets you filter a collection Map is the same as select and filter is the same as where
All Any And Other Predicates any, all, count and firstOrNull Any returns true if it finds one any match to the provided expression. All requires all items in the collection to match the provided expression. Count provides the size of the collection. FirstOrNull returns the first item in a collection which matches the expression or, if nothing does, it returns null any, all, count and firstOrDefault Any, all and count work the same as in .NET. Count should be avoided when size exists, since Count could cause it to be on O(n) operation to determine the sized, though it depends on the collection implementation. firstOrNull is similar to .NETs firstOrDefault except, it returns null if there is no match where .NET might return null (only for reference types, like classes) and what the default is for value types (0 for int, false for boolean etc...)
Flatmap flatMap Where map returns a collection which has the same size as the input, however flatMap the resulting collection can be a different size from the input selectMany
Max and min max and maxBy MaxBy returns the largest value in the collection by letting you select which property to use for the ordering Max Interesting that .NET uses one function name to do with Kotlin uses max and maxBy to do both.
sort sortBy SortBy lets your sort the collection with an O(n2) performance orderBy
Sum sumBy sum
GroupBy groupBy returns a map (or dictionary) where the key is one provided by the expression and the value is the items from the input collection which match the expression GroupBy
Partition partition Partition returns a Pair with a list in both values and the expression defines what goes into each value. Basically you are splitting a collection No direct option for this. You could use take if you only cared about half the collection.
Fold fold Allows you to produce a single value from a collection; normally aggregation - for example adding up all values in an array. aggregate

Going through these exercises was really interesting and I'm glad there is a lot of similar functionality to .NETs LINQ functions.

Learning Kotlin: The awesome that is the backtick

Submitted by Robert MacLean on Thu, 07/05/2018 - 09:00
**More Information** * This is the 14th post in a multi-part series. If you want to read more, see our [series index](/learning-kotlin-introduction)

The backtick in Kotlin is meant to allow Kotlin to use keywords or, since Kotlin is meant to interop with Java, allow Kotlin to call Java functions that might conflict with Kotlin; for example, this won't work

  1. val class = "school"
  2. println(class)

If we wrap class in backticks (as it is a keyword) then it works just fine:

  1. val `class` = "school"
  2. println(`class`)

This is nice... however it can be used for function names too, for example with tests we might use underscores to make the name verbose:

  1. fun should_return_true_for_values_of_one() {

however...

  1. fun `should return true for values of one`() {

Yes! That is a function name with REAL SPACES in it! AWESOME!

Learning Kotlin: return when

Submitted by Robert MacLean on Wed, 07/04/2018 - 09:00
**More Information** * This is the 13th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

Continuing our break from the Koans today and going to look at another cool trick I learnt using Kotlin this week and focusing on the when keyword we learnt about previously;

Let's start with a simple function to return the text for a value using when:

  1. fun step1(number: Int):String {
  2.     var result = "";
  3.     when (number) {
  4.         0 -> result = "Zero"
  5.         1 -> result = "One"
  6.         2 -> result = "Two"
  7.     }
  8.  
  9.     return result;
  10. }

The next evolution is we can avoid creating a variable and returning directly (this is something I would do often in .NET)

  1. fun step2(number: Int):String {
  2.     when (number) {
  3.         0 -> return "Zero"
  4.         1 -> return "One"
  5.         2 -> return "Two"
  6.     }
  7.  
  8.     return ""
  9. }

And now we get to the cool part, we can just return the when!

  1. fun step3(number: Int):String {
  2.     return when (number) {
  3.         0 -> "Zero"
  4.         1 -> "One"
  5.         2 -> "Two"
  6.         else -> ""
  7.     }
  8. }

Yup, the when can return a value which means we can also do one final trick:

  1. fun step4(number: Int):String = when (number) {
  2.         0 -> "Zero"
  3.         1 -> "One"
  4.         2 -> "Two"
  5.         else -> ""
  6.     }

It is so cool that your logic can just return from a condition, and it works with if statements too and even with the Elvis operator we learnt yesterday:

  1. fun ifDemo3(name:String?) = name ?: "Mysterious Stranger"

Learning Kotlin: Kotlin's Elvis Operator

Submitted by Robert MacLean on Tue, 07/03/2018 - 09:00
**More Information** * This is the 12th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

We are going to take a short break from the Koans and look at a cool trick I learnt today. Previously, we learnt about the safe null operator but that only helps when calling functions or properties of objects...

  1. fun ifDemo1(name:String?) {
  2.     val displayName = if (name != null) name else "Mysterious Stranger"
  3.     println("HI ${displayName}")
  4. }

In the above example, we have the name String which could be null but safe null operator (this needs a better name) can't help here... so let us look at what Kotlin calls the Elvis operator ?: and what it gives us:

  1. fun ifDemo2(name:String?) {
  2.     val displayName = name ?: "Mysterious Stranger"
  3.     println("YO ${displayName}")
  4. }

This is really cool and reminds me of SQL COALESCE where it lets you test the first value and if it is not null, it returns the first value, else it returns the second value.

SFTPK: Heap

Submitted by Robert MacLean on Mon, 07/02/2018 - 09:00

This post is one in a series of stuff formally trained programmers know – the rest of the series can be found in the series index.

Continuing on with more tree-based data structures, we get to the heap. If we look back at the BST and Red/Black those trees ended up with the most average/middle value at the root node so that nodes which were smaller were on the left and larger nodes were on the right, the heap changes that.

There are actually two heaps, a minimum and maximum value heap, but there are very similar. The key aspects to know about either heap are

  1. It is a binary tree. This is important for insertion and deletion and ensures the depth of the tree doesn't grow out too far from the root node.
  2. In a minimum heap, the root node is the SMALLEST value in the tree.
  3. In a minimum heap, any node should be smaller than all of its' children
  4. In a maximum heap, the root node is the LARGEST value in the tree
  5. In a maximum heap, any node should be larger than all of its children

The advantage of a heap is as an implementation of a Queue where you can control the order items appear in the queue rather than just relying on insertion order.

Let's have a look at what these will look like when we have the following dataset: 45, 42, 56, 78, 99, 30

Step Minimum Heap Maximum Heap
1 We add 45 as the root node We add 45 as the root node
2 We add 42 as the first child, but it is smaller, so we will swap it with the root node {width=100} {width=100} We add 42 add as the first child node {width=100}
3 We add 56 as the second child node {width=100} We add 56 as the second child node; it is larger than its parent so we swap them. {width=100} {width=100}
4 We add 78 as a child of 45 {width=100} We add 78 as a child of 42, though it is larger so it must be swapped. 78 is now a child of 56, which still wrong so we need to swap them too. {width=100} {width=100} {width=100}
5 We add 99 as a child of 45 {width=100} We add 99 as a child of 56. 99 is larger, so we then swap 99 and 56. 99 is still larger than 78, so we need to swap those nodes too {width=100} {width=100} {width=100}
6 Next we add 30 under 56. It is smaller than 56 so it must be swapped. Once swapped, its parent 42 is also larger so they need to swapped too. {width=100} {width=100} {width=100} Last we add 30 to under 45. {width=100}

Implementations

Java has a built-in implementation with the PriorityQueue and, unfortunately, .NET and JavaScript lacks an out of the box option.

Learning Kotlin: Object Expressions and SAM Conversions

Submitted by Robert MacLean on Thu, 06/28/2018 - 09:00
**More Information** * [Code for the first Koan can be found here](https://github.com/Kotlin/kotlin-koans/blob/master/src/i_introduction/_10_Object_Expressions/n10ObjectExpressions.kt). * [Code for the second Koan can be found here](https://github.com/Kotlin/kotlin-koans/blob/master/src/i_introduction/_11_SAM_Conversions/n11SAMConversions.kt). * This is the 11th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

For the 11th post, we get something new to an old C# person - Object Expressions!

Object Expressions are very similar to Anonymous Classes in Java where you can declare a class inline rather than entirely separately in its own file.

In the first Koan we need to implement Comparator<Int> inline:

  1. fun task10(): List<Int> {
  2.     val arrayList = arrayListOf(1, 5, 2)
  3.     Collections.sort(arrayList, object : Comparator<Int> {
  4.         override fun compare(o1:Int, o2:Int):Int {
  5.             return o2 - o1;
  6.         }
  7.     })
  8.     return arrayList
  9. }

You can see on line 21, we define the new object with the object keyword and then use : Comparator<Int> to state it implements that interface. The Comparator has a single function which needs to be implemented which we do on line 22.

The second Koan takes this further and states if there is a single method in an abstract class or interface then we can use SAM, or Single Abstract Method, to avoid needing the class at all as we just need to implement the single function. To achieve this with the Koan, we use an anonymous function that handles the compare function of the Comparator:

  1. fun task11(): List<Int> {
  2.     val arrayList = arrayListOf(1, 5, 2)
  3.     Collections.sort(arrayList, { x, y -> y - x})
  4.     return arrayList
  5. }

and lastly, if we look back to previous post we can use the extension method to simply it further:

  1. fun task12(): List<Int> {
  2.     return arrayListOf(1, 5, 2).sortedDescending()
  3. }

These Koans have given me more thoughts about the language than probably any previous Koans:

  1. Why do classes which implement an interface use override?
    In C#, when you implement an interface you do not need to state that you are not overriding the functions (see this example). In C# only state that your are overriding when you inherit from a function and you actually override a function. The reason is that an interface in Kotlin is closer to an abstract class than in C#, to the point it can have functionality - yup, interfaces can have functions and logic!
  2. So why does Kotlin have interfaces and abstract classes?
    The key difference is an abstract class can have state while the logic in an interface needs to be stateless!
  3. Why bother having SAM?
    As I was working on the Koan, I was delighted by the SAM syntax... and then I wondered why I needed this at all? Why is Collections.sort taking a class as the second parameter? Why not just pass in a function, since that is all that is actually needed? Both C# and Kotlin supports passing functions so this is possible... but something I never knew about Java is that it doesn't support passing functions! You have to use Callable, a class, to pass functions.

Learning Kotlin: Extension Functions and Extensions On Collections

Submitted by Robert MacLean on Wed, 06/27/2018 - 09:00
**More Information** * [Code for the first Koan can be found here](https://github.com/Kotlin/kotlin-koans/tree/master/src/i_introduction/_9_Extension_Functions). * [Code for the second Koan can be found here](https://github.com/Kotlin/kotlin-koans/blob/master/src/i_introduction/_12_Extensions_On_Collections/n12ExtensionsOnCollections.kt). * This is the 10th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

This post is the first to cover multiple Koans in a single post.

The 10th in our series is very simple coming from C# because Extension Functions in Kotlin are identical as Extension Methods in C#, though they are much cleaner in their implementation.

In their example for the Koan we add a lastChar and lastChar1 function to the String class.

  1. fun String.lastChar() = this.get(this.length - 1)
  2.  
  3.  
  4. // 'this' refers to the receiver (String) and can be omitted
  5. fun String.lastChar1() = get(length - 1)

For the Koan itself, we need to an r function to Int and Pair<int, int> which returns an instance of RationalNumber, which we do as follows:

  1. fun Int.r(): RationalNumber = RationalNumber(this, 1)
  2. fun Pair<Int, Int>.r(): RationalNumber = RationalNumber(first, second)

An additional learning on this, was the Pair<A, B> class which is similar to the Tuple class from C#.

When we get into the second Koan, we get exposed to some of the built-in extension's functions in Kotlin which ship out of the box; in this case, we use sortedDescending extension method with the Java collection. It is a great example of mixing Java and Kotlin too:

  1. fun task12(): List<Int> {
  2.     return arrayListOf(1, 5, 2).sortedDescending()
  3. }

Learning Kotlin: Smart Casts

Submitted by Robert MacLean on Tue, 06/26/2018 - 09:00
**More Information** * [Code for this Koan can be found here](https://github.com/Kotlin/kotlin-koans/tree/master/src/i_introduction/_8_Smart_Casts). * This is the 9th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

The goal of this Koan is to show how smart the Kotlin compiler is; in that when you use something like the is keyword to handle type checking the compiler will then know the type later on and be able to use it intelligently.

So if we want to check types in Java we would use something like this where we would use instanceof to check the type and then cast it to the right type.

  1. public class JavaCode8 extends JavaCode {
  2.     public int eval(Expr expr) {
  3.         if (expr instanceof Num) {
  4.             return ((Num) expr).getValue();
  5.         }
  6.         if (expr instanceof Sum) {
  7.             Sum sum = (Sum) expr;
  8.             return eval(sum.getLeft()) + eval(sum.getRight());
  9.         }
  10.         throw new IllegalArgumentException("Unknown expression");
  11.     }
  12. }

In Kotlin we, by checking the type the compiler handles the casting for us, but before we get to that we also got to learn about the when which is the Kotlin form of the Switch keyword in C# or Java and it offers similar functionality, as shown in this example:

  1. when (x) {
  2.     1 -> print("x == 1")
  3.     2 -> print("x == 2")
  4.     else -> { // Note the block
  5.         print("x is neither 1 nor 2")
  6.     }
  7. }

and it supports multiple values on the same branch

  1. when (x) {
  2.     0, 1 -> print("x == 0 or x == 1")
  3.     else -> print("otherwise")
  4. }

Where it gets awesome, is the extra actions it supports; for example when values can be functions, not just constants:

  1. when (x) {
  2.     parseInt(s) -> print("s encodes x")
  3.     else -> print("s does not encode x")
  4. }

You can also use in or !in to check values in a range/collection:

  1. when (x) {
  2.     in 1..10 -> print("x is in the range")
  3.     in validNumbers -> print("x is valid")
  4.     !in 10..20 -> print("x is outside the range")
  5.     else -> print("none of the above")
  6. }

It really is very cool, so let us see how we use Smart Casts and when together and how it compares with the Java code above:

  1. fun eval(e: Expr): Int =
  2.     when (e) {
  3.         is Num -> e.value
  4.         is Sum -> eval(e.left) + eval(e.right)
  5.    }

Really nice and, I think, more readable than the Java code.

Learning Kotlin: Nullable Types

Submitted by Robert MacLean on Mon, 06/25/2018 - 09:00
**More Information** * [The code being referenced](https://github.com/Kotlin/kotlin-koans/tree/master/src/i_introduction/_7_Nullable_Types). * This is the 8th post in a multipart series. If you want to read more, see our [series index](/learning-kotlin-introduction)

The next Koan looks at how Kotlin handles nulls, and it does it wonderfully; Null is explicitly opt-in. For example, in C# you can assign null to a string variable but in Kotlin unless you say you want to support nulls, which you do by adding a trailing question mark to the class, you cannot.

Their example in this Koan is a nice example:

  1. fun test() {
  2.     val s: String = "this variable cannot store null references"
  3.     val q: String? = null
  4.  
  5.     if (q != null) q.length      // you have to check to dereference
  6.     val i: Int? = q?.length      // null
  7.     val j: Int = q?.length ?: 0  // 0
  8. }

Let us dig into the Koan, where we get given the following Java code:

  1. public void sendMessageToClient(@Nullable Client client, @Nullable String message, @NotNull Mailer mailer) {
  2.     if (client == null || message == null) return;
  3.  
  4.     PersonalInfo personalInfo = client.getPersonalInfo();
  5.     if (personalInfo == null) return;
  6.  
  7.     String email = personalInfo.getEmail();
  8.     if (email == null) return;
  9.  
  10.     mailer.sendMessage(email, message);
  11. }

and we need are going to rewrite it using the Nullable language features of Kotlin, which looks like:

  1. fun sendMessageToClient(client: Client?, message: String?, mailer: Mailer) {
  2.     val email = client?.personalInfo?.email
  3.     if (email == null || message == null) return
  4.  
  5.     mailer.sendMessage(email, message)
  6. }

The big changes from Java:

  1. The @NotNull attribute for mailer is no longer needed
  2. The @Null attribute for the other parameters becomes the question mark
  3. We do not need to pre-check client before calling the parameter, as you can use the null safe operator ?. to ensure you only check before we call the method.
  4. Unfortunately, the null safe operator in Kotlin doesn't support calling methods on null objects as C# currently does with its Elvis operator

SFTPK: Stack & Queue

Submitted by Robert MacLean on Fri, 06/22/2018 - 09:00

This post is one in a series of stuff formally trained programmers know – the rest of the series can be found in the series index.

In this post, we will look at two related and simple data structures, the Stack and the Queue. The stack is a structure which can be implemented with either an Array or Linked List.

An important term for understanding a stack is that it is LIFO, last-in-first-out, system; namely, the last item you add (or push or bury) is the first item you take out when you retrieve an item (or peek or unbury).

Let's have a look at what a stack would look like:
What a stack looks like

In this, we added 1, 2, 3, 4, and then 5 and when we read from the stack we read in the reverse order.

Implementations


Next is the queue, which is very similar to the stack, except where the stack was LIFO; a queue is FIFO, first-in-first-out; so if we put in 1, 2, 3, 4, & 5 into the queue, then we would read them in the same order, i.e. 1, 2, 3, 4, 5.

Implementations

C# has a queue implementation and the JavaScript array can act as a queue, when you use unshift to add to the beginning of the array (also known as the head) and pop to remove from the end of the array (also known as the tail).