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.

39,845 questions

51,766 answers

573 users

How to set specific bits and find the set bits indexes in Kotlin

1 Answer

0 votes
const val BIT_SIZE = 16

// Print binary representation of the bits
fun printBinary(bits: Short) {
    val binary = bits.toInt().toString(2).padStart(BIT_SIZE, '0')
    println(binary)
}

// Find the first set bit (least significant)
fun findFirstSetBit(bits: Short): Int? {
    for (i in 0 until BIT_SIZE) {
        if ((bits.toInt() shr i) and 1 == 1) return i
    }
    return null
}

fun printSetBitIndexes(bits: Short) {
    val indexes = (0 until BIT_SIZE).filter { (bits.toInt() shr it) and 1 == 1 }
    println(indexes.joinToString(" "))
}

fun main() {
    var bits: Short = 0
    bits = (bits.toInt() or (1 shl 3)).toShort()
    bits = (bits.toInt() or (1 shl 5)).toShort()
    bits = (bits.toInt() or (1 shl 11)).toShort()
    bits = (bits.toInt() or (1 shl 14)).toShort()

    printBinary(bits)

    val first = findFirstSetBit(bits)
    println("First set bit at index: ${first ?: "None"}")

    println("All the set bits indexes:")
    printSetBitIndexes(bits)
}



/*
run:

0100100000101000
First set bit at index: 3
All the set bits indexes:
3 5 11 14

*/

 



answered Nov 4, 2025 by avibootz
...