Welcome to collectivesolver - Programming & Software Q&A with code examples. A website with trusted programming answers. All programs are tested and work.

Contact: aviboots(AT)netvision.net.il

Buy a domain name - Register cheap domain names from $0.99 - Namecheap

Scalable Hosting That Grows With You

Secure & Reliable Web Hosting, Free Domain, Free SSL, 1-Click WordPress Install, Expert 24/7 Support

Semrush - keyword research tool

Boost your online presence with premium web hosting and servers

Disclosure: My content contains affiliate links.

40,276 questions

52,302 answers

573 users

How to find the longest common prefix of all the words in a string with Kotlin

1 Answer

0 votes
fun longestCommonPrefix(input: String): String {
    if (input.isBlank()) return ""

    // Split by non‑word characters (same as Java's split("\\W+"))
    val words = input
        .lowercase()
        .split(Regex("\\W+"))
        .filter { it.isNotEmpty() }

    if (words.isEmpty()) return ""

    var prefix = words.first()

    for (word in words) {
        while (!word.startsWith(prefix)) {
            prefix = prefix.dropLast(1)
            if (prefix.isEmpty()) return ""
        }
    }

    return prefix
}

fun main() {
    val s1 = "The lowly inhabitants of the lowland were surprised to see the lower branches."
    println("LCP: '${longestCommonPrefix(s1)}'")

    val s2 = "unclear, uncertain, unexpected"
    println("LCP: '${longestCommonPrefix(s2)}'")
}




/*
run:

LCP: ''
LCP: 'un'

*/

 



answered 2 days ago by avibootz

Related questions

...