Advertisement
  1. Code
  2. Mobile Development
  3. Android Development

Kotlin From Scratch: Variables, Basic Types, and Arrays

Scroll to top
This post is part of a series called Kotlin From Scratch.
Kotlin From Scratch: Nullability, Loops, and Conditions

Kotlin is a modern programming language that compiles to Java bytecode. It is free and open source, and it promises to make coding for Android even more fun.

Kotlin is 100% interoperable with Java. In other words, it can be used together with Java in the same project. So you can refactor parts of your Java code to Kotlin and it won't break. In addition to that, it is concise, expressive, and has great tooling. Kotlin can be used on the back-end (server-side), but it's getting a lot of attention right now as a language for Android app development. Kotlin is now supported by Google as a first-class language for Android development, so the popularity of Kotlin is set to explode!

In this first tutorial in the Kotlin From Scratch series, you'll learn about the language basics: comments, variables, simple types, arrays, and type inference.

Prerequisites

To follow along with me, you will need the Kotlin plugin on Android Studio. Alternatively, you could use the online playground or IntelliJ IDEA Community Edition.

Basic Types

In Java, we have two types of type—primitive (e.g. int, long, boolean, byte, char, etc.) and reference types (e.g. array, String). Java uses wrappers (like java.lang.Integer) to make primitive types behave like objects. But in Kotlin, there is no such distinction. Instead, all types are objects.

Numbers

Kotlin supports a variety of number types to store numerical information. Number can either be integers like 20, -17, and 56893, or they can have a decimal part like 3498.48 or -4.398.

The integer types are subdivided based on the range of their values into four different subtypes. These are:

Type Bits Minimum Value Maximum Value
Long 64 bit -9,223,372,036,854,775,808 9,223,372,036,854,775,807
Int 32 bit -2,147,483,648 2,147,483,647
Short 16 bit -32,768 32,767
Byte 8 bit -128 127

Variables initialized with integer values are assumed to have type Int by the compiler if you haven't explicitly specified a type and the value itself is within the limits of the Int type. Variables with larger initialization values are assumed to be Long.

The real number or floating-point types are:

Type Bits Mantissa Bits Exponent Bits
Double 64 bits 53 bits 11 bits
Float 32 bits 24 bits 8 bits
1
val myInt = 55 // Inferred to be Int

2
val myLong = 40L // Explicitly set to be Long

3
val myFloat = 34.43F // A Float

4
val myDouble = 45.78 // A Double

5
val myHexadecimal = 0x0F // Inferred to be Int

6
val myBinary = 0b010101 // Inferred to be Int

You can observe that we created a Long literal by adding the suffix L, and for Float we added the suffix F or f. Numbers can also be written in hexadecimal notation using the 0x or 0X prefix and in binary using the 0b or 0B prefix. Note that in all these cases, Kotlin can use type inference to know the type we want instead.

1
val myLong = 19L
2
val myLongAgain: Long = 40

To convert a number from one type to another, you have to explicitly invoke the corresponding conversion function. In other words, there is no implicit conversion between types of numbers.

1
val myNumber = 400
2
val myNumberAgain: Long = myNumber // throws Error: Type mismatch

Each number type has helper functions that convert from one number type to another: toByte(), toInt(), toLong(), toFloat(), toDouble(), toChar(), toShort().

1
val myInt = 987
2
val myLong = myInt.toLong()

In the code above, we are converting from an integer to a long. We can also do the reverse by using the toInt() method on the long variable. Note that this will truncate the value to fit the smaller size of an Int type if need be—so be careful when converting from larger types to smaller ones!

You can also convert a String into a number type.

1
val stringNumber = "101"
2
val intValue = stringNumber.toInt() 

In the code above, we converted the stringNumber variable into an Int type by calling the toInt() method on the variable. We can write this more succinctly by instead calling the method directly on the string:

1
val intValue = "101".toInt()

One more thing that I would like to mention is that arithmetic operations on small number types such as Byte and Short return an Int. This can give you some unexpected compiler errors. You will have to cast the result to a Byte type even if the variable was already a Byte. Here is an example:

1
var a: Byte = 7
2
var b: Byte = 9
3
var result: Byte
4
5
// This throws error: type mismatch: inferred type is Int but Byte was expected

6
result = a*b
7
8
// This works

9
result = (a*b).toByte()
10
11
// 63

12
println("$result")

The Boolean Type

The Boolean type in Kotlin is the same as in Java. Its value can be either true or false. The disjunction (||), conjunction (&&), and negation (!) operations can be performed on boolean types, just like Java.

1
val myTrueBoolean = true
2
val myFalseBoolean = false
3
4
val x = 1
5
val y = 3
6
val w = 4
7
val z = 6
8
9
val n = x < z && z > w // n is true

Strings

Strings can be created with either double quotes or triple quotes. In addition to that, escape characters can be used with double quotes.

1
val myString = "This is a String"
2
val escapeString = "This is a string with new line \n"

To create a string that spans multiple lines in the source file, we use triple quotes:

1
val multipleStringLines = """

2
        This is first line

3
        This is second line

4
        This is third line """

Kotlin also supports string interpolation or string templates. This is an easier way to build dynamic strings than concatenation, which is what we use in Java. Using string templates, we can insert variables and expressions into a string.

1
val accountBalance = 200
2
val bankMessage = "Your account balance is $accountBalance" // Your account balance is 200

In the code above, we created a string literal, and inside it, we referred to a variable by the use of a $ character in front of the variable name. Note that if the variable is not correct or doesn't exist, the code won't compile.

What about if you need to use $ in your string? You just escape it with \$! Also, you can call methods from an interpolated String directly. You just have to add curly braces ${} to wrap it.

1
val name = "Chike"
2
val message = "The first letter in my name is ${name.first()}" // The first letter in my name is C

Another cool thing you can do is to perform some logic inside the curly braces when creating a String literal.

1
val age = 40
2
val anotherMessage = "You are ${if (age > 60) "old" else "young"}" // You are young

When working with strings, remember that any operation on a string that can transform its value will result in the creation of a new String object. The original string will remain unchanged. Here is an example:

1
var name = "Nitish"
2
3
// hsitiN

4
println(name.reversed())
5
6
// Nitish

7
println(name)

Arrays

In Kotlin, there are two main ways to create an array: using the helper function arrayOf() or the constructor Array().

The arrayOf() Function

For example, let's create an array with some elements using arrayOf().

1
val myArray = arrayOf(4, 5, 7, 3)

Now, to access any element, we can use its index: myArray[2]. Note that we can pass in values of different types into the arrayOf() as arguments and it will still work—it will be an array of mixed type.

1
val myArray = arrayOf(4, 5, 7, 3, "Chike", false)

To enforce that all the array values have the same type, e.g. Int, we declare a type by calling arrayOf<Int>() or intArrayOf().

1
val myArray3 = arrayOf<Int>(4, 5, 7, 3, "Chike", false) // will not compile

2
val myArray4 = intArrayOf(4, 5, 7, 3, "Chike", false)  // will not compile

We also have other utility functions to create arrays of other types such as charArrayOf(), booleanArrayOf(), longArrayOf(), shortArrayOf(), byteArrayOf(), and so on. Behind the scenes, using these functions will create an array of their respective Java primitive types. In other words, intArrayOf() will compile to the regular Java primitive type int[], byteArrayOf() will be byte[], longArrayOf() will be long[], and so on.

The Array() Constructor

Now let's see how to create an array with Array(). The constructor of this class requires a size and a lambda function. We'll learn more about lambda functions later in this series, but for now, just understand that it is a simple, inline way of declaring an anonymous function. In this case, the job of the lambda function is to initialize the array with elements.

1
// 1, 3, 5, 7, 9

2
val odds = Array(5) { i -> 2*i + 1 }
3
4
// 2, 4, 6, 8, 10

5
val evens = Array(5, { i -> 2 *(i + 1) })

In the code above, we have used slightly different syntax to initialize our arrays. In both cases, we passed 5 as the size of the array in the first argument. The second argument takes in a lambda function, which takes the index of the array element and then returns the value to be inserted at that index in the array. So in the example above, the end result was the creation of two arrays with the first five odd and even values.

You can also use more specific classes to create arrays which contain elements of specific types. For example, IntArray will create an array of Int type. Trying to include any other type of value into the array will result in an error.

1
// [0, 0, 0, 0, 0]

2
var onlyZero = IntArray(5)
3
4
// [5, 5, 5, 5, 5]

5
val onlyFive = IntArray(5) {5}
6
7
// [1, 3, 5, 7, 9]

8
val onlyOdds = IntArray(5) {i -> 2*(i + 1)}
9
10
// Throws Error

11
val strings = IntArray(5) {i -> "$i"}

When we only passed the size of IntArray, all the values were initialized to 0. Passing 5 as an additional value initialized all elements to 5. Trying to pass a string value into an IntArray will throw an error. Similar classes also exist for other number types.

Variables

During our discussion on types, you might have noticed that we were using keywords like val and var. In Kotlin, we use val to declare an immutable variable and var to declare a mutable variable. You can also optionally specify a type such as String or Int after the variable name. In the example below, we declared a constant firstName of type String with the val keyword.

1
val firstName: String = "Chike" 

But you'll soon realize that in Kotlin, it's often possible to omit the type from the declaration and the compiler won't complain.

1
val lastName = "Mgbemena" // will still compile

In the code above, you'll observe that we did not explicitly state the type String. The code above will still work because the compiler has implicitly inferred the type using type inference. We'll come back to this!

The difference between the val and var keywords is that the former is immutable or read-only (its value cannot be changed), while the latter is mutable (its value can be changed).

1
val dateOfBirth = "29th March, 1709" 
2
dateOfBirth = "25th December, 1600" // cannot be changed

3
4
var car = "Toyota Matrix"
5
car = "Mercedes-Maybach" // can be changed

Note that for a variable declared with the var keyword which has its type inferred by the compiler, assigning another value of a different type won't work. In other words, the value of the variable can change, but its type cannot! For example:

1
var age = 12
2
age = "12 years old" // Error: type mismatch

It is highly recommended that you start by making your variables immutable by declaring them with the val keyword, so as not to maintain too many states. This makes your code safer for multithreading, because it ensures your variables cannot be modified by other threads unexpectedly.

Another thing you should know about the val keyword is that you can declare it with a type only and assign it a value later. But you can still only assign a value once.

1
val carName: String
2
carName = "Toyota Matrix" // will compile

However, you should keep in mind that using val only prevents reassignment. It doesn't prevent people from making other kinds of changes, as shown below.

1
val numbers = IntArray(5) {10}
2
3
// 10

4
println(numbers[3])
5
6
numbers[3] = 6
7
8
// 6

9
println(numbers[3])

In Java, it's possible to declare multiple variables of the same type on a single line, but this doesn't work in Kotlin. In Kotlin, all variable declarations must be on their own lines.

1
val carName = "BMW", streetName = "Oke street" // this won't compile

2
3
// this will compile

4
var carName = "BMW"
5
var streetName = "Oke street"

Type Inference or Deduction

Kotlin is a strongly typed language that supports type inference or deduction. This is the mechanism employed by the compiler to find out types from context. Java doesn't have a type inference mechanism, which means you must explicitly declare the type of every function or variable. Type inference helps reduce the boilerplate code you have to write.

1
val country = "Nigeria" // type is inferred by compiler

2
val code = 234

The code above would compile even though we did not explicitly state the type for the variable country. The compiler is smart enough to know that the country is of type String because the value, "Nigeria", is a string.

Comments

This is an easy one. In Kotlin, comments are just the same as in Java. We can use either block or line comments:

1
/*

2
 hello, this is a block comment

3
 with multiple lines.

4
 This is another line.

5
 This is another one again

6
*/
7
8
// this is a single line comment

Conclusion

In this tutorial, you learned the basics of the Kotlin programming language: variables, basic types, type inference, arrays, and comments. In the next tutorial in the Kotlin From Scratch series, you'll learn about loops, ranges, conditions, collections, and packages in Kotlin. See you soon!

To learn more about the Kotlin language, I recommend visiting the Kotlin documentation. Or check out some of our other Kotlin tutorials here on Envato Tuts+.

This post has been updated with contributions from Nitish Kumar. Nitish is a web developer with experience in creating eCommerce websites on various platforms. He spends his free time working on personal projects that make his everyday life easier or taking long evening walks with friends.

Advertisement
Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Advertisement
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.