首页 > 解决方案 > 在 Kotlin 中将值格式化为人类可读形式的依赖性

问题描述

我正在 android studio 的 Kotlin 中创建一个应用程序。我想在我的应用程序中显示值,以便如果数字很长,比如说以百万或十亿为单位,它会截断它并用后缀显示它,例如K(thousand) M(million)

例如:如果值为331330464,它将显示为331.3 M

是否存在允许我进行这种格式化的依赖项?

标签: androidandroid-studiokotlinnumber-formatting

解决方案


我为Long类开发了一个扩展函数,它提供了人类可读的价值:

HumanReadableExt.kt

import kotlin.math.log10
import kotlin.math.pow

val Long.formatHumanReadable: String
    get() = log10(toDouble()).toInt().div(3).let {
        val precision = when (it) {
            0 -> 0; else -> 1
        }
        val suffix = arrayOf("", "K", "M", "G", "T", "P", "E", "Z", "Y")
        String.format("%.${precision}f ${suffix[it]}", toDouble() / 10.0.pow(it * 3))
    }

所以,println(331330464L.formatHumanReadable)打印:

331.3 百万

对于低于 1000 的值,它会返回确切的数字:

println(331L.formatHumanReadable)印刷:

331


推荐阅读