我需要在Kotlin中将UNIX时间戳转换为ByteArray。问题是,当我使用下面的代码执行此操作时,我得到的结果类似于C1F38E05(hex),比当前纪元时间高得多。

internal fun Int.toByteArray(): ByteArray {
    return byteArrayOf(
            this.ushr(24).toByte(),
            this.ushr(16).toByte(),
            this.ushr(8).toByte(),
            this.toByte()
    )
}

val timeUTC = System.currentTimeMillis().toInt().toByteArray()

正确的做法是什么?

最佳答案

如果需要32位值,则需要将时间转换为秒。

fun Int.toByteArray() = byteArrayOf(
    this.toByte(),
    (this ushr 8).toByte(),
    (this ushr 16).toByte(),
    (this ushr 24).toByte()
)

val timeUTC = (System.currentTimeMillis() / 1000).toInt().toByteArray()

10-08 17:59