blob: ff34a4175a31edb5a730d66e4e3622c729128080 [file] [log] [blame]
package com.airbnb.lottie.snapshots.utils
import android.content.Context
import android.graphics.Bitmap
import android.os.Build
import android.util.Log
import com.airbnb.lottie.L
import com.airbnb.lottie.snapshots.BuildConfig
import com.amazonaws.auth.BasicAWSCredentials
import com.amazonaws.mobileconnectors.s3.transferutility.TransferObserver
import com.amazonaws.mobileconnectors.s3.transferutility.TransferUtility
import com.amazonaws.services.s3.AmazonS3Client
import com.amazonaws.services.s3.model.CannedAccessControlList
import com.google.gson.JsonArray
import com.google.gson.JsonElement
import com.google.gson.JsonObject
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.Job
import kotlinx.coroutines.delay
import kotlinx.coroutines.launch
import kotlinx.coroutines.withContext
import okhttp3.Call
import okhttp3.Callback
import okhttp3.Credentials
import okhttp3.MediaType.Companion.toMediaType
import okhttp3.OkHttpClient
import okhttp3.Request
import okhttp3.RequestBody.Companion.toRequestBody
import okhttp3.Response
import java.io.ByteArrayOutputStream
import java.io.File
import java.io.FileOutputStream
import java.io.IOException
import java.math.BigInteger
import java.net.URLEncoder
import java.nio.charset.Charset
import java.security.MessageDigest
import java.util.*
import kotlin.coroutines.CoroutineContext
import kotlin.coroutines.resume
import kotlin.coroutines.resumeWithException
import kotlin.coroutines.suspendCoroutine
private const val TAG = "HappoSnapshotter"
/**
* Use this class to record Bitmap snapshots and upload them to happo.
*
* To use it:
* 1) Call record with each bitmap you want to save
* 2) Call finalizeAndUpload
*/
class HappoSnapshotter(
private val context: Context,
private val onSnapshotRecorded: (snapshotName: String, snapshotVariant: String) -> Unit,
) {
private val recordJob = Job()
private val recordContext: CoroutineContext
get() = Dispatchers.IO + recordJob
private val recordScope = CoroutineScope(recordContext)
private val bucket = "lottie-happo"
private val happoApiKey = BuildConfig.HappoApiKey
private val happoSecretKey = BuildConfig.HappoSecretKey
private val gitBranch = URLEncoder.encode(
(if (BuildConfig.BITRISE_GIT_BRANCH == "null") BuildConfig.GIT_BRANCH else BuildConfig.BITRISE_GIT_BRANCH).replace(
"/",
"_"
), "UTF-8"
)
private val androidVersion = "android${Build.VERSION.SDK_INT}"
private val reportNamePrefixes = listOf(BuildConfig.GIT_SHA/*, gitBranch, BuildConfig.VERSION_NAME*/).filter { it.isNotBlank() }
// Use this when running snapshots locally.
// private val reportNamePrefixes = listOf(System.currentTimeMillis().toString()).filter { it.isNotBlank() }
private val reportNames = reportNamePrefixes.map { "$it-$androidVersion" }
private val okhttp = OkHttpClient()
private val transferUtility = TransferUtility.builder()
.context(context)
.s3Client(AmazonS3Client(BasicAWSCredentials(BuildConfig.S3AccessKey, BuildConfig.S3SecretKey)))
.defaultBucket(bucket)
.build()
private val snapshots = mutableListOf<Snapshot>()
suspend fun record(bitmap: Bitmap, animationName: String, variant: String) = withContext(Dispatchers.IO) {
val tempUuid = UUID.randomUUID().toString()
val file = File(context.cacheDir, "$tempUuid.png")
@Suppress("BlockingMethodInNonBlockingContext")
val fileOutputStream = FileOutputStream(file)
val byteOutputStream = ByteArrayOutputStream()
val outputStream = TeeOutputStream(fileOutputStream, byteOutputStream)
// This is the biggest bottleneck in overall performance.
bitmap.compress(Bitmap.CompressFormat.PNG, 100, outputStream)
val md5 = byteOutputStream.toByteArray().md5
Log.d(TAG, "md5: $md5 for $animationName-$variant")
val key = "snapshots/$md5.png"
val md5File = File(context.cacheDir, "$md5.png")
file.renameTo(md5File)
recordScope.launch { uploadDeferred(key, md5File) }
synchronized(snapshots) {
snapshots += Snapshot(
bucket,
key,
bitmap.width,
bitmap.height,
animationName,
"$variant-${snapshots.count { animationName in it.animationName }}",
)
}
onSnapshotRecorded(animationName, variant)
}
suspend fun finalizeReportAndUpload() {
val recordJobStart = System.currentTimeMillis()
fun Job.activeJobs() = children.filter { it.isActive }.count()
var activeJobs = recordJob.activeJobs()
while (activeJobs > 0) {
activeJobs = recordJob.activeJobs()
Log.d(L.TAG, "Waiting for record $activeJobs jobs to finish.")
delay(1000)
}
recordJob.children.forEach { it.join() }
Log.d(L.TAG, "Waited ${System.currentTimeMillis() - recordJobStart}ms for recordings to finish saving.")
val json = JsonObject()
val snaps = JsonArray()
json.add("snaps", snaps)
snapshots.forEach {
snaps.add(it.toJson())
}
reportNames.forEach { upload(it, json) }
}
private suspend fun upload(reportName: String, json: JsonElement) {
val body = json.toString().toRequestBody("application/json".toMediaType())
val request = Request.Builder()
.addHeader("Authorization", Credentials.basic(happoApiKey, happoSecretKey, Charset.forName("UTF-8")))
.url("https://happo.io/api/reports/$reportName")
.post(body)
.build()
val response = okhttp.executeDeferred(request)
if (response.isSuccessful) {
Log.d(TAG, "Uploaded $reportName to happo")
} else {
@Suppress("BlockingMethodInNonBlockingContext")
throw IllegalStateException("Failed to upload $reportName to Happo. Failed with code ${response.code}. " + response.body?.string())
}
}
private suspend fun uploadDeferred(key: String, file: File): TransferObserver {
return retry { _, _ ->
transferUtility.upload(key, file, CannedAccessControlList.PublicRead).await()
}
}
private suspend fun OkHttpClient.executeDeferred(request: Request): Response = suspendCoroutine { continuation ->
newCall(request).enqueue(object : Callback {
override fun onFailure(call: Call, e: IOException) {
continuation.resumeWithException(e)
}
override fun onResponse(call: Call, response: Response) {
continuation.resume(response)
}
})
}
private val ByteArray.md5: String
get() {
val digest = MessageDigest.getInstance("MD5")
digest.update(this, 0, this.size)
return BigInteger(1, digest.digest()).toString(16)
}
}