androidstringbuilderspannablestringspannablestringbuilder

Spannable String Builder not applying font


I'm trying to build a String that has two different custom fonts applied to it. I've appended the two strings with the respective font into a string builder, but this does nothing to the String at all? Does anyone know why?

private fun createSpannedNameAndComment(name: String, comment: String): SpannableStringBuilder {

    val semiBoldFont = android.graphics.Typeface.create(
        ResourcesCompat.getFont(
            this,
            R.font.josefin_san_semi_bold
        ), android.graphics.Typeface.NORMAL
    )

    val regularFont = android.graphics.Typeface.create(
        ResourcesCompat.getFont(
            this,
            R.font.josefin_san_regular
        ), android.graphics.Typeface.NORMAL
    )

    return SpannableStringBuilder().apply {
        append(name, semiBoldFont, 0)
        append(" ")
        append(comment, regularFont, 0)
    }

}

Solution

  • You can use this custom TypefaceSpan class:

    class CustomTypefaceSpan constructor(type: Typeface) : TypefaceSpan("") {
    
        private var newType = type
    
        override fun updateDrawState(ds: TextPaint) {
            applyCustomTypeFace(ds, newType)
        }
    
        override fun updateMeasureState(paint: TextPaint) {
            applyCustomTypeFace(paint, newType)
        }
    
        private fun applyCustomTypeFace(paint: Paint, tf: Typeface?) {
            val old: Typeface = paint.typeface
            val oldStyle = old.style
            val fake = oldStyle and tf!!.style.inv()
            if (fake and Typeface.BOLD != 0) paint.isFakeBoldText = true
            if (fake and Typeface.ITALIC != 0) paint.textSkewX = -0.25f
            paint.typeface = tf
        }
    
    }
    

    And apply that to your the SpannableStringBuilder:

    private fun createSpannedNameAndComment(name: String, comment: String): SpannableStringBuilder {
    
        val semiBoldFont = android.graphics.Typeface.create(
            ResourcesCompat.getFont(
                this,
                R.font.josefin_san_semi_bold
            ), android.graphics.Typeface.NORMAL
        )
    
        val regularFont = android.graphics.Typeface.create(
            ResourcesCompat.getFont(
                this,
                R.font.josefin_san_regular
            ), android.graphics.Typeface.NORMAL
        )
    
        return SpannableStringBuilder().apply {
            append(name, CustomTypefaceSpan(semiBoldFont), 0)
            append(" ")
            append(comment, CustomTypefaceSpan(regularFont), 0)
        }
    
    }