Kotlin Program to Remove All Whitespaces from a String

Example: Program to Remove All Whitespaces

fun main(args: Array<String>) {
    var sentence = "T    his is b  ett     er."
    println("Original sentence: $sentence")

    sentence = sentence.replace("\\s".toRegex(), "")
    println("After replacement: $sentence")
}

When you run the program, the output will be:

Original sentence: T    his is b  ett     er.
After replacement: Thisisbetter.

In the above program, we use String's replace() method to remove and replace the whitespaces in the string sentence.

We've used regular expression \\s that finds all white space characters (tabs, spaces, new line character, etc.) in the string. Then, we replace it with "" (empty string literal).

Here's the equivalent Java code: Java program to remove all whitespaces

Did you find this article helpful?