Created
May 29, 2020 07:26
-
-
Save vegaasen/076cc143ffe7436f6daaf3ed5ed9ccfe to your computer and use it in GitHub Desktop.
kotlin-simple-cache
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package cache | |
import java.time.Duration | |
/* | |
Usage: | |
data class Something(val whatever: String) | |
internal val myAwesomeCache by lazy { Cache<Something>(expire = Duration.ofDays(10)) } | |
myAwesomeCache.pushOrFetch("identifierForMySomething") { someMethodThatReturnsSomething() } | |
*/ | |
internal class CacheElement<T>(val element: T, val seen: Long = System.currentTimeMillis()) | |
internal class CacheStats(var expired: Int = 0, var appended: Int = 0) | |
private fun <T> safe(default: T? = null, f: () -> T?) = try { | |
f() | |
} catch (e: Exception) { | |
default | |
} | |
private fun <T> T.asCacheElement() = CacheElement(this) | |
internal class Cache<T>(private val cache: HashMap<String, CacheElement<T>> = HashMap(), private val expire: Duration) { | |
private val expireInMillis by lazy { expire.toMillis() } | |
private val cacheStats = CacheStats() | |
fun pushOrFetch(identifier: String, f: () -> T? = { null }): T? = cache[identifier] | |
?.filterNotExpired(identifier) | |
?.element | |
?: safe { f() } | |
?.also { cache[identifier] = it.asCacheElement() } | |
?.also { cacheStats.appended.inc() } | |
fun clear() = cache.clear() | |
fun remove(identifier: String) = cache.remove(identifier).also { cacheStats.expired.inc() } | |
fun entries() = cache.size | |
private fun CacheElement<T>.filterNotExpired(identifier: String) = | |
if (System.currentTimeMillis() - seen > expireInMillis) { | |
remove(identifier) | |
null | |
} else this | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
This could most likely be created with
inline fun <T>
... with an extension function too - but, for now, it's an object.