@keyframes in kotlin-css
The following is relevant for kotlin-css:2025.2.4 and below; 2025.2.5 will include CssBuilder::keyframes. Sweet!
If you're looking to build a site completely in Kotlin, the CSS DSL of choice (according to me) is kotlin-css. The library is a great alternative to handwriting .css files, though the "low-level" design can add a degree of difficulty in certain areas—getting it to produce @keyframes, in particular, requires some extra attention.
What's provided
val styles = CssBuilder().apply {
    KeyframesBuilder().apply {
        50 {
            transform { translateX(7.px) }
        }
        100 {
            transform { translateX(52.px) }
        }
    }
    ".some-class" {
        animation += Animation(
            name = "my-animation",
            duration = 5.s
        )
        transform { translateX((-7).px) }
    }
}
styles.toString()
Out of the box, kotlin-css provides:
- CssBuilder, for authoring styling rules.
- KeyframesBuilder, for building out animation keyframes.
- Animation, for applying an animation.
What's missing?
As of version 2025.2.4, CssBuilder lacks built-in support for KeyframesBuilder, making it unclear how to get keyframes into the final rendered stylesheet. Additionally, how can keyframes be given a name for an Animation to reference?
What's needed
const val myAnimation = "my-animation"
val styles = CssBuilder().apply {
    "@keyframes $myAnimation" {
        val builder = KeyframesBuilder().apply {
            50 {
                transform { translateX(7.px) }
            }
            100 {
                transform { translateX(52.px) }
            }
        }
        rules += builder.rules
    }
    // `rule` block
    ".some-class" {
        animation += Animation(
            name = myAnimation,
            duration = 5.s
        )
        transform { translateX((-7).px) }
    }
}
styles.toString()
Since both rule blocks and KeyframesBuilder implement RuleContainer, it's just a matter of manually passing along the builder's rules in a "@keyframes $name" block.
With some minor refactoring, writing keyframes suddenly becomes lemon squeezy:
fun CssBuilder.keyframes(
    name: String,
    block: KeyframesBuilder.() -> Unit
) {
    val builder = KeyframesBuilder().apply(block)
    "@keyframes $name" {
        rules += builder.rules
    }
}
const val myAnimation = "my-animation"
val styles = CssBuilder().apply {
    keyframes(myAnimation) {
        50 {
            transform { translateX(7.px) }
        }
        100 {
            transform { translateX(52.px) }
        }
    }
    ".some-class" {
        animation += Animation(
            name = myAnimation,
            duration = 5.s
        )
        transform { translateX((-7).px) }
    }
}
styles.toString()