Kotlin String Templates: Practical Examples

Explore practical examples of Kotlin string templates to enhance your programming skills and improve code readability.
By Jamie

Understanding Kotlin String Templates

Kotlin string templates provide a powerful way to embed variables and expressions directly within string literals. This feature enhances code readability and reduces the chance of errors when concatenating strings. In this article, we will explore three diverse examples of Kotlin string templates that demonstrate their practical applications.

Example 1: Simple Variable Replacement

Context

In many applications, you’ll need to display user information. String templates can simplify this by allowing you to embed variables directly within strings.

fun main() {
    val userName = "Alice"
    val userAge = 30
    val greeting = "Hello, my name is \(userName and I am \)userAge years old."
    println(greeting)
}

This example creates a greeting message that includes the user’s name and age. You can easily change the variables to see the updated output without modifying the string itself.

Notes

  • You can use double quotes to define string templates.
  • If you want to include a variable or expression that is a more complex object, wrap it in curly braces, like ${userAge + 1}.

Example 2: Using Expressions in String Templates

Context

Sometimes, you may need to perform calculations or invoke methods within your strings. Kotlin string templates allow you to embed expressions directly.

fun main() {
    val basePrice = 100
    val taxRate = 0.2
    val total = basePrice * (1 + taxRate)
    val receipt = "The total price after tax is $$total"
    println(receipt)
}

In this example, we calculate the total price after tax and embed that calculation directly into the receipt string. This demonstrates how string templates can keep your code clean and readable.

Notes

  • Kotlin automatically handles the conversion of numbers to strings when using string templates.
  • Be cautious with the use of the dollar sign, as it is also used for variable declaration.

Example 3: Multiline String Templates

Context

When dealing with larger blocks of text, such as formatted output or multi-line strings, Kotlin provides triple quotes for string templates, allowing for easy formatting.

fun main() {
    val name = "Bob"
    val hobbies = listOf("reading", "cycling", "swimming")
    val hobbiesList = hobbies.joinToString(separator = ", ")
    val bio = """
        Name: $name
        Hobbies: $hobbiesList
    """
    println(bio)
}

In this case, we define a multiline string to store a bio that includes a list of hobbies. The joinToString function creates a neatly formatted list from the hobbies array.

Notes

  • Triple quotes allow you to include new lines and preserve formatting.
  • You can still use variable interpolation within triple-quoted strings, making it versatile for dynamic content.