repo_name
stringlengths
7
81
path
stringlengths
6
242
copies
stringclasses
53 values
size
stringlengths
2
6
content
stringlengths
73
737k
license
stringclasses
15 values
hash
stringlengths
32
32
line_mean
float64
5.44
99.8
line_max
int64
15
977
alpha_frac
float64
0.3
0.91
ratio
float64
2
9.93
autogenerated
bool
1 class
config_or_test
bool
2 classes
has_no_keywords
bool
2 classes
has_few_assignments
bool
1 class
Saketme/JRAW
lib/src/main/kotlin/net/dean/jraw/references/UserReferences.kt
1
9994
package net.dean.jraw.references import com.squareup.moshi.JsonAdapter import com.squareup.moshi.Types import net.dean.jraw.* import net.dean.jraw.JrawUtils.urlEncode import net.dean.jraw.databind.Enveloped import net.dean.jraw.http.NetworkException import net.dean.jraw.models.* import net.dean.jraw.models.internal.GenericJsonResponse import net.dean.jraw.models.internal.RedditModelEnvelope import net.dean.jraw.models.internal.TrophyList import net.dean.jraw.pagination.BarebonesPaginator import net.dean.jraw.pagination.DefaultPaginator import okhttp3.MediaType import okhttp3.RequestBody /** * A user reference is exactly what you think it is, a reference to a user. * * @property username The name of the users account (note: not the ID or the full name) */ sealed class UserReference<out T : UserFlairReference>(reddit: RedditClient, val username: String) : AbstractReference(reddit) { /** True if and only if this UserReference is a [SelfUserReference] */ abstract val isSelf: Boolean /** * Fetches basic information about this user. */ @Throws(SuspendedAccountException::class) @Deprecated("Prefer query() for better handling of non-existent/suspended accounts", ReplaceWith("query()")) fun about(): Account { val body = reddit.request { it.path(if (isSelf) "/api/v1/me" else "/user/$username/about") }.body // /api/v1/me returns an Account that isn't wrapped with the data/kind nodes if (isSelf) return JrawUtils.adapter<Account>().fromJson(body)!! try { return JrawUtils.adapter<Account>(Enveloped::class.java).fromJson(body)!! } catch (npe: NullPointerException) { throw SuspendedAccountException(username) } } /** * Gets information about this account. */ @EndpointImplementation(Endpoint.GET_ME, Endpoint.GET_USER_USERNAME_ABOUT) fun query(): AccountQuery { return try { AccountQuery.create(username, AccountStatus.EXISTS, about()) } catch (e: ApiException) { if (e.cause is NetworkException && e.cause.res.code != 404) throw e else AccountQuery.create(username, AccountStatus.NON_EXISTENT) } catch (e: SuspendedAccountException) { AccountQuery.create(username, AccountStatus.SUSPENDED) } } /** Fetches any trophies the user has achieved */ @EndpointImplementation(Endpoint.GET_ME_TROPHIES, Endpoint.GET_USER_USERNAME_TROPHIES) fun trophies(): List<Trophy> { return reddit.request { if (isSelf) it.endpoint(Endpoint.GET_ME_TROPHIES) else it.endpoint(Endpoint.GET_USER_USERNAME_TROPHIES, username) }.deserializeEnveloped<TrophyList>().trophies } /** * Creates a new [net.dean.jraw.pagination.Paginator.Builder] which can iterate over a user's public history. * * Possible `where` values: * * - `overview` โ€” submissions and comments * - `submitted` โ€” only submissions * - `comments` โ€” only comments * - `gilded` โ€” submissions and comments which have received reddit Gold * * If this user reference is for the currently logged-in user, these `where` values can be used: * * - `upvoted` * - `downvoted` * - `hidden` * - `saved` * * Only `overview`, `submitted`, and `comments` are sortable. */ @EndpointImplementation(Endpoint.GET_USER_USERNAME_WHERE, type = MethodType.NON_BLOCKING_CALL) fun history(where: String): DefaultPaginator.Builder<PublicContribution<*>, UserHistorySort> { // Encode URLs to prevent accidental malformed URLs return DefaultPaginator.Builder.create(reddit, "/user/${urlEncode(username)}/${urlEncode(where)}", sortingAlsoInPath = false) } /** * Creates a [MultiredditReference] for a multireddit that belongs to this user. */ fun multi(name: String) = MultiredditReference(reddit, username, name) /** * Lists the multireddits this client is able to view. * * If this UserReference is for the logged-in user, all multireddits will be returned. Otherwise, only public * multireddits will be returned. */ @EndpointImplementation(Endpoint.GET_MULTI_MINE, Endpoint.GET_MULTI_USER_USERNAME) fun listMultis(): List<Multireddit> { val res = reddit.request { if (isSelf) { it.endpoint(Endpoint.GET_MULTI_MINE) } else { it.endpoint(Endpoint.GET_MULTI_USER_USERNAME, username) } } val type = Types.newParameterizedType(List::class.java, Multireddit::class.java) val adapter = JrawUtils.moshi.adapter<List<Multireddit>>(type, Enveloped::class.java) return res.deserializeWith(adapter) } /** * Returns a [UserFlairReference] for this user for the given subreddit. If this user is not the authenticated user, * the authenticated must be a moderator of the given subreddit to access anything specific to this user. */ abstract fun flairOn(subreddit: String): T } /** A reference to the currently authenticated user */ class SelfUserReference(reddit: RedditClient) : UserReference<SelfUserFlairReference>(reddit, reddit.requireAuthenticatedUser()) { override val isSelf = true private val prefsAdapter: JsonAdapter<Map<String, Any>> by lazy { val type = Types.newParameterizedType(Map::class.java, String::class.java, Object::class.java) JrawUtils.moshi.adapter<Map<String, Any>>(type) } /** Creates an InboxReference */ fun inbox() = InboxReference(reddit) /** * Creates a Multireddit (or updates it if it already exists). * * This method is equivalent to * * ```kotlin * userReference.multi(name).createOrUpdate(patch) * ``` * * and provided for semantics. */ fun createMulti(name: String, patch: MultiredditPatch) = multi(name).createOrUpdate(patch) /** * Creates a live thread. The only property that's required to be non-null in the LiveThreadPatch is * [title][LiveThreadPatch.title]. * * @see LiveThreadReference.edit */ @EndpointImplementation(Endpoint.POST_LIVE_CREATE) fun createLiveThread(data: LiveThreadPatch): LiveThreadReference { val res = reddit.request { it.endpoint(Endpoint.POST_LIVE_CREATE) .post(data.toRequestMap()) }.deserialize<GenericJsonResponse>() val id = res.json?.data?.get("id") as? String ?: throw IllegalArgumentException("Could not find ID") return LiveThreadReference(reddit, id) } /** * Gets a Map of preferences set at [https://www.reddit.com/prefs]. * * Likely to throw an [ApiException] if authenticated via application-only credentials */ @EndpointImplementation(Endpoint.GET_ME_PREFS) @Throws(ApiException::class) fun prefs(): Map<String, Any> { return reddit.request { it.endpoint(Endpoint.GET_ME_PREFS) }.deserializeWith(prefsAdapter) } /** * Patches over certain user preferences and returns all preferences. * * Although technically you can send any value as a preference value, generally only strings and booleans are used. * See [here](https://www.reddit.com/dev/api/oauth#GET_api_v1_me_prefs) for a list of all available preferences. * * Likely to throw an [ApiException] if authenticated via application-only credentials */ @EndpointImplementation(Endpoint.PATCH_ME_PREFS) @Throws(ApiException::class) fun patchPrefs(newPrefs: Map<String, Any>): Map<String, Any> { val body = RequestBody.create(MediaType.parse("application/json"), prefsAdapter.toJson(newPrefs)) return reddit.request { it.endpoint(Endpoint.PATCH_ME_PREFS).patch(body) }.deserialize() } /** * Returns a Paginator builder for subreddits the user is associated with * * Possible `where` values: * * - `contributor` * - `moderator` * - `subscriber` */ @EndpointImplementation(Endpoint.GET_SUBREDDITS_MINE_WHERE, type = MethodType.NON_BLOCKING_CALL) fun subreddits(where: String): BarebonesPaginator.Builder<Subreddit> { return BarebonesPaginator.Builder.create(reddit, "/subreddits/mine/${JrawUtils.urlEncode(where)}") } /** * Fetches a breakdown of comment and link karma by subreddit for the user */ @EndpointImplementation(Endpoint.GET_ME_KARMA) fun karma(): List<KarmaBySubreddit> { val json = reddit.request { it.endpoint(Endpoint.GET_ME_KARMA) } // Our data is represented by RedditModelEnvelope<List<KarmaBySubreddit>> so we need to create a Type instance // that reflects that val listType = Types.newParameterizedType(List::class.java, KarmaBySubreddit::class.java) val type = Types.newParameterizedType(RedditModelEnvelope::class.java, listType) // Parse the envelope and return its data val adapter = JrawUtils.moshi.adapter<RedditModelEnvelope<List<KarmaBySubreddit>>>(type) val parsed = adapter.fromJson(json.body)!! return parsed.data } override fun flairOn(subreddit: String): SelfUserFlairReference = SelfUserFlairReference(reddit, subreddit) } /** * A reference to user that is not the currently authenticated user. Note that it's still technically possible to create * an OtherUserReference for the currently authenticated user, but it won't be nearly as useful as creating a * [SelfUserReference] instead. */ class OtherUserReference(reddit: RedditClient, username: String) : UserReference<OtherUserFlairReference>(reddit, username) { override val isSelf = false override fun flairOn(subreddit: String): OtherUserFlairReference = OtherUserFlairReference(reddit, subreddit, username) }
mit
0a3e828e3c2ea99fb6aa4cb7e11975f7
38.784861
130
0.678149
4.395246
false
false
false
false
Maccimo/intellij-community
plugins/kotlin/idea/src/org/jetbrains/kotlin/idea/quickfix/AddIsToWhenConditionFix.kt
2
1629
// Copyright 2000-2021 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.jetbrains.kotlin.idea.quickfix import com.intellij.openapi.editor.Editor import com.intellij.openapi.project.Project import org.jetbrains.kotlin.diagnostics.Diagnostic import org.jetbrains.kotlin.idea.KotlinBundle import org.jetbrains.kotlin.idea.base.psi.replaced import org.jetbrains.kotlin.psi.KtFile import org.jetbrains.kotlin.psi.KtPsiFactory import org.jetbrains.kotlin.psi.KtWhenConditionWithExpression import org.jetbrains.kotlin.psi.psiUtil.endOffset class AddIsToWhenConditionFix( expression: KtWhenConditionWithExpression, private val referenceText: String ) : KotlinQuickFixAction<KtWhenConditionWithExpression>(expression) { override fun getText(): String = KotlinBundle.message("fix.add.is.to.when", referenceText) override fun getFamilyName(): String = text override fun invoke(project: Project, editor: Editor?, file: KtFile) { val expression = element ?: return val replaced = expression.replaced(KtPsiFactory(expression).createWhenCondition("is ${expression.text}")) editor?.caretModel?.moveToOffset(replaced.endOffset) } companion object : KotlinSingleIntentionActionFactory() { override fun createAction(diagnostic: Diagnostic): KotlinQuickFixAction<KtWhenConditionWithExpression>? { val element = diagnostic.psiElement.parent as? KtWhenConditionWithExpression ?: return null return AddIsToWhenConditionFix(element, element.text) } } }
apache-2.0
f609da44cfe88e830867850b798950d5
45.571429
158
0.777778
4.891892
false
false
false
false
just-4-fun/holomorph
src/main/kotlin/just4fun/holomorph/types/prims.kt
1
15787
package just4fun.holomorph.types import just4fun.holomorph.* import just4fun.holomorph.forms.RawCollectionConsumer import just4fun.holomorph.forms.RawMapConsumer import kotlin.reflect.KClass import kotlin.reflect.full.starProjectedType abstract class PrimType<T: Any>(override final val typeKlas: KClass<T>): Type<T> { override fun toString() = typeName override fun hashCode(): Int = typeKlas.hashCode() } object AnyType: PrimType<Any>(Any::class) { override fun newInstance() = Any() override fun isInstance(v: Any): Boolean = true override fun asInstance(v: Any): Any? = v override fun fromEntry(value: String) = value override fun fromEntry(value: Long) = value override fun fromEntry(value: Int) = value override fun fromEntry(value: Short) = value override fun fromEntry(value: Byte) = value override fun fromEntry(value: Char) = value override fun fromEntry(value: Double) = value override fun fromEntry(value: Float) = value override fun fromEntry(value: Boolean) = value override fun fromEntry(value: ByteArray) = value override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = subEntries.intercept(if (expectNames) RawMapConsumer(false) else RawCollectionConsumer(false)) override fun toEntry(value: Any, name: String?, entryBuilder: EntryBuilder): Entry = detectType(value)?.toEntry(value, name, entryBuilder) ?: entryBuilder.Entry(name, value.toString()) override fun copy(v: Any?, deep: Boolean): Any? = if (v == null) null else detectType(v)?.copy(v, deep) ?: v override fun toString(v: Any?, sequenceSizeLimit: Int): String = if (v == null) "null" else detectType(v)?.toString(v, sequenceSizeLimit) ?: v.toString() override fun equal(v1: Any?, v2: Any?): Boolean = when { v1 == null -> v2 == null v2 == null -> false else -> { val type = detectType(v1) when (type) { null -> v1 == v2 else -> type.equal(type.asInstance(v1), type.asInstance(v2)) } } } fun <T: Any> detectType(v: T): Type<T>? { var typ: Type<*>? = when (v) { is String -> StringType is Int -> IntType is Long -> LongType is Double -> DoubleType is Float -> FloatType is Short -> ShortType is Byte -> ByteType is Boolean -> BooleanType is Char -> CharType else -> { val klas = v::class Types.resolve(klas.starProjectedType, klas) ?: logError("Can not detect Type of $v") } } @Suppress("UNCHECKED_CAST") return typ as Type<T>? } } object LongType: PrimType<Long>(Long::class) { override fun newInstance() = 0L override val default get() = 0L override fun isInstance(v: Any): Boolean = v is Long override fun asInstance(v: Any): Long? = when (v) { is Long -> v is Number -> v.toLong() is String -> v.toNumber(String::toLong, Double::toLong) is Boolean -> if (v) 1L else 0L is Char -> v.toLong() else -> evalError(v, this) } override fun fromEntry(value: String) = value.toNumber(String::toLong, Double::toLong) override fun fromEntry(value: Long) = value override fun fromEntry(value: Int) = value.toLong() override fun fromEntry(value: Short) = value.toLong() override fun fromEntry(value: Byte) = value.toLong() override fun fromEntry(value: Char) = value.toLong() override fun fromEntry(value: Double) = value.toLong() override fun fromEntry(value: Float) = value.toLong() override fun fromEntry(value: Boolean) = if (value) 1L else 0L override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Long, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object IntType: PrimType<Int>(Int::class) { override fun newInstance() = 0 override val default: Int get() = 0 override fun isInstance(v: Any): Boolean = v is Int override fun asInstance(v: Any): Int? = when (v) { is Int -> v is Number -> v.toInt() is String -> v.toNumber(String::toInt, Double::toInt) is Boolean -> if (v) 1 else 0 is Char -> v.toInt() else -> evalError(v, this) } override fun fromEntry(value: String) = value.toNumber(String::toInt, Double::toInt) override fun fromEntry(value: Long) = value.toInt() override fun fromEntry(value: Int) = value override fun fromEntry(value: Short) = value.toInt() override fun fromEntry(value: Byte) = value.toInt() override fun fromEntry(value: Char) = value.toInt() override fun fromEntry(value: Double) = value.toInt() override fun fromEntry(value: Float) = value.toInt() override fun fromEntry(value: Boolean) = if (value) 1 else 0 override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Int, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object ShortType: PrimType<Short>(Short::class) { override fun newInstance(): Short = 0 override val default: Short get() = 0 override fun isInstance(v: Any): Boolean = v is Short override fun asInstance(v: Any): Short? = when (v) { is Short -> v is Number -> v.toShort() is String -> v.toNumber(String::toShort, Double::toShort) is Boolean -> if (v) 1 else 0 is Char -> v.toShort() else -> evalError(v, this) } override fun fromEntry(value: String) = value.toNumber(String::toShort, Double::toShort) override fun fromEntry(value: Long) = value.toShort() override fun fromEntry(value: Int) = value.toShort() override fun fromEntry(value: Short) = value override fun fromEntry(value: Byte) = value.toShort() override fun fromEntry(value: Char) = value.toShort() override fun fromEntry(value: Double) = value.toShort() override fun fromEntry(value: Float) = value.toShort() override fun fromEntry(value: Boolean) = if (value) 1.toShort() else 0.toShort() override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Short, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object ByteType: PrimType<Byte>(Byte::class) { override fun newInstance(): Byte = 0 override val default: Byte get() = 0 override fun isInstance(v: Any): Boolean = v is Byte override fun asInstance(v: Any): Byte? = when (v) { is Byte -> v is Number -> v.toByte() is String -> v.toNumber(String::toByte, Double::toByte) is Boolean -> if (v) 1 else 0 is Char -> v.toByte() else -> evalError(v, this) } override fun fromEntry(value: String) = value.toNumber(String::toByte, Double::toByte) override fun fromEntry(value: Long) = value.toByte() override fun fromEntry(value: Int) = value.toByte() override fun fromEntry(value: Short) = value.toByte() override fun fromEntry(value: Byte) = value override fun fromEntry(value: Char) = value.toByte() override fun fromEntry(value: Double) = value.toByte() override fun fromEntry(value: Float) = value.toByte() override fun fromEntry(value: Boolean) = if (value) 1.toByte() else 0.toByte() override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Byte, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object DoubleType: PrimType<Double>(Double::class) { override fun newInstance(): Double = 0.0 override val default: Double get() = 0.0 override fun isInstance(v: Any): Boolean = v is Double override fun asInstance(v: Any): Double? = when (v) { is Double -> v is Number -> v.toDouble() is String -> v.toNumber(String::toDouble, Double::toDouble) is Boolean -> if (v) 1.0 else 0.0 is Char -> v.toDouble() else -> evalError(v, this) } override fun fromEntry(value: String) = value.toNumber(String::toDouble, Double::toDouble) override fun fromEntry(value: Long) = value.toDouble() override fun fromEntry(value: Int) = value.toDouble() override fun fromEntry(value: Short) = value.toDouble() override fun fromEntry(value: Byte) = value.toDouble() override fun fromEntry(value: Char) = value.toDouble() override fun fromEntry(value: Double) = value override fun fromEntry(value: Float) = value.toDouble() override fun fromEntry(value: Boolean) = if (value) 1.0 else 0.0 override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Double, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object FloatType: PrimType<Float>(Float::class) { override fun newInstance(): Float = 0f override val default: Float get() = 0f override fun isInstance(v: Any): Boolean = v is Float override fun asInstance(v: Any): Float? = when (v) { is Float -> v is Number -> v.toFloat() is String -> v.toNumber(String::toFloat, Double::toFloat) is Boolean -> if (v) 1.0f else 0.0f is Char -> v.toFloat() else -> evalError(v, this) } override fun fromEntry(value: String) = value.toNumber(String::toFloat, Double::toFloat) override fun fromEntry(value: Long) = value.toFloat() override fun fromEntry(value: Int) = value.toFloat() override fun fromEntry(value: Short) = value.toFloat() override fun fromEntry(value: Byte) = value.toFloat() override fun fromEntry(value: Char) = value.toFloat() override fun fromEntry(value: Double) = value.toFloat() override fun fromEntry(value: Float) = value override fun fromEntry(value: Boolean) = if (value) 1.0f else 0.0f override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Float, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object CharType: PrimType<Char>(Char::class) { override fun newInstance(): Char = '\u0000' override val default: Char get() = '\u0000' override fun isInstance(v: Any): Boolean = v is Char override fun asInstance(v: Any): Char? = when (v) { is Char -> v is Int -> v.toChar()// glitch : is Number fails is String -> if (v.isEmpty()) '\u0000' else try { Integer.parseInt(v).toChar() } catch (e: Throwable) { v[0] } is Long -> v.toChar() is Double -> v.toChar() is Boolean -> if (v) '1' else '0' is Float -> v.toChar() is Short -> v.toChar() is Byte -> v.toChar() else -> evalError(v, this) } override fun fromEntry(value: String) = if (value.isEmpty()) '\u0000' else if (value.length == 1) value[0] else if (value.all { Character.isDigit(it) }) Integer.parseInt(value).toChar() else evalError(value, this) override fun fromEntry(value: Long) = value.toChar() override fun fromEntry(value: Int) = value.toChar() override fun fromEntry(value: Short) = value.toChar() override fun fromEntry(value: Byte) = value.toChar() override fun fromEntry(value: Char) = value override fun fromEntry(value: Double) = value.toChar() override fun fromEntry(value: Float) = value.toChar() override fun fromEntry(value: Boolean) = if (value) '1' else '0' override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Char, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object BooleanType: PrimType<Boolean>(Boolean::class) { var falseLike = listOf("", "0", "null", "0.0", "0,0") override fun newInstance(): Boolean = false override val default: Boolean get() = false override fun isInstance(v: Any): Boolean = v is Boolean override fun asInstance(v: Any): Boolean? = when (v) { is Boolean -> v is Number -> v.toInt() != 0 "false" -> false "true" -> true is String -> v !in falseLike is Char -> v != '0' else -> evalError(v, this) } override fun fromEntry(value: String) = value.toLowerCase().let { if (it == "false") false else if (it == "true") true else it !in falseLike } override fun fromEntry(value: Long) = value.toInt() != 0 override fun fromEntry(value: Int) = value != 0 override fun fromEntry(value: Short) = value.toInt() != 0 override fun fromEntry(value: Byte) = value.toInt() != 0 override fun fromEntry(value: Char) = value.toInt() != 0 override fun fromEntry(value: Double) = value.toInt() != 0 override fun fromEntry(value: Float) = value.toInt() != 0 override fun fromEntry(value: Boolean) = value override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: Boolean, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } object StringType: PrimType<String>(String::class) { override fun newInstance(): String = "" override fun isInstance(v: Any): Boolean = v is String override fun asInstance(v: Any): String? = when (v) { is String -> v is Number -> v.toString() is Boolean -> v.toString() is Char -> v.toString() else -> evalError(v, this) } override fun fromEntry(value: String) = value override fun fromEntry(value: Long) = value.toString() override fun fromEntry(value: Int) = value.toString() override fun fromEntry(value: Short) = value.toString() override fun fromEntry(value: Byte) = value.toString() override fun fromEntry(value: Char) = value.toString() override fun fromEntry(value: Double) = value.toString() override fun fromEntry(value: Float) = value.toString() override fun fromEntry(value: Boolean) = value.toString() override fun fromEntry(value: ByteArray) = evalError(value, this) override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = evalError("Entries", this) override fun toEntry(value: String, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.Entry(name, value) } //todo reasoning for that Unit values object UnitType: PrimType<Unit>(Unit::class) { override fun newInstance(): Unit = Unit override val default: Unit get() = Unit override fun asInstance(v: Any): Unit? = Unit override fun copy(v: Unit?, deep: Boolean): Unit? = Unit override fun equal(v1: Unit?, v2: Unit?): Boolean = true override fun isInstance(v: Any): Boolean = v == Unit override fun fromEntry(value: String) = Unit override fun fromEntry(value: Long) = Unit override fun fromEntry(value: Int) = Unit override fun fromEntry(value: Short) = Unit override fun fromEntry(value: Byte) = Unit override fun fromEntry(value: Char) = Unit override fun fromEntry(value: Double) = Unit override fun fromEntry(value: Float) = Unit override fun fromEntry(value: Boolean) = Unit override fun fromEntry(value: ByteArray) = Unit override fun fromEntries(subEntries: EnclosedEntries, expectNames: Boolean) = Unit override fun toEntry(value: Unit, name: String?, entryBuilder: EntryBuilder): Entry = entryBuilder.NullEntry(name) } internal val NumPattern = """[\D&&[^.,\-]]*(-?[\D&&[^.,]]*)(\d*)([.,]*)(\d*).*""".toRegex() internal inline fun <T: Any> String.toNumber(fromString: String.() -> T, fromDouble: Double.() -> T): T { return try { fromString() } catch (e: NumberFormatException) { // call cost 30000 ns NumPattern.matchEntire(this)?.run { var (sig, r, pt, f) = destructured var mult = if (sig.endsWith("-")) -1 else 1 if (r.isEmpty()) r = "0" if (f.isEmpty()) f = "0" if (pt.length > 1) { if (r != "0") f = "0" else mult = 1 } val n = "$r.$f".toDouble() * mult // println("string2double: $v VS $sig$r $pt $f > $n") n.fromDouble() } ?: 0.0.fromDouble() } }
apache-2.0
6a9bf4cc426088cd2f1c9ff88b2a181b
41.899457
214
0.707861
3.512906
false
false
false
false
fcostaa/kotlin-rxjava-android
library/cache/src/main/kotlin/com/github/felipehjcosta/marvelapp/cache/data/CharactersDao.kt
1
3988
package com.github.felipehjcosta.marvelapp.cache.data import androidx.room.Dao import androidx.room.Insert import androidx.room.OnConflictStrategy import androidx.room.Query import io.reactivex.Maybe import io.reactivex.Single @Dao abstract class CharactersDao { @Query( """ SELECT * FROM character, thumbnail, comic_list, story_list, event_list, series_list WHERE id = :id AND thumbnail.thumbnail_character_id = character.id AND comic_list.comic_list_character_id = character.id AND story_list.story_list_character_id = character.id AND event_list.event_list_character_id = character.id AND series_list.series_list_character_id = character.id LIMIT 1 """ ) abstract fun findById(id: Long): Maybe<CharacterRelations> @Query( """ SELECT * FROM character, thumbnail, comic_list, story_list, event_list, series_list WHERE thumbnail.thumbnail_character_id = character.id AND comic_list.comic_list_character_id = character.id AND story_list.story_list_character_id = character.id AND event_list.event_list_character_id = character.id AND series_list.series_list_character_id = character.id """ ) abstract fun all(): Single<List<CharacterRelations>> @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(characterEntity: CharacterEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(urlEntity: UrlEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(thumbnailEntity: ThumbnailEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(comicListEntity: ComicListEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(storyListEntity: StoryListEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(eventListEntity: EventListEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(seriesListEntity: SeriesListEntity): Long @Insert(onConflict = OnConflictStrategy.REPLACE) internal abstract fun insert(summaryEntity: SummaryEntity): Long fun insert(characterRelations: CharacterRelations) { val characterId = insert(characterRelations.character) characterRelations.urls.forEach { it.characterId = characterRelations.character.id it.id = insert(it) } characterRelations.thumbnail.characterId = characterId characterRelations.thumbnail.id = insert(characterRelations.thumbnail) characterRelations.comicListRelations.apply { comicList.characterId = characterId comicList.id = insert(comicList) comicListSummary.forEach { it.comicListId = comicList.id it.id = insert(it) } } characterRelations.storyListRelations.apply { storyListEntity.characterId = characterId storyListEntity.id = insert(storyListEntity) storyListSummary.forEach { it.storyListId = storyListEntity.id it.id = insert(it) } } characterRelations.eventListRelations.apply { eventListEntity.characterId = characterId eventListEntity.id = insert(eventListEntity) eventListSummary.forEach { it.eventListId = eventListEntity.id it.id = insert(it) } } characterRelations.seriesListRelations.apply { seriesListEntity.characterId = characterId seriesListEntity.id = insert(seriesListEntity) seriesListSummary.forEach { it.seriesListId = seriesListEntity.id it.id = insert(it) } } } }
mit
94e30431b0db250817304d23f23c17cf
35.587156
91
0.67327
4.935644
false
false
false
false
SourceUtils/hl2-toolkit
src/main/kotlin/com/timepath/vgui/Element.kt
1
12008
package com.timepath.vgui import com.timepath.Logger import com.timepath.io.utils.ViewableData import com.timepath.steam.io.VDFNode import java.awt.Color import java.awt.Font import java.awt.Image import java.beans.PropertyVetoException import java.io.IOException import java.io.InputStream import java.nio.charset.Charset import java.util.LinkedHashMap import java.util.LinkedList import java.util.logging.Level import javax.swing.Icon import javax.swing.UIManager /** * Conditional handling: * <br/> * If there are multiple values with supported conditionals, the last one specified wins. * <br/> * Some tags: * <table> * <tr> * <th>Conditional</th> * <th>Meaning</th> * </tr> * <tr> * <td>$WIN32</td> * <td>Not a console</td> * </tr> * <tr> * <td>$WINDOWS</td> * <td>Windows</td> * </tr> * <tr> * <td>$POSIX</td> * <td>OSX or Linux</td> * </tr> * <tr> * <td>$OSX</td> * <td>Mac OSX</td> * </tr> * <tr> * <td>$LINUX</td> * <td>Linux</td> * </tr> * <tr> * <td>$X360</td> * <td>Xbox360</td> * </tr> * </table> */ throws(IOException::class) public fun Element(`is`: InputStream, c: Charset): Element { val __ = Element(null) __.vdf = VDFNode(`is`, c) Element.parseScheme(__.vdf!!) return __ } public fun Element(): Element { return Element(null) } private fun Element(name: String): Element { val __ = Element(null) __.name = name return __ } private fun Element(name: String, info: String): Element { val __ = Element(info) __.name = name return __ } public class Element(private val info: String?) : ViewableData { public fun addNode(e: Element) { vdf!!.addNode(e.vdf) } private fun trim(s: String?) = when { s != null && "\"" in s -> { var tmp: String = s // assumes one set of quotes tmp = tmp.substring(1, tmp.length() - 1) tmp = tmp.replace("\"", "") tmp.trim() } else -> s } private fun parseInt(v: String): Int? { var vint: Int? = null try { vint = Integer.parseInt(v) } catch (ignored: NumberFormatException) { } if (vint == null) try { vint = java.lang.Float.parseFloat(v).toInt() } catch (ignored: NumberFormatException) { } return vint } public fun load() { for (entry in props) { val k = trim(entry.getKey()) var v = trim(java.lang.String.valueOf(entry.getValue()))!! var vint = parseInt(v) val vbool = vint != null && vint == 1 val switchArg = k!!.toLowerCase() if ("enabled" == switchArg) { if (vbool) enabled = vbool } else if ("visible" == switchArg) { if (vbool) enabled = vbool } else if ("xpos" == switchArg) { if (v.startsWith("c")) { XAlignment = Alignment.Center v = v.substring(1) } else if (v.startsWith("r")) { XAlignment = Alignment.Right v = v.substring(1) } else { XAlignment = Alignment.Left } vint = parseInt(v) if (vint != null) localX = vint.toDouble() } else if ("ypos" == switchArg) { if (v.startsWith("c")) { YAlignment = VAlignment.Center v = v.substring(1) } else if (v.startsWith("r")) { YAlignment = VAlignment.Bottom v = v.substring(1) } else { YAlignment = VAlignment.Top } vint = parseInt(v) if (vint != null) localY = vint.toDouble() } else if ("zpos" == switchArg) { if (vint != null) layer = vint } else if ("wide" == switchArg) { if (v.startsWith("f")) { v = v.substring(1) wideMode = DimensionMode.Mode2 } vint = parseInt(v) if (vint != null) wide = vint } else if ("tall" == switchArg) { if (v.startsWith("f")) { v = v.substring(1) tallMode = DimensionMode.Mode2 } vint = parseInt(v) if (vint != null) tall = vint } else if ("labeltext" == switchArg) { labelText = v } else if ("textalignment" == switchArg) { if ("center".equals(v, ignoreCase = true)) { textAlignment = Alignment.Center } else { textAlignment = if ("right".equals(v, ignoreCase = true)) Alignment.Right else Alignment.Left } } else if ("controlname" == switchArg) { controlName = v } else if ("fgcolor" == switchArg) { val c = v.splitBy(" ") try { fgColor = Color(Integer.parseInt(c[0]), Integer.parseInt(c[1]), Integer.parseInt(c[2]), Integer.parseInt(c[3])) } catch (ignored: NumberFormatException) { // It's a variable } } else if ("font" == switchArg) { if (!fonts.containsKey(v)) continue val f = fonts[v]?.font if (f != null) font = f } else if ("image" == switchArg || "icon" == switchArg) { image = VGUIRenderer.locateImage(v) } else { LOG.log(Level.WARNING, { "Unknown property: ${k}" }) } } if (controlName != null) { val control = Controls[controlName!!] } else { if ("hudlayout".equals(file ?: "", ignoreCase = true)) { areas.put(name!!, this) } } } public fun save(): String { val sb = StringBuilder() // preceding header for (p in props) { if (java.lang.String.valueOf(p.getValue()).isEmpty()) { if ("\\n" == p.getKey()) { sb.append("\n") } if ("//" == p.getKey()) { sb.append("//").append(p.info).append("\n") } } } sb.append(name).append("\n") sb.append("{\n") for (p in props) { if (!java.lang.String.valueOf(p.getValue()).isEmpty()) { sb.append(if ("\\n" == p.getKey()) "\t \n" else { "\t ${p.getKey()}\t ${p.getValue()}${' ' + p.info}\n" }) } } sb.append("}\n") return sb.toString() } public val size: Int get() = wide * tall override fun toString(): String { return name + (when { info != null -> " ~ $info" else -> "" }) // elements cannot have a value, only info } public fun validateDisplay() { for (entry in props) { val k = entry.getKey() if (k == null) continue try { if ("enabled".equals(k, ignoreCase = true)) { entry.setValue(if (enabled) 1 else 0) } else if ("visible".equals(k, ignoreCase = true)) { entry.setValue(if (visible) 1 else 0) } else if ("xpos".equals(k, ignoreCase = true)) { val e = XAlignment entry.setValue("${e.name().substring(0, 1).toLowerCase().replaceFirstLiteral("l", "")}$localX") } else if ("ypos".equals(k, ignoreCase = true)) { val e = Alignment.values()[YAlignment.ordinal()] entry.setValue("${e.name().substring(0, 1).toLowerCase().replaceFirstLiteral("l", "")}$localY") } else if ("zpos".equals(k, ignoreCase = true)) { entry.setValue(layer) } else if ("wide".equals(k, ignoreCase = true)) { entry.setValue("${if ((wideMode == DimensionMode.Mode2)) "f" else ""}$wide") } else if ("tall".equals(k, ignoreCase = true)) { entry.setValue("${if ((tallMode == DimensionMode.Mode2)) "f" else ""}$tall") } else if ("labelText".equals(k, ignoreCase = true)) { entry.setValue(labelText) } else if ("ControlName".equals(k, ignoreCase = true)) { entry.setValue(controlName) } // else if("font".equalsIgnoreCase(k)) { // entry.setValue(this.getFont()) // TODO // } } catch (e: PropertyVetoException) { LOG.log(Level.SEVERE, { null }, e) } } } public val localXi: Int get() = Math.round(localX).toInt() public val localYi: Int get() = Math.round(localY).toInt() override fun getIcon(): Icon? { return UIManager.getIcon("FileChooser.listViewIcon") } public fun isVisible(): Boolean = visible public fun isEnabled(): Boolean = enabled public val properties: List<VDFNode.VDFProperty> get() = props public fun setProperties(properties: List<VDFNode.VDFProperty>) { this.props = properties } public var name: String? = null public var parent: Element? = null public var localX: Double = 0.toDouble() public var localY: Double = 0.toDouble() /** * > 0 = out of screen */ public var layer: Int = 0 public var wide: Int = 0 public var wideMode: DimensionMode = DimensionMode.Mode1 public var tall: Int = 0 public var tallMode: DimensionMode = DimensionMode.Mode1 public var visible: Boolean = false public var enabled: Boolean = false public var font: Font? = null public var fgColor: Color? = null public var props: List<VDFNode.VDFProperty> = LinkedList() private set public var controlName: String? = null public var XAlignment: Alignment = Alignment.Left public var YAlignment: VAlignment = VAlignment.Top public var labelText: String? = null public var textAlignment: Alignment = Alignment.Left public var image: Image? = null var vdf: VDFNode? = null public var file: String? = null public enum class Alignment { Left, Center, Right } public enum class VAlignment { Top, Center, Bottom } public enum class DimensionMode { Mode1, Mode2 } companion object { private val LOG = Logger() /** * TODO */ fun parseScheme(props: VDFNode) { val root = props["Scheme", "Fonts"] ?: return LOG.info { "Found scheme" } for (fontNode in root.getNodes()) { for (detailNode in fontNode.getNodes()) { // val fontKey = fontNode.getCustom().toString() val fontName = detailNode.getValue("name").toString() fonts.put(fontName, HudFont(fontName, detailNode)) LOG.info({ "TODO: Load font ${fontName}" }) break// XXX: hardcoded detail level (the first one) } LOG.info { "Loaded scheme" } } } public fun importVdf(vdf: VDFNode): Element { val e = Element() e.vdf = vdf e.setProperties(vdf.getProperties()) //, file: vdf.file) e.load() return e } public val fonts: MutableMap<String, HudFont> = LinkedHashMap() public val areas: MutableMap<String, Element> = LinkedHashMap() } }
artistic-2.0
617b8b27df39f4e89d8ed6efc39469bc
29.554707
131
0.490839
4.30086
false
false
false
false
JetBrains/ideavim
vim-engine/src/main/kotlin/com/maddyhome/idea/vim/vimscript/model/commands/CmdCommand.kt
1
7248
/* * Copyright 2003-2022 The IdeaVim authors * * Use of this source code is governed by an MIT-style * license that can be found in the LICENSE.txt file or at * https://opensource.org/licenses/MIT. */ package com.maddyhome.idea.vim.vimscript.model.commands import com.maddyhome.idea.vim.api.ExecutionContext import com.maddyhome.idea.vim.api.VimCommandGroup.Companion.BLACKLISTED_ALIASES import com.maddyhome.idea.vim.api.VimEditor import com.maddyhome.idea.vim.api.injector import com.maddyhome.idea.vim.command.OperatorArguments import com.maddyhome.idea.vim.common.CommandAlias import com.maddyhome.idea.vim.ex.ranges.Ranges import com.maddyhome.idea.vim.helper.VimNlsSafe import com.maddyhome.idea.vim.vimscript.model.ExecutionResult /** * @author Elliot Courant * see "h :command" */ data class CmdCommand(val ranges: Ranges, val argument: String) : Command.SingleExecution(ranges) { override val argFlags = flags(RangeFlag.RANGE_FORBIDDEN, ArgumentFlag.ARGUMENT_OPTIONAL, Access.READ_ONLY) private val unsupportedArgs = listOf( Regex("-range(=[^ ])?") to "-range", Regex("-complete=[^ ]*") to "-complete", Regex("-count=[^ ]*") to "-count", Regex("-addr=[^ ]*") to "-addr", Regex("-bang") to "-bang", Regex("-bar") to "-bar", Regex("-register") to "-register", Regex("-buffer") to "-buffer", Regex("-keepscript") to "-keepscript", ) // Static definitions needed for aliases. private companion object { const val overridePrefix = "!" @VimNlsSafe const val argsPrefix = "-nargs" const val anyNumberOfArguments = "*" const val zeroOrOneArguments = "?" const val moreThanZeroArguments = "+" } override fun processCommand(editor: VimEditor, context: ExecutionContext, operatorArguments: OperatorArguments): ExecutionResult { val result: Boolean = if (argument.trim().isEmpty()) { this.listAlias(editor, "") } else { this.addAlias(editor) } return if (result) ExecutionResult.Success else ExecutionResult.Error } private fun listAlias(editor: VimEditor, filter: String): Boolean { val lineSeparator = "\n" val allAliases = injector.commandGroup.listAliases() val aliases = allAliases.filter { (filter.isEmpty() || it.key.startsWith(filter)) }.map { "${it.key.padEnd(12)}${it.value.numberOfArguments.padEnd(11)}${it.value.printValue()}" }.sortedWith(String.CASE_INSENSITIVE_ORDER).joinToString(lineSeparator) injector.exOutputPanel.getPanel(editor).output("Name Args Definition$lineSeparator$aliases") return true } private fun addAlias(editor: VimEditor?): Boolean { var argument = argument.trim() // Handle overwriting of aliases val overrideAlias = argument.startsWith(overridePrefix) if (overrideAlias) { argument = argument.removePrefix(overridePrefix).trim() } for ((arg, message) in unsupportedArgs) { val match = arg.find(argument) match?.range?.let { argument = argument.removeRange(it) injector.messages.showStatusBarMessage("'$message' is not supported by `command`") } } // Handle alias arguments val hasArguments = argument.startsWith(argsPrefix) var minNumberOfArgs = 0 var maxNumberOfArgs = 0 if (hasArguments) { // Extract the -nargs that's part of this execution, it's possible that -nargs is // in the actual alias being created, and we don't want to parse that one. val trimmedInput = argument.takeWhile { it != ' ' } val pattern = Regex("(?>-nargs=((|[-])\\d+|[?]|[+]|[*]))").find(trimmedInput) ?: run { injector.messages.showStatusBarMessage(injector.messages.message("e176.invalid.number.of.arguments")) return false } val nargForTrim = pattern.groupValues[0] val argumentValue = pattern.groups[1]!!.value val argNum = argumentValue.toIntOrNull() if (argNum == null) { // If the argument number is null then it is not a number. // Make sure the argument value is a valid symbol that we can handle. when (argumentValue) { anyNumberOfArguments -> { minNumberOfArgs = 0 maxNumberOfArgs = -1 } zeroOrOneArguments -> maxNumberOfArgs = 1 moreThanZeroArguments -> { minNumberOfArgs = 1 maxNumberOfArgs = -1 } else -> { // Technically this should never be reached, but is here just in case // I missed something, since the regex limits the value to be ? + * or // a valid number, its not possible (as far as I know) to have another value // that regex would accept that is not valid. injector.messages.showStatusBarMessage(injector.messages.message("e176.invalid.number.of.arguments")) return false } } } else { // Not sure why this isn't documented, but if you try to create a command in vim // with an explicit number of arguments greater than 1 it returns this error. if (argNum > 1 || argNum < 0) { injector.messages.showStatusBarMessage(injector.messages.message("e176.invalid.number.of.arguments")) return false } minNumberOfArgs = argNum maxNumberOfArgs = argNum } argument = argument.removePrefix(nargForTrim).trim() } // We want to trim off any "!" at the beginning of the arguments. // This will also remove any extra spaces. argument = argument.trim() // We want to get the first character sequence in the arguments. // eg. command! Wq wq // We want to extract the Wq only, and then just use the rest of // the argument as the alias result. val alias = argument.split(" ")[0] argument = argument.removePrefix(alias).trim() // User-aliases need to begin with an uppercase character. if (!alias[0].isUpperCase()) { injector.messages.showStatusBarMessage(injector.messages.message("e183.user.defined.commands.must.start.with.an.uppercase.letter")) return false } if (alias in BLACKLISTED_ALIASES) { injector.messages.showStatusBarMessage(injector.messages.message("e841.reserved.name.cannot.be.used.for.user.defined.command")) return false } if (argument.isEmpty()) { if (editor == null) { // If there is no editor then we can't list aliases, just return false. // No message should be shown either, since there is no editor. return false } return this.listAlias(editor, alias) } // If we are not over-writing existing aliases, and an alias with the same command // already exists then we want to do nothing. if (!overrideAlias && injector.commandGroup.hasAlias(alias)) { injector.messages.showStatusBarMessage(injector.messages.message("e174.command.already.exists.add.to.replace.it")) return false } // Store the alias and the command. We don't need to parse the argument // at this time, if the syntax is wrong an error will be returned when // the alias is executed. injector.commandGroup.setAlias(alias, CommandAlias.Ex(minNumberOfArgs, maxNumberOfArgs, alias, argument)) return true } }
mit
4a592605cd50548b26f7f94dab8628c5
38.606557
137
0.670944
4.301484
false
false
false
false
AcornUI/Acorn
acornui-core/src/main/kotlin/com/acornui/async/asyncUtils.kt
1
3808
/* * Copyright 2019 Poly Forest, LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ @file:Suppress("EXPERIMENTAL_API_USAGE") package com.acornui.async import com.acornui.time.schedule import com.acornui.time.toDelayMillis import kotlinx.coroutines.* import kotlin.coroutines.CoroutineContext import kotlin.coroutines.EmptyCoroutineContext import kotlin.js.Promise import kotlin.properties.ObservableProperty import kotlin.properties.ReadWriteProperty import kotlin.reflect.KProperty import kotlin.time.Duration @Deprecated("No longer used", ReplaceWith("suspend () -> R")) typealias Work<R> = suspend () -> R /** * Suspends the coroutine until this job is complete, then returns the result if the job has completed, or null if * the job was cancelled. */ suspend fun <T> Deferred<T>.awaitOrNull(): T? { join() return getCompletedOrNull() } /** * If this deferred object [Deferred.isCompleted] and has not completed exceptionally, the [Deferred.getCompleted] value * will be returned. Otherwise, null. */ fun <T> Deferred<T>.getCompletedOrNull(): T? = if (isComplete && getCompletionExceptionOrNull() == null) getCompleted() else null suspend fun <K, V> Map<K, Deferred<V>>.awaitAll(): Map<K, V> { values.awaitAll() return mapValues { it.value.getCompleted() } } /** * @see kotlinx.coroutines.delay */ suspend fun delay(time: Duration) { delay(time.toLongMilliseconds()) } /** * If the given [timeout] is null, runs the block without a timeout, otherwise uses [kotlinx.coroutines.withTimeout]. */ suspend fun <T> withTimeout(timeout: Duration?, block: suspend CoroutineScope.() -> T): T { return if (timeout == null) coroutineScope(block) else withTimeout(timeout.toDelayMillis(), block) } /** * Launches a coroutine inside a supervisor scope. * * - Exceptions thrown in this supervised job will not cancel the parent job. * - Cancellations in the parent job will cancel this supervised job. */ fun CoroutineScope.launchSupervised( context: CoroutineContext = EmptyCoroutineContext, start: CoroutineStart = CoroutineStart.DEFAULT, block: suspend CoroutineScope.() -> Unit ): Job { return launch(context, start) { try { supervisorScope { block() } } catch (ignore: Throwable) {} } } /** * Returns a property for type Job, where upon setting will cancel the previously set job. */ fun <T : Job> cancellingJobProp(): ReadWriteProperty<Any?, T?> { return object : ObservableProperty<T?>(null) { override fun afterChange(property: KProperty<*>, oldValue: T?, newValue: T?) { oldValue?.cancel() } } } /** * Creates a [Promise.race] with `this` promise and a window timeout. */ fun <T> Promise<T>.withTimeout(timeout: Duration): Promise<T> { val timeoutPromise = Promise<T> { _, reject -> val timeoutHandle = schedule(timeout) { reject(TimeoutException(timeout)) } [email protected] { timeoutHandle.dispose() } } return Promise.race(arrayOf(this, timeoutPromise)) } class TimeoutException(val timeout: Duration) : Exception("Promise timed out after $timeout") /** * An alias for [Job.isCompleted]. A minor annoyance, but complete is a transitive verb, therefore "isCompleted" should * be either "hasCompleted" or "isComplete". * @see Job.isCompleted */ val Job.isComplete: Boolean get() = isCompleted
apache-2.0
5b0ecb84052d54d50ec78d2a334f986f
28.992126
129
0.730042
3.858156
false
false
false
false
RadiationX/ForPDA
app/src/main/java/forpdateam/ru/forpda/model/interactors/other/MenuRepository.kt
1
8103
package forpdateam.ru.forpda.model.interactors.other import android.content.SharedPreferences import android.util.Log import com.f2prateek.rx.preferences2.RxSharedPreferences import com.jakewharton.rxrelay2.BehaviorRelay import forpdateam.ru.forpda.common.Preferences import forpdateam.ru.forpda.entity.app.other.AppMenuItem import forpdateam.ru.forpda.entity.common.AuthState import forpdateam.ru.forpda.entity.common.MessageCounters import forpdateam.ru.forpda.model.AuthHolder import forpdateam.ru.forpda.model.CountersHolder import forpdateam.ru.forpda.presentation.Screen import io.reactivex.Observable class MenuRepository( private val preferences: SharedPreferences, private val authHolder: AuthHolder, private val countersHolder: CountersHolder ) { companion object { const val group_main = 10 const val group_system = 20 const val group_link = 30 const val item_auth = 110 const val item_article_list = 120 const val item_favorites = 130 const val item_qms_contacts = 140 const val item_mentions = 150 const val item_dev_db = 160 const val item_forum = 170 const val item_search = 180 const val item_history = 190 const val item_notes = 200 const val item_forum_rules = 210 const val item_settings = 220 const val item_other_menu = 230 const val item_link_forum_author = 240 const val item_link_chat_telegram = 250 const val item_link_forum_topic = 260 const val item_link_forum_faq = 270 const val item_link_play_market = 280 const val item_link_github = 290 const val item_link_bitbucket = 300 val GROUP_MAIN = arrayOf( item_auth, item_article_list, item_favorites, item_qms_contacts, item_search, item_mentions, item_forum, item_dev_db, item_history, item_notes, item_forum_rules ) val GROUP_SYSTEM = arrayOf( item_settings ) val GROUP_LINK = arrayOf<Int>( item_link_forum_author, item_link_forum_topic, item_link_forum_faq, item_link_chat_telegram, item_link_play_market, item_link_github, item_link_bitbucket ) } private val allItems = listOf( //AppMenuItem(item_auth, Screen.Auth()), AppMenuItem(item_article_list, Screen.ArticleList()), AppMenuItem(item_favorites, Screen.Favorites()), AppMenuItem(item_qms_contacts, Screen.QmsContacts()), AppMenuItem(item_mentions, Screen.Mentions()), AppMenuItem(item_dev_db, Screen.DevDbBrands()), AppMenuItem(item_forum, Screen.Forum()), AppMenuItem(item_search, Screen.Search()), AppMenuItem(item_history, Screen.History()), AppMenuItem(item_notes, Screen.Notes()), AppMenuItem(item_forum_rules, Screen.ForumRules()), AppMenuItem(item_settings, Screen.Settings()), AppMenuItem(item_link_forum_author), AppMenuItem(item_link_chat_telegram), AppMenuItem(item_link_forum_topic), AppMenuItem(item_link_forum_faq), AppMenuItem(item_link_play_market), AppMenuItem(item_link_github), AppMenuItem(item_link_bitbucket) ) private val mainGroupSequence = mutableListOf<Int>() private val blockedMenu = mutableListOf<Int>() private val blockUnAuth = listOf( item_favorites, item_qms_contacts, item_mentions ) private val blockAuth = listOf( item_auth ) private val mainMenu = mutableListOf<AppMenuItem>() private val systemMenu = mutableListOf<AppMenuItem>() private val linkMenu = mutableListOf<AppMenuItem>() private val menuRelay = BehaviorRelay.create<Map<Int, List<AppMenuItem>>>() private var localCounters = MessageCounters() private val rxPreferences = RxSharedPreferences.create(preferences) private val menuSequence by lazy { rxPreferences.getString("menu_items_sequence") } init { allItems.forEach { it.screen?.fromMenu = true } loadMainMenuGroup() menuSequence .asObservable() .subscribe { Log.e("kulolo", "menuSequence pref change") loadMainMenuGroup() updateMenuItems() } authHolder .observe() .subscribe { loadMainMenuGroup() Log.e("lplplp", "MenuRepository observe auth ${it.state.toString()}") updateMenuItems() } countersHolder .observe() .subscribe { counters -> localCounters = counters updateMenuItems() } updateMenuItems() } private fun loadMainMenuGroup() { mainGroupSequence.clear() mainGroupSequence.addAll(GROUP_MAIN) menuSequence.get().also { savedArray -> if(savedArray.isNotEmpty()){ val array = savedArray.split(',').map { it.toInt() }.filter { GROUP_MAIN.contains(it) } val newItems = GROUP_MAIN.filterNot { array.contains(it) } val finalArray = newItems.plus(array) Log.e("lplplp", "MainRepository init saved ${newItems.size}=${newItems.joinToString { it.toString() }}") mainGroupSequence.clear() mainGroupSequence.addAll(finalArray) } } } fun observerMenu(): Observable<Map<Int, List<AppMenuItem>>> = menuRelay.hide() fun setMainMenuSequence(items: List<AppMenuItem>) { mainGroupSequence.clear() mainGroupSequence.addAll(items.map { it.id }) menuSequence.set(mainGroupSequence.joinToString(",") { it.toString() }) updateMenuItems() } fun setLastOpened(id: Int) { if (GROUP_MAIN.indexOfFirst { it == id } >= 0) { preferences.edit().putInt("app_menu_last_id", id).apply() } } fun getLastOpened(): Int { val menuId = preferences.getInt("app_menu_last_id", -1) return if (GROUP_MAIN.indexOfFirst { it == menuId } >= 0) { menuId } else { -1 } } fun getMenuItem(id: Int): AppMenuItem = allItems.first { it.id == id } fun menuItemContains(id: Int): Boolean = allItems.indexOfFirst { it.id == id } >= 0 fun updateMenuItems() { mainMenu.clear() systemMenu.clear() linkMenu.clear() allItems.firstOrNull { it.id == item_qms_contacts }?.count = localCounters.qms allItems.firstOrNull { it.id == item_mentions }?.count = localCounters.mentions allItems.firstOrNull { it.id == item_favorites }?.count = localCounters.favorites if (authHolder.get().isAuth()) { blockedMenu.addAll(blockAuth) blockedMenu.removeAll(blockUnAuth) } else { blockedMenu.addAll(blockUnAuth) blockedMenu.removeAll(blockAuth) } mainGroupSequence.forEach { if (!blockedMenu.contains(it) && menuItemContains(it)) { mainMenu.add(getMenuItem(it)) } } GROUP_SYSTEM.forEach { if (!blockedMenu.contains(it) && menuItemContains(it)) { systemMenu.add(getMenuItem(it)) } } GROUP_LINK.forEach { if (!blockedMenu.contains(it) && menuItemContains(it)) { linkMenu.add(getMenuItem(it)) } } menuRelay.accept(mapOf( group_main to mainMenu, group_system to systemMenu, group_link to linkMenu )) } }
gpl-3.0
93b6bc519bec6bab1ea85ecbc85734fc
32.077551
120
0.583364
4.772085
false
false
false
false
mdaniel/intellij-community
plugins/kotlin/base/analysis/src/org/jetbrains/kotlin/idea/caches/resolve/packageOracles.kt
3
3182
// Copyright 2000-2021 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.jetbrains.kotlin.idea.caches.resolve import com.intellij.openapi.components.service import com.intellij.openapi.project.Project import org.jetbrains.kotlin.analyzer.ModuleInfo import org.jetbrains.kotlin.analyzer.PackageOracle import org.jetbrains.kotlin.analyzer.PackageOracleFactory import org.jetbrains.kotlin.idea.caches.PerModulePackageCacheService import org.jetbrains.kotlin.idea.base.projectStructure.moduleInfo.IdeaModuleInfo import org.jetbrains.kotlin.idea.base.projectStructure.moduleInfo.ModuleOrigin import org.jetbrains.kotlin.idea.caches.project.projectSourceModules import org.jetbrains.kotlin.name.FqName import org.jetbrains.kotlin.name.isSubpackageOf import org.jetbrains.kotlin.resolve.jvm.KotlinJavaPsiFacade import org.jetbrains.kotlin.platform.jvm.isJvm class IdePackageOracleFactory(val project: Project) : PackageOracleFactory { override fun createOracle(moduleInfo: ModuleInfo): PackageOracle { if (moduleInfo !is IdeaModuleInfo) return PackageOracle.Optimistic return when { moduleInfo.platform.isJvm() -> when (moduleInfo.moduleOrigin) { ModuleOrigin.LIBRARY -> JavaPackagesOracle(moduleInfo, project) ModuleOrigin.MODULE -> JvmSourceOracle(moduleInfo, project) ModuleOrigin.OTHER -> PackageOracle.Optimistic } else -> when (moduleInfo.moduleOrigin) { ModuleOrigin.MODULE -> KotlinSourceFilesOracle(moduleInfo, project) else -> PackageOracle.Optimistic // binaries for non-jvm platform need some oracles based on their structure } } } private class JavaPackagesOracle(moduleInfo: IdeaModuleInfo, project: Project) : PackageOracle { private val scope = moduleInfo.contentScope private val facade: KotlinJavaPsiFacade = project.service() override fun packageExists(fqName: FqName) = facade.findPackage(fqName.asString(), scope) != null } private class KotlinSourceFilesOracle(moduleInfo: IdeaModuleInfo, private val project: Project) : PackageOracle { private val cacheService: PerModulePackageCacheService = project.service() private val sourceModules = moduleInfo.projectSourceModules() override fun packageExists(fqName: FqName): Boolean { return sourceModules?.any { cacheService.packageExists(fqName, it) } ?: false } } private class JvmSourceOracle(moduleInfo: IdeaModuleInfo, project: Project) : PackageOracle { private val javaPackagesOracle = JavaPackagesOracle(moduleInfo, project) private val kotlinSourceOracle = KotlinSourceFilesOracle(moduleInfo, project) override fun packageExists(fqName: FqName) = javaPackagesOracle.packageExists(fqName) || kotlinSourceOracle.packageExists(fqName) || fqName.isSubpackageOf(ANDROID_SYNTHETIC_PACKAGE_PREFIX) } } private val ANDROID_SYNTHETIC_PACKAGE_PREFIX = FqName("kotlinx.android.synthetic")
apache-2.0
0ec0042dbfd84de465498f9a9aecfb10
49.52381
158
0.7445
5.042789
false
false
false
false
mdaniel/intellij-community
plugins/kotlin/gradle/gradle-java/src/org/jetbrains/kotlin/idea/gradleJava/scripting/GradleScriptNotificationProvider.kt
1
11114
// Copyright 2000-2021 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license. package org.jetbrains.kotlin.idea.gradleJava.scripting import com.intellij.icons.AllIcons import com.intellij.ide.actions.ImportModuleAction import com.intellij.ide.util.PropertiesComponent import com.intellij.openapi.externalSystem.service.project.wizard.AbstractExternalProjectImportProvider import com.intellij.openapi.externalSystem.util.ExternalSystemApiUtil import com.intellij.openapi.fileEditor.FileEditor import com.intellij.openapi.project.Project import com.intellij.openapi.vfs.VirtualFile import com.intellij.projectImport.ProjectImportProvider import com.intellij.ui.EditorNotificationPanel import com.intellij.ui.EditorNotificationProvider import com.intellij.ui.EditorNotificationProvider.CONST_NULL import org.jetbrains.annotations.Nls import org.jetbrains.kotlin.idea.base.scripting.KotlinBaseScriptingBundle import org.jetbrains.kotlin.idea.gradle.KotlinIdeaGradleBundle import org.jetbrains.kotlin.idea.gradleJava.KotlinGradleJavaBundle import org.jetbrains.kotlin.idea.gradleJava.scripting.legacy.GradleStandaloneScriptActionsManager import org.jetbrains.kotlin.idea.gradleJava.scripting.roots.GradleBuildRootsLocator import org.jetbrains.kotlin.idea.gradleJava.scripting.roots.GradleBuildRootsLocator.NotificationKind.* import org.jetbrains.kotlin.idea.gradleJava.scripting.roots.GradleBuildRootsManager import org.jetbrains.kotlin.idea.gradleJava.scripting.roots.Imported import org.jetbrains.kotlin.idea.util.isKotlinFileType import org.jetbrains.plugins.gradle.util.GradleConstants import java.io.File import java.util.function.Function import javax.swing.JComponent internal class GradleScriptNotificationProvider : EditorNotificationProvider { override fun collectNotificationData( project: Project, file: VirtualFile, ): Function<in FileEditor, out JComponent?> { if (!isGradleKotlinScript(file) || !file.isKotlinFileType()) { return CONST_NULL } val standaloneScriptActions = GradleStandaloneScriptActionsManager.getInstance(project) val rootsManager = GradleBuildRootsManager.getInstance(project) val scriptUnderRoot = rootsManager?.findScriptBuildRoot(file) ?: return CONST_NULL // todo: this actions will be usefull only when gradle fix https://github.com/gradle/gradle/issues/12640 fun EditorNotificationPanel.showActionsToFixNotEvaluated() { // suggest to reimport project if something changed after import val build: Imported = scriptUnderRoot.nearest as? Imported ?: return val importTs = build.data.importTs if (!build.areRelatedFilesChangedBefore(file, importTs)) { createActionLabel(getConfigurationsActionText()) { rootsManager.updateStandaloneScripts { runPartialGradleImport(project, build) } } } // suggest to choose new gradle project createActionLabel(KotlinIdeaGradleBundle.message("notification.outsideAnything.linkAction")) { linkProject(project, scriptUnderRoot) } } return Function { fileEditor -> when (scriptUnderRoot.notificationKind) { dontCare -> null legacy -> { val actions = standaloneScriptActions[file] if (actions == null) null else { object : EditorNotificationPanel(fileEditor) { val contextHelp = KotlinIdeaGradleBundle.message("notification.gradle.legacy.firstLoad.info") init { if (actions.isFirstLoad) { text(KotlinIdeaGradleBundle.message("notification.gradle.legacy.firstLoad")) toolTipText = contextHelp } else { text(KotlinIdeaGradleBundle.message("notification.text.script.configuration.has.been.changed")) } createActionLabel(KotlinGradleJavaBundle.message("notification.action.text.load.script.configuration")) { actions.reload() } createActionLabel(KotlinBaseScriptingBundle.message("notification.action.text.enable.auto.reload")) { actions.enableAutoReload() } if (actions.isFirstLoad) { contextHelp(contextHelp) } } } } } legacyOutside -> EditorNotificationPanel(fileEditor).apply { text(KotlinIdeaGradleBundle.message("notification.gradle.legacy.outsideProject")) createActionLabel(KotlinIdeaGradleBundle.message("notification.notEvaluatedInLastImport.addAsStandaloneAction")) { rootsManager.updateStandaloneScripts { addStandaloneScript(file.path) } } contextHelp(KotlinIdeaGradleBundle.message("notification.gradle.legacy.outsideProject.addToStandaloneHelp")) } outsideAnything -> EditorNotificationPanel(fileEditor).apply { text(KotlinIdeaGradleBundle.message("notification.outsideAnything.text")) createActionLabel(KotlinIdeaGradleBundle.message("notification.outsideAnything.linkAction")) { linkProject(project, scriptUnderRoot) } } wasNotImportedAfterCreation -> EditorNotificationPanel(fileEditor).apply { text(configurationsAreMissingRequestNeeded()) createActionLabel(getConfigurationsActionText()) { val root = scriptUnderRoot.nearest if (root != null) { runPartialGradleImport(project, root) } } val help = configurationsAreMissingRequestNeededHelp() contextHelp(help) } notEvaluatedInLastImport -> EditorNotificationPanel(fileEditor).apply { text(configurationsAreMissingAfterRequest()) // todo: this actions will be usefull only when gradle fix https://github.com/gradle/gradle/issues/12640 // showActionsToFixNotEvaluated() createActionLabel(KotlinIdeaGradleBundle.message("notification.notEvaluatedInLastImport.addAsStandaloneAction")) { rootsManager.updateStandaloneScripts { addStandaloneScript(file.path) } } contextHelp(KotlinIdeaGradleBundle.message("notification.notEvaluatedInLastImport.info")) } standalone, standaloneLegacy -> EditorNotificationPanel(fileEditor).apply { val actions = standaloneScriptActions[file] if (actions != null) { text( KotlinIdeaGradleBundle.message("notification.standalone.text") + ". " + KotlinIdeaGradleBundle.message("notification.text.script.configuration.has.been.changed") ) createActionLabel(KotlinGradleJavaBundle.message("notification.action.text.load.script.configuration")) { actions.reload() } createActionLabel(KotlinBaseScriptingBundle.message("notification.action.text.enable.auto.reload")) { actions.enableAutoReload() } } else { text(KotlinIdeaGradleBundle.message("notification.standalone.text")) } createActionLabel(KotlinIdeaGradleBundle.message("notification.standalone.disableScriptAction")) { rootsManager.updateStandaloneScripts { removeStandaloneScript(file.path) } } if (scriptUnderRoot.notificationKind == standaloneLegacy) { contextHelp(KotlinIdeaGradleBundle.message("notification.gradle.legacy.standalone.info")) } else { contextHelp(KotlinIdeaGradleBundle.message("notification.standalone.info")) } } } } } private fun linkProject( project: Project, scriptUnderRoot: GradleBuildRootsLocator.ScriptUnderRoot, ) { val settingsFile: File? = tryFindGradleSettings(scriptUnderRoot) // from AttachExternalProjectAction val manager = ExternalSystemApiUtil.getManager(GradleConstants.SYSTEM_ID) ?: return val provider = ProjectImportProvider.PROJECT_IMPORT_PROVIDER.extensions.find { it is AbstractExternalProjectImportProvider && GradleConstants.SYSTEM_ID == it.externalSystemId } ?: return val projectImportProviders = arrayOf(provider) if (settingsFile != null) { PropertiesComponent.getInstance().setValue( "last.imported.location", settingsFile.canonicalPath ) } val wizard = ImportModuleAction.selectFileAndCreateWizard( project, null, manager.externalProjectDescriptor, projectImportProviders ) ?: return if (wizard.stepCount <= 0 || wizard.showAndGet()) { ImportModuleAction.createFromWizard(project, wizard) } } private fun tryFindGradleSettings(scriptUnderRoot: GradleBuildRootsLocator.ScriptUnderRoot): File? { try { var parent = File(scriptUnderRoot.filePath).canonicalFile.parentFile while (parent.isDirectory) { listOf("settings.gradle", "settings.gradle.kts").forEach { val settings = parent.resolve(it) if (settings.isFile) { return settings } } parent = parent.parentFile } } catch (t: Throwable) { // ignore } return null } private fun EditorNotificationPanel.contextHelp(@Nls text: String) { val helpIcon = createActionLabel("") {} helpIcon.icon = AllIcons.General.ContextHelp helpIcon.setUseIconAsLink(true) helpIcon.toolTipText = text } }
apache-2.0
129f668a40bc129050deefe9e8df5ce8
46.699571
137
0.602843
6.336374
false
false
false
false
kelsos/mbrc
app/src/main/kotlin/com/kelsos/mbrc/repository/data/LocalRadioDataSource.kt
1
2814
package com.kelsos.mbrc.repository.data import com.kelsos.mbrc.data.RadioStation import com.kelsos.mbrc.data.RadioStation_Table import com.kelsos.mbrc.data.db.RemoteDatabase import com.kelsos.mbrc.di.modules.AppDispatchers import com.kelsos.mbrc.extensions.escapeLike import com.raizlabs.android.dbflow.kotlinextensions.database import com.raizlabs.android.dbflow.kotlinextensions.delete import com.raizlabs.android.dbflow.kotlinextensions.from import com.raizlabs.android.dbflow.kotlinextensions.modelAdapter import com.raizlabs.android.dbflow.kotlinextensions.select import com.raizlabs.android.dbflow.kotlinextensions.where import com.raizlabs.android.dbflow.list.FlowCursorList import com.raizlabs.android.dbflow.sql.language.OperatorGroup.clause import com.raizlabs.android.dbflow.sql.language.SQLite import com.raizlabs.android.dbflow.structure.database.transaction.FastStoreModelTransaction import kotlinx.coroutines.withContext import javax.inject.Inject class LocalRadioDataSource @Inject constructor(val dispatchers: AppDispatchers) : LocalDataSource<RadioStation> { override suspend fun deleteAll() = withContext(dispatchers.db) { delete(RadioStation::class).execute() } override suspend fun saveAll(list: List<RadioStation>) = withContext(dispatchers.db) { val adapter = modelAdapter<RadioStation>() val transaction = FastStoreModelTransaction.insertBuilder(adapter) .addAll(list) .build() database<RemoteDatabase>().executeTransaction(transaction) } override suspend fun loadAllCursor(): FlowCursorList<RadioStation> = withContext(dispatchers.db) { val modelQueriable = (select from RadioStation::class) return@withContext FlowCursorList.Builder(RadioStation::class.java) .modelQueriable(modelQueriable).build() } override suspend fun search(term: String): FlowCursorList<RadioStation> = withContext(dispatchers.db) { val modelQueriable = (select from RadioStation::class where RadioStation_Table.name.like("%${term.escapeLike()}%")) return@withContext FlowCursorList.Builder(RadioStation::class.java) .modelQueriable(modelQueriable).build() } override suspend fun isEmpty(): Boolean = withContext(dispatchers.db){ return@withContext SQLite.selectCountOf().from(RadioStation::class.java).longValue() == 0L } override suspend fun count(): Long = withContext(dispatchers.db){ return@withContext SQLite.selectCountOf().from(RadioStation::class.java).longValue() } override suspend fun removePreviousEntries(epoch: Long) { withContext(dispatchers.db) { SQLite.delete() .from(RadioStation::class.java) .where( clause(RadioStation_Table.date_added.lessThan(epoch)).or( RadioStation_Table.date_added.isNull)) .execute() } } }
gpl-3.0
83c673b103de50ae2a7a52af5e76e08a
39.2
102
0.773632
4.524116
false
false
false
false
mdaniel/intellij-community
plugins/kotlin/base/fe10/analysis/src/org/jetbrains/kotlin/idea/caches/resolve/IDEKotlinAsJavaSupport.kt
1
11921
// Copyright 2000-2022 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license. package org.jetbrains.kotlin.idea.caches.resolve import com.intellij.openapi.project.Project import com.intellij.psi.JavaPsiFacade import com.intellij.psi.PsiClass import com.intellij.psi.PsiElement import com.intellij.psi.search.GlobalSearchScope import com.intellij.util.SmartList import org.jetbrains.kotlin.analysis.decompiled.light.classes.DecompiledLightClassesFactory import org.jetbrains.kotlin.analysis.decompiled.light.classes.DecompiledLightClassesFactory.getLightClassForDecompiledClassOrObject import org.jetbrains.kotlin.analysis.decompiled.light.classes.KtLightClassForDecompiledDeclaration import org.jetbrains.kotlin.analysis.decompiler.psi.file.KtClsFile import org.jetbrains.kotlin.asJava.KotlinAsJavaSupport import org.jetbrains.kotlin.asJava.classes.KotlinLightClassFactory import org.jetbrains.kotlin.asJava.classes.KtDescriptorBasedFakeLightClass import org.jetbrains.kotlin.asJava.classes.KtFakeLightClass import org.jetbrains.kotlin.asJava.classes.KtLightClass import org.jetbrains.kotlin.fileClasses.javaFileFacadeFqName import org.jetbrains.kotlin.idea.base.facet.platform.platform import org.jetbrains.kotlin.idea.base.indices.KotlinPackageIndexUtils import org.jetbrains.kotlin.idea.base.projectStructure.RootKindFilter import org.jetbrains.kotlin.idea.base.projectStructure.matches import org.jetbrains.kotlin.idea.base.projectStructure.moduleInfo import org.jetbrains.kotlin.idea.base.projectStructure.moduleInfo.IdeaModuleInfo import org.jetbrains.kotlin.idea.base.projectStructure.moduleInfo.ModuleSourceInfo import org.jetbrains.kotlin.idea.base.projectStructure.moduleInfo.PlatformModuleInfo import org.jetbrains.kotlin.idea.base.projectStructure.scope.KotlinSourceFilterScope import org.jetbrains.kotlin.idea.base.util.runReadActionInSmartMode import org.jetbrains.kotlin.idea.caches.lightClasses.platformMutabilityWrapper import org.jetbrains.kotlin.idea.caches.project.getPlatformModuleInfo import org.jetbrains.kotlin.idea.decompiler.navigation.SourceNavigationHelper import org.jetbrains.kotlin.idea.stubindex.* import org.jetbrains.kotlin.idea.util.application.runReadAction import org.jetbrains.kotlin.name.FqName import org.jetbrains.kotlin.platform.jvm.JvmPlatforms import org.jetbrains.kotlin.platform.jvm.isJvm import org.jetbrains.kotlin.psi.KtClassOrObject import org.jetbrains.kotlin.psi.KtFile import org.jetbrains.kotlin.psi.KtScript import org.jetbrains.kotlin.psi.analysisContext import org.jetbrains.kotlin.resolve.scopes.MemberScope open class IDEKotlinAsJavaSupport(private val project: Project) : KotlinAsJavaSupport() { override fun getFacadeNames(packageFqName: FqName, scope: GlobalSearchScope): Collection<String> { val facadeFilesInPackage = project.runReadActionInSmartMode { KotlinFileFacadeClassByPackageIndex.get(packageFqName.asString(), project, scope) } return facadeFilesInPackage.map { it.javaFileFacadeFqName.shortName().asString() }.toSet() } override fun getFacadeClassesInPackage(packageFqName: FqName, scope: GlobalSearchScope): Collection<PsiClass> { val facadeFilesInPackage = runReadAction { KotlinFileFacadeClassByPackageIndex.get(packageFqName.asString(), project, scope).platformSourcesFirst() } val groupedByFqNameAndModuleInfo = facadeFilesInPackage.groupBy { Pair(it.javaFileFacadeFqName, it.getModuleInfoPreferringJvmPlatform()) } return groupedByFqNameAndModuleInfo.flatMap { val (key, files) = it val (fqName, moduleInfo) = key createLightClassForFileFacade(fqName, files, moduleInfo) } } override fun findClassOrObjectDeclarations(fqName: FqName, searchScope: GlobalSearchScope): Collection<KtClassOrObject> { return project.runReadActionInSmartMode { KotlinFullClassNameIndex.get( fqName.asString(), project, KotlinSourceFilterScope.projectSourcesAndLibraryClasses(searchScope, project) ) } } override fun findFilesForPackage(fqName: FqName, searchScope: GlobalSearchScope): Collection<KtFile> { return project.runReadActionInSmartMode { KotlinPackageIndexUtils.findFilesWithExactPackage( fqName, KotlinSourceFilterScope.projectSourcesAndLibraryClasses( searchScope, project ), project ) } } override fun findClassOrObjectDeclarationsInPackage( packageFqName: FqName, searchScope: GlobalSearchScope ): Collection<KtClassOrObject> { return KotlinTopLevelClassByPackageIndex.get( packageFqName.asString(), project, KotlinSourceFilterScope.projectSourcesAndLibraryClasses(searchScope, project) ) } override fun packageExists(fqName: FqName, scope: GlobalSearchScope): Boolean { return KotlinPackageIndexUtils.packageExists( fqName, KotlinSourceFilterScope.projectSourcesAndLibraryClasses( scope, project ) ) } override fun getSubPackages(fqn: FqName, scope: GlobalSearchScope): Collection<FqName> { return KotlinPackageIndexUtils.getSubPackageFqNames( fqn, KotlinSourceFilterScope.projectSourcesAndLibraryClasses( scope, project ), MemberScope.ALL_NAME_FILTER, ) } private val recursiveGuard = ThreadLocal<Boolean>() private inline fun <T> guardedRun(body: () -> T): T? { if (recursiveGuard.get() == true) return null return try { recursiveGuard.set(true) body() } finally { recursiveGuard.set(false) } } override fun getLightClass(classOrObject: KtClassOrObject): KtLightClass? { if (!classOrObject.isValid) { return null } val virtualFile = classOrObject.containingFile.virtualFile if (virtualFile != null) { when { RootKindFilter.projectSources.matches(project, virtualFile) -> { return KotlinLightClassFactory.createClass(classOrObject) } RootKindFilter.libraryClasses.matches(project, virtualFile) -> { return getLightClassForDecompiledClassOrObject(classOrObject, project) } RootKindFilter.librarySources.matches(project, virtualFile) -> { return guardedRun { SourceNavigationHelper.getOriginalClass(classOrObject) as? KtLightClass } } } } if ((classOrObject.containingFile as? KtFile)?.analysisContext != null || classOrObject.containingFile.originalFile.virtualFile != null ) { return KotlinLightClassFactory.createClass(classOrObject) } return null } override fun getLightClassForScript(script: KtScript): KtLightClass? { if (!script.isValid) { return null } return KotlinLightClassFactory.createScript(script) } override fun getFacadeClasses(facadeFqName: FqName, scope: GlobalSearchScope): Collection<PsiClass> { val filesByModule = findFilesForFacade(facadeFqName, scope).groupBy { it.getModuleInfoPreferringJvmPlatform() } return filesByModule.flatMap { createLightClassForFileFacade(facadeFqName, it.value, it.key) } } override fun getScriptClasses(scriptFqName: FqName, scope: GlobalSearchScope): Collection<PsiClass> { return KotlinScriptFqnIndex.get(scriptFqName.asString(), project, scope).mapNotNull { getLightClassForScript(it) } } override fun getKotlinInternalClasses(fqName: FqName, scope: GlobalSearchScope): Collection<PsiClass> { if (fqName.isRoot) return emptyList() val packageParts = findPackageParts(fqName, scope) val platformWrapper = findPlatformWrapper(fqName, scope) return if (platformWrapper != null) packageParts + platformWrapper else packageParts } private fun findPackageParts(fqName: FqName, scope: GlobalSearchScope): List<KtLightClassForDecompiledDeclaration> { val facadeKtFiles = runReadAction { KotlinMultiFileClassPartIndex.get(fqName.asString(), project, scope) } val partShortName = fqName.shortName().asString() val partClassFileShortName = "$partShortName.class" return facadeKtFiles.mapNotNull { facadeKtFile -> if (facadeKtFile is KtClsFile) { val partClassFile = facadeKtFile.virtualFile.parent.findChild(partClassFileShortName) ?: return@mapNotNull null val javaClsClass = DecompiledLightClassesFactory.createClsJavaClassFromVirtualFile(facadeKtFile, partClassFile, null, project) ?: return@mapNotNull null KtLightClassForDecompiledDeclaration(javaClsClass, javaClsClass.parent, facadeKtFile, null) } else { // TODO should we build light classes for parts from source? null } } } private fun findPlatformWrapper(fqName: FqName, scope: GlobalSearchScope): PsiClass? { return platformMutabilityWrapper(fqName) { JavaPsiFacade.getInstance( project ).findClass(it, scope) } } private fun createLightClassForFileFacade( facadeFqName: FqName, facadeFiles: List<KtFile>, moduleInfo: IdeaModuleInfo ): List<PsiClass> = SmartList<PsiClass>().apply { tryCreateFacadesForSourceFiles(moduleInfo, facadeFqName)?.let { sourcesFacade -> add(sourcesFacade) } facadeFiles.filterIsInstance<KtClsFile>().mapNotNullTo(this) { DecompiledLightClassesFactory.createLightClassForDecompiledKotlinFile(it, project) } } private fun tryCreateFacadesForSourceFiles(moduleInfo: IdeaModuleInfo, facadeFqName: FqName): PsiClass? { if (moduleInfo !is ModuleSourceInfo && moduleInfo !is PlatformModuleInfo) return null return KotlinLightClassFactory.createFacade(project, facadeFqName, moduleInfo.contentScope) } override fun findFilesForFacade(facadeFqName: FqName, scope: GlobalSearchScope): Collection<KtFile> { return runReadAction { KotlinFileFacadeFqNameIndex.get(facadeFqName.asString(), project, scope).platformSourcesFirst() } } override fun getFakeLightClass(classOrObject: KtClassOrObject): KtFakeLightClass = KtDescriptorBasedFakeLightClass(classOrObject) override fun createFacadeForSyntheticFile(facadeClassFqName: FqName, file: KtFile): PsiClass = KotlinLightClassFactory.createFacadeForSyntheticFile(facadeClassFqName, file) // NOTE: this is a hacky solution to the following problem: // when building this light class resolver will be built by the first file in the list // (we could assume that files are in the same module before) // thus we need to ensure that resolver will be built by the file from platform part of the module // (resolver built by a file from the common part will have no knowledge of the platform part) // the actual of order of files that resolver receives is controlled by *findFilesForFacade* method private fun Collection<KtFile>.platformSourcesFirst() = sortedByDescending { it.platform.isJvm() } private fun PsiElement.getModuleInfoPreferringJvmPlatform(): IdeaModuleInfo = getPlatformModuleInfo(JvmPlatforms.unspecifiedJvmPlatform) ?: this.moduleInfo }
apache-2.0
4bdaa03053c233cfdc809cfacec75341
43.481343
131
0.713699
5.503693
false
false
false
false
npryce/robots
jvm/src/test/kotlin/robots/CompactSyntaxTest.kt
1
1420
package robots import com.natpryce.hamkrest.assertion.assertThat import com.natpryce.hamkrest.equalTo import org.junit.Test import org.junit.runner.RunWith import org.junit.runners.Parameterized import org.junit.runners.Parameterized.Parameters @RunWith(Parameterized::class) class CompactSyntaxTest(val what: String, val syntax: String, val ast: Seq) { companion object { private val a = Action("a") private val b = Action("b") private val c = Action("c") private val d = Action("d") private val e = Action("e") private val examples: Map<String, Pair<String, Seq>> = mapOf( "empty program" to Pair("", nop), "sequence of single action" to Pair("a", Seq(a)), "sequence of actions" to Pair("a, b, c", Seq(a, b, c)), "nested program" to Pair("a, [b, c], 4โ€ข[d, e]", Seq(a, Seq(b, c), Repeat(4, d, e))), "funky identifiers" to Pair("3โ€ข[โฌ†], ๐Ÿ’ฉ", Seq(Repeat(3, Action("โฌ†")), Action("๐Ÿ’ฉ"))) ) @JvmStatic @Parameters(name = "{0}: {1}") fun params() = examples.map { (name, value) -> arrayOf(name, value.first, value.second) } } @Test fun `parses`() { assertThat(what, syntax.toSeq().ok(), equalTo(ast)) } @Test fun `formats`() { assertThat(what, ast.toCompactString(), equalTo(syntax)) } }
gpl-3.0
454efadd37453ff8c7b61087815b4b09
31.72093
96
0.579659
3.671018
false
true
false
false
iPoli/iPoli-android
app/src/main/java/io/ipoli/android/common/view/BaseDialogController.kt
1
11075
package io.ipoli.android.common.view import android.annotation.SuppressLint import android.app.Dialog import android.content.DialogInterface import android.os.Bundle import android.support.annotation.DrawableRes import android.support.annotation.StringRes import android.support.v7.app.AlertDialog import android.view.LayoutInflater import android.view.View import android.view.ViewGroup import android.view.WindowManager import android.widget.ImageView import android.widget.TextView import com.bluelinelabs.conductor.RestoreViewOnCreateController import com.bluelinelabs.conductor.Router import com.bluelinelabs.conductor.RouterTransaction import com.bluelinelabs.conductor.changehandler.SimpleSwapChangeHandler import io.ipoli.android.R import io.ipoli.android.common.AppState import io.ipoli.android.common.redux.Action import io.ipoli.android.common.redux.ViewState import io.ipoli.android.common.redux.ViewStateReducer import io.ipoli.android.common.redux.android.ReduxViewController /** * A controller that displays a dialog window, floating on top of its activity's window. * This is a wrapper over [Dialog] object like [android.app.DialogFragment]. * * * Implementations should override this class and implement [.onCreateDialog] to create a custom dialog, such as an [android.app.AlertDialog] */ abstract class BaseDialogController : RestoreViewOnCreateController { protected lateinit var dialog: Dialog private var dismissed: Boolean = false /** * Convenience constructor for use when no arguments are needed. */ protected constructor() : super() /** * Constructor that takes arguments that need to be retained across restarts. * * @param args Any arguments that need to be retained. */ protected constructor(args: Bundle?) : super(args) override fun onCreateView( inflater: LayoutInflater, container: ViewGroup, savedViewState: Bundle? ): View { val headerView = createHeaderView(inflater) onHeaderViewCreated(headerView) val contentView = onCreateContentView(inflater, savedViewState) val dialogBuilder = AlertDialog.Builder(activity!!) .setView(contentView) headerView?.let { dialogBuilder.setCustomTitle(headerView) } dialog = onCreateDialog(dialogBuilder, contentView, savedViewState) dialog.window.addFlags(WindowManager.LayoutParams.FLAG_NOT_FOCUSABLE) dialog.ownerActivity = activity!! dialog.setOnDismissListener { dismiss() onDismiss() } if (savedViewState != null) { val dialogState = savedViewState.getBundle(SAVED_DIALOG_STATE_TAG) if (dialogState != null) { dialog.onRestoreInstanceState(dialogState) } } return View(activity) } @SuppressLint("InflateParams") protected open fun createHeaderView(inflater: LayoutInflater): View? { return inflater.inflate(R.layout.view_dialog_header, null) } protected open fun onHeaderViewCreated(headerView: View?) { } protected abstract fun onCreateContentView( inflater: LayoutInflater, savedViewState: Bundle? ): View protected abstract fun onCreateDialog( dialogBuilder: AlertDialog.Builder, contentView: View, savedViewState: Bundle? ): AlertDialog override fun onSaveViewState(view: View, outState: Bundle) { super.onSaveViewState(view, outState) val dialogState = dialog.onSaveInstanceState() outState.putBundle(SAVED_DIALOG_STATE_TAG, dialogState) } override fun onAttach(view: View) { super.onAttach(view) dialog.show() dialog.window.decorView.systemUiVisibility = dialog.ownerActivity.window.decorView.systemUiVisibility dialog.window.clearFlags( WindowManager.LayoutParams.FLAG_NOT_FOCUSABLE ) onShow(dialog.window.decorView) } protected open fun onShow(contentView: View) {} override fun onDetach(view: View) { onHide(dialog.window.decorView) dialog.hide() super.onDetach(view) } protected open fun onHide(contentView: View) {} override fun onDestroyView(view: View) { super.onDestroyView(view) dialog.setOnDismissListener(null) dialog.dismiss() } /** * Display the dialog, create a transaction and pushing the controller. * @param router The router on which the transaction will be applied * @param tag The tag for this controller */ fun show(router: Router, tag: String? = null) { dismissed = false router.pushController( RouterTransaction.with(this) .pushChangeHandler(SimpleSwapChangeHandler(false)) .popChangeHandler(SimpleSwapChangeHandler(false)) .tag(tag) ) } /** * Dismiss the dialog and pop this controller */ fun dismiss() { if (dismissed) { return } router.popController(this) dismissed = true } protected open fun onDismiss() { } companion object { private val SAVED_DIALOG_STATE_TAG = "android:savedDialogState" } } abstract class ReduxDialogController<A : Action, VS : ViewState, out R : ViewStateReducer<AppState, VS>>( args: Bundle? = null ) : ReduxViewController<A, VS, R>(args) { protected lateinit var dialog: AlertDialog private lateinit var contentView: View private var dismissed: Boolean = false override fun onCreateView( inflater: LayoutInflater, container: ViewGroup, savedViewState: Bundle? ): View { val headerView = createHeaderView(inflater) onHeaderViewCreated(headerView) contentView = onCreateContentView(inflater, savedViewState) val dialogBuilder = AlertDialog.Builder(contentView.context) .setView(contentView) .setCustomTitle(headerView) dialog = onCreateDialog(dialogBuilder, contentView, savedViewState) dialog.window.addFlags(WindowManager.LayoutParams.FLAG_NOT_FOCUSABLE) onDialogCreated(dialog, contentView) dialog.setCanceledOnTouchOutside(false) dialog.ownerActivity = activity!! dialog.setOnDismissListener { dismiss() } if (savedViewState != null) { val dialogState = savedViewState.getBundle(SAVED_DIALOG_STATE_TAG) if (dialogState != null) { dialog.onRestoreInstanceState(dialogState) } } return View(activity) } protected open fun createHeaderView(inflater: LayoutInflater): View = inflater.inflate(io.ipoli.android.R.layout.view_dialog_header, null) protected open fun onHeaderViewCreated(headerView: View) { } protected abstract fun onCreateContentView( inflater: LayoutInflater, savedViewState: Bundle? ): View protected abstract fun onCreateDialog( dialogBuilder: AlertDialog.Builder, contentView: View, savedViewState: Bundle? ): AlertDialog protected open fun onDialogCreated(dialog: AlertDialog, contentView: View) { } override fun onSaveViewState(view: View, outState: Bundle) { super.onSaveViewState(view, outState) val dialogState = dialog.onSaveInstanceState() outState.putBundle(SAVED_DIALOG_STATE_TAG, dialogState) } override fun onAttach(view: View) { super.onAttach(view) dialog.show() dialog.window.decorView.systemUiVisibility = dialog.ownerActivity.window.decorView.systemUiVisibility dialog.window.clearFlags( WindowManager.LayoutParams.FLAG_NOT_FOCUSABLE ) onShow(dialog.window.decorView) } protected open fun onShow(contentView: View) {} override fun onDetach(view: View) { onHide(dialog.window.decorView) dialog.hide() super.onDetach(view) } protected open fun onHide(contentView: View) {} override fun onDestroyView(view: View) { super.onDestroyView(view) dialog.setOnDismissListener(null) dialog.dismiss() } override fun colorStatusBars() { } /** * Display the dialog, create a transaction and pushing the controller. * @param router The router on which the transaction will be applied * @param tag The tag for this controller */ fun show(router: Router, tag: String? = null) { dismissed = false router.pushController( RouterTransaction.with(this) .pushChangeHandler(SimpleSwapChangeHandler(false)) .popChangeHandler(SimpleSwapChangeHandler(false)) .tag(tag) ) } /** * Dismiss the dialog and pop this controller */ fun dismiss() { if (dismissed) { return } router.popController(this) dismissed = true } override fun onRenderViewState(state: VS) { render(state, contentView) } protected fun changeIcon(@DrawableRes icon: Int) { val headerIcon = dialog.findViewById<ImageView>(io.ipoli.android.R.id.dialogHeaderIcon) headerIcon?.setImageResource(icon) } protected fun changeTitle(@StringRes title: Int) { val headerTitle = dialog.findViewById<TextView>(io.ipoli.android.R.id.dialogHeaderTitle) headerTitle?.setText(title) } protected fun changeLifeCoins(lifeCoins: Int) { val headerLifeCoins = dialog.findViewById<TextView>(io.ipoli.android.R.id.dialogHeaderLifeCoins) headerLifeCoins?.visible() headerLifeCoins?.text = lifeCoins.toString() } protected fun changeNeutralButtonText(@StringRes text: Int) { dialog.getButton(DialogInterface.BUTTON_NEUTRAL).setText(text) } protected fun changePositiveButtonText(@StringRes text: Int) { dialog.getButton(DialogInterface.BUTTON_POSITIVE).setText(text) } protected fun changeNegativeButtonText(@StringRes text: Int) { dialog.getButton(DialogInterface.BUTTON_NEGATIVE).setText(text) } protected fun setNeutralButtonListener(listener: (() -> Unit)?) { dialog.getButton(DialogInterface.BUTTON_NEUTRAL).onDebounceClick { if (listener != null) listener() else dismiss() } } protected fun setPositiveButtonListener(listener: (() -> Unit)?) { dialog.getButton(DialogInterface.BUTTON_POSITIVE).onDebounceClick { if (listener != null) listener() else dismiss() } } protected fun setNegativeButtonListener(listener: (() -> Unit)?) { dialog.getButton(DialogInterface.BUTTON_NEGATIVE).onDebounceClick { if (listener != null) listener() else dismiss() } } companion object { private const val SAVED_DIALOG_STATE_TAG = "android:savedDialogState" } }
gpl-3.0
2b12514a63b1988a1cbe17a5e45a1dd3
30.2
141
0.671151
5.077946
false
false
false
false
akvo/akvo-rsr-up
android/AkvoRSR/app/src/main/java/org/akvo/rsr/up/worker/GetOrgDataWorker.kt
1
5440
package org.akvo.rsr.up.worker import android.content.Context import android.util.Log import androidx.work.Worker import androidx.work.WorkerParameters import androidx.work.workDataOf import org.akvo.rsr.up.R import org.akvo.rsr.up.dao.RsrDbAdapter import org.akvo.rsr.up.util.ConstantUtil import org.akvo.rsr.up.util.Downloader import org.akvo.rsr.up.util.FileUtil import org.akvo.rsr.up.util.SettingsUtil import java.net.MalformedURLException import java.net.URL class GetOrgDataWorker(ctx: Context, params: WorkerParameters) : Worker(ctx, params) { override fun doWork(): Result { val appContext = applicationContext val ad = RsrDbAdapter(appContext) val dl = Downloader() var errMsg: String? = null val fetchImages = !SettingsUtil.ReadBoolean(appContext, "setting_delay_image_fetch", false) val host = SettingsUtil.host(appContext) val start = System.currentTimeMillis() ad.open() try { if (FETCH_ORGS) { // Fetch org data. try { if (BRIEF) { dl.fetchTypeaheadOrgList( appContext, ad, URL(host + ConstantUtil.FETCH_ORGS_TYPEAHEAD_URL) ) { sofar, total -> updateProgress(0, sofar, total) } } else { dl.fetchOrgListRestApiPaged( appContext, ad, URL(host + ConstantUtil.FETCH_ORGS_URL) ) { sofar, total -> updateProgress(0, sofar, total) } } // TODO need a way to get this called by the paged fetch: broadcastProgress(0, j, dl.???); } catch (e: Exception) { // probably network reasons Log.e(TAG, "Bad organisation fetch:", e) errMsg = appContext.resources.getString(R.string.errmsg_org_fetch_failed) + e.message } } if (FETCH_EMPLOYMENTS) { // Fetch emp data. try { dl.fetchEmploymentListPaged( appContext, ad, URL( host + String.format( ConstantUtil.FETCH_EMPLOYMENTS_URL_PATTERN, SettingsUtil.getAuthUser(appContext).id ) ) ) { sofar, total -> updateProgress(0, sofar, total) } // TODO need a way to get this called by the paged fetch: broadcastProgress(0, j, dl.???); } catch (e: Exception) { // probably network reasons Log.e(TAG, "Bad employment fetch:", e) errMsg = appContext.resources.getString(R.string.errmsg_emp_fetch_failed) + e.message } } updateProgress(0, 100, 100) try { if (FETCH_COUNTRIES && ad.getCountryCount() == 0) { // rarely changes, so only fetch countries if we never did that dl.fetchCountryListRestApiPaged( appContext, ad, URL(SettingsUtil.host(appContext) + String.format(ConstantUtil.FETCH_COUNTRIES_URL)) ) } } catch (e: Exception) { // probably network reasons Log.e(TAG, "Bad organisation fetch:", e) errMsg = appContext.resources.getString(R.string.errmsg_org_fetch_failed) + e.message } updateProgress(1, 100, 100) // logos? if (fetchImages) { try { dl.fetchMissingThumbnails( appContext, host, FileUtil.getExternalCacheDir(appContext).toString() ) { sofar, total -> updateProgress(2, sofar, total) } } catch (e: MalformedURLException) { Log.e(TAG, "Bad thumbnail URL:", e) errMsg = "Thumbnail url problem: $e" } } } finally { ad.close() } val end = System.currentTimeMillis() Log.i(TAG, "Fetch complete in: " + (end - start) / 1000.0) // broadcast completion return if (errMsg != null) { Result.failure(workDataOf(ConstantUtil.SERVICE_ERRMSG_KEY to errMsg)) } else { Result.success() } } private fun updateProgress(phase: Int, sofar: Int, total: Int) { setProgressAsync( workDataOf( ConstantUtil.PHASE_KEY to phase, ConstantUtil.SOFAR_KEY to sofar, ConstantUtil.TOTAL_KEY to total ) ) } companion object { const val TAG = "GetOrgDataWorker" private const val FETCH_EMPLOYMENTS = true private const val FETCH_ORGS = true private const val FETCH_COUNTRIES = true private const val BRIEF = false // TODO put the brief/full flag in the intent } }
agpl-3.0
65310b3067b93ea6abd7040f4275f7eb
38.136691
131
0.495037
4.986251
false
false
false
false
GunoH/intellij-community
platform/vcs-impl/src/com/intellij/vcs/commit/SaveCommittingDocumentsVetoer.kt
4
3909
// Copyright 2000-2020 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package com.intellij.vcs.commit import com.intellij.openapi.application.runReadAction import com.intellij.openapi.editor.Document import com.intellij.openapi.fileEditor.FileDocumentManager import com.intellij.openapi.fileEditor.FileDocumentManagerListener import com.intellij.openapi.fileEditor.FileDocumentSynchronizationVetoer import com.intellij.openapi.project.Project import com.intellij.openapi.ui.Messages import com.intellij.openapi.ui.Messages.getQuestionIcon import com.intellij.openapi.ui.Messages.showOkCancelDialog import com.intellij.openapi.util.Key import com.intellij.openapi.util.UserDataHolderEx import com.intellij.openapi.vcs.FilePath import com.intellij.openapi.vcs.VcsBundle.message import com.intellij.openapi.vcs.changes.Change import com.intellij.openapi.vcs.changes.ChangesUtil private sealed class SaveState private object SaveDenied : SaveState() private class ConfirmSave(val project: Project) : SaveState() private val SAVE_STATE_KEY = Key<SaveState>("Vcs.Commit.SaveState") private fun getSaveState(document: Document): SaveState? = document.getUserData(SAVE_STATE_KEY) private fun setSaveState(documents: Collection<Document>, state: SaveState?) = documents.forEach { it.putUserData(SAVE_STATE_KEY, state) } private fun replaceSaveState(documents: Map<Document, SaveState?>, newState: SaveState?) = documents.forEach { (document, oldState) -> (document as UserDataHolderEx).replace(SAVE_STATE_KEY, oldState, newState) } internal class SaveCommittingDocumentsVetoer : FileDocumentSynchronizationVetoer(), FileDocumentManagerListener { override fun beforeAllDocumentsSaving() { val confirmSaveDocuments = FileDocumentManager.getInstance().unsavedDocuments .associateBy({ it }, { getSaveState(it) }) .filterValues { it is ConfirmSave } .mapValues { it.value as ConfirmSave } if (confirmSaveDocuments.isEmpty()) return val project = confirmSaveDocuments.values.first().project val newSaveState = if (confirmSave(project, confirmSaveDocuments.keys)) null else SaveDenied replaceSaveState(confirmSaveDocuments, newSaveState) // use `replace` as commit could already be completed } override fun maySaveDocument(document: Document, isSaveExplicit: Boolean): Boolean = when (val saveState = getSaveState(document)) { SaveDenied -> false is ConfirmSave -> confirmSave(saveState.project, listOf(document)) null -> true } } fun vetoDocumentSaving(project: Project, changes: Collection<Change>, block: () -> Unit) { vetoDocumentSavingForPaths(project, ChangesUtil.getPaths(changes), block) } fun vetoDocumentSavingForPaths(project: Project, filePaths: Collection<FilePath>, block: () -> Unit) { val confirmSaveState = ConfirmSave(project) val documents = runReadAction { getDocuments(filePaths).also { setSaveState(it, confirmSaveState) } } try { block() } finally { runReadAction { setSaveState(documents, null) } } } private fun getDocuments(filePaths: Iterable<FilePath>): List<Document> = filePaths .mapNotNull { it.virtualFile } .filterNot { it.fileType.isBinary } .mapNotNull { FileDocumentManager.getInstance().getDocument(it) } .toList() private fun confirmSave(project: Project, documents: Collection<Document>): Boolean { val files = documents.mapNotNull { FileDocumentManager.getInstance().getFile(it) } val text = message("save.committing.files.confirmation.text", documents.size, files.joinToString("\n") { it.presentableUrl }) return Messages.OK == showOkCancelDialog( project, text, message("save.committing.files.confirmation.title"), message("save.committing.files.confirmation.ok"), message("save.committing.files.confirmation.cancel"), getQuestionIcon() ) }
apache-2.0
540df9c37e7853ac64514524a8b9380f
42.444444
140
0.772832
4.402027
false
false
false
false
jk1/intellij-community
plugins/svn4idea/src/org/jetbrains/idea/svn/mergeinfo/MergeRangeList.kt
1
1543
// Copyright 2000-2017 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.jetbrains.idea.svn.mergeinfo import org.jetbrains.idea.svn.api.ErrorCode.MERGE_INFO_PARSE_ERROR import org.jetbrains.idea.svn.commandLine.SvnBindException data class MergeRangeList(val ranges: Set<MergeRange>) { companion object { @JvmStatic @Throws(SvnBindException::class) fun parseMergeInfo(value: String): Map<String, MergeRangeList> = value.lineSequence().map { parseLine(it) }.toMap() @Throws(SvnBindException::class) fun parseRange(value: String): MergeRange { val revisions = value.removeSuffix("*").split('-') if (revisions.isEmpty() || revisions.size > 2) throwParseFailed(value) val start = parseRevision(revisions[0]) val end = if (revisions.size == 2) parseRevision(revisions[1]) else start return MergeRange(start, end, value.lastOrNull() != '*') } private fun parseLine(value: String): Pair<String, MergeRangeList> { val parts = value.split(':') if (parts.size != 2) throwParseFailed(value) return Pair(parts[0], MergeRangeList(parts[1].splitToSequence(',').map { parseRange(it) }.toSet())) } private fun parseRevision(value: String) = try { value.toLong() } catch (e: NumberFormatException) { throwParseFailed(value) } private fun throwParseFailed(value: String): Nothing = throw SvnBindException(MERGE_INFO_PARSE_ERROR, "Could not parse $value") } }
apache-2.0
069b0b48b3984a203064a4f715ee84f4
38.589744
140
0.699935
4.007792
false
false
false
false
pdvrieze/kotlinsql
sql/src/generators/kotlin/kotlinsql/builder/generate_database_statics.kt
1
3243
/* * Copyright (c) 2016. * * This file is part of kotlinsql. * * This file is licenced to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You should have received a copy of the license with the source distribution. * Alternatively, you may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. */ /** * Created by pdvrieze on 04/04/16. */ package kotlinsql.builder import java.io.Writer @Suppress("unused") class GenerateDatabaseBaseKt { fun doGenerate(output: Writer, input: Any) { val count = input as Int output.apply { appendCopyright() appendLine() appendLine("package io.github.pdvrieze.kotlinsql.dml") appendLine() appendLine("import io.github.pdvrieze.kotlinsql.ddl.Column") appendLine("import io.github.pdvrieze.kotlinsql.ddl.IColumnType") appendLine("import io.github.pdvrieze.kotlinsql.ddl.Table") appendLine("import io.github.pdvrieze.kotlinsql.ddl.TableRef") appendLine("import io.github.pdvrieze.kotlinsql.dml.impl.*") appendLine("import io.github.pdvrieze.kotlinsql.dml.impl.DatabaseMethodsBase") appendLine() appendLine("interface DatabaseMethods : DatabaseMethodsBase {") // appendln(" companion object {") appendLine(" operator fun get(key:TableRef):Table") appendFunctionGroup("SELECT", "_Select", count, "_Select") appendFunctionGroup("INSERT", "_Insert", count) appendFunctionGroup("INSERT_OR_UPDATE", "_Insert", count) // appendLine(" }") appendLine("}") } } private fun Writer.appendFunctionGroup(funName: String, className: String, count: Int, interfaceName: String = className) { for (n in 1..count) { appendLine() // appendln(" @JvmStatic") append(" fun <") run { val indent = " ".repeat(if (n < 9) 9 else 10) (1..n).joinToString(",\n$indent") { m -> "T$m:Any, S$m:IColumnType<T$m,S$m,C$m>, C$m: Column<T$m, S$m, C$m>" } .apply { append(this) } } append(">\n $funName(") (1..n).joinToString { m -> "col$m: C$m" }.apply { append(this) } append("): ") if (n == 1 && funName == "SELECT") { append("$interfaceName$n<T1, S1, C1>") } else { (1..n).joinTo(this, prefix = "$interfaceName$n<", postfix = ">") { m -> "T$m, S$m, C$m" } } appendLine(" =") if (className == "_Insert") { val update = funName == "INSERT_OR_UPDATE" append(" $className$n(get(col1.table), $update, ") } else if (n == 1 && funName == "SELECT") { append(" $className$n(") } else { append(" $className$n(") } (1..n).joinToString { m -> "col$m" }.apply { append(this) } appendLine(")") } } }
apache-2.0
0a3e9c5b8353fb7bd903f8a311db65f5
33.5
125
0.609312
3.757822
false
false
false
false
marius-m/wt4
components/src/main/java/lt/markmerkk/migration/ConfigMigration1.kt
1
1691
package lt.markmerkk.migration import org.apache.commons.io.FileUtils import org.slf4j.Logger import java.io.File /** * Migration that would move configuration by the app flavor. * This is needed, as both flavors normally "inherit" its configuration and its changes * thus resulting in incorrect application when both applications are launched. * * For instance, when both apps are launched and are using different jiras at the same time */ class ConfigMigration1( private val versionCode: Int, private val configDirLegacy: File, private val configDirFull: File, private val l: Logger ) : ConfigPathMigrator.ConfigMigration { override fun isMigrationNeeded(): Boolean { val configCountInFull = ConfigUtils.listConfigs(configDirFull) .count() // Only one version would trigger migration + full path should be empty l.info("Checking if configs need migration1: [configCountInFull <= 1($configCountInFull)] " + "/ [versionCode <= 67($versionCode)]") return configCountInFull <= 1 && versionCode <= 67 } override fun doMigration() { l.info("Triggering migration1...") ConfigUtils.listConfigs(configDirLegacy) .filter { it != configDirFull } .filterNot { it.isDirectory && it.name == "logs" } // ignore log directory .forEach { try { FileUtils.copyToDirectory(it, configDirFull) } catch (e: Exception) { l.warn("Error doing migration1", e) } } l.info("Migration complete!") } }
apache-2.0
b9d37520cd246e4e5fc61051deedc269
36.6
101
0.622708
4.873199
false
true
false
false
jonathanlermitage/tikione-c2e
src/main/kotlin/fr/tikione/c2e/core/service/home/LocalReaderServiceImpl.kt
1
2441
package fr.tikione.c2e.core.service.home import fr.tikione.c2e.core.model.home.MagazineSummary import org.slf4j.Logger import org.slf4j.LoggerFactory import java.io.File class LocalReaderServiceImpl : LocalReaderService { private val log: Logger = LoggerFactory.getLogger(this.javaClass) override fun listDownloadedMagazines(folder: File): List<MagazineSummary> { log.info("analyse du repertoire $folder") return folder .listFiles { _, name -> name.endsWith(".html") } .filter { file -> !file.name.startsWith("CPC-") } .map { file -> val filename = file.name val mag = MagazineSummary() val size = file.length() if (size > 4 * 1024 * 1014) mag.humanSize = ((size / (1024 * 1014)).toString() + " Mo") else mag.humanSize = ((size / 1024).toString() + " Ko") if (filename.contains("-")) { mag.number = filename.substring("CPC".length, filename.indexOf("-")) mag.file = file when { filename.contains("-nopic") -> mag.options = "sans images" filename.contains("-resize") -> { val picRatio = filename.substring(filename.indexOf("-resize") + "-resize".length, filename.indexOf(".")) mag.options = "images ratio $picRatio%" } else -> mag.options = "images ratio 100%" } } else { mag.number = filename.substring("CPC".length, filename.indexOf(".")) mag.file = file mag.options = "images ratio 100%" } val coverImgTag = "<img class='edito-cover-img' src='" val coverLine = file.readLines().firstOrNull { s -> s.contains(coverImgTag) } if (coverLine == null) { mag.coverAsBase64 = "" } else { mag.coverAsBase64 = coverLine.substring(coverLine.indexOf(coverImgTag) + coverImgTag.length, coverLine.indexOf("'>")) } log.info("magazine trouve : $mag") mag } .toList() } }
mit
8785754a5dcc1dc5b515b43ddb622315
47.82
163
0.483818
4.824111
false
false
false
false
cfieber/orca
orca-kayenta/src/test/kotlin/com/netflix/spinnaker/orca/kayenta/pipeline/CleanupCanaryClustersStageTest.kt
1
9346
/* * Copyright 2018 Netflix, Inc. * * Licensed under the Apache License, Version 2.0 (the "License") * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.netflix.spinnaker.orca.kayenta.pipeline import com.fasterxml.jackson.module.kotlin.convertValue import com.netflix.spinnaker.moniker.Moniker import com.netflix.spinnaker.orca.clouddriver.pipeline.cluster.DisableClusterStage import com.netflix.spinnaker.orca.clouddriver.pipeline.cluster.ShrinkClusterStage import com.netflix.spinnaker.orca.fixture.pipeline import com.netflix.spinnaker.orca.fixture.stage import com.netflix.spinnaker.orca.jackson.OrcaObjectMapper import com.netflix.spinnaker.orca.pipeline.WaitStage import com.netflix.spinnaker.orca.pipeline.model.Stage import com.netflix.spinnaker.orca.pipeline.model.SyntheticStageOwner.STAGE_AFTER import org.assertj.core.api.Assertions.assertThat import org.jetbrains.spek.api.Spek import org.jetbrains.spek.api.dsl.given import org.jetbrains.spek.api.dsl.it import java.time.Duration internal object CleanupCanaryClustersStageTest : Spek({ val subject = CleanupCanaryClustersStage() val mapper = OrcaObjectMapper.newInstance() given("a canary deployment pipeline") { val baseline = mapOf( "application" to "spindemo", "account" to "prod", "cluster" to "spindemo-prestaging-prestaging" ) val controlCluster = mapOf( "account" to "prod", "application" to "spindemo", "availabilityZones" to mapOf( "us-west-1" to listOf("us-west-1a", "us-west-1c") ), "capacity" to mapOf("desired" to 1, "max" to 1, "min" to 1), "cloudProvider" to "aws", "cooldown" to 10, "copySourceCustomBlockDeviceMappings" to true, "ebsOptimized" to false, "enabledMetrics" to listOf<Any>(), "freeFormDetails" to "prestaging-baseline", "healthCheckGracePeriod" to 600, "healthCheckType" to "EC2", "iamRole" to "spindemoInstanceProfile", "instanceMonitoring" to true, "instanceType" to "m3.large", "interestingHealthProviderNames" to listOf("Amazon"), "keyPair" to "nf-prod-keypair-a", "loadBalancers" to listOf<Any>(), "moniker" to mapOf( "app" to "spindemo", "cluster" to "spindemo-prestaging-prestaging-baseline", "detail" to "prestaging-baseline", "stack" to "prestaging" ), "provider" to "aws", "securityGroups" to listOf("sg-b575ded0", "sg-b775ded2", "sg-dbe43abf"), "spotPrice" to "", "stack" to "prestaging", "subnetType" to "internal (vpc0)", "suspendedProcesses" to listOf<Any>(), "tags" to mapOf<String, Any>(), "targetGroups" to listOf<Any>(), "targetHealthyDeployPercentage" to 100, "terminationPolicies" to listOf("Default"), "useAmiBlockDeviceMappings" to false, "useSourceCapacity" to false ) val experimentCluster = mapOf( "account" to "prod", "application" to "spindemo", "availabilityZones" to mapOf( "us-west-1" to listOf("us-west-1a", "us-west-1c") ), "capacity" to mapOf("desired" to 1, "max" to 1, "min" to 1), "cloudProvider" to "aws", "cooldown" to 10, "copySourceCustomBlockDeviceMappings" to true, "ebsOptimized" to false, "enabledMetrics" to listOf<Any>(), "freeFormDetails" to "prestaging-canary", "healthCheckGracePeriod" to 600, "healthCheckType" to "EC2", "iamRole" to "spindemoInstanceProfile", "instanceMonitoring" to true, "instanceType" to "m3.large", "interestingHealthProviderNames" to listOf("Amazon"), "keyPair" to "nf-prod-keypair-a", "loadBalancers" to listOf<Any>(), "moniker" to mapOf( "app" to "spindemo", "cluster" to "spindemo-prestaging-prestaging-canary", "detail" to "prestaging-canary", "stack" to "prestaging" ), "provider" to "aws", "securityGroups" to listOf("sg-b575ded0", "sg-b775ded2", "sg-dbe43abf"), "spotPrice" to "", "stack" to "prestaging", "subnetType" to "internal (vpc0)", "suspendedProcesses" to listOf<Any>(), "tags" to mapOf<String, Any>(), "targetGroups" to listOf<Any>(), "targetHealthyDeployPercentage" to 100, "terminationPolicies" to listOf("Default"), "useAmiBlockDeviceMappings" to false, "useSourceCapacity" to false ) val delayBeforeCleanup = Duration.ofHours(3) val pipeline = pipeline { stage { refId = "1" type = KayentaCanaryStage.STAGE_TYPE context["deployments"] = mapOf( "baseline" to baseline, "control" to controlCluster, "experiment" to experimentCluster, "delayBeforeCleanup" to delayBeforeCleanup.toString() ) stage { refId = "1<1" type = DeployCanaryClustersStage.STAGE_TYPE } stage { refId = "1>1" type = CleanupCanaryClustersStage.STAGE_TYPE syntheticStageOwner = STAGE_AFTER } } } val canaryCleanupStage = pipeline.stageByRef("1>1") val beforeStages = subject.beforeStages(canaryCleanupStage) it("first disables the control and experiment clusters") { beforeStages.named("Disable control cluster") { assertThat(type).isEqualTo(DisableClusterStage.STAGE_TYPE) assertThat(requisiteStageRefIds).isEmpty() assertThat(context["cloudProvider"]).isEqualTo("aws") assertThat(context["credentials"]).isEqualTo(controlCluster["account"]) assertThat(context["cluster"]).isEqualTo((controlCluster["moniker"] as Map<String, Any>)["cluster"]) assertThat(context["moniker"]).isEqualTo(mapper.convertValue<Moniker>(controlCluster["moniker"]!!)) assertThat(context["regions"]).isEqualTo(setOf("us-west-1")) assertThat(context["remainingEnabledServerGroups"]).isEqualTo(0) } beforeStages.named("Disable experiment cluster") { assertThat(type).isEqualTo(DisableClusterStage.STAGE_TYPE) assertThat(requisiteStageRefIds).isEmpty() assertThat(context["cloudProvider"]).isEqualTo("aws") assertThat(context["credentials"]).isEqualTo(experimentCluster["account"]) assertThat(context["cluster"]).isEqualTo((experimentCluster["moniker"] as Map<String, Any>)["cluster"]) assertThat(context["moniker"]).isEqualTo(mapper.convertValue<Moniker>(experimentCluster["moniker"]!!)) assertThat(context["regions"]).isEqualTo(setOf("us-west-1")) assertThat(context["remainingEnabledServerGroups"]).isEqualTo(0) } } it("waits after disabling the clusters") { beforeStages.named("Wait before cleanup") { assertThat(type).isEqualTo(WaitStage.STAGE_TYPE) assertThat( requisiteStageRefIds .map(pipeline::stageByRef) .map(Stage::getName) ).containsExactlyInAnyOrder( "Disable control cluster", "Disable experiment cluster" ) assertThat(context["waitTime"]).isEqualTo(delayBeforeCleanup.seconds) } } it("finally destroys the clusters") { beforeStages.named("Cleanup control cluster") { assertThat(type).isEqualTo(ShrinkClusterStage.STAGE_TYPE) assertThat( requisiteStageRefIds .map(pipeline::stageByRef) .map(Stage::getName) ).containsExactly("Wait before cleanup") assertThat(context["cloudProvider"]).isEqualTo("aws") assertThat(context["credentials"]).isEqualTo(controlCluster["account"]) assertThat(context["cluster"]).isEqualTo((controlCluster["moniker"] as Map<String, Any>)["cluster"]) assertThat(context["moniker"]).isEqualTo(mapper.convertValue<Moniker>(controlCluster["moniker"]!!)) assertThat(context["regions"]).isEqualTo(setOf("us-west-1")) assertThat(context["allowDeleteActive"]).isEqualTo(true) assertThat(context["shrinkToSize"]).isEqualTo(0) } beforeStages.named("Cleanup experiment cluster") { assertThat(type).isEqualTo(ShrinkClusterStage.STAGE_TYPE) assertThat( requisiteStageRefIds .map(pipeline::stageByRef) .map(Stage::getName) ).containsExactly("Wait before cleanup") assertThat(context["cloudProvider"]).isEqualTo("aws") assertThat(context["credentials"]).isEqualTo(experimentCluster["account"]) assertThat(context["cluster"]).isEqualTo((experimentCluster["moniker"] as Map<String, Any>)["cluster"]) assertThat(context["moniker"]).isEqualTo(mapper.convertValue<Moniker>(experimentCluster["moniker"]!!)) assertThat(context["regions"]).isEqualTo(setOf("us-west-1")) assertThat(context["allowDeleteActive"]).isEqualTo(true) assertThat(context["shrinkToSize"]).isEqualTo(0) } } } })
apache-2.0
8f952e8e3f26f03f18d4789d3d9ef264
39.284483
111
0.66927
4.408491
false
false
false
false
toonine/BalaFM
app/src/main/java/com/nice/balafm/util/HttpUtil.kt
1
880
package com.nice.balafm.util import android.content.Context import android.util.Log import android.widget.Toast import okhttp3.* private val client = OkHttpClient() private val JSON = MediaType.parse("application/json; charset=utf-8") internal val HOST_ADDRESS = "http://115.159.67.95" @JvmOverloads fun Context.postJsonRequest(url: String, json: String, callback: Callback, okHttpClient: OkHttpClient = client) { fun isNetworkAvailable() = true if (!isNetworkAvailable()) { Toast.makeText(this, "็ฝ‘็ปœ่ฟžๆŽฅไธๅฏ็”จ, ่ฏท่ฟžๆŽฅ็ฝ‘็ปœๅŽ้‡่ฏ•", Toast.LENGTH_SHORT).show() return } val body = RequestBody.create(JSON, json) val request = Request.Builder() .url(url) .post(body) .build() Log.d("request_to_server", "URL: $url, JSON: $json") okHttpClient.newCall(request).enqueue(callback) }
apache-2.0
5b9aab16e6676eca4a4f569878eaee6b
25.5625
113
0.682353
3.648069
false
false
false
false
JonathanxD/CodeAPI
src/main/kotlin/com/github/jonathanxd/kores/Instructions.kt
1
18800
/* * Kores - Java source and Bytecode generation framework <https://github.com/JonathanxD/Kores> * * The MIT License (MIT) * * Copyright (c) 2020 TheRealBuggy/JonathanxD (https://github.com/JonathanxD/) <[email protected]> * Copyright (c) contributors * * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. */ package com.github.jonathanxd.kores import com.github.jonathanxd.kores.base.* import com.github.jonathanxd.kores.inspect.InstructionsInspect import com.github.jonathanxd.kores.type.`is` import com.github.jonathanxd.kores.type.getCommonSuperType import com.github.jonathanxd.iutils.container.primitivecontainers.BooleanContainer import java.lang.reflect.Type import java.util.* import java.util.function.Consumer import java.util.stream.Stream /** * Abstract [Instruction] iterable. * * @see ArrayInstructions * @see MutableInstructions */ abstract class Instructions : Iterable<Instruction>, KoresPart { /** * Size of source. */ abstract val size: Int /** * True if is empty, false otherwise. */ val isEmpty: Boolean get() = this.size == 0 /** * True if is not empty, false otherwise. */ val isNotEmpty: Boolean get() = !this.isEmpty /** * Gets element at index [index]. * * @throws IndexOutOfBoundsException If the [index] is either negative or greater than [size]. */ operator fun get(index: Int): Instruction { if (index < 0 || index >= this.size) throw IndexOutOfBoundsException("Index: $index. Size: $size") return this.getAtIndex(index) } /** * Gets element at index [index]. This method should only be called if the index * is in the bounds. */ protected abstract fun getAtIndex(index: Int): Instruction /** * Returns true if this [Instructions] contains [o]. */ abstract operator fun contains(o: Any): Boolean /** * Returns true if this [Instructions] contains all elements of [c]. */ open fun containsAll(c: Collection<*>): Boolean { return c.all { this.contains(it) } } /** * Adds [other] to this [Instructions]. */ abstract operator fun plus(other: Instruction): Instructions /** * Removes [other] from this [Instructions]. */ abstract operator fun minus(other: Instruction): Instructions /** * Adds all [Instruction] of [other] to this [Instructions] */ abstract operator fun plus(other: Iterable<Instruction>): Instructions /** * Removes all [Instruction] of [other] from this [Instructions] */ abstract operator fun minus(other: Iterable<Instruction>): Instructions /** * Returns the index of [o] in this [Instructions]. */ abstract fun indexOf(o: Any): Int /** * Returns the last index of [o] in this [Instructions]. */ abstract fun lastIndexOf(o: Any): Int /** * For each all elements of this [Instructions]. */ abstract override fun forEach(action: Consumer<in Instruction>) /** * Creates an array of [Instruction] of all elements of this [Instructions]. */ abstract fun toArray(): Array<Instruction> /** * Creates a [Spliterator] from elements of this [Instructions]. */ abstract override fun spliterator(): Spliterator<Instruction> /** * Creates an [Iterator] that iterates elements of this [Instructions]. */ abstract override fun iterator(): Iterator<Instruction> /** * Creates a view of this [Instructions] from index [fromIndex] to index [toIndex], * changes to this [Instructions] is reflected in current [Instructions]. */ abstract fun subSource(fromIndex: Int, toIndex: Int): Instructions /** * Creates a immutable [Instructions] with elements of this [Instructions]. */ open fun toImmutable(): Instructions = ArrayInstructions(this.toArray()) /** * Creates a mutable [Instructions] with elements of this [Instructions]. */ open fun toMutable(): MutableInstructions = ListInstructions(this) /** * Creates a [ListIterator] that iterates this [Instructions]. */ abstract fun listIterator(): ListIterator<Instruction> /** * Creates a [ListIterator] that iterates this [Instructions] and starts at [index]. */ abstract fun listIterator(index: Int): ListIterator<Instruction> /** * Creates a [Stream] of this [Instructions]. */ abstract fun stream(): Stream<Instruction> /** * Creates a parallel [Stream] of this [Instructions] (which may or may not be parallel). */ abstract fun parallelStream(): Stream<Instruction> override fun toString(): String = if (this.isEmpty) "Instructions[]" else "Instructions[...]" /** * Factory methods to create immutable [Instructions]. */ companion object { private val EMPTY = emptyArray<Instruction>() private val EMPTY_INSTRUCTIONS = ArrayInstructions(EMPTY) /** * Returns a empty immutable [Instructions]. */ @JvmStatic fun empty(): Instructions { return Instructions.EMPTY_INSTRUCTIONS } /** * Creates a immutable [Instructions] with all elements of [parts]. */ @JvmStatic fun fromArray(parts: Array<Instruction>): Instructions { return ArrayInstructions(parts.clone()) } /** * Creates a immutable [Instructions] with a single [part]. */ @JvmStatic fun fromPart(part: Instruction): Instructions { return ArrayInstructions(arrayOf(part)) } /** * Creates a immutable [Instructions] with all elements of vararg [parts]. */ @JvmStatic fun fromVarArgs(vararg parts: Instruction): Instructions { return ArrayInstructions(Array(parts.size, { parts[it] })) } /** * Creates a immutable [Instructions] from elements of [iterable]. */ @Suppress("UNCHECKED_CAST") @JvmStatic fun fromIterable(iterable: Iterable<Instruction>): Instructions { if (iterable is Collection<Instruction>) { return if (iterable.isEmpty()) { empty() } else { ArrayInstructions(iterable.toTypedArray()) } } return ArrayInstructions(iterable.toList().toTypedArray()) } /** * Creates a immutable [Instructions] from elements of generic [iterable]. */ @Suppress("UNCHECKED_CAST") @JvmStatic fun fromGenericIterable(iterable: Iterable<*>): Instructions { if (iterable is Collection<*>) { return if (iterable.isEmpty()) { empty() } else { ArrayInstructions((iterable as Collection<Instruction>).toTypedArray()) } } return ArrayInstructions((iterable as Iterable<Instruction>).toList().toTypedArray()) } /** * Creates a immutable [Instructions] with all elements of [Instructions] of [iterable]. */ @Suppress("UNCHECKED_CAST") @JvmStatic fun fromInstructionsIterable(iterable: Iterable<Instructions>): Instructions { if (iterable is Collection<Instructions>) { return if (iterable.isEmpty()) { empty() } else { ArrayInstructions(iterable.flatMap { it }.toTypedArray()) } } return ArrayInstructions(iterable.flatMap { it }.toTypedArray()) } } } /** * Insert element `toInsert` in `source` after element determined by `predicate` or at end of source if not found. * @param predicate Predicate to determine element * @param toInsert Element to insert after element determined by `predicate` * @return `source` */ fun Instructions.insertAfterOrEnd( predicate: (Instruction) -> Boolean, toInsert: Instructions ): MutableInstructions { val any = BooleanContainer.of(false) val result = this.insertAfter({ codePart -> if (predicate(codePart)) { any.toTrue() return@insertAfter true } false }, toInsert) if (!any.get()) { result.addAll(toInsert) } return result } /** * Insert element `toInsert` in `source` before element determined by `predicate` or at end of source if not found. * * @param predicate Predicate to determine element * @param toInsert Element to insert after element determined by `predicate` * @return `source` */ fun Instructions.insertBeforeOrEnd( predicate: (Instruction) -> Boolean, toInsert: Instructions ): MutableInstructions { val any = BooleanContainer.of(false) val result = this.insertBefore({ codePart -> if (predicate(codePart)) { any.toTrue() true } else false }, toInsert) if (!any.get()) { result.addAll(toInsert) } return result } /** * Insert element `toInsert` in `source` after element determined by `predicate` or at start of source if not found. * @param predicate Predicate to determine element * @param toInsert Element to insert after element determined by `predicate` * @return `source` */ fun Instructions.insertAfterOrStart( predicate: (Instruction) -> Boolean, toInsert: Instructions ): MutableInstructions { val any = BooleanContainer.of(false) val result = this.insertAfter({ codePart -> if (predicate(codePart)) { any.toTrue() return@insertAfter true } false }, toInsert) if (!any.get()) { result.addAll(0, toInsert) } return result } /** * Insert element `toInsert` in `source` before element determined by `predicate` or at start of source if not found. * * @param predicate Predicate to determine element * @param toInsert Element to insert after element determined by `predicate` * @return `source` */ fun Instructions.insertBeforeOrStart( predicate: (Instruction) -> Boolean, toInsert: Instructions ): MutableInstructions { val any = BooleanContainer.of(false) val result = this.insertBefore({ codePart -> if (predicate(codePart)) { any.toTrue() true } else false }, toInsert) if (!any.get()) { result.addAll(0, toInsert) } return result } /** * Insert element `toInsert` in `source` after element determined by `predicate` * * @param predicate Predicate to determine element * @param toInsert Element to insert after element determined by `predicate` * @return `source` */ fun Instructions.insertAfter( predicate: (Instruction) -> Boolean, toInsert: Instructions ): MutableInstructions { val any = BooleanContainer.of(false) return this.visit({ part, location, codeParts -> if (any.get()) return@visit if (location == Location.AFTER) { if (predicate(part)) { codeParts.addAll(toInsert) any.set(true) } } }) } /** * Insert element `toInsert` in `source` before element determined by `predicate` * * @param predicate Predicate to determine element * @param toInsert Element to insert before element determined by `predicate` * @return `source` */ fun Instructions.insertBefore( predicate: (Instruction) -> Boolean, toInsert: Instructions ): MutableInstructions { val any = BooleanContainer.of(false) return this.visit({ part, location, codeParts -> if (any.get()) return@visit if (location == Location.BEFORE) { if (predicate(part)) { codeParts.addAll(toInsert) any.set(true) } } }) } /** * Visit Code Source elements. * * This method create a new [Instructions] and add all elements from `codeSource` * before and after visits each [KoresPart] of `codeSource`. * * When visiting process finish, it will clear `codeSource` and add all elements from new * [Instructions] * * @param consumer Consumer * @return Result source. */ fun Instructions.visit(consumer: (Instruction, Location, MutableInstructions) -> Unit): MutableInstructions { val returnSource = ListInstructions() for (codePart in this) { consumeIfExists( codePart, { codePart0 -> consumer(codePart0, Location.BEFORE, returnSource) }) returnSource.add(codePart) consumeIfExists( codePart, { codePart0 -> consumer(codePart0, Location.AFTER, returnSource) }) } return returnSource } private fun consumeIfExists(part: Instruction, sourceConsumer: (Instruction) -> Unit) { if (part is BodyHolder) { for (codePart in part.body) { consumeIfExists(codePart, sourceConsumer) } } else { sourceConsumer(part) } } /** * Find an element in a code source. (Highly recommended to use [InstructionsInspect] instead of this. * * @param predicate Predicate. * @param function Mapper. * @param U Mapped return type. * @return List of mapped parts. */ fun <U> Instructions.find( predicate: (Instruction) -> Boolean, function: (Instruction) -> U ): List<U> { val list = ArrayList<U>() for (codePart in this) { if (codePart is Instructions) { list.addAll(this.find(predicate, function)) } else { if (predicate(codePart)) { list.add(function(codePart)) } } } return list } /** * Tries to determine which type this [Instructions] collection leaves on stack or returns, * if this `source` leaves two different types (ex, [String] and [List]), the returned type is * [Any], if source leaves two different primitive types, or an object type and a primitive, `null` is returned. * * This function does not check if a value of the returned [Type] will be always leaved in stack because this does * not do flow analysis, example of scenario that this function returns a type that may not be leaved: * * ``` * if (a) { * "Hello" * } else {} * ``` * * This function will return [String], but this expression does not leave [String] in stack in all cases. */ /** * Returns the type that this [Instructions] leaves on stack. * * This function analyzes the last instruction of [Instructions] and infer the type of value leaved on stack. * * Examples: * * For * * ``` * if (a == 9) { * "x" * } else { * "b" * } * ``` * This returns [String] * * For * * ``` * if (a == 9) { * "x" * } else { * Integer.valueOf(0) * } * ``` * * This returns [Object] * * but for: * * ``` * if (a == 9) { * "x" * } else { * } * ``` * * This returns `null`. */ fun Instructions.getLeaveType(): Type? { return this.lastOrNull()?.safeForComparison?.getLeaveType() } /** * Returns the type leaved in stack by this [Instruction] */ fun Instruction.getLeaveType(): Type? { when (this) { is MethodInvocation -> { if (this.target.safeForComparison is New) { return (this.target.safeForComparison as New).localization } else { val rtype = this.spec.typeSpec.returnType if (!rtype.`is`(Types.VOID)) { return rtype } } } is Access -> { when (this) { Access.SUPER -> return Alias.SUPER Access.THIS -> return Alias.THIS } } is IfStatement -> { val bType = this.body.getLeaveType() val eType = this.elseStatement.getLeaveType() return if (bType != null && eType != null) { if (bType.`is`(eType)) bType else getCommonSuperType(bType, eType) } else { null } } is TryStatementBase -> { val btype = this.body.getLeaveType() val types = this.catchStatements.map { it.body.getLeaveType() } val ftype = this.finallyStatement.getLeaveType() return if (btype != null && ftype != null && types.isNotEmpty() && types.all { it != null }) { if (ftype.`is`(btype) && types.filterNotNull().all { it.`is`(btype) }) { btype } else { types.filterNotNull().fold(getCommonSuperType(ftype, btype)) { a, b -> if (a == null) null else getCommonSuperType(a, b) } } } else { null } } is SwitchStatement -> { val types = this.cases.map { it.body.getLeaveType() } return if (types.isNotEmpty() && types.all { it != null }) { types.reduce { acc, type -> if (acc == null || type == null) null else getCommonSuperType(acc, type) } } else { null } } is LocalCode -> return null is BodyHolder -> return this.body.getLeaveType() is Typed -> return this.type } return null } /** * Location to insert element. */ enum class Location { /** * Insert before. */ BEFORE, /** * Insert after. */ AFTER }
mit
8413c5a07bafe3fd79475b2e3ac0989e
27.398792
118
0.60266
4.59433
false
false
false
false
evoasm/evoasm
test/evoasm/x64/InterpreterTest.kt
1
17169
package evoasm.x64 import kasm.x64.* import org.junit.jupiter.api.Test import kasm.x64.GpRegister64.* import kasm.x64.XmmRegister.* import kasm.x64.YmmRegister.* import org.junit.jupiter.params.ParameterizedTest import org.junit.jupiter.params.provider.CsvSource import org.junit.jupiter.params.provider.ValueSource import kotlin.test.assertEquals import kotlin.test.assertNotEquals internal class InterpreterTest { private fun <T> operandRegisters(size: Int, registers: List<T>) : List<List<T>> { return List(size){ listOf(registers[it]) } } @ParameterizedTest @ValueSource(strings = ["false", "true"]) fun runAllInstructions(compressOpcodes: Boolean) { val programInput = LongProgramSetInput(1, 2) programInput[0, 0] = 0x1L programInput[0, 1] = 0x2L val defaultOptions = InterpreterOptions.DEFAULT val instructionCount = defaultOptions.instructions.size println(defaultOptions.instructions.size) val options = InterpreterOptions(instructions = defaultOptions.instructions.take(instructionCount), compressOpcodes = compressOpcodes, moveInstructions = defaultOptions.moveInstructions, xmmOperandRegisters = operandRegisters(4, Interpreter.XMM_REGISTERS), ymmOperandRegisters = operandRegisters(4, Interpreter.YMM_REGISTERS), mmOperandRegisters = operandRegisters(3, Interpreter.MM_REGISTERS), gp64OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS), gp32OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS.map{it.subRegister32}), gp16OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS.map{it.subRegister16}), gp8OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS.map{it.subRegister8}), unsafe = false ) println(options.instructions.last()) val programSet = ProgramSet(1000, options.instructions.size) val programSetOutput = LongProgramSetOutput(programSet.programCount, programInput) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) for(i in 0 until programSet.programCount) { for (j in 0 until programSet.programSize) { programSet[i, j] = interpreter.getOpcode(j) } } val measurements = interpreter.runAndMeasure() println(measurements) println(interpreter.statistics) println("Output: ${programSetOutput[0, 0]}") } @ParameterizedTest @ValueSource(strings = ["false", "true"]) fun addLong(compressOpcodes: Boolean) { val programSize = 5_500_000 val expectedOutput = programSize.toLong() val programInput = LongProgramSetInput(1, 2) programInput[0, 0] = 0x0L programInput[0, 1] = 0x1L //val options = InterpreterOptions.DEFAULT val options = InterpreterOptions(instructions = InstructionGroup.ARITHMETIC_GP64_INSTRUCTIONS.instructions, compressOpcodes = compressOpcodes, moveInstructions = emptyList(), gp64OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS), unsafe = false) val programSet = ProgramSet(1, programSize) val programSetOutput = LongProgramSetOutput(programSet.programCount, programInput) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) for (j in 0 until programSet.programSize) { programSet[0, j] = interpreter.getOpcode(AddRm64R64, RAX, RBX)!! } run { val output = programSetOutput.getLong(0, 0) assertNotEquals(expectedOutput, output) } val measurements = interpreter.runAndMeasure() println(measurements) run { val output = programSetOutput.getLong(0, 0) assertEquals(expectedOutput, output) } } // @TestFactory // fun addSubLong(): List<DynamicTest> { // return listOf(false, true).flatMap { compressOpcodes -> // listOf(InterpreterOptions.defaultInstructions,InstructionGroup.ARITHMETIC_GP64_INSTRUCTIONS.instructions).map { instructions -> // dynamicTest(listOf(compressOpcodes).toString()) { // addSubLong(compressOpcodes, instructions) // } // } // } // } enum class TestInstructionGroup { ALL_INSTRUCTIONS { override val instructions: List<Instruction> get() = InstructionGroup.all }, ARITHMETIC_GP64_INSTRUCTIONS { override val instructions: List<Instruction> get() = InstructionGroup.ARITHMETIC_GP64_INSTRUCTIONS.instructions } ; abstract val instructions : List<Instruction> } @ParameterizedTest @CsvSource( "false, ALL_INSTRUCTIONS", "true, ALL_INSTRUCTIONS", "false, ARITHMETIC_GP64_INSTRUCTIONS", "true, ARITHMETIC_GP64_INSTRUCTIONS" ) fun addSubLong(compressOpcodes: Boolean, instructionGroup: TestInstructionGroup) { val programSize = 10_000 val expectedOutput = programSize.toLong() val programInput = LongProgramSetInput(1, 2) programInput[0, 0] = 0x0L programInput[0, 1] = 0x1L val options = InterpreterOptions(instructions = instructionGroup.instructions, compressOpcodes = compressOpcodes, xmmOperandRegisters = operandRegisters(4, Interpreter.XMM_REGISTERS), ymmOperandRegisters = operandRegisters(4, Interpreter.YMM_REGISTERS), mmOperandRegisters = operandRegisters(3, Interpreter.MM_REGISTERS), gp64OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS), gp32OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS.map{it.subRegister32}), gp16OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS.map{it.subRegister16}), gp8OperandRegisters = operandRegisters(3, Interpreter.GP_REGISTERS.map{it.subRegister8}), unsafe = false ) val programSet = ProgramSet(2, programSize) val programSetOutput = LongProgramSetOutput(programSet.programCount, programInput) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) for (i in 0 until programSet.programSize) { programSet[0, i] = interpreter.getOpcode(AddRm64R64, RAX, RBX)!! } for (i in 0 until programSet.programSize) { programSet[1, i] = interpreter.getOpcode(SubRm64R64, RAX, RBX)!! } run { val output = programSetOutput.getLong(0, 0) assertNotEquals(expectedOutput, output) } val measurements = interpreter.runAndMeasure() println(measurements) run { assertEquals(expectedOutput, programSetOutput.getLong(0, 0)) assertEquals(-expectedOutput, programSetOutput.getLong(1, 0)) } } @Test fun addSubByteVector() { val programSize = 10 val programInput = ByteVectorProgramSetInput(1, 3, VectorSize.BITS_256) val elementCount = programInput.vectorSize.byteSize val expectedOutput = Array(elementCount) { ((it % 4) * programSize / 2).toByte() } programInput[0, 0] = Array(elementCount){0.toByte()} programInput[0, 1] = Array(elementCount){0.toByte()} programInput[0, 2] = Array(elementCount){(it % 4).toByte()} val options = InterpreterOptions(instructions = InstructionGroup.ARITHMETIC_B_AVX_YMM_INSTRUCTIONS.instructions, moveInstructions = listOf(VmovdqaYmmYmmm256), unsafe = false) val programSet = ProgramSet(2, programSize) val programSetOutput = ByteVectorProgramSetOutput(programSet.programCount, programInput, VectorSize.BITS_256) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) val interpreterMoveInstruction = interpreter.getOpcode(VmovdqaYmmYmmm256, YMM1, YMM0)!! for (i in 0 until programSet.programSize step 2) { programSet[0, i] = interpreter.getOpcode(VpaddbYmmYmmYmmm256, YMM0, YMM1, YMM2)!! programSet[0, i + 1] = interpreterMoveInstruction } for (i in 0 until programSet.programSize step 2) { programSet[1, i] = interpreter.getOpcode(VpsubbYmmYmmYmmm256, YMM0, YMM1, YMM2)!! programSet[1, i + 1] = interpreterMoveInstruction } run { val output = programSetOutput[0, 0] assertNotEquals(expectedOutput, output) } val measurements = interpreter.runAndMeasure() println(measurements) run { assertEquals(expectedOutput.toList(), programSetOutput[0, 0].toList()) assertEquals(expectedOutput.map{(-it).toByte()}, programSetOutput.get(1, 0).toList()) } } @Test fun addSubIntVector() { val programSize = 10_000_000 val programInput = IntVectorProgramSetInput(1, 3, VectorSize.BITS_256) val elementCount = programInput.vectorSize.byteSize / Int.SIZE_BYTES val expectedOutput = Array(elementCount) { ((it % 4) * programSize / 2) } programInput[0, 0] = Array(elementCount){ 0 } programInput[0, 1] = Array(elementCount){ 0 } programInput[0, 2] = Array(elementCount){ (it % 4) } val options = InterpreterOptions(instructions = InstructionGroup.ARITHMETIC_D_AVX_YMM_INSTRUCTIONS.instructions, moveInstructions = listOf(VmovdqaYmmYmmm256), unsafe = false) val programSet = ProgramSet(2, programSize) val programSetOutput = IntVectorProgramSetOutput(programSet.programCount, programInput, VectorSize.BITS_256) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) val interpreterMoveInstruction = interpreter.getOpcode(VmovdqaYmmYmmm256, YMM1, YMM0)!! for (i in 0 until programSet.programSize step 2) { programSet[0, i] = interpreter.getOpcode(VpadddYmmYmmYmmm256, YMM0, YMM1, YMM2)!! programSet[0, i + 1] = interpreterMoveInstruction } for (i in 0 until programSet.programSize step 2) { programSet[1, i] = interpreter.getOpcode(VpsubdYmmYmmYmmm256, YMM0, YMM1, YMM2)!! programSet[1, i + 1] = interpreterMoveInstruction } run { val output = programSetOutput[0, 0] assertNotEquals(expectedOutput, output) } val measurements = interpreter.runAndMeasure() println(measurements) run { assertEquals(expectedOutput.toList(), programSetOutput[0, 0].toList()) assertEquals(expectedOutput.map{ (-it) }, programSetOutput.get(1, 0).toList()) } } @Test fun addSubFloatVector() { val programSize = 1000 val programInput = FloatVectorProgramSetInput(1, 3, VectorSize.BITS_256) val elementCount = programInput.vectorSize.byteSize / 4 val expectedOutput = Array(elementCount) { ((it % 4) * programSize / 2).toFloat() } programInput[0, 0] = Array(elementCount){0.toFloat()} programInput[0, 1] = Array(elementCount){0.toFloat()} programInput[0, 2] = Array(elementCount){(it % 4).toFloat()} val options = InterpreterOptions(instructions = InstructionGroup.ARITHMETIC_PS_AVX_YMM_INSTRUCTIONS.instructions, moveInstructions = listOf(VmovapsYmmYmmm256), unsafe = false) val programSet = ProgramSet(2, programSize) val programSetOutput = FloatVectorProgramSetOutput(programSet.programCount, programInput, VectorSize.BITS_256) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) val interpreterMoveInstruction = interpreter.getOpcode(VmovapsYmmYmmm256, YMM1, YMM0)!! val addOpcode = interpreter.getOpcode(VaddpsYmmYmmYmmm256, YMM0, YMM1, YMM2)!! val subOpcode = interpreter.getOpcode(VsubpsYmmYmmYmmm256, YMM0, YMM1, YMM2)!! for (i in 0 until programSet.programSize step 2) { programSet[0, i] = addOpcode programSet[0, i + 1] = interpreterMoveInstruction } for (i in 0 until programSet.programSize step 2) { programSet[1, i] = subOpcode programSet[1, i + 1] = interpreterMoveInstruction } run { val output = programSetOutput[0, 0] assertNotEquals(expectedOutput, output) } val measurements = interpreter.runAndMeasure() println(measurements) run { assertEquals(expectedOutput.toList(), programSetOutput[0, 0].toList()) assertEquals(expectedOutput.map{(-it + 0f).toFloat()}, programSetOutput.get(1, 0).toList()) } } @Test fun addDouble() { val programSize = 100_000 val expectedOutput = programSize.toDouble() val programInput = DoubleProgramSetInput(1, 2) programInput[0, 0] = 0.0 programInput[0, 1] = 1.0 val options = InterpreterOptions(instructions = InstructionGroup.ARITHMETIC_SD_SSE_XMM_INSTRUCTIONS.instructions, moveInstructions = listOf(), unsafe = false) val programSet = ProgramSet(2, programSize) val programSetOutput = DoubleProgramSetOutput(programSet.programCount, programInput) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) val opcode = interpreter.getOpcode(AddsdXmm0To63Xmmm64, XMM0, XMM1)!! for (j in 0 until programSet.programSize) { programSet[0, j] = opcode } run { val output = programSetOutput.getDouble(0, 0) assertNotEquals(expectedOutput, output) } val measurements = interpreter.runAndMeasure() println(measurements) run { assertEquals(expectedOutput, programSetOutput[0, 0]) } } @Test fun addSubDoubleWithMultipleInputs() { val programSize = 100_000 val factor = 4.0; val expectedOutput = programSize.toDouble() val programInput = DoubleProgramSetInput(2, 2) programInput[0, 0] = 0.0 programInput[0, 1] = 1.0 programInput[1, 0] = 0.0 programInput[1, 1] = factor val options = InterpreterOptions(instructions = InstructionGroup.ARITHMETIC_SD_SSE_XMM_INSTRUCTIONS.instructions, moveInstructions = listOf(), unsafe = false) val programSet = ProgramSet(2, programSize) val programSetOutput = DoubleProgramSetOutput(programSet.programCount, programInput) val interpreter = Interpreter(programSet, programInput, programSetOutput, options = options) println("OUTPUT SIZE ${programSetOutput.size}") val addOpcode = interpreter.getOpcode(AddsdXmm0To63Xmmm64, XMM0, XMM1)!! val subOpcode = interpreter.getOpcode(SubsdXmm0To63Xmmm64, XMM0, XMM1)!! for (j in 0 until programSet.programSize) { programSet[0, j] = addOpcode } for (j in 0 until programSet.programSize) { programSet[1, j] = subOpcode } run { val output = programSetOutput.getDouble(0, 0) assertNotEquals(expectedOutput, output) } run { val output = programSetOutput.getDouble(1, 0) assertNotEquals(expectedOutput, -output) } val measurements = interpreter.runAndMeasure() println(measurements) run { assertEquals(expectedOutput, programSetOutput[0, 0]) assertEquals(expectedOutput * factor, programSetOutput[0, 1]) } run { assertEquals(-expectedOutput, programSetOutput[1, 0]) assertEquals(-expectedOutput * factor, programSetOutput[1, 1]) } } }
agpl-3.0
2e2dc9dd59d2913e38fad111137a2df1
42.24937
149
0.613082
5.244044
false
false
false
false
Seancheey/Ark-Sonah
src/com/seancheey/resources/Resources.kt
1
1386
package com.seancheey.resources import java.io.* /** * Created by Seancheey on 02/06/2017. * GitHub: https://github.com/Seancheey */ object Resources { val components_json: String get() = getResourceString("dat/components.json")!! val errorImageInStream: InputStream get() = getResourceInStream("dat/error.png")!! val noRobotImageInStream: InputStream get() = getResourceInStream("dat/norobot.png") ?: errorImageInStream val arrowImageInStream: InputStream get() = getResourceInStream("dat/arrow.png") ?: errorImageInStream val titleImageInStream: InputStream get() = getResourceInStream("dat/title.png") ?: errorImageInStream val transparentImageInStream: InputStream get() = getResourceInStream("dat/transparent.png") ?: errorImageInStream fun getResourceString(path: String): String? { try { val buffReader = BufferedReader(InputStreamReader(getResourceInStream(path)) as Reader) val strBuilder = StringBuilder() while (true) { val line = buffReader.readLine() ?: break strBuilder.append("$line\n") } return strBuilder.toString() } catch (e: IOException) { return null } } fun getResourceInStream(path: String): InputStream? = javaClass.getResourceAsStream(path) }
mit
2fbd3ec03ba524f5b66361d5fef44cf9
35.5
99
0.657287
5.114391
false
false
false
false
zbeboy/ISY
src/main/java/top/zbeboy/isy/web/data/school/SchoolController.kt
1
8474
package top.zbeboy.isy.web.data.school import org.springframework.stereotype.Controller import org.springframework.ui.ModelMap import org.springframework.util.ObjectUtils import org.springframework.util.StringUtils import org.springframework.validation.BindingResult import org.springframework.web.bind.annotation.RequestMapping import org.springframework.web.bind.annotation.RequestMethod import org.springframework.web.bind.annotation.RequestParam import org.springframework.web.bind.annotation.ResponseBody import top.zbeboy.isy.domain.tables.pojos.School import top.zbeboy.isy.service.data.SchoolService import top.zbeboy.isy.web.common.MethodControllerCommon import top.zbeboy.isy.web.util.AjaxUtils import top.zbeboy.isy.web.util.DataTablesUtils import top.zbeboy.isy.web.util.SmallPropsUtils import top.zbeboy.isy.web.vo.data.school.SchoolVo import java.util.* import javax.annotation.Resource import javax.servlet.http.HttpServletRequest import javax.validation.Valid /** * Created by zbeboy 2017-12-01 . **/ @Controller open class SchoolController { @Resource open lateinit var schoolService: SchoolService @Resource open lateinit var methodControllerCommon: MethodControllerCommon /** * ่Žทๅ–ๅ…จ้ƒจๅญฆๆ ก * * @return ๅ…จ้ƒจๅญฆๆ ก json */ @RequestMapping(value = ["/user/schools"], method = [(RequestMethod.GET)]) @ResponseBody fun schools(): AjaxUtils<School> { val ajaxUtils = AjaxUtils.of<School>() val schools = ArrayList<School>() val isDel: Byte = 0 val school = School(0, "่ฏท้€‰ๆ‹ฉๅญฆๆ ก", isDel) schools.add(school) val schoolRecords = schoolService.findByIsDel(isDel) schoolRecords.mapTo(schools) { School(it.schoolId, it.schoolName, it.schoolIsDel) } return ajaxUtils.success().msg("่Žทๅ–ๅญฆๆ กๆ•ฐๆฎๆˆๅŠŸ๏ผ").listData(schools) } /** * ๅญฆๆ กๆ•ฐๆฎ * * @return ๅญฆๆ กๆ•ฐๆฎ้กต้ข */ @RequestMapping(value = ["/web/menu/data/school"], method = [(RequestMethod.GET)]) fun schoolData(): String { return "web/data/school/school_data::#page-wrapper" } /** * datatables ajaxๆŸฅ่ฏขๆ•ฐๆฎ * * @param request ่ฏทๆฑ‚ * @return datatablesๆ•ฐๆฎ */ @RequestMapping(value = ["/web/data/school/data"], method = [(RequestMethod.GET)]) @ResponseBody fun schoolDatas(request: HttpServletRequest): DataTablesUtils<School> { // ๅ‰ๅฐๆ•ฐๆฎๆ ‡้ข˜ ๆณจ๏ผš่ฆๅ’Œๅ‰ๅฐๆ ‡้ข˜้กบๅบไธ€่‡ด๏ผŒ่Žทๅ–order็”จ val headers = ArrayList<String>() headers.add("select") headers.add("school_id") headers.add("school_name") headers.add("school_is_del") headers.add("operator") val dataTablesUtils = DataTablesUtils<School>(request, headers) val records = schoolService.findAllByPage(dataTablesUtils) var schools: List<School> = ArrayList() if (!ObjectUtils.isEmpty(records) && records.isNotEmpty) { schools = records.into(School::class.java) } dataTablesUtils.data = schools dataTablesUtils.setiTotalRecords(schoolService.countAll().toLong()) dataTablesUtils.setiTotalDisplayRecords(schoolService.countByCondition(dataTablesUtils).toLong()) return dataTablesUtils } /** * ๅญฆๆ กๆ•ฐๆฎๆทปๅŠ  * * @return ๆทปๅŠ ้กต้ข */ @RequestMapping(value = ["/web/data/school/add"], method = [(RequestMethod.GET)]) fun schoolAdd(): String { return "web/data/school/school_add::#page-wrapper" } /** * ๅญฆๆ กๆ•ฐๆฎ็ผ–่พ‘ * * @param id ๅญฆๆ กid * @param modelMap ้กต้ขๅฏน่ฑก * @return ็ผ–่พ‘้กต้ข */ @RequestMapping(value = ["/web/data/school/edit"], method = [(RequestMethod.GET)]) fun schoolEdit(@RequestParam("id") id: Int, modelMap: ModelMap): String { val school = schoolService.findById(id) return if (!ObjectUtils.isEmpty(school)) { modelMap.addAttribute("school", school) "web/data/school/school_edit::#page-wrapper" } else methodControllerCommon.showTip(modelMap, "ๆœชๆŸฅ่ฏขๅˆฐ็›ธๅ…ณๅญฆๆ กไฟกๆฏ") } /** * ไฟๅญ˜ๆ—ถๆฃ€้ชŒๅญฆๆ กๅๆ˜ฏๅฆ้‡ๅค * * @param name ๅญฆๆ กๅ * @return true ๅˆๆ ผ false ไธๅˆๆ ผ */ @RequestMapping(value = ["/web/data/school/save/valid"], method = [(RequestMethod.POST)]) @ResponseBody fun saveValid(@RequestParam("schoolName") name: String): AjaxUtils<*> { val schoolName = StringUtils.trimWhitespace(name) if (StringUtils.hasLength(schoolName)) { val schools = schoolService.findBySchoolName(schoolName) return if (ObjectUtils.isEmpty(schools)) { AjaxUtils.of<Any>().success().msg("ๅญฆๆ กๅไธๅญ˜ๅœจ") } else { AjaxUtils.of<Any>().fail().msg("ๅญฆๆ กๅๅทฒๅญ˜ๅœจ") } } return AjaxUtils.of<Any>().fail().msg("ๅญฆๆ กๅไธ่ƒฝไธบ็ฉบ") } /** * ไฟๅญ˜ๅญฆๆ กไฟกๆฏ * * @param schoolVo ๅญฆๆ ก * @param bindingResult ๆฃ€้ชŒ * @return true ไฟๅญ˜ๆˆๅŠŸ false ไฟๅญ˜ๅคฑ่ดฅ */ @RequestMapping(value = ["/web/data/school/save"], method = [(RequestMethod.POST)]) @ResponseBody fun schoolSave(@Valid schoolVo: SchoolVo, bindingResult: BindingResult): AjaxUtils<*> { if (!bindingResult.hasErrors()) { val school = School() var isDel: Byte? = 0 if (null != schoolVo.schoolIsDel && schoolVo.schoolIsDel == 1.toByte()) { isDel = 1 } school.schoolIsDel = isDel school.schoolName = StringUtils.trimWhitespace(schoolVo.schoolName!!) schoolService.save(school) return AjaxUtils.of<Any>().success().msg("ไฟๅญ˜ๆˆๅŠŸ") } return AjaxUtils.of<Any>().fail().msg("ๅกซๅ†™ไฟกๆฏ้”™่ฏฏ๏ผŒ่ฏทๆฃ€ๆŸฅ") } /** * ๆฃ€้ชŒ็ผ–่พ‘ๆ—ถๅญฆๆ กๅ้‡ๅค * * @param id ๅญฆๆ กid * @param name ๅญฆๆ กๅ * @return true ๅˆๆ ผ false ไธๅˆๆ ผ */ @RequestMapping(value = ["/web/data/school/update/valid"], method = [(RequestMethod.POST)]) @ResponseBody fun updateValid(@RequestParam("schoolId") id: Int, @RequestParam("schoolName") name: String): AjaxUtils<*> { val schoolName = StringUtils.trimWhitespace(name) val schoolRecords = schoolService.findBySchoolNameNeSchoolId(schoolName, id) return if (schoolRecords.isEmpty()) { AjaxUtils.of<Any>().success().msg("ๅญฆๆ กๅไธ้‡ๅค") } else AjaxUtils.of<Any>().fail().msg("ๅญฆๆ กๅ้‡ๅค") } /** * ไฟๅญ˜ๅญฆๆ กๆ›ดๆ”น * * @param schoolVo ๅญฆๆ ก * @param bindingResult ๆฃ€้ชŒ * @return true ๆ›ดๆ”นๆˆๅŠŸ false ๆ›ดๆ”นๅคฑ่ดฅ */ @RequestMapping(value = ["/web/data/school/update"], method = [(RequestMethod.POST)]) @ResponseBody fun schoolUpdate(@Valid schoolVo: SchoolVo, bindingResult: BindingResult): AjaxUtils<*> { if (!bindingResult.hasErrors() && !ObjectUtils.isEmpty(schoolVo.schoolId)) { val school = schoolService.findById(schoolVo.schoolId!!) if (!ObjectUtils.isEmpty(school)) { var isDel: Byte? = 0 if (!ObjectUtils.isEmpty(schoolVo.schoolIsDel) && schoolVo.schoolIsDel == 1.toByte()) { isDel = 1 } school.schoolIsDel = isDel school.schoolName = StringUtils.trimWhitespace(schoolVo.schoolName!!) schoolService.update(school) return AjaxUtils.of<Any>().success().msg("ๆ›ดๆ”นๆˆๅŠŸ") } } return AjaxUtils.of<Any>().fail().msg("ๆ›ดๆ”นๅคฑ่ดฅ") } /** * ๆ‰น้‡ๆ›ดๆ”นๅญฆๆ ก็Šถๆ€ * * @param schoolIds ๅญฆๆ กids * @param isDel is_del * @return trueๆณจ้”€ๆˆๅŠŸ */ @RequestMapping(value = ["/web/data/school/update/del"], method = [(RequestMethod.POST)]) @ResponseBody fun schoolUpdateDel(schoolIds: String, isDel: Byte?): AjaxUtils<*> { if (StringUtils.hasLength(schoolIds) && SmallPropsUtils.StringIdsIsNumber(schoolIds)) { schoolService.updateIsDel(SmallPropsUtils.StringIdsToList(schoolIds), isDel) return AjaxUtils.of<Any>().success().msg("ๆ›ดๆ”นๅญฆๆ ก็Šถๆ€ๆˆๅŠŸ") } return AjaxUtils.of<Any>().fail().msg("ๆ›ดๆ”นๅญฆๆ ก็Šถๆ€ๅคฑ่ดฅ") } }
mit
4328b5136ae8befff5164714f2bc26c6
34.690583
112
0.632194
4.294657
false
false
false
false
PaulWoitaschek/MaterialAudiobookPlayer
app/src/main/java/de/ph1b/audiobook/mvp/Presenter.kt
1
1263
package de.ph1b.audiobook.mvp import android.os.Bundle import androidx.annotation.CallSuper import de.ph1b.audiobook.misc.checkMainThread import io.reactivex.disposables.CompositeDisposable import io.reactivex.disposables.Disposable import timber.log.Timber abstract class Presenter<V : Any> { val view: V get() { checkMainThread() return internalView!! } val attached: Boolean get() { checkMainThread() return internalView != null } private var internalView: V? = null private val compositeDisposable = CompositeDisposable() @CallSuper open fun onRestore(savedState: Bundle) { checkMainThread() } fun attach(view: V) { Timber.i("attach $view") checkMainThread() check(internalView == null) { "$internalView already bound." } internalView = view onAttach(view) } fun detach() { Timber.i("detach $internalView") checkMainThread() compositeDisposable.clear() internalView = null } @CallSuper open fun onSave(state: Bundle) { checkMainThread() } open fun onAttach(view: V) {} fun Disposable.disposeOnDetach() { checkMainThread() if (internalView == null) { dispose() } else compositeDisposable.add(this) } }
lgpl-3.0
e49ca3a65d4587cacaa0a9df520c82b0
19.047619
57
0.679335
4.370242
false
false
false
false
apache/isis
incubator/clients/kroviz/src/test/kotlin/org/apache/causeway/client/kroviz/snapshots/simpleapp1_16_0/ACTIONS_CREATE.kt
2
2770
/* * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. */ package org.apache.causeway.client.kroviz.snapshots.simpleapp1_16_0 import org.apache.causeway.client.kroviz.snapshots.Response object ACTIONS_CREATE : Response() { override val url = "http://localhost:8080/restful/services/simple.SimpleObjectMenu/actions/create" override val str = """{ "id": "create", "memberType": "action", "links": [ { "rel": "self", "href": "http://localhost:8080/restful/services/simple.SimpleObjectMenu/actions/create", "method": "GET", "type": "application/jsonprofile=\"urn:org.restfulobjects:repr-types/object-action\"" }, { "rel": "up", "href": "http://localhost:8080/restful/services/simple.SimpleObjectMenu", "method": "GET", "type": "application/jsonprofile=\"urn:org.restfulobjects:repr-types/object\"", "title": "Simple Objects" }, { "rel": "urn:org.restfulobjects:rels/invokeaction=\"create\"", "href": "http://localhost:8080/restful/services/simple.SimpleObjectMenu/actions/create/invoke", "method": "POST", "type": "application/jsonprofile=\"urn:org.restfulobjects:repr-types/object-action\"", "arguments": { "name": { "value": null } } }, { "rel": "describedby", "href": "http://localhost:8080/restful/domain-types/simple.SimpleObjectMenu/actions/create", "method": "GET", "type": "application/jsonprofile=\"urn:org.restfulobjects:repr-types/action-description\"" } ], "extensions": { "actionType": "user", "actionSemantics": "nonIdempotent" }, "parameters": { "name": { "num": 0, "id": "name", "name": "Name", "description": "" } } }""" }
apache-2.0
1a4a4f94b90580c8f79f3d64b6e13f92
36.945205
107
0.598556
4.222561
false
false
false
false
dzharkov/intellij-markdown
src/org/intellij/markdown/flavours/gfm/GFMMarkerProcessor.kt
1
2403
package org.intellij.markdown.flavours.gfm import org.intellij.markdown.MarkdownTokenTypes import org.intellij.markdown.flavours.commonmark.CommonMarkMarkerProcessor import org.intellij.markdown.parser.LookaheadText import org.intellij.markdown.parser.MarkerProcessor import org.intellij.markdown.parser.MarkerProcessorFactory import org.intellij.markdown.parser.ProductionHolder import org.intellij.markdown.parser.constraints.MarkdownConstraints import org.intellij.markdown.parser.sequentialparsers.SequentialParser public class GFMMarkerProcessor(productionHolder: ProductionHolder, constraintsBase: MarkdownConstraints) : CommonMarkMarkerProcessor(productionHolder, constraintsBase) { override fun populateConstraintsTokens(pos: LookaheadText.Position, constraints: MarkdownConstraints, productionHolder: ProductionHolder) { if (constraints !is GFMConstraints || !constraints.hasCheckbox()) { super.populateConstraintsTokens(pos, constraints, productionHolder) return } val line = pos.currentLine var offset = pos.offsetInCurrentLine while (offset < line.length() && line[offset] != '[') { offset++ } if (offset == line.length()) { super.populateConstraintsTokens(pos, constraints, productionHolder) return } val type = when (constraints.getLastType()) { '>' -> MarkdownTokenTypes.BLOCK_QUOTE '.', ')' -> MarkdownTokenTypes.LIST_NUMBER else -> MarkdownTokenTypes.LIST_BULLET } val middleOffset = pos.offset - pos.offsetInCurrentLine + offset val endOffset = Math.min(pos.offset - pos.offsetInCurrentLine + constraints.getCharsEaten(pos.currentLine), pos.nextLineOrEofOffset) productionHolder.addProduction(listOf( SequentialParser.Node(pos.offset..middleOffset, type), SequentialParser.Node(middleOffset..endOffset, GFMTokenTypes.CHECK_BOX) )) } public object Factory : MarkerProcessorFactory { override fun createMarkerProcessor(productionHolder: ProductionHolder): MarkerProcessor<*> { return GFMMarkerProcessor(productionHolder, GFMConstraints.BASE) } } }
apache-2.0
c2fc0b47e4c96723fb5f788de9efaae3
42.709091
115
0.677903
5.667453
false
false
false
false
JetBrains/intellij-community
plugins/kotlin/idea/src/org/jetbrains/kotlin/idea/intentions/ImplementAbstractMemberIntention.kt
1
13008
// Copyright 2000-2022 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license. package org.jetbrains.kotlin.idea.intentions import com.intellij.codeInsight.CodeInsightBundle import com.intellij.codeInsight.FileModificationService import com.intellij.codeInsight.generation.OverrideImplementUtil import com.intellij.codeInsight.intention.impl.BaseIntentionAction import com.intellij.ide.util.PsiClassListCellRenderer import com.intellij.ide.util.PsiClassRenderingInfo import com.intellij.ide.util.PsiElementListCellRenderer import com.intellij.java.JavaBundle import com.intellij.openapi.application.runReadAction import com.intellij.openapi.application.runWriteAction import com.intellij.openapi.diagnostic.Logger import com.intellij.openapi.editor.Editor import com.intellij.openapi.fileEditor.FileEditorManager import com.intellij.openapi.fileEditor.OpenFileDescriptor import com.intellij.openapi.ui.popup.IPopupChooserBuilder import com.intellij.openapi.ui.popup.PopupChooserBuilder import com.intellij.openapi.util.TextRange import com.intellij.psi.PsiClass import com.intellij.psi.PsiElement import com.intellij.psi.PsiFile import com.intellij.ui.components.JBList import com.intellij.util.IncorrectOperationException import org.jetbrains.kotlin.asJava.classes.KtLightClass import org.jetbrains.kotlin.asJava.toLightMethods import org.jetbrains.kotlin.descriptors.CallableMemberDescriptor import org.jetbrains.kotlin.descriptors.ClassDescriptor import org.jetbrains.kotlin.descriptors.ClassKind import org.jetbrains.kotlin.idea.base.resources.KotlinBundle import org.jetbrains.kotlin.idea.caches.resolve.resolveToDescriptorIfAny import org.jetbrains.kotlin.idea.caches.resolve.util.getJavaClassDescriptor import org.jetbrains.kotlin.idea.codeinsight.api.classic.intentions.SelfTargetingRangeIntention import org.jetbrains.kotlin.idea.core.overrideImplement.BodyType import org.jetbrains.kotlin.idea.core.overrideImplement.GenerateMembersHandler import org.jetbrains.kotlin.idea.core.overrideImplement.OverrideMemberChooserObject import org.jetbrains.kotlin.idea.core.util.runSynchronouslyWithProgress import org.jetbrains.kotlin.idea.refactoring.isAbstract import org.jetbrains.kotlin.idea.search.declarationsSearch.HierarchySearchRequest import org.jetbrains.kotlin.idea.search.declarationsSearch.searchInheritors import org.jetbrains.kotlin.idea.util.application.executeCommand import org.jetbrains.kotlin.idea.util.application.isUnitTestMode import org.jetbrains.kotlin.idea.util.getTypeSubstitution import org.jetbrains.kotlin.idea.util.substitute import org.jetbrains.kotlin.load.java.descriptors.JavaClassDescriptor import org.jetbrains.kotlin.psi.* import org.jetbrains.kotlin.psi.psiUtil.containingClassOrObject import org.jetbrains.kotlin.util.findCallableMemberBySignature import javax.swing.ListSelectionModel abstract class ImplementAbstractMemberIntentionBase : SelfTargetingRangeIntention<KtNamedDeclaration>( KtNamedDeclaration::class.java, KotlinBundle.lazyMessage("implement.abstract.member") ) { companion object { private val LOG = Logger.getInstance("#${ImplementAbstractMemberIntentionBase::class.java.canonicalName}") } protected fun findExistingImplementation( subClass: ClassDescriptor, superMember: CallableMemberDescriptor ): CallableMemberDescriptor? { val superClass = superMember.containingDeclaration as? ClassDescriptor ?: return null val substitution = getTypeSubstitution(superClass.defaultType, subClass.defaultType).orEmpty() val signatureInSubClass = superMember.substitute(substitution) as? CallableMemberDescriptor ?: return null val subMember = subClass.findCallableMemberBySignature(signatureInSubClass) return if (subMember?.kind?.isReal == true) subMember else null } protected abstract fun acceptSubClass(subClassDescriptor: ClassDescriptor, memberDescriptor: CallableMemberDescriptor): Boolean private fun findClassesToProcess(member: KtNamedDeclaration): Sequence<PsiElement> { val baseClass = member.containingClassOrObject as? KtClass ?: return emptySequence() val memberDescriptor = member.resolveToDescriptorIfAny() as? CallableMemberDescriptor ?: return emptySequence() fun acceptSubClass(subClass: PsiElement): Boolean { if (!BaseIntentionAction.canModify(subClass)) return false val classDescriptor = when (subClass) { is KtLightClass -> subClass.kotlinOrigin?.resolveToDescriptorIfAny() is KtEnumEntry -> subClass.resolveToDescriptorIfAny() is PsiClass -> subClass.getJavaClassDescriptor() else -> null } ?: return false return acceptSubClass(classDescriptor, memberDescriptor) } if (baseClass.isEnum()) { return baseClass.declarations .asSequence() .filterIsInstance<KtEnumEntry>() .filter(::acceptSubClass) } return HierarchySearchRequest(baseClass, baseClass.useScope, false) .searchInheritors() .asSequence() .filter(::acceptSubClass) } protected abstract fun computeText(element: KtNamedDeclaration): (() -> String)? override fun applicabilityRange(element: KtNamedDeclaration): TextRange? { if (!element.isAbstract()) return null setTextGetter(computeText(element) ?: return null) if (!findClassesToProcess(element).any()) return null return element.nameIdentifier?.textRange } protected abstract val preferConstructorParameters: Boolean private fun implementInKotlinClass(editor: Editor?, member: KtNamedDeclaration, targetClass: KtClassOrObject) { val subClassDescriptor = targetClass.resolveToDescriptorIfAny() ?: return val superMemberDescriptor = member.resolveToDescriptorIfAny() as? CallableMemberDescriptor ?: return val superClassDescriptor = superMemberDescriptor.containingDeclaration as? ClassDescriptor ?: return val substitution = getTypeSubstitution(superClassDescriptor.defaultType, subClassDescriptor.defaultType).orEmpty() val descriptorToImplement = superMemberDescriptor.substitute(substitution) as CallableMemberDescriptor val chooserObject = OverrideMemberChooserObject.create( member.project, descriptorToImplement, descriptorToImplement, BodyType.FromTemplate, preferConstructorParameters ) GenerateMembersHandler.generateMembers(editor, targetClass, listOf(chooserObject), false) } private fun implementInJavaClass(member: KtNamedDeclaration, targetClass: PsiClass) { member.toLightMethods().forEach { OverrideImplementUtil.overrideOrImplement(targetClass, it) } } private fun implementInClass(member: KtNamedDeclaration, targetClasses: List<PsiElement>) { val project = member.project project.executeCommand<Unit>(JavaBundle.message("intention.implement.abstract.method.command.name")) { if (!FileModificationService.getInstance().preparePsiElementsForWrite(targetClasses)) return@executeCommand runWriteAction<Unit> { for (targetClass in targetClasses) { try { val descriptor = OpenFileDescriptor(project, targetClass.containingFile.virtualFile) val targetEditor = FileEditorManager.getInstance(project).openTextEditor(descriptor, true)!! when (targetClass) { is KtLightClass -> targetClass.kotlinOrigin?.let { implementInKotlinClass(targetEditor, member, it) } is KtEnumEntry -> implementInKotlinClass(targetEditor, member, targetClass) is PsiClass -> implementInJavaClass(member, targetClass) } } catch (e: IncorrectOperationException) { LOG.error(e) } } } } } private class ClassRenderer : PsiElementListCellRenderer<PsiElement>() { private val psiClassRenderer = PsiClassListCellRenderer() override fun getComparator(): Comparator<PsiElement> { val baseComparator = psiClassRenderer.comparator return Comparator { o1, o2 -> when { o1 is KtEnumEntry && o2 is KtEnumEntry -> o1.name!!.compareTo(o2.name!!) o1 is KtEnumEntry -> -1 o2 is KtEnumEntry -> 1 o1 is PsiClass && o2 is PsiClass -> baseComparator.compare(o1, o2) else -> 0 } } } override fun getElementText(element: PsiElement?): String? { return when (element) { is KtEnumEntry -> element.name is PsiClass -> psiClassRenderer.getElementText(element) else -> null } } override fun getContainerText(element: PsiElement?, name: String?): String? { return when (element) { is KtEnumEntry -> element.containingClassOrObject?.fqName?.asString() is PsiClass -> PsiClassRenderingInfo.getContainerTextStatic(element) else -> null } } } override fun startInWriteAction(): Boolean = false override fun checkFile(file: PsiFile): Boolean { return true } override fun preparePsiElementForWriteIfNeeded(target: KtNamedDeclaration): Boolean { return true } override fun applyTo(element: KtNamedDeclaration, editor: Editor?) { if (editor == null) throw IllegalArgumentException("This intention requires an editor") val project = element.project val classesToProcess = project.runSynchronouslyWithProgress( JavaBundle.message("intention.implement.abstract.method.searching.for.descendants.progress"), true ) { runReadAction { findClassesToProcess(element).toList() } } ?: return if (classesToProcess.isEmpty()) return classesToProcess.singleOrNull()?.let { return implementInClass(element, listOf(it)) } val renderer = ClassRenderer() val sortedClasses = classesToProcess.sortedWith(renderer.comparator) if (isUnitTestMode()) return implementInClass(element, sortedClasses) val list = JBList(sortedClasses).apply { selectionMode = ListSelectionModel.MULTIPLE_INTERVAL_SELECTION cellRenderer = renderer } val builder = PopupChooserBuilder<PsiElement>(list) renderer.installSpeedSearch(builder as IPopupChooserBuilder<*>) builder .setTitle(CodeInsightBundle.message("intention.implement.abstract.method.class.chooser.title")) .setItemChoosenCallback { val index = list.selectedIndex if (index < 0) return@setItemChoosenCallback @Suppress("UNCHECKED_CAST") implementInClass(element, list.selectedValues.toList() as List<KtClassOrObject>) } .createPopup() .showInBestPositionFor(editor) } } class ImplementAbstractMemberIntention : ImplementAbstractMemberIntentionBase() { override fun computeText(element: KtNamedDeclaration): (() -> String)? = when (element) { is KtProperty -> KotlinBundle.lazyMessage("implement.abstract.property") is KtNamedFunction -> KotlinBundle.lazyMessage("implement.abstract.function") else -> null } override fun acceptSubClass(subClassDescriptor: ClassDescriptor, memberDescriptor: CallableMemberDescriptor): Boolean { return subClassDescriptor.kind != ClassKind.INTERFACE && findExistingImplementation(subClassDescriptor, memberDescriptor) == null } override val preferConstructorParameters: Boolean get() = false } class ImplementAbstractMemberAsConstructorParameterIntention : ImplementAbstractMemberIntentionBase() { override fun computeText(element: KtNamedDeclaration): (() -> String)? { if (element !is KtProperty) return null return KotlinBundle.lazyMessage("implement.as.constructor.parameter") } override fun acceptSubClass(subClassDescriptor: ClassDescriptor, memberDescriptor: CallableMemberDescriptor): Boolean { val kind = subClassDescriptor.kind return (kind == ClassKind.CLASS || kind == ClassKind.ENUM_CLASS) && subClassDescriptor !is JavaClassDescriptor && findExistingImplementation(subClassDescriptor, memberDescriptor) == null } override val preferConstructorParameters: Boolean get() = true override fun applicabilityRange(element: KtNamedDeclaration): TextRange? { if (element !is KtProperty) return null return super.applicabilityRange(element) } }
apache-2.0
db29ac1772199c0837b7078bed033158
47.00369
137
0.717328
5.765957
false
false
false
false
StepicOrg/stepik-android
app/src/main/java/org/stepic/droid/storage/dao/CourseDaoImpl.kt
1
12639
package org.stepic.droid.storage.dao import android.content.ContentValues import android.database.Cursor import com.google.gson.Gson import org.stepic.droid.storage.operations.DatabaseOperations import org.stepic.droid.storage.structure.DbStructureCourse import org.stepic.droid.util.* import org.stepik.android.cache.video.dao.VideoDao import org.stepik.android.model.Course import org.stepik.android.model.Video import javax.inject.Inject class CourseDaoImpl @Inject constructor( databaseOperations: DatabaseOperations, private val videoDao: VideoDao, private val gson: Gson ) : DaoBase<Course>(databaseOperations) { public override fun getDbName() = DbStructureCourse.TABLE_NAME public override fun getDefaultPrimaryColumn() = DbStructureCourse.Columns.ID public override fun getDefaultPrimaryValue(persistentObject: Course) = persistentObject.id.toString() public override fun parsePersistentObject(cursor: Cursor): Course = Course( id = cursor.getLong(DbStructureCourse.Columns.ID), title = cursor.getString(DbStructureCourse.Columns.TITLE), description = cursor.getString(DbStructureCourse.Columns.DESCRIPTION), cover = cursor.getString(DbStructureCourse.Columns.COVER), acquiredSkills = DbParseHelper.parseStringToStringList(cursor.getString(DbStructureCourse.Columns.ACQUIRED_SKILLS)), certificate = cursor.getString(DbStructureCourse.Columns.CERTIFICATE), requirements = cursor.getString(DbStructureCourse.Columns.REQUIREMENTS), summary = cursor.getString(DbStructureCourse.Columns.SUMMARY), workload = cursor.getString(DbStructureCourse.Columns.WORKLOAD), intro = cursor.getString(DbStructureCourse.Columns.INTRO), introVideo = Video(id = cursor.getLong(DbStructureCourse.Columns.INTRO_VIDEO_ID)), language = cursor.getString(DbStructureCourse.Columns.LANGUAGE), announcements = DbParseHelper.parseStringToLongList(cursor.getString(DbStructureCourse.Columns.ANNOUNCEMENTS)), authors = DbParseHelper.parseStringToLongList(cursor.getString(DbStructureCourse.Columns.AUTHORS)), instructors = DbParseHelper.parseStringToLongList(cursor.getString(DbStructureCourse.Columns.INSTRUCTORS)), sections = DbParseHelper.parseStringToLongList(cursor.getString(DbStructureCourse.Columns.SECTIONS)), previewLesson = cursor.getLong(DbStructureCourse.Columns.PREVIEW_LESSON), previewUnit = cursor.getLong(DbStructureCourse.Columns.PREVIEW_UNIT), courseFormat = cursor.getString(DbStructureCourse.Columns.COURSE_FORMAT), targetAudience = cursor.getString(DbStructureCourse.Columns.TARGET_AUDIENCE), certificateFooter = cursor.getString(DbStructureCourse.Columns.CERTIFICATE_FOOTER), certificateCoverOrg = cursor.getString(DbStructureCourse.Columns.CERTIFICATE_COVER_ORG), totalUnits = cursor.getLong(DbStructureCourse.Columns.TOTAL_UNITS), enrollment = cursor.getLong(DbStructureCourse.Columns.ENROLLMENT), progress = cursor.getString(DbStructureCourse.Columns.PROGRESS), owner = cursor.getLong(DbStructureCourse.Columns.OWNER), readiness = cursor.getDouble(DbStructureCourse.Columns.READINESS), isContest = cursor.getBoolean(DbStructureCourse.Columns.IS_CONTEST), isFeatured = cursor.getBoolean(DbStructureCourse.Columns.IS_FEATURED), isActive = cursor.getBoolean(DbStructureCourse.Columns.IS_ACTIVE), isPublic = cursor.getBoolean(DbStructureCourse.Columns.IS_PUBLIC), isArchived = cursor.getBoolean(DbStructureCourse.Columns.IS_ARCHIVED), isFavorite = cursor.getBoolean(DbStructureCourse.Columns.IS_FAVORITE), isProctored = cursor.getBoolean(DbStructureCourse.Columns.IS_PROCTORED), isInWishlist = cursor.getBoolean(DbStructureCourse.Columns.IS_IN_WISHLIST), isEnabled = cursor.getBoolean(DbStructureCourse.Columns.IS_ENABLED), certificateDistinctionThreshold = cursor.getLong(DbStructureCourse.Columns.CERTIFICATE_DISTINCTION_THRESHOLD), certificateRegularThreshold = cursor.getLong(DbStructureCourse.Columns.CERTIFICATE_REGULAR_THRESHOLD), certificateLink = cursor.getString(DbStructureCourse.Columns.CERTIFICATE_LINK), isCertificateAutoIssued = cursor.getBoolean(DbStructureCourse.Columns.IS_CERTIFICATE_AUTO_ISSUED), isCertificateIssued = cursor.getBoolean(DbStructureCourse.Columns.IS_CERTIFICATE_ISSUED), withCertificate = cursor.getBoolean(DbStructureCourse.Columns.WITH_CERTIFICATE), lastDeadline = cursor.getString(DbStructureCourse.Columns.LAST_DEADLINE), beginDate = cursor.getString(DbStructureCourse.Columns.BEGIN_DATE), endDate = cursor.getString(DbStructureCourse.Columns.END_DATE), slug = cursor.getString(DbStructureCourse.Columns.SLUG), scheduleLink = cursor.getString(DbStructureCourse.Columns.SCHEDULE_LINK), scheduleLongLink = cursor.getString(DbStructureCourse.Columns.SCHEDULE_LONG_LINK), scheduleType = cursor.getString(DbStructureCourse.Columns.SCHEDULE_TYPE), lastStepId = cursor.getString(DbStructureCourse.Columns.LAST_STEP), learnersCount = cursor.getLong(DbStructureCourse.Columns.LEARNERS_COUNT), reviewSummary = cursor.getLong(DbStructureCourse.Columns.REVIEW_SUMMARY), timeToComplete = cursor.getLong(DbStructureCourse.Columns.TIME_TO_COMPLETE), courseOptions = cursor.getString(DbStructureCourse.Columns.OPTIONS)?.toObject(gson), actions = cursor.getString(DbStructureCourse.Columns.ACTIONS)?.toObject(gson), isPaid = cursor.getBoolean(DbStructureCourse.Columns.IS_PAID), price = cursor.getString(DbStructureCourse.Columns.PRICE), currencyCode = cursor.getString(DbStructureCourse.Columns.CURRENCY_CODE), displayPrice = cursor.getString(DbStructureCourse.Columns.DISPLAY_PRICE), priceTier = cursor.getString(DbStructureCourse.Columns.PRICE_TIER), defaultPromoCodeName = cursor.getString(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_NAME), defaultPromoCodePrice = cursor.getString(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_PRICE), defaultPromoCodeDiscount = cursor.getString(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_DISCOUNT), defaultPromoCodeExpireDate = cursor.getDate(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_EXPIRE_DATE) ) public override fun getContentValues(course: Course): ContentValues { val values = ContentValues() values.put(DbStructureCourse.Columns.ID, course.id) values.put(DbStructureCourse.Columns.TITLE, course.title) values.put(DbStructureCourse.Columns.DESCRIPTION, course.description) values.put(DbStructureCourse.Columns.COVER, course.cover) values.put(DbStructureCourse.Columns.ACQUIRED_SKILLS, DbParseHelper.parseStringArrayToString(course.acquiredSkills?.toTypedArray())) values.put(DbStructureCourse.Columns.CERTIFICATE, course.certificate) values.put(DbStructureCourse.Columns.REQUIREMENTS, course.requirements) values.put(DbStructureCourse.Columns.SUMMARY, course.summary) values.put(DbStructureCourse.Columns.WORKLOAD, course.workload) values.put(DbStructureCourse.Columns.INTRO, course.intro) values.put(DbStructureCourse.Columns.INTRO_VIDEO_ID, course.introVideo?.id ?: -1) // todo add complete course entity and remove this hack values.put(DbStructureCourse.Columns.LANGUAGE, course.language) values.put(DbStructureCourse.Columns.ANNOUNCEMENTS, DbParseHelper.parseLongListToString(course.announcements)) values.put(DbStructureCourse.Columns.AUTHORS, DbParseHelper.parseLongListToString(course.authors)) values.put(DbStructureCourse.Columns.INSTRUCTORS, DbParseHelper.parseLongListToString(course.instructors)) values.put(DbStructureCourse.Columns.SECTIONS, DbParseHelper.parseLongListToString(course.sections)) values.put(DbStructureCourse.Columns.PREVIEW_LESSON, course.previewLesson) values.put(DbStructureCourse.Columns.PREVIEW_UNIT, course.previewUnit) values.put(DbStructureCourse.Columns.COURSE_FORMAT, course.courseFormat) values.put(DbStructureCourse.Columns.TARGET_AUDIENCE, course.targetAudience) values.put(DbStructureCourse.Columns.CERTIFICATE_FOOTER, course.certificateFooter) values.put(DbStructureCourse.Columns.CERTIFICATE_COVER_ORG, course.certificateCoverOrg) values.put(DbStructureCourse.Columns.TOTAL_UNITS, course.totalUnits) values.put(DbStructureCourse.Columns.ENROLLMENT, course.enrollment) values.put(DbStructureCourse.Columns.PROGRESS, course.progress) values.put(DbStructureCourse.Columns.OWNER, course.owner) values.put(DbStructureCourse.Columns.READINESS, course.readiness) values.put(DbStructureCourse.Columns.IS_CONTEST, course.isContest) values.put(DbStructureCourse.Columns.IS_FEATURED, course.isFeatured) values.put(DbStructureCourse.Columns.IS_ACTIVE, course.isActive) values.put(DbStructureCourse.Columns.IS_PUBLIC, course.isPublic) values.put(DbStructureCourse.Columns.IS_ARCHIVED, course.isArchived) values.put(DbStructureCourse.Columns.IS_FAVORITE, course.isFavorite) values.put(DbStructureCourse.Columns.IS_PROCTORED, course.isProctored) values.put(DbStructureCourse.Columns.IS_IN_WISHLIST, course.isInWishlist) values.put(DbStructureCourse.Columns.IS_ENABLED, course.isEnabled) values.put(DbStructureCourse.Columns.CERTIFICATE_DISTINCTION_THRESHOLD, course.certificateDistinctionThreshold) values.put(DbStructureCourse.Columns.CERTIFICATE_REGULAR_THRESHOLD, course.certificateRegularThreshold) values.put(DbStructureCourse.Columns.CERTIFICATE_LINK, course.certificateLink) values.put(DbStructureCourse.Columns.IS_CERTIFICATE_AUTO_ISSUED, course.isCertificateAutoIssued) values.put(DbStructureCourse.Columns.IS_CERTIFICATE_ISSUED, course.isCertificateIssued) values.put(DbStructureCourse.Columns.WITH_CERTIFICATE, course.withCertificate) values.put(DbStructureCourse.Columns.LAST_DEADLINE, course.lastDeadline) values.put(DbStructureCourse.Columns.BEGIN_DATE, course.beginDate) values.put(DbStructureCourse.Columns.END_DATE, course.endDate) values.put(DbStructureCourse.Columns.SLUG, course.slug) values.put(DbStructureCourse.Columns.SCHEDULE_LINK, course.scheduleLink) values.put(DbStructureCourse.Columns.SCHEDULE_LONG_LINK, course.scheduleLongLink) values.put(DbStructureCourse.Columns.SCHEDULE_TYPE, course.scheduleType) values.put(DbStructureCourse.Columns.LAST_STEP, course.lastStepId) values.put(DbStructureCourse.Columns.LEARNERS_COUNT, course.learnersCount) values.put(DbStructureCourse.Columns.REVIEW_SUMMARY, course.reviewSummary) values.put(DbStructureCourse.Columns.TIME_TO_COMPLETE, course.timeToComplete) values.put(DbStructureCourse.Columns.OPTIONS, course.courseOptions?.let(gson::toJson)) values.put(DbStructureCourse.Columns.ACTIONS, course.actions?.let(gson::toJson)) values.put(DbStructureCourse.Columns.IS_PAID, course.isPaid) values.put(DbStructureCourse.Columns.PRICE, course.price) values.put(DbStructureCourse.Columns.CURRENCY_CODE, course.currencyCode) values.put(DbStructureCourse.Columns.DISPLAY_PRICE, course.displayPrice) values.put(DbStructureCourse.Columns.PRICE_TIER, course.priceTier) values.put(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_NAME, course.defaultPromoCodeName) values.put(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_PRICE, course.defaultPromoCodePrice) values.put(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_DISCOUNT, course.defaultPromoCodeDiscount) values.put(DbStructureCourse.Columns.DEFAULT_PROMO_CODE_EXPIRE_DATE, course.defaultPromoCodeExpireDate?.time ?: -1) return values } override fun populateNestedObjects(course: Course): Course = course.apply { introVideo = videoDao.get(course.introVideo?.id ?: -1) // less overhead vs immutability } override fun storeNestedObjects(persistentObject: Course) { persistentObject.introVideo?.let(videoDao::replace) } }
apache-2.0
302d437b5b5c7df9fa34b88765a75049
69.216667
145
0.757418
4.921729
false
false
false
false
allotria/intellij-community
plugins/git4idea/src/git4idea/index/actions/StagingAreaOperationAction.kt
2
4118
// Copyright 2000-2020 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package git4idea.index.actions import com.intellij.openapi.actionSystem.Presentation import com.intellij.openapi.fileEditor.FileDocumentManager import com.intellij.openapi.progress.ProgressManager import com.intellij.openapi.project.Project import com.intellij.openapi.ui.MessageType import com.intellij.openapi.util.NlsContexts import com.intellij.openapi.util.NlsContexts.NotificationContent import com.intellij.openapi.util.ThrowableComputable import com.intellij.openapi.util.text.HtmlBuilder import com.intellij.openapi.util.text.HtmlChunk import com.intellij.openapi.vcs.VcsException import com.intellij.openapi.vcs.ui.VcsBalloonProblemNotifier import com.intellij.vcsUtil.VcsFileUtil import git4idea.GitContentRevision import git4idea.index.ui.GitFileStatusNode import git4idea.repo.GitRepository import git4idea.repo.GitRepositoryManager import java.util.* class GitAddAction : StagingAreaOperationAction(GitAddOperation) class GitResetAction : StagingAreaOperationAction(GitResetOperation) class GitRevertAction : StagingAreaOperationAction(GitRevertOperation) abstract class StagingAreaOperationAction(private val operation: StagingAreaOperation) : GitFileStatusNodeAction(operation.actionText, Presentation.NULL_STRING, operation.icon) { override fun matches(statusNode: GitFileStatusNode): Boolean = operation.matches(statusNode) override fun perform(project: Project, nodes: List<GitFileStatusNode>) = performStageOperation(project, nodes, operation) } fun performStageOperation(project: Project, nodes: List<GitFileStatusNode>, operation: StagingAreaOperation) { FileDocumentManager.getInstance().saveAllDocuments() runProcess(project, operation.progressTitle, true) { val repositoryManager = GitRepositoryManager.getInstance(project) val submodulesByRoot = mutableMapOf<GitRepository, MutableList<GitFileStatusNode>>() val pathsByRoot = mutableMapOf<GitRepository, MutableList<GitFileStatusNode>>() for (node in nodes) { val filePath = node.filePath val submodule = GitContentRevision.getRepositoryIfSubmodule(project, filePath) if (submodule != null) { val list = submodulesByRoot.computeIfAbsent(submodule.parent) { ArrayList() } list.add(node) } else { val repo = repositoryManager.getRepositoryForFileQuick(filePath) if (repo != null) { val list = pathsByRoot.computeIfAbsent(repo) { ArrayList() } list.add(node) } } } val exceptions = mutableListOf<VcsException>() pathsByRoot.forEach { (repo, nodes) -> try { operation.processPaths(project, repo.root, nodes) VcsFileUtil.markFilesDirty(project, nodes.map { it.filePath }) } catch (ex: VcsException) { exceptions.add(ex) } } submodulesByRoot.forEach { (repo, submodules) -> try { operation.processPaths(project, repo.root, submodules) VcsFileUtil.markFilesDirty(project, submodules.mapNotNull { it.filePath.parentPath }) } catch (ex: VcsException) { exceptions.add(ex) } } if (exceptions.isNotEmpty()) { showErrorMessage(project, operation.errorMessage, exceptions) } } } fun <T> runProcess(project: Project, @NlsContexts.ProgressTitle title: String, canBeCancelled: Boolean, process: () -> T): T { return ProgressManager.getInstance().runProcessWithProgressSynchronously(ThrowableComputable { process() }, title, canBeCancelled, project) } private fun showErrorMessage(project: Project, @NotificationContent messageTitle: String, exceptions: Collection<Exception>) { val message = HtmlBuilder().append(HtmlChunk.text("$messageTitle:").bold()) .br() .appendWithSeparators(HtmlChunk.br(), exceptions.map { HtmlChunk.text(it.localizedMessage) }) VcsBalloonProblemNotifier.showOverVersionControlView(project, message.toString(), MessageType.ERROR) }
apache-2.0
af0ff1c8e48d83236ab2d652e4d7951d
41.463918
140
0.749393
4.856132
false
false
false
false
allotria/intellij-community
platform/platform-impl/src/com/intellij/ide/util/TipsOrderUtil.kt
2
5023
// Copyright 2000-2021 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package com.intellij.ide.util import com.fasterxml.jackson.databind.ObjectMapper import com.intellij.internal.statistic.eventLog.EventLogConfiguration import com.intellij.internal.statistic.local.ActionSummary import com.intellij.internal.statistic.local.ActionsLocalSummary import com.intellij.internal.statistic.utils.StatisticsUploadAssistant import com.intellij.openapi.application.ApplicationManager import com.intellij.openapi.components.Service import com.intellij.openapi.components.service import com.intellij.openapi.diagnostic.debug import com.intellij.openapi.diagnostic.logger import com.intellij.openapi.project.Project import com.intellij.openapi.startup.StartupActivity import com.intellij.util.PlatformUtils import com.intellij.util.concurrency.AppExecutorUtil import com.intellij.util.io.HttpRequests import it.unimi.dsi.fastutil.objects.Object2IntOpenHashMap import java.util.concurrent.ScheduledFuture import java.util.concurrent.TimeUnit import java.util.concurrent.atomic.AtomicReference private val LOG = logger<TipsOrderUtil>() private const val RANDOM_SHUFFLE_ALGORITHM = "default_shuffle" private const val TIPS_SERVER_URL = "https://feature-recommendation.analytics.aws.intellij.net/tips/v1" internal data class RecommendationDescription(val algorithm: String, val tips: List<TipAndTrickBean>, val version: String?) @Service internal class TipsOrderUtil { private class RecommendationsStartupActivity : StartupActivity.Background { private val scheduledFuture = AtomicReference<ScheduledFuture<*>>() override fun runActivity(project: Project) { val app = ApplicationManager.getApplication() if (!app.isEAP || app.isHeadlessEnvironment || !StatisticsUploadAssistant.isSendAllowed()) { return } scheduledFuture.getAndSet(AppExecutorUtil.getAppScheduledExecutorService().schedule(Runnable { try { sync() } finally { scheduledFuture.getAndSet(AppExecutorUtil.getAppScheduledExecutorService().schedule(Runnable(::sync), 3, TimeUnit.HOURS)) ?.cancel(false) } }, 5, TimeUnit.MILLISECONDS)) ?.cancel(false) } } companion object { @JvmStatic private fun sync() { LOG.assertTrue(!ApplicationManager.getApplication().isDispatchThread) LOG.debug { "Fetching tips order from the server: ${TIPS_SERVER_URL}" } val allTips = TipAndTrickBean.EP_NAME.iterable.map { it.fileName } val actionsSummary = service<ActionsLocalSummary>().getActionsStats() val startTimestamp = System.currentTimeMillis() HttpRequests.post(TIPS_SERVER_URL, HttpRequests.JSON_CONTENT_TYPE) .connect(HttpRequests.RequestProcessor { request -> val bucket = EventLogConfiguration.bucket val tipsRequest = TipsRequest(allTips, actionsSummary, PlatformUtils.getPlatformPrefix(), bucket) val objectMapper = ObjectMapper() request.write(objectMapper.writeValueAsBytes(tipsRequest)) val recommendation = objectMapper.readValue(request.readString(), ServerRecommendation::class.java) LOG.debug { val duration = System.currentTimeMillis() - startTimestamp val algorithmInfo = "${recommendation.usedAlgorithm}:${recommendation.version}" "Server recommendation made. Algorithm: $algorithmInfo. Duration: ${duration}" } service<TipsOrderUtil>().serverRecommendation = recommendation }, null, LOG) } } @Volatile private var serverRecommendation: ServerRecommendation? = null /** * Reorders tips to show the most useful ones in the beginning * * @return object that contains sorted tips and describes approach of how the tips are sorted */ fun sort(tips: List<TipAndTrickBean>): RecommendationDescription { // temporarily suggest random order if we cannot estimate quality return serverRecommendation?.reorder(tips) ?: RecommendationDescription(RANDOM_SHUFFLE_ALGORITHM, tips.shuffled(), null) } } private data class TipsRequest( val tips: List<String>, val usageInfo: Map<String, ActionSummary>, val ideName: String, // product code val bucket: Int ) private class ServerRecommendation { @JvmField var showingOrder = emptyList<String>() @JvmField var usedAlgorithm = "unknown" @JvmField var version: String? = null fun reorder(tips: List<TipAndTrickBean>): RecommendationDescription? { val tipToIndex = Object2IntOpenHashMap<String>(showingOrder.size) showingOrder.forEachIndexed { index, tipFile -> tipToIndex.put(tipFile, index) } for (tip in tips) { if (!tipToIndex.containsKey(tip.fileName)) { LOG.error("Unknown tips file: ${tip.fileName}") return null } } return RecommendationDescription(usedAlgorithm, tips.sortedBy { tipToIndex.getInt(it.fileName) }, version) } }
apache-2.0
4601d3facb1ed5a31e230fa4752245f7
39.516129
140
0.743779
4.797517
false
false
false
false
scenerygraphics/scenery
src/test/kotlin/graphics/scenery/tests/examples/advanced/VRVolumeCroppingExample.kt
1
6587
package graphics.scenery.tests.examples.advanced import bdv.util.AxisOrder import org.joml.Vector3f import graphics.scenery.* import graphics.scenery.backends.Renderer import graphics.scenery.controls.OpenVRHMD import graphics.scenery.controls.TrackedDeviceType import graphics.scenery.controls.TrackerRole import graphics.scenery.numerics.Random import graphics.scenery.attribute.material.Material import graphics.scenery.controls.behaviours.Grabable import graphics.scenery.controls.behaviours.VRGrab import graphics.scenery.volumes.SlicingPlane import graphics.scenery.volumes.TransferFunction import graphics.scenery.volumes.Volume import ij.IJ import ij.ImagePlus import net.imglib2.img.Img import net.imglib2.img.display.imagej.ImageJFunctions import net.imglib2.type.numeric.integer.UnsignedShortType import org.scijava.ui.behaviour.ClickBehaviour import tpietzsch.example2.VolumeViewerOptions import kotlin.concurrent.thread import kotlin.system.exitProcess /** * Example for usage of VR controllers. Demonstrates the use of custom key bindings on the * HMD, and the use of intersection testing with scene elements. * * @author Ulrik Gรผnther <[email protected]> */ class VRVolumeCroppingExample : SceneryBase(VRVolumeCroppingExample::class.java.simpleName, windowWidth = 1920, windowHeight = 1200) { private lateinit var hmd: OpenVRHMD private lateinit var boxes: List<Node> private lateinit var hullbox: Box private lateinit var volume: Volume override fun init() { hmd = OpenVRHMD(useCompositor = true) if(!hmd.initializedAndWorking()) { logger.error("This demo is intended to show the use of OpenVR controllers, but no OpenVR-compatible HMD could be initialized.") exitProcess(1) } hub.add(SceneryElement.HMDInput, hmd) VRGrab.createAndSet(scene,hmd, listOf(OpenVRHMD.OpenVRButton.Side), listOf(TrackerRole.RightHand)) renderer = hub.add(Renderer.createRenderer(hub, applicationName, scene, windowWidth, windowHeight)) renderer?.toggleVR() val cam: Camera = DetachedHeadCamera(hmd) cam.spatial { position = Vector3f(0.0f, 0.0f, 0.0f) } cam.perspectiveCamera(50.0f, windowWidth, windowHeight) scene.addChild(cam) val imp: ImagePlus = IJ.openImage("https://imagej.nih.gov/ij/images/t1-head.zip") val img: Img<UnsignedShortType> = ImageJFunctions.wrapShort(imp) volume = Volume.fromRAI(img, UnsignedShortType(), AxisOrder.DEFAULT, "T1 head", hub, VolumeViewerOptions()) volume.transferFunction = TransferFunction.ramp(0.001f, 0.5f, 0.3f) volume.spatial { scale = Vector3f(0.5f,-0.5f,0.5f) position = Vector3f(0f,1f,-1f) } scene.addChild(volume) val croppingHandle = Box(Vector3f(0.2f,0.01f,0.2f)) croppingHandle.spatial{ position = Vector3f(0f,1f,-0.5f) } croppingHandle.addAttribute(Grabable::class.java, Grabable()) scene.addChild(croppingHandle) val croppingPlane = SlicingPlane() croppingPlane.addTargetVolume(volume) volume.slicingMode = Volume.SlicingMode.Cropping croppingHandle.addChild(croppingPlane) (0..5).map { val light = PointLight(radius = 15.0f) light.emissionColor = Random.random3DVectorFromRange(0.0f, 1.0f) light.spatial { position = Random.random3DVectorFromRange(-5.0f, 5.0f) } light.intensity = 1.0f light }.forEach { scene.addChild(it) } hullbox = Box(Vector3f(20.0f, 20.0f, 20.0f), insideNormals = true) hullbox.material { ambient = Vector3f(0.6f, 0.6f, 0.6f) diffuse = Vector3f(0.4f, 0.4f, 0.4f) specular = Vector3f(0.0f, 0.0f, 0.0f) cullingMode = Material.CullingMode.Front } scene.addChild(hullbox) thread { while(!running) { Thread.sleep(200) } hmd.events.onDeviceConnect.add { hmd, device, timestamp -> if(device.type == TrackedDeviceType.Controller) { logger.info("Got device ${device.name} at $timestamp") device.model?.let { controller -> // This attaches the model of the controller to the controller's transforms // from the OpenVR/SteamVR system. hmd.attachToNode(device, controller, cam) } } } } } override fun inputSetup() { super.inputSetup() // We first grab the default movement actions from scenery's input handler, // and re-bind them on the right-hand controller's trackpad or joystick. inputHandler?.let { handler -> hashMapOf( "move_forward" to OpenVRHMD.keyBinding(TrackerRole.RightHand, OpenVRHMD.OpenVRButton.Up), "move_back" to OpenVRHMD.keyBinding(TrackerRole.RightHand, OpenVRHMD.OpenVRButton.Down), "move_left" to OpenVRHMD.keyBinding(TrackerRole.RightHand, OpenVRHMD.OpenVRButton.Left), "move_right" to OpenVRHMD.keyBinding(TrackerRole.RightHand, OpenVRHMD.OpenVRButton.Right) ).forEach { (name, key) -> handler.getBehaviour(name)?.let { b -> logger.info("Adding behaviour $name bound to $key to HMD") hmd.addBehaviour(name, b) hmd.addKeyBinding(name, key) } } } // Finally, add a behaviour to toggle the scene's shell hmd.addBehaviour("toggle_shell", ClickBehaviour { _, _ -> hullbox.visible = !hullbox.visible logger.info("Hull visible: ${hullbox.visible}") }) //... and bind that to the A button on the left-hand controller. hmd.addKeyBinding("toggle_shell", TrackerRole.LeftHand, OpenVRHMD.OpenVRButton.A) // slicing mode toggle hmd.addBehaviour("toggleSlicing", ClickBehaviour{ _, _ -> val current = volume.slicingMode.id val next = (current + 1 ) % Volume.SlicingMode.values().size volume.slicingMode = Volume.SlicingMode.values()[next] }) hmd.addKeyBinding("toggleSlicing",TrackerRole.RightHand,OpenVRHMD.OpenVRButton.A) } companion object { @JvmStatic fun main(args: Array<String>) { VRVolumeCroppingExample().main() } } }
lgpl-3.0
67aeb0c45c1782b08ac4a0a37e565e07
38.437126
139
0.644245
4.229929
false
false
false
false
RichoDemus/chronicler
server/core/src/test/kotlin/com/richodemus/chronicler/server/core/ChronicleTest.kt
1
4784
package com.richodemus.chronicler.server.core import com.nhaarman.mockito_kotlin.any import com.nhaarman.mockito_kotlin.doReturn import com.nhaarman.mockito_kotlin.eq import com.nhaarman.mockito_kotlin.mock import com.nhaarman.mockito_kotlin.times import com.nhaarman.mockito_kotlin.verify import com.nhaarman.mockito_kotlin.whenever import org.assertj.core.api.Assertions.assertThat import org.assertj.core.api.Assertions.assertThatThrownBy import org.junit.Before import org.junit.Test internal class ChronicleTest { private val id = "uuid" private val data = "interesting data" private var eventListenerMock: EventCreationListener? = null private var eventPersisterMock: EventPersister? = null private var target: Chronicle? = null @Before fun setUp() { eventListenerMock = mock<EventCreationListener> {} eventPersisterMock = mock<EventPersister> { on { readEvents() } doReturn listOf<Event>().iterator() } target = Chronicle(eventListenerMock(), eventPersisterMock()) } private fun eventListenerMock() = eventListenerMock!! private fun eventPersisterMock() = eventPersisterMock!! private fun target() = target!! @Test fun `New Chronicle should be empty`() { val result = target().getEvents() assertThat(result).hasSize(0) } @Test fun `New Chronicle should be at page zero`() { val result = target().page assertThat(result).isEqualTo(0L) } @Test fun `A Chronicle with one event should return one event`() { val target = target() target.addEvent(Event(id, "type", 1L, "")) assertThat(target.getEvents()).hasSize(1) } @Test fun `Should send newly created event to listener`() { val target = target() val event = Event(id, "type", 1L, "") target.addEvent(event) verify(eventListenerMock()).onEvent(eq(event)) } @Test fun `Should send newly created event to persister`() { val target = target() val event = Event(id, "type", 1L, "") target.addEvent(event) verify(eventPersisterMock()).persist(eq(event)) } @Test fun `Should read events from persistence`() { val events = listOf(Event("one", "type", 1L, ""), Event("two", "type", 2L, "")) whenever(eventPersisterMock().readEvents()).thenReturn(events.iterator()) target = Chronicle(eventListenerMock(), eventPersisterMock()) assertThat(target().getEvents()).containsExactly(*events.toTypedArray()) } @Test fun `Should read event ids from persistence`() { val events = listOf(Event("one", "type", 1L, ""), Event("two", "type", 2L, "")) whenever(eventPersisterMock().readEvents()).thenReturn(events.iterator()) target = Chronicle(eventListenerMock(), eventPersisterMock()) assertThat(target().getIds()).containsExactly(*events.map { it.id }.toTypedArray()) } @Test fun `A Chronicle with one event should be at page one`() { val target = target() target.addEvent(Event(id, "type", 1L, "")) assertThat(target.page).isEqualTo(1L) } @Test fun `Add pageless Event to empty Chronicle`() { val target = target() target.addEvent(Event(id, "type", null, data)) val result = target.getEvents().single() assertThat(result.id).isEqualTo(id) assertThat(result.page).isEqualTo(1L) assertThat(result.data).isEqualTo(data) } @Test fun `Add Event to first page of empty Chronicle`() { val target = target() target.addEvent(Event(id, "type", 1L, data)) val result = target.getEvents().single() assertThat(result.id).isEqualTo(id) assertThat(result.page).isEqualTo(1L) assertThat(result.data).isEqualTo(data) } @Test fun `Adding event at the wrong page should throw exception`() { val target = target() assertThatThrownBy { target.addEvent(Event(id, "type", 2L, "")) }.isInstanceOf(WrongPageException::class.java) } @Test fun `Should not insert duplicate Event`() { val target = target() target.addEvent(Event(id, "type", null, "original data")) target.addEvent(Event(id, "type", null, "second data")) val result = target.getEvents() assertThat(result).hasSize(1) assertThat(result.single().data).isEqualTo("original data") } @Test fun `Should not send duplicate event to listener`() { val target = target() target.addEvent(Event(id, "type", null, "original data")) target.addEvent(Event(id, "type", null, "second data")) verify(eventListenerMock(), times(1)).onEvent(any()) } }
gpl-3.0
eaaac85eb5337cc57191ed3c736eefcf
30.267974
118
0.641513
4.337262
false
true
false
false
RichoDemus/chronicler
server/core/src/main/kotlin/com/richodemus/chronicler/server/core/EventLoader.kt
1
936
package com.richodemus.chronicler.server.core import org.slf4j.LoggerFactory import java.time.Duration import kotlin.system.measureTimeMillis class EventLoader(val persister: EventPersister) { private val logger = LoggerFactory.getLogger(javaClass) fun getEvents(): List<Event> { logger.info("Loading events...") val count = persister.getNumberOfEvents() logger.info("There are $count events") val events = mutableListOf<Event>() val time = measureTimeMillis { val eventIterator = persister.readEvents() eventIterator.forEach { events.add(it) } } val duration = Duration.ofMillis(time) val durationString = String.format("%d minutes and %d seconds", (duration.seconds % 3600) / 60, (duration.seconds % 60)) logger.info("Loaded ${events.size} events in $durationString") return events } }
gpl-3.0
173d275a8a51461ffda24ca7fdaf46e6
33.666667
128
0.655983
4.656716
false
false
false
false
leafclick/intellij-community
plugins/github/src/org/jetbrains/plugins/github/pullrequest/ui/timeline/GHPRTimelineMergedStateEvents.kt
1
1049
// Copyright 2000-2019 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.jetbrains.plugins.github.pullrequest.ui.timeline import org.jetbrains.plugins.github.api.data.pullrequest.GHPullRequestState import org.jetbrains.plugins.github.api.data.pullrequest.timeline.GHPRTimelineEvent class GHPRTimelineMergedStateEvents(initialState: GHPRTimelineEvent.State) : GHPRTimelineMergedEvents<GHPRTimelineEvent.State>(), GHPRTimelineEvent.State { private val inferredOriginalState: GHPullRequestState = when (initialState.newState) { GHPullRequestState.CLOSED -> GHPullRequestState.OPEN GHPullRequestState.MERGED -> GHPullRequestState.OPEN GHPullRequestState.OPEN -> GHPullRequestState.CLOSED } override var newState: GHPullRequestState = initialState.newState private set override fun addNonMergedEvent(event: GHPRTimelineEvent.State) { newState = event.newState } override fun hasAnyChanges(): Boolean = newState != inferredOriginalState }
apache-2.0
a8e3e91ff390e47b68fe43ebc39e5495
46.727273
155
0.812202
5.092233
false
false
false
false
code-helix/slatekit
src/lib/kotlin/slatekit-entities/src/main/kotlin/slatekit/entities/features/Updates.kt
1
3580
package slatekit.entities.features import slatekit.common.data.DataAction import slatekit.common.data.Value import kotlin.reflect.KProperty import slatekit.entities.Entity import slatekit.entities.core.EntityOps import slatekit.entities.EntityOptions import slatekit.meta.Reflector import slatekit.meta.kClass import slatekit.query.Update import slatekit.results.Try import slatekit.results.builders.Tries interface Updates<TId, T> : EntityOps<TId, T> where TId : kotlin.Comparable<TId>, T : Entity<TId> { /** * directly modifies an entity without any additional processing/hooks/etc * @param entity * @return */ suspend fun modify(entity: T): Boolean { return repo().update(entity) } /** * directly modifies an entity without any additional processing/hooks/etc * @param entity * @return */ suspend fun patch(id:TId, values:List<Value>): Int { return repo().patchById(id, values) } /** * creates the entity in the data store with additional processing based on the options supplied * @param entity : The entity to save * @param options: Settings to determine whether to apply metadata, and notify via Hooks */ suspend fun update(entity: T, options: EntityOptions): Pair<Boolean, T> { // Massage val entityFinal = when (options.applyMetadata) { true -> applyFieldData(DataAction.Update, entity) false -> entity } // Update val success = modify(entityFinal) return Pair(success, entityFinal) } /** * updates the entity in the data store and sends an event if there is support for Hooks * @param entity * @return */ suspend fun update(entity: T): Boolean { val finalEntity = applyFieldData(DataAction.Update, entity) val success = repo().update(finalEntity) return success } /** * updates the entity in the data-store with error-handling * @param entity * @return */ suspend fun updateAsTry(entity: T): Try<Boolean> { return Tries.of { update(entity) } } /** * updates the entity field in the datastore * @param id: id of the entity * @param field: the name of the field * @param value: the value to set on the field * @return */ suspend fun update(id: TId, field: String, value: String) { val item = repo().getById(id) item?.let { entity -> Reflector.setFieldValue(entity.kClass, entity, field, value) update(entity) } } /** * updates items using the query */ suspend fun updateByQuery(builder: Update): Int { return repo().patchByQuery(builder) } /** * updates items based on the field name * @param prop: The property reference * @param value: The value to check for * @return */ suspend fun patchByField(prop: KProperty<*>, value: Any): Int { return repo().patchByField(prop.name, value) } /** * updates items based on the field name * @param prop: The property reference * @param value: The value to check for * @return */ suspend fun patchByFields(prop: KProperty<*>, oldValue: Any?, newValue:Any?): Int { return repo().patchByValue(prop.name, oldValue, newValue) } /** * updates items using the query */ suspend fun patch(builder: Update.() -> Unit): Int { return repo().patch(builder) } suspend fun update(): Update = repo().patch() }
apache-2.0
6decd7e8c9ac803137184fe0f084965a
28.105691
100
0.632402
4.3289
false
false
false
false
leafclick/intellij-community
python/src/com/jetbrains/python/codeInsight/mlcompletion/PyCompletionFeatures.kt
1
8589
// Copyright 2000-2019 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package com.jetbrains.python.codeInsight.mlcompletion import com.intellij.codeInsight.completion.CompletionLocation import com.intellij.codeInsight.lookup.LookupElement import com.intellij.codeInsight.lookup.LookupElementPresentation import com.intellij.openapi.module.ModuleUtilCore import com.intellij.openapi.projectRoots.Sdk import com.intellij.openapi.vfs.VirtualFile import com.intellij.psi.PsiComment import com.intellij.psi.PsiDirectory import com.intellij.psi.PsiElement import com.intellij.psi.PsiWhiteSpace import com.intellij.psi.util.PsiTreeUtil import com.intellij.psi.util.elementType import com.jetbrains.python.PyTokenTypes import com.jetbrains.python.psi.* import com.jetbrains.python.sdk.PythonSdkUtil object PyCompletionFeatures { fun isDictKey(element: LookupElement): Boolean { val presentation = LookupElementPresentation.renderElement(element) return ("dict key" == presentation.typeText) } fun isTheSameFile(element: LookupElement, location: CompletionLocation): Boolean { val psiFile = location.completionParameters.originalFile val elementPsiFile = element.psiElement?.containingFile ?: return false return psiFile == elementPsiFile } fun isTakesParameterSelf(element: LookupElement): Boolean { val presentation = LookupElementPresentation.renderElement(element) return presentation.tailText == "(self)" } enum class ElementNameUnderscoreType {NO_UNDERSCORE, TWO_START_END, TWO_START, ONE_START} fun getElementNameUnderscoreType(name: String): ElementNameUnderscoreType { return when { name.startsWith("__") && name.endsWith("__") -> ElementNameUnderscoreType.TWO_START_END name.startsWith("__") -> ElementNameUnderscoreType.TWO_START name.startsWith("_") -> ElementNameUnderscoreType.ONE_START else -> ElementNameUnderscoreType.NO_UNDERSCORE } } fun isPsiElementIsPyFile(element: LookupElement) = element.psiElement is PyFile fun isPsiElementIsPsiDirectory(element: LookupElement) = element.psiElement is PsiDirectory data class ElementModuleCompletionFeatures(val isFromStdLib: Boolean, val canFindModule: Boolean) fun getElementModuleCompletionFeatures(element: LookupElement): ElementModuleCompletionFeatures? { val psiElement = element.psiElement ?: return null var vFile: VirtualFile? = null var sdk: Sdk? = null val containingFile = psiElement.containingFile if (psiElement is PsiDirectory) { vFile = psiElement.virtualFile sdk = PythonSdkUtil.findPythonSdk(psiElement) } else if (containingFile != null) { vFile = containingFile.virtualFile sdk = PythonSdkUtil.findPythonSdk(containingFile) } if (vFile != null) { val isFromStdLib = PythonSdkUtil.isStdLib(vFile, sdk) val canFindModule = ModuleUtilCore.findModuleForFile(vFile, psiElement.project) != null return ElementModuleCompletionFeatures(isFromStdLib, canFindModule) } return null } fun isInCondition(locationPsi: PsiElement): Boolean { if (isAfterColon(locationPsi)) return false val condition = PsiTreeUtil.getParentOfType(locationPsi, PyConditionalStatementPart::class.java, true, PyArgumentList::class.java, PyStatementList::class.java) return condition != null } fun isAfterIfStatementWithoutElseBranch(locationPsi: PsiElement): Boolean { val prevKeywords = getPrevKeywordsIdsInTheSameColumn(locationPsi, 1) if (prevKeywords.isEmpty()) return false val ifKwId = PyMlCompletionHelpers.getKeywordId("if") val elifKwId = PyMlCompletionHelpers.getKeywordId("elif") return prevKeywords[0] == ifKwId || prevKeywords[0] == elifKwId } fun isInForStatement(locationPsi: PsiElement): Boolean { if (isAfterColon(locationPsi)) return false val parent = PsiTreeUtil.getParentOfType(locationPsi, PyForPart::class.java, true, PyStatementList::class.java) return parent != null } fun getPrevNeighboursKeywordIds(locationPsi: PsiElement, maxPrevKeywords: Int = 2): ArrayList<Int> { val res = ArrayList<Int>() var cur: PsiElement? = locationPsi while (cur != null) { cur = PsiTreeUtil.prevVisibleLeaf(cur)?: break val keywordId = PyMlCompletionHelpers.getKeywordId(cur.text) ?: break res.add(keywordId) if (res.size >= maxPrevKeywords) break } return res } fun getPrevKeywordsIdsInTheSameLine(locationPsi: PsiElement, maxPrevKeywords: Int = 2): ArrayList<Int> { val res = ArrayList<Int>() var cur: PsiElement? = locationPsi while (cur != null) { cur = PsiTreeUtil.prevLeaf(cur)?: break if (cur is PsiWhiteSpace && cur.textContains('\n')) break val keywordId = PyMlCompletionHelpers.getKeywordId(cur.text) ?: continue res.add(keywordId) if (res.size >= maxPrevKeywords) break } return res } fun getPrevKeywordsIdsInTheSameColumn(locationPsi: PsiElement, maxPrevKeywords: Int = 2): ArrayList<Int> { val maxSteps = 1000 fun getIndent(element: PsiElement) = element.text.split('\n').last().length fun isIndentElement(element: PsiElement) = element is PsiWhiteSpace && element.textContains('\n') fun isInDocstring(element: PsiElement) = element.parent is StringLiteralExpression val res = ArrayList<Int>() val whitespaceElem = PsiTreeUtil.prevLeaf(locationPsi) ?: return res if (!whitespaceElem.text.contains('\n')) return res val caretIndent = getIndent(whitespaceElem) var stepsCounter = 0 var cur: PsiElement? = whitespaceElem while (cur != null) { stepsCounter++ if (stepsCounter > maxSteps) break cur = PsiTreeUtil.prevLeaf(cur)?: break val prev = PsiTreeUtil.prevLeaf(cur)?: break if (cur is PsiComment || isInDocstring(cur)) continue if (!isIndentElement(prev)) continue val prevIndent = getIndent(prev) if (prevIndent < caretIndent) break if (prevIndent > caretIndent) continue val keywordId = PyMlCompletionHelpers.getKeywordId(cur.text) ?: break res.add(keywordId) if (res.size >= maxPrevKeywords) break cur = prev } return res } fun getNumberOfOccurrencesInScope(kind: PyCompletionMlElementKind, locationPsi: PsiElement, lookupString: String): Int? { when (kind) { in arrayOf(PyCompletionMlElementKind.FUNCTION, PyCompletionMlElementKind.TYPE_OR_CLASS, PyCompletionMlElementKind.FROM_TARGET) -> { val statementList = PsiTreeUtil.getParentOfType(locationPsi, PyStatementList::class.java, PyFile::class.java) ?: return null val children = PsiTreeUtil.collectElementsOfType(statementList, PyReferenceExpression::class.java) return children.count { it.textOffset < locationPsi.textOffset && it.textMatches(lookupString) } } PyCompletionMlElementKind.NAMED_ARG -> { val psiArgList = PsiTreeUtil.getParentOfType(locationPsi, PyArgumentList::class.java) ?: return null val children = PsiTreeUtil.getChildrenOfType(psiArgList, PyKeywordArgument::class.java) ?: return null return children.map { it.firstChild }.count { lookupString == "${it.text}=" } } PyCompletionMlElementKind.PACKAGE_OR_MODULE -> { val imports = PsiTreeUtil.collectElementsOfType(locationPsi.containingFile, PyImportElement::class.java) return imports.count { imp -> val refExpr = imp.importReferenceExpression refExpr != null && refExpr.textMatches(lookupString) } } else -> { return null } } } fun getBuiltinPopularityFeature(lookupString: String, isBuiltins: Boolean): Int? = if (isBuiltins) PyMlCompletionHelpers.builtinsPopularity[lookupString] else null fun getKeywordId(lookupString: String): Int? = PyMlCompletionHelpers.getKeywordId(lookupString) fun getPyLookupElementInfo(element: LookupElement): PyCompletionMlElementInfo? = element.getUserData(PyCompletionMlElementInfo.key) fun getNumberOfQualifiersInExpresionFeature(element: PsiElement): Int { if (element !is PyQualifiedExpression) return 1 return element.asQualifiedName()?.components?.size ?: 1 } private fun isAfterColon(locationPsi: PsiElement): Boolean { val prevVisibleLeaf = PsiTreeUtil.prevVisibleLeaf(locationPsi) return (prevVisibleLeaf != null && prevVisibleLeaf.elementType == PyTokenTypes.COLON) } }
apache-2.0
a09e51ef0792fb4992068ae06bf05277
40.100478
140
0.730586
4.89123
false
false
false
false
byoutline/kickmaterial
app/src/main/java/com/byoutline/kickmaterial/features/projectdetails/VideoActivity.kt
1
3620
package com.byoutline.kickmaterial.features.projectdetails import android.content.Context import android.content.Intent import android.media.MediaPlayer import android.net.Uri import android.os.Bundle import android.support.v7.app.AppCompatActivity import android.text.TextUtils import android.view.Window import android.view.WindowManager import android.widget.VideoView import com.byoutline.kickmaterial.R import com.byoutline.kickmaterial.databinding.ActivityVideoBinding import com.byoutline.kickmaterial.model.ProjectDetails import com.byoutline.secretsauce.databinding.bindContentView import com.byoutline.secretsauce.utils.LogUtils /** * Displays fullscreen video. Since it has neither fragments nor toolbar we do not extend * [com.byoutline.kickmaterial.utils.AutoHideToolbarActivity] */ class VideoActivity : AppCompatActivity() { lateinit var videoView: VideoView public override fun onCreate(savedInstanceState: Bundle?) { requestWindowFeature(Window.FEATURE_NO_TITLE) window.setFlags(WindowManager.LayoutParams.FLAG_FULLSCREEN, WindowManager.LayoutParams.FLAG_FULLSCREEN) super.onCreate(savedInstanceState) val binding: ActivityVideoBinding = bindContentView(R.layout.activity_video) videoView = binding.videoView if (savedInstanceState == null) { setDataFromArgs() } } private fun setDataFromArgs() { val intent = intent if (intent == null) { LogUtils.LOGE(TAG, "Null intent") // NOI18E return } val args = intent.extras if (args == null) { LogUtils.LOGE(TAG, "Null args") // NOI18E return } val videoUrl = args.getString(BUNDLE_VIDEO_URL) val altVideoUrl = args.getString(BUNDLE_ALT_VIDEO_URL) val webviewUrl = args.getString(BUNDLE_WEBVIEW_URL) val uri = Uri.parse(videoUrl) videoView.setMediaController(VideoController(this, webviewUrl)) videoView.setVideoURI(uri) videoView.setOnErrorListener(object : MediaPlayer.OnErrorListener { internal var tryAltVideo = !TextUtils.isEmpty(altVideoUrl) override fun onError(mediaPlayer: MediaPlayer, i: Int, i1: Int): Boolean { if (tryAltVideo) { tryAltVideo = false videoView.setVideoURI(Uri.parse(altVideoUrl)) videoView.start() return true } return false } }) videoView.setOnCompletionListener { finish() } videoView.requestFocus() } override fun onStart() { super.onStart() videoView.start() } companion object { const val BUNDLE_VIDEO_URL = "bundle_video_url" const val BUNDLE_ALT_VIDEO_URL = "bundle_alt_video_url" const val BUNDLE_WEBVIEW_URL = "bundle_web_view_url" private val TAG = LogUtils.makeLogTag(VideoActivity::class.java) fun showActivity(context: Context, projectDetails: ProjectDetails) { showActivity(context, projectDetails.videoUrl, projectDetails.altVideoUrl, projectDetails.pledgeUrl) } fun showActivity(context: Context, videoUrl: String, altVideoUrl: String, webviewUrl: String) { val intent = Intent(context, VideoActivity::class.java).apply { putExtra(BUNDLE_VIDEO_URL, videoUrl) putExtra(BUNDLE_ALT_VIDEO_URL, altVideoUrl) putExtra(BUNDLE_WEBVIEW_URL, webviewUrl) } context.startActivity(intent) } } }
apache-2.0
26980b26c8586e5a86553aec15f4fe23
36.319588
112
0.669061
4.695201
false
false
false
false
aconsuegra/algorithms-playground
src/main/kotlin/me/consuegra/algorithms/KPalindromeLinkedList.kt
1
968
package me.consuegra.algorithms import me.consuegra.datastructure.KListNode import me.consuegra.datastructure.KStack /** * Implement a function to check if a linked list is a palindrome */ class KPalindromeLinkedList { fun <T> isPalindromeSolution1(input: KListNode<T>?) : Boolean { return input?.let { it == KReverseLinkedList().reverseOption1(input) } ?: false } fun <T> isPalindromeSolution2(input: KListNode<T>?) : Boolean { val stack = KStack<T>() var slow = input var fast = input while (fast != null && fast.next != null) { slow?.data?.let { stack.push(it) } slow = slow?.next fast = fast.next?.next } if (fast != null) { slow = slow?.next } while (slow != null) { if (stack.pop() != slow.data) { return false } slow = slow.next } return true } }
mit
8cc9c99ba858a7c5b63772ba16a4c2be
23.820513
87
0.549587
4.119149
false
false
false
false
exponent/exponent
android/versioned-abis/expoview-abi44_0_0/src/main/java/abi44_0_0/expo/modules/battery/BatteryLevelReceiver.kt
2
1329
package abi44_0_0.expo.modules.battery import android.content.BroadcastReceiver import android.content.Context import android.content.Intent import android.content.IntentFilter import android.os.BatteryManager import android.os.Bundle import android.util.Log import abi44_0_0.expo.modules.core.interfaces.services.EventEmitter class BatteryLevelReceiver(private val eventEmitter: EventEmitter?) : BroadcastReceiver() { private val BATTERY_LEVEL_EVENT_NAME = "Expo.batteryLevelDidChange" private fun onBatteryLevelChange(BatteryLevel: Float) { eventEmitter?.emit( BATTERY_LEVEL_EVENT_NAME, Bundle().apply { putFloat("batteryLevel", BatteryLevel) } ) } override fun onReceive(context: Context, intent: Intent) { val batteryIntent = context.applicationContext.registerReceiver(null, IntentFilter(Intent.ACTION_BATTERY_CHANGED)) if (batteryIntent == null) { Log.e("Battery", "ACTION_BATTERY_CHANGED unavailable. Events wont be received") return } val level = batteryIntent.getIntExtra(BatteryManager.EXTRA_LEVEL, -1) val scale = batteryIntent.getIntExtra(BatteryManager.EXTRA_SCALE, -1) val batteryLevel: Float = if (level != -1 && scale != -1) { level / scale.toFloat() } else { -1f } onBatteryLevelChange(batteryLevel) } }
bsd-3-clause
c80c0f9682d5fc6ae2febc4a9477a55e
33.076923
118
0.734387
4.153125
false
false
false
false
smmribeiro/intellij-community
platform/projectModel-impl/src/com/intellij/workspaceModel/ide/impl/legacyBridge/module/UnloadedModuleDescriptionBridge.kt
5
2122
// Copyright 2000-2021 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package com.intellij.workspaceModel.ide.impl.legacyBridge.module import com.intellij.openapi.module.UnloadedModuleDescription import com.intellij.openapi.vfs.pointers.VirtualFilePointer import com.intellij.util.containers.Interner import com.intellij.workspaceModel.ide.impl.VirtualFileUrlBridge import com.intellij.workspaceModel.storage.bridgeEntities.ModuleDependencyItem import com.intellij.workspaceModel.storage.bridgeEntities.ModuleEntity class UnloadedModuleDescriptionBridge private constructor( private val name: String, private val dependencyModuleNames: List<String>, private val contentRoots: List<VirtualFilePointer>, private val groupPath: List<String> ) : UnloadedModuleDescription { override fun getName(): String = name override fun getDependencyModuleNames(): List<String> = dependencyModuleNames override fun getContentRoots(): List<VirtualFilePointer> = contentRoots override fun getGroupPath(): List<String> = groupPath companion object { fun createDescriptions(entities: List<ModuleEntity>): List<UnloadedModuleDescription> { val interner = Interner.createStringInterner() return entities.map { entity -> create(entity, interner) } } fun createDescription(entity: ModuleEntity): UnloadedModuleDescription = create(entity, Interner.createStringInterner()) private fun create(entity: ModuleEntity, interner: Interner<String>): UnloadedModuleDescriptionBridge { val contentRoots = entity.contentRoots.sortedBy { contentEntry -> contentEntry.url.url } .mapTo(ArrayList()) { contentEntry -> contentEntry.url as VirtualFileUrlBridge } val dependencyModuleNames = entity.dependencies.filterIsInstance(ModuleDependencyItem.Exportable.ModuleDependency::class.java) .map { moduleDependency -> interner.intern(moduleDependency.module.name) } return UnloadedModuleDescriptionBridge(entity.name, dependencyModuleNames, contentRoots, entity.groupPath?.path ?: emptyList()) } } }
apache-2.0
250373e012aa99d8d8a9e4748cf69929
50.780488
140
0.796418
5.345088
false
false
false
false
fabmax/kool
kool-core/src/jvmMain/kotlin/de/fabmax/kool/platform/FontMapGenerator.kt
1
7047
package de.fabmax.kool.platform import de.fabmax.kool.pipeline.TexFormat import de.fabmax.kool.pipeline.TextureData2d import de.fabmax.kool.util.* import kotlinx.coroutines.runBlocking import java.awt.Color import java.awt.Graphics2D import java.awt.GraphicsEnvironment import java.awt.RenderingHints import java.awt.image.BufferedImage import java.awt.image.DataBufferInt import java.io.ByteArrayInputStream import java.io.IOException import kotlin.math.ceil import kotlin.math.round /** * @author fabmax */ private typealias AwtFont = java.awt.Font internal class FontMapGenerator(val maxWidth: Int, val maxHeight: Int, val ctx: Lwjgl3Context) { private val canvas = BufferedImage(maxWidth, maxHeight, BufferedImage.TYPE_INT_ARGB) private val clearColor = Color(0, 0, 0, 0) private val availableFamilies: Set<String> private val customFonts = mutableMapOf<String, AwtFont>() init { val families: MutableSet<String> = mutableSetOf() val ge = GraphicsEnvironment.getLocalGraphicsEnvironment() for (family in ge.availableFontFamilyNames) { families.add(family) } availableFamilies = families } internal fun loadCustomFonts(props: Lwjgl3Context.InitProps, assetMgr: JvmAssetManager) { props.customFonts.forEach { (family, path) -> try { val inStream = runBlocking { ByteArrayInputStream(assetMgr.loadAsset(path)!!.toArray()) } val ttfFont = AwtFont.createFont(AwtFont.TRUETYPE_FONT, inStream) customFonts[family] = ttfFont logD { "Loaded custom font: $family" } } catch (e: IOException) { logE { "Failed loading font $family: $e" } e.printStackTrace() } } } fun createFontMapData(font: AtlasFont, fontScale: Float, outMetrics: MutableMap<Char, CharMetrics>): TextureData2d { val g = canvas.graphics as Graphics2D g.setRenderingHint(RenderingHints.KEY_TEXT_ANTIALIASING, RenderingHints.VALUE_TEXT_ANTIALIAS_ON) // clear canvas g.background = clearColor g.clearRect(0, 0, maxWidth, maxHeight) var style = AwtFont.PLAIN if (font.style and AtlasFont.BOLD != 0) { style = AwtFont.BOLD } if (font.style and AtlasFont.ITALIC != 0) { style += AwtFont.ITALIC } var customFont: AwtFont? = null var family = AwtFont.SANS_SERIF val fams = font.family.split(",") for (fam in fams) { val f = fam.trim().replace("\"", "") if (f in customFonts.keys) { customFont = customFonts[f] break } else if (f == "sans-serif") { family = AwtFont.SANS_SERIF break } else if (f == "monospaced") { family = AwtFont.MONOSPACED break } else if (f in availableFamilies) { family = f break } } val size = round(font.sizePts * fontScale) val awtFont = customFont?.deriveFont(font.style, size) ?: AwtFont(family, style, size.toInt()) // theoretically we could specify an accurate font weight, however this does not have any effect for all fonts I tried //awtFont = awtFont.deriveFont(mapOf<TextAttribute, Any>(TextAttribute.WEIGHT to TextAttribute.WEIGHT_EXTRA_LIGHT)) g.font = awtFont g.color = Color.BLACK outMetrics.clear() val texHeight = makeMap(font, size, g, outMetrics) val buffer = getCanvasAlphaData(maxWidth, texHeight) logD { "Generated font map for (${font}, scale=${fontScale})" } //ImageIO.write(canvas, "png", File("${g.font.family}-${g.font.size}.png")) return TextureData2d(buffer, maxWidth, texHeight, TexFormat.R) } private fun getCanvasAlphaData(width: Int, height: Int): Uint8Buffer { val imgBuf = canvas.data.dataBuffer as DataBufferInt val pixels = imgBuf.bankData[0] val buffer = createUint8Buffer(width * height) for (i in 0 until width * height) { buffer.put((pixels[i] shr 24).toByte()) } buffer.flip() return buffer } private fun makeMap(font: AtlasFont, size: Float, g: Graphics2D, outMetrics: MutableMap<Char, CharMetrics>): Int { val fm = g.fontMetrics // unfortunately java font metrics don't provide methods to determine the precise pixel bounds of individual // characters and some characters (e.g. 'j', 'f') extend further to left / right than the given char width // therefore we need to add generous padding to avoid artefacts val isItalic = font.style == AtlasFont.ITALIC val padLeft = ceil(if (isItalic) size / 2f else size / 5f).toInt() val padRight = ceil(if (isItalic) size / 2f else size / 10f).toInt() val padTop = 0 val padBottom = 0 val ascent = if (font.ascentEm == 0f) (fm.ascent + fm.leading) else ceil(font.ascentEm * size).toInt() val descent = if (font.descentEm == 0f) fm.descent else ceil(font.descentEm * size).toInt() val height = if (font.heightEm == 0f) fm.height else ceil(font.heightEm * size).toInt() // first pixel is opaque g.fillRect(0, 0, 1, 1) var x = 1 var y = ascent for (c in font.chars) { val charW = fm.charWidth(c) val paddedWidth = charW + padLeft + padRight if (x + paddedWidth > maxWidth) { x = 0 y += height + padBottom + padTop if (y + descent > maxHeight) { logE { "Unable to render full font map: Maximum texture size exceeded" } break } } val metrics = CharMetrics() metrics.width = paddedWidth.toFloat() metrics.height = (height + padBottom + padTop).toFloat() metrics.xOffset = padLeft.toFloat() metrics.yBaseline = ascent.toFloat() metrics.advance = charW.toFloat() metrics.uvMin.set( x.toFloat(), (y - ascent - padTop).toFloat() ) metrics.uvMax.set( (x + paddedWidth).toFloat(), (y - ascent + padBottom + height).toFloat() ) outMetrics[c] = metrics g.drawString("$c", x + padLeft, y) x += paddedWidth } val texW = maxWidth val texH = nextPow2(y + descent) for (cm in outMetrics.values) { cm.uvMin.x /= texW cm.uvMin.y /= texH cm.uvMax.x /= texW cm.uvMax.y /= texH } return texH } private fun nextPow2(value: Int): Int { var pow2 = 16 while (pow2 < value && pow2 < maxHeight) { pow2 = pow2 shl 1 } return pow2 } }
apache-2.0
06cfa229cf4d69e42298e4cc9a4cd718
35.138462
126
0.586775
4.283891
false
false
false
false
Setekh/corvus-android-essentials
app/src/main/java/eu/corvus/essentials/core/mvc/BaseFragment.kt
1
1545
package eu.corvus.essentials.core.mvc import android.os.Bundle import android.support.v4.app.Fragment import android.view.Gravity import android.view.LayoutInflater import android.view.View import android.view.ViewGroup import android.widget.TextView /** * Created by Vlad Cazacu on 17.03.2017. */ abstract class BaseFragment : Fragment(), ModelView { private lateinit var rootView: View open val controller: BaseController<out ModelView>? = null abstract val viewId: Int override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? { if(viewId == 0) rootView = TextView(context).apply { layoutParams = ViewGroup.LayoutParams(ViewGroup.LayoutParams.MATCH_PARENT, ViewGroup.LayoutParams.MATCH_PARENT) gravity = Gravity.CENTER text = "View not setup" } else rootView = inflater.inflate(viewId, container, false) return rootView } override fun onActivityCreated(savedInstanceState: Bundle?) { super.onActivityCreated(savedInstanceState) controller?.attach(this) } override fun onResume() { super.onResume() controller?.onRestore() } override fun onPause() { super.onPause() onStart() } override fun onDestroyView() { super.onDestroyView() controller?.dettach() } override fun onDestroy() { super.onDestroy() controller?.dettach() } }
apache-2.0
2a58e5bbc255f2fd291a3f926ae9f9b9
23.935484
127
0.656958
4.889241
false
false
false
false
jwren/intellij-community
plugins/kotlin/idea/src/org/jetbrains/kotlin/idea/quickfix/ChangeVariableTypeFix.kt
1
9370
// Copyright 2000-2021 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.jetbrains.kotlin.idea.quickfix import com.intellij.codeInsight.intention.HighPriorityAction import com.intellij.codeInsight.intention.IntentionAction import com.intellij.openapi.editor.Editor import com.intellij.openapi.project.Project import org.jetbrains.kotlin.descriptors.ClassDescriptor import org.jetbrains.kotlin.descriptors.PropertyDescriptor import org.jetbrains.kotlin.diagnostics.Diagnostic import org.jetbrains.kotlin.diagnostics.Errors import org.jetbrains.kotlin.idea.KotlinBundle import org.jetbrains.kotlin.idea.caches.resolve.analyze import org.jetbrains.kotlin.idea.caches.resolve.resolveToDescriptorIfAny import org.jetbrains.kotlin.idea.caches.resolve.unsafeResolveToDescriptor import org.jetbrains.kotlin.idea.core.ShortenReferences import org.jetbrains.kotlin.idea.core.quickfix.QuickFixUtil import org.jetbrains.kotlin.idea.intentions.branchedTransformations.isNullExpression import org.jetbrains.kotlin.idea.references.mainReference import org.jetbrains.kotlin.idea.util.IdeDescriptorRenderers import org.jetbrains.kotlin.lexer.KtTokens import org.jetbrains.kotlin.psi.* import org.jetbrains.kotlin.psi.psiUtil.getStrictParentOfType import org.jetbrains.kotlin.resolve.BindingContext import org.jetbrains.kotlin.resolve.DescriptorToSourceUtils import org.jetbrains.kotlin.resolve.jvm.diagnostics.ErrorsJvm import org.jetbrains.kotlin.resolve.lazy.BodyResolveMode import org.jetbrains.kotlin.types.error.ErrorUtils import org.jetbrains.kotlin.types.KotlinType import org.jetbrains.kotlin.types.checker.KotlinTypeChecker import org.jetbrains.kotlin.types.typeUtil.makeNullable import java.util.* open class ChangeVariableTypeFix(element: KtCallableDeclaration, type: KotlinType) : KotlinQuickFixAction<KtCallableDeclaration>(element) { private val typeContainsError = ErrorUtils.containsErrorType(type) private val typePresentation = IdeDescriptorRenderers.SOURCE_CODE_TYPES_WITH_SHORT_NAMES.renderType(type) private val typeSourceCode = IdeDescriptorRenderers.SOURCE_CODE_TYPES.renderType(type) open fun variablePresentation(): String? { val element = element!! val name = element.name return if (name != null) { val container = element.unsafeResolveToDescriptor().containingDeclaration as? ClassDescriptor val containerName = container?.name?.takeUnless { it.isSpecial }?.asString() if (containerName != null) "'$containerName.$name'" else "'$name'" } else { null } } override fun getText(): String { if (element == null) return "" val variablePresentation = variablePresentation() return if (variablePresentation != null) { KotlinBundle.message("change.type.of.0.to.1", variablePresentation, typePresentation) } else { KotlinBundle.message("change.type.to.0", typePresentation) } } class OnType(element: KtCallableDeclaration, type: KotlinType) : ChangeVariableTypeFix(element, type), HighPriorityAction { override fun variablePresentation() = null } class ForOverridden(element: KtVariableDeclaration, type: KotlinType) : ChangeVariableTypeFix(element, type) { override fun variablePresentation(): String? { val presentation = super.variablePresentation() ?: return null return KotlinBundle.message("base.property.0", presentation) } } override fun getFamilyName() = KotlinBundle.message("fix.change.return.type.family") override fun isAvailable(project: Project, editor: Editor?, file: KtFile) = !typeContainsError override fun invoke(project: Project, editor: Editor?, file: KtFile) { val element = element ?: return val psiFactory = KtPsiFactory(file) assert(element.nameIdentifier != null) { "ChangeVariableTypeFix applied to variable without name" } val replacingTypeReference = psiFactory.createType(typeSourceCode) val toShorten = ArrayList<KtTypeReference>() toShorten.add(element.setTypeReference(replacingTypeReference)!!) if (element is KtProperty) { val getterReturnTypeRef = element.getter?.returnTypeReference if (getterReturnTypeRef != null) { toShorten.add(getterReturnTypeRef.replace(replacingTypeReference) as KtTypeReference) } val setterParameterTypeRef = element.setter?.parameter?.typeReference if (setterParameterTypeRef != null) { toShorten.add(setterParameterTypeRef.replace(replacingTypeReference) as KtTypeReference) } } ShortenReferences.DEFAULT.process(toShorten) } object ComponentFunctionReturnTypeMismatchFactory : KotlinSingleIntentionActionFactory() { override fun createAction(diagnostic: Diagnostic): IntentionAction? { val entry = ChangeCallableReturnTypeFix.getDestructuringDeclarationEntryThatTypeMismatchComponentFunction(diagnostic) val context = entry.analyze() val resolvedCall = context.get(BindingContext.COMPONENT_RESOLVED_CALL, entry) ?: return null if (DescriptorToSourceUtils.descriptorToDeclaration(resolvedCall.candidateDescriptor) == null) return null val expectedType = resolvedCall.candidateDescriptor.returnType ?: return null return ChangeVariableTypeFix(entry, expectedType) } } object PropertyOrReturnTypeMismatchOnOverrideFactory : KotlinIntentionActionsFactory() { override fun doCreateActions(diagnostic: Diagnostic): List<IntentionAction> { val actions = LinkedList<IntentionAction>() val element = diagnostic.psiElement as? KtCallableDeclaration if (element !is KtProperty && element !is KtParameter) return actions val descriptor = element.resolveToDescriptorIfAny(BodyResolveMode.FULL) as? PropertyDescriptor ?: return actions var lowerBoundOfOverriddenPropertiesTypes = QuickFixUtil.findLowerBoundOfOverriddenCallablesReturnTypes(descriptor) val propertyType = descriptor.returnType ?: error("Property type cannot be null if it mismatches something") val overriddenMismatchingProperties = LinkedList<PropertyDescriptor>() var canChangeOverriddenPropertyType = true for (overriddenProperty in descriptor.overriddenDescriptors) { val overriddenPropertyType = overriddenProperty.returnType if (overriddenPropertyType != null) { if (!KotlinTypeChecker.DEFAULT.isSubtypeOf(propertyType, overriddenPropertyType)) { overriddenMismatchingProperties.add(overriddenProperty) } else if (overriddenProperty.isVar && !KotlinTypeChecker.DEFAULT.equalTypes( overriddenPropertyType, propertyType ) ) { canChangeOverriddenPropertyType = false } if (overriddenProperty.isVar && lowerBoundOfOverriddenPropertiesTypes != null && !KotlinTypeChecker.DEFAULT.equalTypes(lowerBoundOfOverriddenPropertiesTypes, overriddenPropertyType) ) { lowerBoundOfOverriddenPropertiesTypes = null } } } if (lowerBoundOfOverriddenPropertiesTypes != null) { actions.add(OnType(element, lowerBoundOfOverriddenPropertiesTypes)) } if (overriddenMismatchingProperties.size == 1 && canChangeOverriddenPropertyType) { val overriddenProperty = DescriptorToSourceUtils.descriptorToDeclaration(overriddenMismatchingProperties.single()) if (overriddenProperty is KtProperty) { actions.add(ForOverridden(overriddenProperty, propertyType)) } } return actions } } object VariableInitializedWithNullFactory : KotlinSingleIntentionActionFactory() { override fun createAction(diagnostic: Diagnostic): IntentionAction? { val binaryExpression = diagnostic.psiElement.getStrictParentOfType<KtBinaryExpression>() ?: return null val left = binaryExpression.left ?: return null if (binaryExpression.operationToken != KtTokens.EQ) return null val property = left.mainReference?.resolve() as? KtProperty ?: return null if (!property.isVar || property.typeReference != null || !property.initializer.isNullExpression()) return null val actualType = when (diagnostic.factory) { Errors.TYPE_MISMATCH -> Errors.TYPE_MISMATCH.cast(diagnostic).b Errors.TYPE_MISMATCH_WARNING -> Errors.TYPE_MISMATCH_WARNING.cast(diagnostic).b ErrorsJvm.NULLABILITY_MISMATCH_BASED_ON_JAVA_ANNOTATIONS -> ErrorsJvm.NULLABILITY_MISMATCH_BASED_ON_JAVA_ANNOTATIONS.cast(diagnostic).b else -> null } ?: return null return ChangeVariableTypeFix(property, actualType.makeNullable()) } } }
apache-2.0
3f70106d75f4c49d0fdf737ca636848a
51.055556
158
0.707577
5.780382
false
false
false
false
jwren/intellij-community
platform/lang-impl/src/com/intellij/util/indexing/IndexDataInitializer.kt
4
3377
// Copyright 2000-2022 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license. package com.intellij.util.indexing import com.intellij.openapi.application.ApplicationManager import com.intellij.openapi.diagnostic.Logger import com.intellij.util.SystemProperties import com.intellij.util.ThrowableRunnable import com.intellij.util.concurrency.AppExecutorUtil import com.intellij.util.concurrency.SequentialTaskExecutor import java.time.Duration import java.time.Instant import java.util.concurrent.Callable import java.util.concurrent.Future abstract class IndexDataInitializer<T> : Callable<T?> { override fun call(): T? { val log = Logger.getInstance(javaClass.name) val started = Instant.now() return try { val tasks = prepareTasks() runParallelTasks(tasks) val result = finish() val message = getInitializationFinishedMessage(result) log.info("Index data initialization done: ${Duration.between(started, Instant.now()).toMillis()} ms. " + message) result } catch (t: Throwable) { log.error("Index data initialization failed", t) throw t } } protected abstract fun getInitializationFinishedMessage(initializationResult: T): String protected abstract fun finish(): T protected abstract fun prepareTasks(): Collection<ThrowableRunnable<*>> @Throws(InterruptedException::class) private fun runParallelTasks(tasks: Collection<ThrowableRunnable<*>>) { if (tasks.isEmpty()) { return } if (ourDoParallelIndicesInitialization) { val taskExecutor = AppExecutorUtil.createBoundedApplicationPoolExecutor( "Index Instantiation Pool", UnindexedFilesUpdater.getNumberOfIndexingThreads() ) tasks .asSequence() .map<ThrowableRunnable<*>, Future<*>?> { taskExecutor.submit { executeTask(it) } } .forEach { try { it!!.get() } catch (e: Exception) { LOG.error(e) } } taskExecutor.shutdown() } else { for (callable in tasks) { executeTask(callable) } } } private fun executeTask(callable: ThrowableRunnable<*>) { val app = ApplicationManager.getApplication() try { // To correctly apply file removals in indices shutdown hook we should process all initialization tasks // Todo: make processing removed files more robust because ignoring 'dispose in progress' delays application exit and // may cause memory leaks IDEA-183718, IDEA-169374, if (app.isDisposed /*|| app.isDisposeInProgress()*/) { return } callable.run() } catch (t: Throwable) { LOG.error(t) } } companion object { private val LOG = Logger.getInstance(IndexDataInitializer::class.java) private val ourDoParallelIndicesInitialization = SystemProperties.getBooleanProperty("idea.parallel.indices.initialization", true) @JvmField val ourDoAsyncIndicesInitialization = SystemProperties.getBooleanProperty("idea.async.indices.initialization", true) private val ourGenesisExecutor = SequentialTaskExecutor.createSequentialApplicationPoolExecutor("Index Data Initializer Pool") @JvmStatic fun <T> submitGenesisTask(action: Callable<T>): Future<T> { return ourGenesisExecutor.submit(action) } } }
apache-2.0
969ba6851861a49f2990ac5bf89aae8a
32.78
134
0.703583
4.776521
false
false
false
false
jwren/intellij-community
platform/vcs-log/impl/src/com/intellij/vcs/log/history/FileHistoryDiffPreview.kt
2
2624
// Copyright 2000-2021 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package com.intellij.vcs.log.history import com.intellij.diff.chains.DiffRequestChain import com.intellij.diff.chains.SimpleDiffRequestChain import com.intellij.diff.impl.DiffRequestProcessor import com.intellij.openapi.Disposable import com.intellij.openapi.actionSystem.AnActionEvent import com.intellij.openapi.project.Project import com.intellij.openapi.util.Disposer import com.intellij.openapi.vcs.changes.ChainBackedDiffPreviewProvider import com.intellij.openapi.vcs.changes.actions.diff.ChangeDiffRequestProducer import com.intellij.vcs.log.VcsLogBundle import com.intellij.vcs.log.VcsLogDataKeys import com.intellij.vcs.log.ui.actions.history.CompareRevisionsFromFileHistoryActionProvider import com.intellij.vcs.log.ui.frame.EditorDiffPreview import org.jetbrains.annotations.Nls import javax.swing.JComponent import javax.swing.event.ListSelectionListener class FileHistoryEditorDiffPreview(project: Project, private val fileHistoryPanel: FileHistoryPanel) : EditorDiffPreview(project, fileHistoryPanel), ChainBackedDiffPreviewProvider { init { init() } override fun getOwnerComponent(): JComponent = fileHistoryPanel.graphTable override fun getEditorTabName(processor: DiffRequestProcessor?): @Nls String = VcsLogBundle.message("file.history.diff.preview.editor.tab.name", fileHistoryPanel.filePath.name) override fun addSelectionListener(listener: () -> Unit) { val selectionListener = ListSelectionListener { if (!fileHistoryPanel.graphTable.selectionModel.isSelectionEmpty) { listener() } } fileHistoryPanel.graphTable.selectionModel.addListSelectionListener(selectionListener) Disposer.register(owner, Disposable { fileHistoryPanel.graphTable.selectionModel.removeListSelectionListener(selectionListener) }) } override fun createDiffRequestProcessor(): DiffRequestProcessor { val preview: FileHistoryDiffProcessor = fileHistoryPanel.createDiffPreview(true) preview.updatePreview(true) return preview } override fun createDiffRequestChain(): DiffRequestChain? { val change = fileHistoryPanel.selectedChange ?: return null val producer = ChangeDiffRequestProducer.create(project, change) ?: return null return SimpleDiffRequestChain.fromProducer(producer) } override fun updateAvailability(event: AnActionEvent) { val log = event.getData(VcsLogDataKeys.VCS_LOG) ?: return CompareRevisionsFromFileHistoryActionProvider.setTextAndDescription(event, log) } }
apache-2.0
6f309250f21fbecfa25d430d5e4b77e3
42.733333
140
0.813643
4.94162
false
false
false
false
JetBrains/intellij-community
plugins/markdown/core/src/org/intellij/plugins/markdown/editor/tables/TableModificationUtils.kt
1
15702
// Copyright 2000-2021 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.intellij.plugins.markdown.editor.tables import com.intellij.openapi.editor.Caret import com.intellij.openapi.editor.Document import com.intellij.openapi.editor.Editor import com.intellij.openapi.util.TextRange import com.intellij.psi.util.siblings import com.intellij.refactoring.suggested.endOffset import com.intellij.refactoring.suggested.startOffset import com.intellij.util.containers.ContainerUtil import org.intellij.plugins.markdown.editor.tables.TableUtils.calculateActualTextRange import org.intellij.plugins.markdown.editor.tables.TableUtils.columnsCount import org.intellij.plugins.markdown.editor.tables.TableUtils.getColumnAlignment import org.intellij.plugins.markdown.editor.tables.TableUtils.getColumnCells import org.intellij.plugins.markdown.editor.tables.TableUtils.separatorRow import org.intellij.plugins.markdown.lang.MarkdownTokenTypes import org.intellij.plugins.markdown.lang.psi.impl.MarkdownTable import org.intellij.plugins.markdown.lang.psi.impl.MarkdownTableCell import org.intellij.plugins.markdown.lang.psi.impl.MarkdownTableRow import org.intellij.plugins.markdown.lang.psi.impl.MarkdownTableSeparatorRow import org.intellij.plugins.markdown.lang.psi.util.hasType import org.jetbrains.annotations.ApiStatus @ApiStatus.Internal @ApiStatus.Experimental object TableModificationUtils { /** * Modifies column with [columnIndex], calling [transformCell] on each cell and * [transformSeparator] on corresponding separator cell. */ fun MarkdownTable.modifyColumn( columnIndex: Int, transformSeparator: (TextRange) -> Unit, transformCell: (MarkdownTableCell) -> Unit ): Boolean { val separatorRange = separatorRow?.getCellRange(columnIndex) ?: return false val headerCell = headerRow?.getCell(columnIndex) ?: return false val cells = getColumnCells(columnIndex, withHeader = false) for (cell in cells.asReversed()) { transformCell.invoke(cell) } transformSeparator.invoke(separatorRange) transformCell.invoke(headerCell) return true } private fun getCellPotentialWidth(cellText: String): Int { var width = cellText.length if (!cellText.startsWith(' ')) { width += 1 } if (!cellText.endsWith(' ')) { width += 1 } return width } private fun isSeparatorCellCorrectlyFormatted(cellText: String): Boolean { // Don't have to validate ':' count and positions, since it won't be a separator at all return cellText.all { it =='-' || it == ':' } } fun MarkdownTableCell.hasCorrectPadding(): Boolean { val cellText = text return text.length >= TableProps.MIN_CELL_WIDTH && cellText.startsWith(" ") && cellText.endsWith(" ") } @Suppress("MemberVisibilityCanBePrivate") fun MarkdownTable.isColumnCorrectlyFormatted(columnIndex: Int, checkAlignment: Boolean = true): Boolean { val cells = getColumnCells(columnIndex, withHeader = true) if (cells.isEmpty()) { return true } if (checkAlignment && !validateColumnAlignment(columnIndex)) { return false } val separatorCellText = separatorRow?.getCellText(columnIndex)!! val width = getCellPotentialWidth(cells.first().text) if (separatorCellText.length != width || !isSeparatorCellCorrectlyFormatted(separatorCellText)) { return false } return cells.all { val selfWidth = getCellPotentialWidth(it.text) it.hasCorrectPadding() && selfWidth == it.textRange.length && selfWidth == width } } fun MarkdownTable.isCorrectlyFormatted(checkAlignment: Boolean = true): Boolean { return (0 until columnsCount).all { isColumnCorrectlyFormatted(it, checkAlignment) } } fun MarkdownTableCell.hasValidAlignment(): Boolean { val table = parentTable ?: return true val columnAlignment = table.getColumnAlignment(columnIndex) return hasValidAlignment(columnAlignment) } fun MarkdownTableCell.hasValidAlignment(expected: MarkdownTableSeparatorRow.CellAlignment): Boolean { val content = text if (content.length < TableProps.MIN_CELL_WIDTH) { return false } if (content.isBlank()) { return true } when (expected) { MarkdownTableSeparatorRow.CellAlignment.LEFT -> { return content[0] == ' ' && content[1] != ' ' } MarkdownTableSeparatorRow.CellAlignment.RIGHT -> { return content.last() == ' ' && content[content.lastIndex - 1] != ' ' } MarkdownTableSeparatorRow.CellAlignment.CENTER -> { var spacesLeft = content.indexOfFirst { it != ' ' } var spacesRight = content.indexOfLast { it != ' ' } if (spacesLeft == -1 || spacesRight == -1) { return true } spacesLeft += 1 spacesRight = content.lastIndex - spacesRight + 1 return spacesLeft == spacesRight || (spacesLeft + 1 == spacesRight) } else -> return true } } fun MarkdownTable.validateColumnAlignment(columnIndex: Int): Boolean { val expected = separatorRow!!.getCellAlignment(columnIndex) if (expected == MarkdownTableSeparatorRow.CellAlignment.NONE) { return true } return getColumnCells(columnIndex, true).all { it.hasValidAlignment(expected) } } /** * @param cellContentWidth Should be at least 5 */ fun buildSeparatorCellContent(alignment: MarkdownTableSeparatorRow.CellAlignment, cellContentWidth: Int): String { check(cellContentWidth > 4) return when (alignment) { MarkdownTableSeparatorRow.CellAlignment.NONE -> "-".repeat(cellContentWidth) MarkdownTableSeparatorRow.CellAlignment.LEFT -> ":${"-".repeat(cellContentWidth - 1)}" MarkdownTableSeparatorRow.CellAlignment.RIGHT -> "${"-".repeat(cellContentWidth - 1)}:" MarkdownTableSeparatorRow.CellAlignment.CENTER -> ":${"-".repeat(cellContentWidth - 2)}:" } } fun buildRealignedCellContent(cellContent: String, wholeCellWidth: Int, alignment: MarkdownTableSeparatorRow.CellAlignment): String { check(wholeCellWidth >= cellContent.length) return when (alignment) { MarkdownTableSeparatorRow.CellAlignment.RIGHT -> "${" ".repeat(wholeCellWidth - cellContent.length - 1)}$cellContent " MarkdownTableSeparatorRow.CellAlignment.CENTER -> { val leftPadding = (wholeCellWidth - cellContent.length) / 2 val rightPadding = wholeCellWidth - cellContent.length - leftPadding buildString { repeat(leftPadding) { append(' ') } append(cellContent) repeat(rightPadding) { append(' ') } } } // MarkdownTableSeparatorRow.CellAlignment.LEFT else -> " $cellContent${" ".repeat(wholeCellWidth - cellContent.length - 1)}" } } fun MarkdownTableCell.getContentWithoutWhitespaces(document: Document): String { val range = textRange val content = document.charsSequence.substring(range.startOffset, range.endOffset) return content.trim(' ') } fun MarkdownTableSeparatorRow.updateAlignment(document: Document, columnIndex: Int, alignment: MarkdownTableSeparatorRow.CellAlignment) { val cellRange = getCellRange(columnIndex)!! val width = cellRange.length //check(width >= TableProps.MIN_CELL_WIDTH) val replacement = buildSeparatorCellContent(alignment, width) document.replaceString(cellRange.startOffset, cellRange.endOffset, replacement) } fun MarkdownTableCell.updateAlignment(document: Document, alignment: MarkdownTableSeparatorRow.CellAlignment) { if (alignment == MarkdownTableSeparatorRow.CellAlignment.NONE) { return } val documentText = document.charsSequence val cellRange = textRange val cellText = documentText.substring(cellRange.startOffset, cellRange.endOffset) val actualContent = cellText.trim(' ') val replacement = buildRealignedCellContent(actualContent, cellText.length, alignment) document.replaceString(cellRange.startOffset, cellRange.endOffset, replacement) } fun MarkdownTable.updateColumnAlignment(document: Document, columnIndex: Int, alignment: MarkdownTableSeparatorRow.CellAlignment) { modifyColumn( columnIndex, transformSeparator = { separatorRow?.updateAlignment(document, columnIndex, alignment) }, transformCell = { it.updateAlignment(document, alignment) } ) } fun MarkdownTable.updateColumnAlignment(document: Document, columnIndex: Int) { val alignment = separatorRow?.getCellAlignment(columnIndex) ?: return updateColumnAlignment(document, columnIndex, alignment) } fun MarkdownTable.buildEmptyRow(builder: StringBuilder = StringBuilder()): StringBuilder { val header = checkNotNull(headerRow) builder.append(TableProps.SEPARATOR_CHAR) for (cell in header.cells) { repeat(cell.textRange.length) { builder.append(' ') } builder.append(TableProps.SEPARATOR_CHAR) } return builder } fun MarkdownTable.selectColumn( editor: Editor, columnIndex: Int, withHeader: Boolean = false, withSeparator: Boolean = false, withBorders: Boolean = false ) { val cells = getColumnCells(columnIndex, withHeader) val caretModel = editor.caretModel caretModel.removeSecondaryCarets() caretModel.currentCaret.apply { val textRange = obtainCellSelectionRange(cells.first(), withBorders) moveToOffset(textRange.startOffset) setSelectionFromRange(textRange) } if (withSeparator) { val range = when { withBorders -> separatorRow?.getCellRangeWithPipes(columnIndex) else -> separatorRow?.getCellRange(columnIndex) } range?.let { textRange -> val caret = caretModel.addCaret(editor.offsetToVisualPosition(textRange.startOffset)) caret?.setSelectionFromRange(textRange) } } for (cell in cells.asSequence().drop(1)) { val textRange = obtainCellSelectionRange(cell, withBorders) val caret = caretModel.addCaret(editor.offsetToVisualPosition(textRange.startOffset)) caret?.setSelectionFromRange(textRange) } } private fun obtainCellSelectionRange(cell: MarkdownTableCell, withBorders: Boolean): TextRange { val range = cell.textRange if (!withBorders) { return range } val leftPipe = cell.siblings(forward = false, withSelf = false) .takeWhile { it !is MarkdownTableCell } .find { it.hasType(MarkdownTokenTypes.TABLE_SEPARATOR) } val rightPipe = cell.siblings(forward = true, withSelf = false) .takeWhile { it !is MarkdownTableCell } .find { it.hasType(MarkdownTokenTypes.TABLE_SEPARATOR) } val left = leftPipe?.startOffset ?: range.startOffset val right = rightPipe?.endOffset ?: range.endOffset return TextRange(left, right) } private fun Caret.setSelectionFromRange(textRange: TextRange) { setSelection(textRange.startOffset, textRange.endOffset) } fun MarkdownTable.insertColumn( document: Document, columnIndex: Int, after: Boolean = true, alignment: MarkdownTableSeparatorRow.CellAlignment = MarkdownTableSeparatorRow.CellAlignment.NONE, columnWidth: Int = TableProps.MIN_CELL_WIDTH ) { val cells = getColumnCells(columnIndex, withHeader = false) val headerCell = headerRow?.getCell(columnIndex)!! val separatorCell = separatorRow?.getCellRange(columnIndex)!! val cellContent = " ".repeat(columnWidth) for (cell in cells.asReversed()) { when { after -> document.insertString(cell.endOffset + 1, "${cellContent}${TableProps.SEPARATOR_CHAR}") else -> document.insertString(cell.startOffset - 1, "${TableProps.SEPARATOR_CHAR}${cellContent}") } } when { after -> document.insertString(separatorCell.endOffset + 1, "${buildSeparatorCellContent(alignment, columnWidth)}${TableProps.SEPARATOR_CHAR}") else -> document.insertString(separatorCell.startOffset - 1, "${TableProps.SEPARATOR_CHAR}${buildSeparatorCellContent(alignment, columnWidth)}") } when { after -> document.insertString(headerCell.endOffset + 1, "${cellContent}${TableProps.SEPARATOR_CHAR}") else -> document.insertString(headerCell.startOffset - 1, "${TableProps.SEPARATOR_CHAR}${cellContent}") } } fun buildEmptyRow(columns: Int, fillCharacter: Char = ' ', builder: StringBuilder = StringBuilder()): StringBuilder { return builder.apply { repeat(columns) { append(TableProps.SEPARATOR_CHAR) repeat(TableProps.MIN_CELL_WIDTH) { append(fillCharacter) } } append(TableProps.SEPARATOR_CHAR) } } @Suppress("MemberVisibilityCanBePrivate") fun buildHeaderSeparator(columns: Int, builder: StringBuilder = StringBuilder()): StringBuilder { return buildEmptyRow(columns, '-', builder) } fun buildEmptyTable(contentRows: Int, columns: Int): String { val builder = StringBuilder() buildEmptyRow(columns, builder = builder) builder.append('\n') buildHeaderSeparator(columns, builder = builder) builder.append('\n') repeat(contentRows) { buildEmptyRow(columns, builder = builder) builder.append('\n') } return builder.toString() } fun MarkdownTableRow.hasCorrectBorders(): Boolean { return firstChild?.hasType(MarkdownTokenTypes.TABLE_SEPARATOR) == true && lastChild?.hasType(MarkdownTokenTypes.TABLE_SEPARATOR) == true } fun MarkdownTableSeparatorRow.hasCorrectBorders(): Boolean { val range = calculateActualTextRange().shiftLeft(startOffset) val text = range.substring(text) val first = text.firstOrNull { !it.isWhitespace() } val last = text.lastOrNull { !it.isWhitespace() } return first == TableProps.SEPARATOR_CHAR && last == TableProps.SEPARATOR_CHAR } fun MarkdownTable.hasCorrectBorders(): Boolean { val rows = getRows(true) return rows.all { it.hasCorrectBorders() } && separatorRow?.hasCorrectBorders() == true } /** * Removes cell based on PSI. */ fun MarkdownTableSeparatorRow.removeCell(columnIndex: Int) { val contents = (0 until cellsCount).map { it to getCellText(it) } val newContents = contents.asSequence() .filter { (index, _) -> index != columnIndex } .map { (_, text) -> text } .joinToString( TableProps.SEPARATOR_CHAR.toString(), prefix = TableProps.SEPARATOR_CHAR.toString(), postfix = TableProps.SEPARATOR_CHAR.toString() ) replaceWithText(newContents) } /** * Swaps two cells based on PSI. */ fun MarkdownTableSeparatorRow.swapCells(leftIndex: Int, rightIndex: Int) { val contents = (0 until cellsCount).asSequence().map { getCellText(it) }.toMutableList() ContainerUtil.swapElements(contents, leftIndex, rightIndex) val newContents = contents.joinToString( TableProps.SEPARATOR_CHAR.toString(), prefix = TableProps.SEPARATOR_CHAR.toString(), postfix = TableProps.SEPARATOR_CHAR.toString() ) replaceWithText(newContents) } /** * Removes column based on PSI. */ fun MarkdownTable.removeColumn(columnIndex: Int) { val cells = getColumnCells(columnIndex, withHeader = true) for (cell in cells.asReversed()) { val parent = cell.parent when { columnIndex == 0 && cell.prevSibling?.hasType(MarkdownTokenTypes.TABLE_SEPARATOR) == true -> parent.deleteChildRange(cell.prevSibling, cell) cell.nextSibling?.hasType(MarkdownTokenTypes.TABLE_SEPARATOR) == true -> parent.deleteChildRange(cell, cell.nextSibling) else -> cell.delete() } } separatorRow?.removeCell(columnIndex) } }
apache-2.0
55e9a7fa7d9e6a7b4340513b5017766b
38.852792
158
0.712139
4.771194
false
false
false
false
kamerok/Orny
app/src/main/kotlin/com/kamer/orny/data/google/GoogleAuthHolderImpl.kt
1
4591
package com.kamer.orny.data.google import android.Manifest import android.content.Context import com.google.api.client.googleapis.extensions.android.gms.auth.GoogleAccountCredential import com.google.api.client.util.ExponentialBackOff import com.google.api.services.sheets.v4.SheetsScopes import com.kamer.orny.data.android.ActivityHolder import com.kamer.orny.data.android.Prefs import com.kamer.orny.data.android.ReactiveActivities import com.kamer.orny.di.app.ApplicationScope import com.kamer.orny.utils.hasPermission import com.tbruyelle.rxpermissions2.RxPermissions import io.reactivex.Completable import io.reactivex.Observable import io.reactivex.Single import io.reactivex.android.schedulers.AndroidSchedulers import io.reactivex.schedulers.Schedulers import java.util.* import javax.inject.Inject @ApplicationScope class GoogleAuthHolderImpl @Inject constructor( private val context: Context, private val prefs: Prefs, private val activityHolder: ActivityHolder, private val reactiveActivities: ReactiveActivities) : GoogleAuthHolder { companion object { private val SCOPES = arrayOf(SheetsScopes.SPREADSHEETS) } override fun login(): Completable { if (prefs.accountName.isNotEmpty()) { return Completable.complete() } return checkPermission() .andThen(createCredentials()) .flatMap { reactiveActivities.chooseGoogleAccount(it) } .flatMapCompletable { accountName -> Completable.fromAction { prefs.accountName = accountName } } } override fun logout(): Completable = Completable.fromAction { prefs.accountName = "" } override fun getActiveCredentials(): Single<GoogleAccountCredential> = checkAuth() .andThen(checkPermission()) .andThen(createCredentials()) .flatMap { credential -> checkIfAccountExist(credential) .toSingle { credential } } private fun createCredentials(): Single<GoogleAccountCredential> = Single.fromCallable { val accountCredential = GoogleAccountCredential.usingOAuth2( context, Arrays.asList<String>(*SCOPES)) .setBackOff(ExponentialBackOff()) accountCredential.selectedAccountName = prefs.accountName return@fromCallable accountCredential } private fun checkAuth(): Completable = Completable .fromAction { if (prefs.accountName.isEmpty()) { throw Exception("Not logged") } } .retryWhen { errorStream -> errorStream.flatMap { reactiveActivities.login().toSingleDefault("").toFlowable() } } private fun checkIfAccountExist(credential: GoogleAccountCredential): Completable = Completable .fromAction { if (context.hasPermission(Manifest.permission.GET_ACCOUNTS) && credential.selectedAccountName.isNullOrEmpty()) { prefs.accountName = "" throw Exception("Account not exist") } } .retryWhen { errorStream -> errorStream.flatMap { reactiveActivities.login().toSingleDefault("").toFlowable() } } private fun checkPermission(): Completable = Single.just("").flatMapCompletable { val activity = activityHolder.getActivity() return@flatMapCompletable when { context.hasPermission(Manifest.permission.GET_ACCOUNTS) -> Completable.complete() activity != null -> Observable .just("") .observeOn(AndroidSchedulers.mainThread()) //create RxPermissions() instance only when needed .flatMap { Observable.just("").compose(RxPermissions(activity).ensure(Manifest.permission.GET_ACCOUNTS)) } .observeOn(Schedulers.io()) .flatMapCompletable { granted -> if (granted) { Completable.complete() } else { Completable.error(SecurityException("Permission denied")) } } else -> Completable.error(Exception("No activity to check permission")) } } }
apache-2.0
0e19e17ad0fc8e12a7a1d22a7bb7d4fb
38.247863
128
0.609018
5.826142
false
false
false
false
oldcwj/iPing
app/src/main/java/com/wpapper/iping/ui/dialogs/FilePickerDialog.kt
1
8725
package com.wpapper.iping.ui.dialogs import android.os.Environment import android.os.Parcelable import android.support.v7.app.AlertDialog import android.support.v7.widget.DividerItemDecoration import android.support.v7.widget.LinearLayoutManager import android.util.Log import android.view.KeyEvent import android.view.LayoutInflater import com.simplemobiletools.commons.activities.BaseSimpleActivity import com.simplemobiletools.commons.adapters.FilepickerItemsAdapter import com.simplemobiletools.commons.dialogs.CreateNewFolderDialog import com.simplemobiletools.commons.dialogs.StoragePickerDialog import com.simplemobiletools.commons.extensions.beVisible import com.simplemobiletools.commons.extensions.getFilenameFromPath import com.simplemobiletools.commons.extensions.internalStoragePath import com.simplemobiletools.commons.extensions.setupDialogStuff import com.simplemobiletools.commons.models.FileDirItem import com.simplemobiletools.commons.views.Breadcrumbs import com.wpapper.iping.R import com.wpapper.iping.model.DataSave import com.wpapper.iping.ui.folder.FolderActivity import com.wpapper.iping.ui.utils.SSHManager import kotlinx.android.synthetic.main.dialog_filepicker.view.* import java.io.File import java.util.ArrayList import java.util.HashMap /** * The only filepicker constructor with a couple optional parameters * * @param activity * @param currPath initial path of the dialog, defaults to the external storage * @param pickFile toggle used to determine if we are picking a file or a folder * @param showHidden toggle for showing hidden items, whose name starts with a dot * @param showFAB toggle the displaying of a Floating Action Button for creating new folders * @param callback the callback used for returning the selected file/folder */ class FilePickerDialog(val activity: BaseSimpleActivity, var currPath: String = Environment.getExternalStorageDirectory().toString(), val pickFile: Boolean = true, val showHidden: Boolean = false, val showFAB: Boolean = false, val callback: (pickedPath: String) -> Unit) : Breadcrumbs.BreadcrumbsListener { var mFirstUpdate = true var mPrevPath = "" var mScrollStates = HashMap<String, Parcelable>() lateinit var mDialog: AlertDialog var mDialogView = LayoutInflater.from(activity).inflate(R.layout.dialog_filepicker, null) init { if (!File(currPath).exists()) { currPath = activity.internalStoragePath } if (File(currPath).isFile) { currPath = File(currPath).parent } mDialogView.filepicker_breadcrumbs.listener = this updateItems() val builder = AlertDialog.Builder(activity) .setNegativeButton(R.string.cancel, null) .setOnKeyListener({ dialogInterface, i, keyEvent -> if (keyEvent.action == KeyEvent.ACTION_UP && i == KeyEvent.KEYCODE_BACK) { val breadcrumbs = mDialogView.filepicker_breadcrumbs if (breadcrumbs.childCount > 1) { breadcrumbs.removeBreadcrumb() currPath = breadcrumbs.getLastItem().path updateItems() } else { mDialog.dismiss() } } true }) if (!pickFile) builder.setPositiveButton(R.string.ok, null) if (showFAB) { mDialogView.filepicker_fab.apply { beVisible() setOnClickListener { createNewFolder() } } } mDialog = builder.create().apply { context.setupDialogStuff(mDialogView, this, getTitle()) } if (!pickFile) { mDialog.getButton(AlertDialog.BUTTON_POSITIVE).setOnClickListener({ verifyPath() }) } } private fun getTitle() = if (pickFile) R.string.select_file else R.string.select_folder private fun createNewFolder() { CreateNewFolderDialog(activity, currPath) { callback(it.trimEnd('/')) mDialog.dismiss() } } private fun updateItems() { var items = getItems(currPath) if (!containsDirectory(items) && !mFirstUpdate && !pickFile && !showFAB) { verifyPath() return } items = items.sortedWith(compareBy({ !it.isDirectory }, { it.name.toLowerCase() })) val adapter = FilepickerItemsAdapter(activity, items) { if (it.isDirectory) { currPath = it.path updateItems() } else if (pickFile) { currPath = it.path verifyPath() } } val layoutManager = mDialogView.filepicker_list.layoutManager as LinearLayoutManager mScrollStates.put(mPrevPath.trimEnd('/'), layoutManager.onSaveInstanceState()) mDialogView.apply { if (filepicker_list.adapter == null) { DividerItemDecoration(context, DividerItemDecoration.VERTICAL).apply { setDrawable(context.resources.getDrawable(R.drawable.divider)) filepicker_list.addItemDecoration(this) } } filepicker_list.adapter = adapter filepicker_breadcrumbs.setBreadcrumb(currPath) filepicker_fastscroller.setViews(filepicker_list) } layoutManager.onRestoreInstanceState(mScrollStates[currPath.trimEnd('/')]) mFirstUpdate = false mPrevPath = currPath } private fun getItems(path: String, isRemote: Boolean = true, callback: (items: ArrayList<FileDirItem>) -> Unit) { Thread({ if (!isRemote) { getRegularItemsOf(path, callback) } else { Log.i("path=====", path) var host = (activity as FolderActivity).host var sshInfo = DataSave(activity).getData(host) if (sshInfo != null) { callback(SSHManager.newInstance().sshLs(sshInfo, path)) } } }).start() } private fun getRegularItemsOf(path: String, callback: (items: ArrayList<FileDirItem>) -> Unit) { val items = ArrayList<FileDirItem>() val files = File(path).listFiles() if (files != null) { for (file in files) { val curPath = file.absolutePath val curName = curPath.getFilenameFromPath() if (!showHidden && curName.startsWith(".")) continue val children = getChildren(file) val size = file.length() items.add(FileDirItem(curPath, curName, file.isDirectory, children, size)) } } callback(items) } private fun verifyPath() { val file = File(currPath) if ((pickFile && file.isFile) || (!pickFile && file.isDirectory)) { sendSuccess() } } private fun sendSuccess() { callback(if (currPath.length == 1) currPath else currPath.trimEnd('/')) mDialog.dismiss() } private fun getItems(path: String): List<FileDirItem> { val items = ArrayList<FileDirItem>() val base = File(path) val files = base.listFiles() ?: return items for (file in files) { if (!showHidden && file.isHidden) { continue } val curPath = file.absolutePath val curName = curPath.getFilenameFromPath() val size = file.length() items.add(FileDirItem(curPath, curName, file.isDirectory, getChildren(file), size)) } return items } private fun getChildren(file: File): Int { return if (file.listFiles() == null || !file.isDirectory) { 0 } else { file.listFiles().filter { !it.isHidden || (it.isHidden && showHidden) }.size } } private fun containsDirectory(items: List<FileDirItem>) = items.any { it.isDirectory } override fun breadcrumbClicked(id: Int) { if (id == 0) { StoragePickerDialog(activity, currPath) { index, path -> currPath = path updateItems() } } else { val item = mDialogView.filepicker_breadcrumbs.getChildAt(id).tag as FileDirItem if (currPath != item.path.trimEnd('/')) { currPath = item.path updateItems() } } } }
gpl-3.0
3c748671d3095cf94470eec0c8e11728
35.207469
117
0.603553
5.171903
false
false
false
false
androidx/androidx
room/room-compiler/src/test/kotlin/androidx/room/util/SchemaDifferTest.kt
3
54780
/* * Copyright 2021 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package androidx.room.util import androidx.room.migration.bundle.DatabaseBundle import androidx.room.migration.bundle.EntityBundle import androidx.room.migration.bundle.FieldBundle import androidx.room.migration.bundle.ForeignKeyBundle import androidx.room.migration.bundle.IndexBundle import androidx.room.migration.bundle.PrimaryKeyBundle import androidx.room.migration.bundle.SchemaBundle import androidx.room.migration.bundle.TABLE_NAME_PLACEHOLDER import androidx.room.processor.ProcessorErrors import androidx.room.vo.AutoMigration import com.google.common.truth.Truth.assertThat import org.junit.Assert.fail import org.junit.Test class SchemaDifferTest { @Test fun testPrimaryKeyChanged() { val diffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toChangeInPrimaryKey.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(diffResult.complexChangedTables.keys).contains("Song") } @Test fun testForeignKeyFieldChanged() { val diffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toForeignKeyAdded.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(diffResult.complexChangedTables["Song"] != null) } @Test fun testComplexChangeInvolvingIndex() { val diffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toIndexAdded.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(diffResult.complexChangedTables["Song"] != null) } @Test fun testColumnAddedWithColumnInfoDefaultValue() { val schemaDiffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toColumnAddedWithColumnInfoDefaultValue.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(schemaDiffResult.addedColumns.single().fieldBundle.columnName) .isEqualTo("artistId") } @Test fun testColumnsAddedInOrder() { val schemaDiffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toColumnsAddedInOrder.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(schemaDiffResult.addedColumns).hasSize(2) assertThat(schemaDiffResult.addedColumns[0].fieldBundle.columnName) .isEqualTo("recordLabelId") assertThat(schemaDiffResult.addedColumns[1].fieldBundle.columnName) .isEqualTo("artistId") } @Test fun testColumnAddedWithNoDefaultValue() { try { SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toColumnAddedWithNoDefaultValue.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() fail("DiffException should have been thrown.") } catch (ex: DiffException) { assertThat(ex.errorMessage).isEqualTo( ProcessorErrors.newNotNullColumnMustHaveDefaultValue("artistId") ) } } @Test fun testTableAddedWithColumnInfoDefaultValue() { val schemaDiffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toTableAddedWithColumnInfoDefaultValue.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(schemaDiffResult.addedTables.toList()[0].entityBundle.tableName) .isEqualTo("Album") } @Test fun testColumnsAddedWithSameName() { val schemaDiffResult = SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toColumnsAddedWithSameName.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() assertThat(schemaDiffResult.addedColumns).hasSize(2) assertThat( schemaDiffResult.addedColumns.any { it.tableName == "Song" && it.fieldBundle.columnName == "newColumn" } ).isTrue() assertThat( schemaDiffResult.addedColumns.any { it.tableName == "Artist" && it.fieldBundle.columnName == "newColumn" } ).isTrue() } @Test fun testColumnRenamed() { try { SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toColumnRenamed.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() fail("DiffException should have been thrown.") } catch (ex: DiffException) { assertThat(ex.errorMessage).isEqualTo( ProcessorErrors.deletedOrRenamedColumnFound("MyAutoMigration", "length", "Song") ) } } @Test fun testColumnRemoved() { try { SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toColumnRemoved.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() fail("DiffException should have been thrown.") } catch (ex: DiffException) { assertThat(ex.errorMessage).isEqualTo( ProcessorErrors.deletedOrRenamedColumnFound("MyAutoMigration", "length", "Song") ) } } @Test fun testTableRenamedWithoutAnnotation() { try { SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toTableRenamed.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() fail("DiffException should have been thrown.") } catch (ex: DiffException) { assertThat(ex.errorMessage).isEqualTo( ProcessorErrors.deletedOrRenamedTableFound("MyAutoMigration", "Artist") ) } } @Test fun testTableRemovedWithoutAnnotation() { try { SchemaDiffer( fromSchemaBundle = from.database, toSchemaBundle = toTableDeleted.database, className = "MyAutoMigration", renameColumnEntries = listOf(), deleteColumnEntries = listOf(), renameTableEntries = listOf(), deleteTableEntries = listOf() ).diffSchemas() fail("DiffException should have been thrown.") } catch (ex: DiffException) { assertThat(ex.errorMessage).isEqualTo( ProcessorErrors.deletedOrRenamedTableFound("MyAutoMigration", "Artist") ) } } @Test fun testRenameTwoColumnsOnComplexChangedTable() { val fromSchemaBundle = SchemaBundle( 1, DatabaseBundle( 1, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `$TABLE_NAME_PLACEHOLDER` (`id` " + "INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) val toSchemaBundle = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "SongTable", "CREATE TABLE IF NOT EXISTS `$TABLE_NAME_PLACEHOLDER` (`id` " + "INTEGER NOT NULL, " + "`songTitle` TEXT NOT NULL, `songLength` " + "INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "songTitle", "songTitle", "TEXT", true, "" ), FieldBundle( "songLength", "songLength", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) val schemaDiffResult = SchemaDiffer( fromSchemaBundle = fromSchemaBundle.database, toSchemaBundle = toSchemaBundle.database, className = "MyAutoMigration", renameColumnEntries = listOf( AutoMigration.RenamedColumn("Song", "title", "songTitle"), AutoMigration.RenamedColumn("Song", "length", "songLength") ), deleteColumnEntries = listOf(), renameTableEntries = listOf( AutoMigration.RenamedTable("Song", "SongTable") ), deleteTableEntries = listOf() ).diffSchemas() assertThat(schemaDiffResult.complexChangedTables.size).isEqualTo(1) schemaDiffResult.complexChangedTables.values.single().let { complexChange -> assertThat(complexChange.tableName).isEqualTo("Song") assertThat(complexChange.tableNameWithNewPrefix).isEqualTo("_new_SongTable") assertThat(complexChange.renamedColumnsMap).containsExactlyEntriesIn( mapOf("songTitle" to "title", "songLength" to "length") ) } } private val from = SchemaBundle( 1, DatabaseBundle( 1, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) //region Valid "to" Schemas private val toTableRenamed = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ), EntityBundle( "Album", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) private val toTableDeleted = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) private val toColumnAddedWithColumnInfoDefaultValue = SchemaBundle( 2, DatabaseBundle( 2, "", listOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, `artistId` " + "INTEGER NOT NULL DEFAULT 0, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), FieldBundle( "artistId", "artistId", "INTEGER", true, "0" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), emptyList(), emptyList() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) /** * Adding multiple columns, preserving the order in which they have been added. */ private val toColumnsAddedInOrder = SchemaBundle( 2, DatabaseBundle( 2, "", listOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, `artistId` " + "INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), FieldBundle( "recordLabelId", "recordLabelId", "INTEGER", true, "0" ), FieldBundle( "artistId", "artistId", "INTEGER", true, "0" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), emptyList(), emptyList() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) /** * Adding multiple columns, preserving the order in which they have been added. */ private val toColumnsAddedWithSameName = SchemaBundle( 2, DatabaseBundle( 2, "", listOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, `artistId` " + "INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), FieldBundle( "newColumn", "newColumn", "INTEGER", true, "0" ), ), PrimaryKeyBundle( false, mutableListOf("id") ), emptyList(), emptyList() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), FieldBundle( "newColumn", "newColumn", "INTEGER", true, "0" ), ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) /** * Renaming the length column to duration. */ private val toColumnRenamed = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT " + "NULL, `title` TEXT NOT NULL, `duration` INTEGER NOT NULL DEFAULT 0, " + "PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "duration", "duration", "INTEGER", true, "0" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) /** * The affinity of a length column is changed from Integer to Text. No columns are * added/removed. */ val toColumnAffinityChanged = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` TEXT NOT NULL DEFAULT length, " + "PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "TEXT", true, "length" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) private val toTableAddedWithColumnInfoDefaultValue = SchemaBundle( 1, DatabaseBundle( 1, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ), EntityBundle( "Album", "CREATE TABLE IF NOT EXISTS `Album` (`albumId` INTEGER NOT NULL, `name` TEXT " + "NOT NULL, PRIMARY KEY(`albumId`))", listOf( FieldBundle( "albumId", "albumId", "INTEGER", true, "1" ) ), PrimaryKeyBundle(true, listOf("albumId")), listOf(), listOf() ) ), mutableListOf(), mutableListOf() ) ) private val toForeignKeyAdded = SchemaBundle( 2, DatabaseBundle( 2, "", listOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, `artistId` " + "INTEGER NOT NULL DEFAULT 0, PRIMARY KEY(`id`), FOREIGN KEY(`title`) " + "REFERENCES `Song`(`artistId`) ON UPDATE NO ACTION ON DELETE NO " + "ACTION DEFERRABLE INITIALLY DEFERRED))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), FieldBundle( "artistId", "artistId", "INTEGER", true, "0" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), emptyList(), listOf( ForeignKeyBundle( "Song", "onDelete", "onUpdate", listOf("title"), listOf("artistId") ) ) ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) val toIndexAdded = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), listOf( IndexBundle( "index1", true, emptyList<String>(), emptyList<String>(), "CREATE UNIQUE INDEX IF NOT EXISTS `index1` ON `Song`" + "(`title`)" ) ), mutableListOf() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) val toChangeInPrimaryKey = SchemaBundle( 2, DatabaseBundle( 2, "", mutableListOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`title`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("title") ), mutableListOf(), mutableListOf() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) //endregion //region Invalid "to" Schemas (These are expected to throw an error.) /** * The length column is removed from the first version. No other changes made. */ private val toColumnRemoved = SchemaBundle( 2, DatabaseBundle( 2, "", listOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), ), PrimaryKeyBundle( false, mutableListOf("id") ), emptyList(), emptyList() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) /** * If the user declared the default value in the SQL statement and not used a @ColumnInfo, * Room will put null for that default value in the exported schema. In this case we * can't migrate. */ private val toColumnAddedWithNoDefaultValue = SchemaBundle( 2, DatabaseBundle( 2, "", listOf( EntityBundle( "Song", "CREATE TABLE IF NOT EXISTS `Song` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, `artistId` " + "INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ), FieldBundle( "artistId", "artistId", "INTEGER", true, null ) ), PrimaryKeyBundle( false, mutableListOf("id") ), emptyList(), emptyList() ), EntityBundle( "Artist", "CREATE TABLE IF NOT EXISTS `Artist` (`id` INTEGER NOT NULL, " + "`title` TEXT NOT NULL, `length` INTEGER NOT NULL, PRIMARY KEY(`id`))", listOf( FieldBundle( "id", "id", "INTEGER", true, "1" ), FieldBundle( "title", "title", "TEXT", true, "" ), FieldBundle( "length", "length", "INTEGER", true, "1" ) ), PrimaryKeyBundle( false, mutableListOf("id") ), mutableListOf(), mutableListOf() ) ), mutableListOf(), mutableListOf() ) ) //endregion }
apache-2.0
e50e33ddd73bede29a34ac1373e49a99
33.892357
100
0.311099
7.84252
false
false
false
false
GunoH/intellij-community
plugins/kotlin/code-insight/line-markers/testData/recursive/dispatchReceiver.kt
2
1360
class Foo { fun foo(other: Foo) { <lineMarker text="Recursive call">foo</lineMarker>(other) this.<lineMarker text="Recursive call">foo</lineMarker>(other) this@Foo.<lineMarker text="Recursive call">foo</lineMarker>(other) other.foo(this) with(other) { foo(this@Foo) foo(other) this@Foo.<lineMarker text="Recursive call">foo</lineMarker>(other) } } } open class Bar { open fun bar(other: Bar) { <lineMarker text="Recursive call">bar</lineMarker>(other) this.<lineMarker text="Recursive call">bar</lineMarker>(other) this@Bar.<lineMarker text="Recursive call">bar</lineMarker>(other) other.bar(this) } inner class Nested { fun bar(other: Bar) { <lineMarker text="Recursive call">bar</lineMarker>(other) this.<lineMarker text="Recursive call">bar</lineMarker>(other) this@Nested.<lineMarker text="Recursive call">bar</lineMarker>(other) [email protected](other) } } } object Obj { fun foo() { <lineMarker text="Recursive call">foo</lineMarker>() Obj.<lineMarker text="Recursive call">foo</lineMarker>() Nested.foo() } object Nested { fun foo() {} } } class BarImpl : Bar { override fun bar(other: Bar) {} }
apache-2.0
a68c29276330a23dfa40e860e8aaa1bb
27.354167
81
0.590441
4.159021
false
false
false
false
GunoH/intellij-community
plugins/github/src/org/jetbrains/plugins/github/api/GHEServerVersionChecker.kt
3
1374
// Copyright 2000-2020 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package org.jetbrains.plugins.github.api object GHEServerVersionChecker { private const val REQUIRED_VERSION_MAJOR = 2 private const val REQUIRED_VERSION_MINOR = 21 const val ENTERPRISE_VERSION_HEADER = "x-github-enterprise-version" fun checkVersionSupported(versionValue: String) { val majorVersion: Int val minorVersion: Int try { val versionSplit = versionValue.split('.') majorVersion = versionSplit[0].toInt() minorVersion = versionSplit[1].toInt() } catch (e: Throwable) { throw IllegalStateException("Could not determine GitHub Enterprise server version", e) } when { majorVersion > REQUIRED_VERSION_MAJOR -> return majorVersion < REQUIRED_VERSION_MAJOR -> throwUnsupportedVersion(majorVersion, minorVersion) majorVersion == REQUIRED_VERSION_MAJOR -> if (minorVersion < REQUIRED_VERSION_MINOR) throwUnsupportedVersion(majorVersion, minorVersion) } } private fun throwUnsupportedVersion(currentMajor: Int, currentMinor: Int) { error( "Unsupported GitHub Enterprise server version $currentMajor.$currentMinor. Earliest supported version is $REQUIRED_VERSION_MAJOR.$REQUIRED_VERSION_MINOR" ) } }
apache-2.0
33aa02ebdb1c9ae16cacd596df5a9c67
33.375
159
0.722707
4.657627
false
false
false
false
GunoH/intellij-community
plugins/package-search/src/com/jetbrains/packagesearch/intellij/plugin/util/TraceInfo.kt
2
1554
/******************************************************************************* * Copyright 2000-2022 JetBrains s.r.o. and contributors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. ******************************************************************************/ package com.jetbrains.packagesearch.intellij.plugin.util import java.util.concurrent.atomic.AtomicInteger private val traceId = AtomicInteger(0) data class TraceInfo( val source: TraceSource, val id: Int = traceId.incrementAndGet() ) { override fun toString() = "[$id, source=${source.name}]" enum class TraceSource { EMPTY_VALUE, INIT, PROJECT_CHANGES, SEARCH_RESULTS, TARGET_MODULES, FILTERS, SEARCH_QUERY, TARGET_MODULES_KEYPRESS, TARGET_MODULES_SELECTION_CHANGE, STATUS_CHANGES, EXECUTE_OPS, DATA_CHANGED, PACKAGE_UPGRADES, INSTALLED_PACKAGES } companion object { val EMPTY = TraceInfo(TraceSource.EMPTY_VALUE, -1) } }
apache-2.0
781ea7dc9a3b4d42061f3fcf15deb45c
29.470588
80
0.611969
4.611276
false
false
false
false
OnyxDevTools/onyx-database-parent
onyx-database-tests/src/main/kotlin/pojo/AllTypes.kt
1
958
package pojo import java.io.Serializable import java.util.Date /** * Created by timothy.osborn on 4/14/15. */ class AllTypes : Serializable { var intValue: Int = 0 var intValueM: Int? = null var longValue: Long = 0 var longValueM: Long? = null var booleanValue: Boolean = false var booleanValueM: Boolean? = null var shortValue: Short = 0 var shortValueM: Short? = null var doubleValue: Double = 0.toDouble() var doubleValueM: Double? = null var floatValue: Float = 0.toFloat() var floatValueM: Float? = null var byteValue: Byte = 0 var byteValueM: Byte? = null var dateValue: Date? = null var stringValue: String? = null var nullValue: Any? = null var charValue: Char = ' ' var charValueM: Char? = null override fun hashCode(): Int = intValue override fun equals(other: Any?): Boolean = if (other is AllTypes) { other.intValue == intValue } else false }
agpl-3.0
ae04b1d1f38e31d8eaebe320d66d7a4d
25.611111
72
0.652401
3.910204
false
false
false
false
GunoH/intellij-community
plugins/groovy/groovy-psi/src/org/jetbrains/plugins/groovy/transformations/inline/GroovyInlineASTTransformationPerformer.kt
8
2955
// Copyright 2000-2022 JetBrains s.r.o. and contributors. Use of this source code is governed by the Apache 2.0 license. package org.jetbrains.plugins.groovy.transformations.inline import com.intellij.codeInsight.daemon.impl.HighlightInfo import com.intellij.psi.PsiElement import com.intellij.psi.PsiType import com.intellij.psi.ResolveState import com.intellij.psi.scope.PsiScopeProcessor import org.jetbrains.plugins.groovy.lang.psi.api.statements.expressions.GrExpression import org.jetbrains.plugins.groovy.lang.resolve.ElementResolveResult /** * Allow to define custom code insight for an in-code transformation of the Groovy AST. * * Please don't rely on the lifetime of this class' instances. At each moment of time, multiple instances of [GroovyInlineASTTransformationPerformer] * can exist for the same AST subtree. */ interface GroovyInlineASTTransformationPerformer { /** * Allows to compute custom highlighting for the transformable code. * * Since all semantic highlighting is disabled in the transformable code, * the clients can provide custom "keywords" and "type-checking errors". * * **Node:** If some element within the transformation is [isUntransformed], then Groovy will add its regular highlighting to the element. */ fun computeHighlighting(): List<HighlightInfo> = emptyList() /** * Allows to indicate that an [element] will not be modified after AST transformation. * Therefore, regular Groovy code insight rules will be applied to it. */ fun isUntransformed(element: PsiElement): Boolean = false /** * Allows to tune type inference algorithms within the transformable code. * * A transformation affects a correctly-parsed AST, and it means that the main Groovy type-checker * is able to successfully run in the non-transformed code. Some parts of transformable code should not be type-checked by Groovy, * so that is where this method can be used. * * **Note:** If this method returns `null`, and [expression] is [isUntransformed], * then the main Groovy type-checker will handle the type of the [expression]. */ fun computeType(expression: GrExpression): PsiType? = null /** * Allows to add references during the heavyweight resolve (i.e. methods and non-static-referencable variables). */ fun processResolve(processor: PsiScopeProcessor, state: ResolveState, place: PsiElement): Boolean = true /** * Allows to mimic a synthetic variable declaration. Usually reference expressions do not serve as variables, but everything can happen * during the transformation. * * Please avoid the invocation of heavyweight algorithms (plain reference resolve and typechecking) in implementation. * Consider using [processResolve] in this case. * * @see [org.jetbrains.plugins.groovy.lang.resolve.markAsReferenceResolveTarget] */ fun computeStaticReference(element: PsiElement): ElementResolveResult<PsiElement>? = null }
apache-2.0
f7f5e25098ef46d9ed8e216ad382add8
45.920635
149
0.76379
4.668246
false
false
false
false
cc-ru/pix
src/main/kotlin/totoro/pix/converter/Converter.kt
1
6379
package totoro.pix.converter import javafx.scene.image.Image import javafx.scene.paint.Color import java.util.* import kotlin.collections.HashMap object Converter { fun convert(image: Image): ByteArray { val matrix = ArrayList<Byte>() val reader = image.pixelReader // encode width / height val width = Math.min(image.width.toInt(), 160) val height = Math.min(image.height.toInt(), 100) matrix.add(width.toByte()) matrix.add((height / 2).toByte()) println("Width: $width") println("Height: $height\n") // encode basic fore / back colors val pairs = HashMap<Pair<Color, Color>, Int>() for (x in 0 until width) { (0 until height / 2) .map { Pair(reader.getColor(x, it*2), reader.getColor(x, it*2+1)) } .forEach { pairs[it] = pairs[it]?.plus(1) ?: 1 } } val basic = pairs.toSortedMap(compareBy<Pair<Color, Color>> { pairs[it] }.reversed()).firstKey() encodeColor(matrix, basic.first) encodeColor(matrix, basic.second) println("Basic fore: ${basic.first.red * 255}, ${basic.first.green * 255}, ${basic.first.blue * 255}") println("Basic back: ${basic.second.red * 255}, ${basic.second.green * 255}, ${basic.second.blue * 255}\n") // encode the rest of matrix val list = LinkedList<Sequence>() var current: Sequence? = null for (y in 0 until height / 2) { for (x in 0 until width) { val upper = inflate(deflate(reader.getColor(x, y * 2))) val lower = inflate(deflate(reader.getColor(x, y * 2 + 1))) if (current == null || current.str.size >= 255 || x == 0 || !current.add(upper, lower)) { if (current != null) list.add(current) current = Sequence(upper, lower, x + 1, y + 1) } } } if (current != null) list.add(current) val sorted = HashMap<Color, HashMap<Color, LinkedList<Sequence>>>() for (seq in list) { if (sorted[seq.fore] == null) sorted[seq.fore] = HashMap<Color, LinkedList<Sequence>>() if (sorted[seq.fore]?.get(seq.back) == null) sorted[seq.fore]?.set(seq.back, LinkedList<Sequence>()) sorted[seq.fore]?.get(seq.back)?.add(seq) } print("Compressed char sequence: ") val raw = ArrayList<Byte>() var index = 0 var byte = 0 sorted.forEach { _, sub -> sub.forEach { _, l -> l.forEach { seq -> seq.str.forEach { char -> if (index % 4 == 0 && index > 0) { raw.add(byte.toByte()) print("$byte.") byte = 0 } byte = byte * 4 + char index++ } } } } if (index % 4 != 0) { while (index % 4 != 0) { byte *= 4; index++ } raw.add(byte.toByte()) } raw.add(byte.toByte()) print("$byte.\n") encodeLen(matrix, index) raw.forEach { matrix.add(it) } println("Total: $index symbols / ${raw.size} bytes\n") encodeLen(matrix, sorted.size) println("Fore colors: ${sorted.size}") sorted.forEach { fore, sub -> encodeColor(matrix, fore) println("- ${fore.red * 255}, ${fore.green * 255}, ${fore.blue * 255}") encodeLen(matrix, sub.size) println("- Back colors: ${sub.size}") sub.forEach { back, l -> encodeColor(matrix, back) println("- - ${back.red * 255}, ${back.green * 255}, ${back.blue * 255}") encodeLen(matrix, l.size) println("- - Sequences: ${l.size}") l.forEach { seq -> matrix.add(seq.x.toByte()) println("- - - x: ${seq.x}") matrix.add(seq.y.toByte()) println("- - - y: ${seq.y}") matrix.add(seq.str.size.toByte()) println("- - - len: ${seq.str.size}") println("- - - * * *") } } } return ByteArray(matrix.size, { matrix[it] }) } private fun encodeColor(matrix: ArrayList<Byte>, color: Color) { matrix.add((color.red * 255).toByte()) matrix.add((color.green * 255).toByte()) matrix.add((color.blue * 255).toByte()) } private fun encodeLen(matrix: ArrayList<Byte>, len : Int) { matrix.add((len / 256).toByte()) matrix.add((len % 256).toByte()) } private val reds = 6 private val greens = 8 private val blues = 5 private val grays = arrayOf ( 0.05859375, 0.1171875, 0.17578125, 0.234375, 0.29296875, 0.3515625, 0.41015625, 0.46875, 0.52734375, 0.5859375, 0.64453125, 0.703125, 0.76171875, 0.8203125, 0.87890625, 0.9375 ) private fun delta(a: Color, b: Color): Double { val dr = a.red - b.red val dg = a.green - b.green val db = a.blue - b.blue return 0.2126 * dr * dr + 0.7152 * dg * dg + 0.0722 * db * db } fun deflate(color: Color): Int { val idxR = (color.red * 255 * (reds - 1.0) / 0xFF + 0.5).toInt() val idxG = (color.green * 255 * (greens - 1.0) / 0xFF + 0.5).toInt() val idxB = (color.blue * 255 * (blues - 1.0) / 0xFF + 0.5).toInt() val compressed = 16 + idxR * greens * blues + idxG * blues + idxB return (0..15).fold(compressed, { acc, i -> if (delta(inflate(i), color) < delta(inflate(acc), color)) i else acc }) } fun inflate(value: Int): Color { if (value < 16) { return Color.gray(grays[value]) } else { val index = value - 16 val idxB = index % blues val idxG = (index / blues) % greens val idxR = (index / blues / greens) % reds val r = (idxR * 0xFF / (reds - 1.0) + 0.5).toInt() val g = (idxG * 0xFF / (greens - 1.0) + 0.5).toInt() val b = (idxB * 0xFF / (blues - 1.0) + 0.5).toInt() return Color.rgb(r, g, b) } } }
mit
467e4e5a4f937593a34ffa6051047010
39.373418
124
0.492867
3.754562
false
false
false
false
breadwallet/breadwallet-android
app/src/main/java/com/breadwallet/breadbox/CoreBreadBox.kt
1
20124
/** * BreadWallet * * Created by Drew Carlson <[email protected]> on 9/10/19. * Copyright (c) 2019 breadwallet LLC * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. */ package com.breadwallet.breadbox import com.breadwallet.app.BreadApp import com.breadwallet.crypto.Account import com.breadwallet.crypto.Key import com.breadwallet.crypto.Network import com.breadwallet.crypto.System import com.breadwallet.crypto.Transfer import com.breadwallet.crypto.Wallet import com.breadwallet.crypto.WalletManager import com.breadwallet.crypto.WalletManagerState import com.breadwallet.crypto.blockchaindb.BlockchainDb import com.breadwallet.crypto.events.network.NetworkEvent import com.breadwallet.crypto.events.system.SystemDiscoveredNetworksEvent import com.breadwallet.crypto.events.system.SystemEvent import com.breadwallet.crypto.events.system.SystemListener import com.breadwallet.crypto.events.system.SystemNetworkAddedEvent import com.breadwallet.crypto.events.transfer.TranferEvent import com.breadwallet.crypto.events.wallet.WalletEvent import com.breadwallet.crypto.events.wallet.WalletTransferAddedEvent import com.breadwallet.crypto.events.wallet.WalletTransferChangedEvent import com.breadwallet.crypto.events.wallet.WalletTransferDeletedEvent import com.breadwallet.crypto.events.wallet.WalletTransferSubmittedEvent import com.breadwallet.crypto.events.walletmanager.WalletManagerChangedEvent import com.breadwallet.crypto.events.walletmanager.WalletManagerCreatedEvent import com.breadwallet.crypto.events.walletmanager.WalletManagerEvent import com.breadwallet.crypto.events.walletmanager.WalletManagerSyncProgressEvent import com.breadwallet.crypto.events.walletmanager.WalletManagerSyncRecommendedEvent import com.breadwallet.ext.throttleLatest import com.breadwallet.logger.logDebug import com.breadwallet.logger.logInfo import com.breadwallet.tools.manager.BRSharedPrefs import com.breadwallet.tools.security.BrdUserManager import com.breadwallet.tools.util.Bip39Reader import com.breadwallet.tools.util.TokenUtil import com.breadwallet.util.errorHandler import com.platform.interfaces.WalletProvider import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.SupervisorJob import kotlinx.coroutines.asCoroutineDispatcher import kotlinx.coroutines.cancel import kotlinx.coroutines.channels.BroadcastChannel import kotlinx.coroutines.channels.Channel.Factory.BUFFERED import kotlinx.coroutines.channels.Channel.Factory.CONFLATED import kotlinx.coroutines.flow.Flow import kotlinx.coroutines.flow.asFlow import kotlinx.coroutines.flow.combine import kotlinx.coroutines.flow.distinctUntilChanged import kotlinx.coroutines.flow.dropWhile import kotlinx.coroutines.flow.filter import kotlinx.coroutines.flow.first import kotlinx.coroutines.flow.flatMapLatest import kotlinx.coroutines.flow.launchIn import kotlinx.coroutines.flow.map import kotlinx.coroutines.flow.mapNotNull import kotlinx.coroutines.flow.onEach import kotlinx.coroutines.flow.onStart import kotlinx.coroutines.flow.take import kotlinx.coroutines.flow.transform import kotlinx.coroutines.launch import kotlinx.coroutines.plus import java.io.File import java.util.Locale import java.util.concurrent.Executors import java.util.concurrent.atomic.AtomicBoolean private const val DEFAULT_THROTTLE_MS = 500L private const val AGGRESSIVE_THROTTLE_MS = 800L @Suppress("TooManyFunctions") internal class CoreBreadBox( private val storageFile: File, override val isMainnet: Boolean = false, private val walletProvider: WalletProvider, private val blockchainDb: BlockchainDb, private val userManager: BrdUserManager ) : BreadBox, SystemListener { init { // Set default words list val context = BreadApp.getBreadContext() val words = Bip39Reader.getBip39Words(context, BRSharedPrefs.recoveryKeyLanguage) Key.setDefaultWordList(words) } @Volatile private var system: System? = null private val systemExecutor = Executors.newSingleThreadScheduledExecutor() private var openScope = CoroutineScope( SupervisorJob() + Dispatchers.Default + errorHandler("openScope") ) private val systemChannel = BroadcastChannel<Unit>(CONFLATED) private val accountChannel = BroadcastChannel<Unit>(CONFLATED) private val walletsChannel = BroadcastChannel<Unit>(CONFLATED) private val walletSyncStateChannel = BroadcastChannel<WalletSyncState>(BUFFERED) private val walletTransfersChannelMap = BroadcastChannel<String>(BUFFERED) private val transferUpdatedChannelMap = BroadcastChannel<Transfer>(BUFFERED) private var networkManager: NetworkManager? = null private val isDiscoveryComplete = AtomicBoolean(false) private val _isOpen = AtomicBoolean(false) override var isOpen: Boolean get() = _isOpen.get() set(value) { _isOpen.set(value) } @Synchronized override fun open(account: Account) { logDebug("Opening CoreBreadBox") check(!isOpen) { "open() called while BreadBox was open." } check(account.serialize().isNotEmpty()) { "Account.serialize() contains 0 bytes" } if (!storageFile.exists()) { logDebug("Making storage directories") check(storageFile.mkdirs()) { "Failed to create storage directory: ${storageFile.absolutePath}" } } fun newSystem() = System.create( systemExecutor, this@CoreBreadBox, account, isMainnet, storageFile.absolutePath, blockchainDb ).apply { logDebug("Created new System instance") configure(emptyList()) } system = (system ?: newSystem()).also { system -> logDebug("Dispatching initial System values") system.resume() networkManager = NetworkManager( system, openScope + systemExecutor.asCoroutineDispatcher(), listOf(DefaultNetworkInitializer(userManager)) ) systemChannel.offer(Unit) accountChannel.offer(Unit) system.wallets?.let { wallets -> walletsChannel.offer(Unit) wallets.forEach { wallet -> walletTransfersChannelMap.offer(wallet.eventKey()) } } } isOpen = true walletProvider .enabledWallets() .onEach { enabledWallets -> networkManager?.enabledWallets = enabledWallets system?.wallets?.let { walletsChannel.offer(Unit) } } .launchIn(openScope) walletProvider .walletModes() .onEach { modes -> networkManager?.managerModes = modes system?.wallets?.let { walletsChannel.offer(Unit) } } .launchIn(openScope) logInfo("BreadBox opened successfully") } @Synchronized override fun close(wipe: Boolean) { logDebug("Closing BreadBox") check(isOpen) { "BreadBox must be opened before calling close()." } openScope.cancel() openScope = CoroutineScope( SupervisorJob() + Dispatchers.Default + errorHandler("openScope") ) checkNotNull(system).pause() if (wipe) { System.wipe(system) system = null } isOpen = false networkManager = null } override fun system(): Flow<System> = systemChannel .asFlow() .dropWhile { !isOpen } .mapNotNull { system } override fun account() = accountChannel .asFlow() .mapNotNull { system?.account } override fun wallets(filterByTracked: Boolean) = walletsChannel .asFlow() .throttleLatest(AGGRESSIVE_THROTTLE_MS) .mapNotNull { val wallets = system?.wallets when { filterByTracked -> { wallets?.filterByCurrencyIds( walletProvider.enabledWallets().first() ) } else -> wallets } } override fun wallet(currencyCode: String) = walletsChannel .asFlow() .throttleLatest(DEFAULT_THROTTLE_MS) .run { if (currencyCode.contains(":")) { mapNotNull { system?.wallets?.firstOrNull { it.currency.uids.equals(currencyCode, true) } } } else { mapNotNull { system?.wallets?.firstOrNull { it.currency.code.equals(currencyCode, true) } } } } override fun currencyCodes(): Flow<List<String>> = combine( walletProvider.enabledWallets().throttleLatest(AGGRESSIVE_THROTTLE_MS), wallets() ) { enabledWallets, wallets -> enabledWallets .associateWith { wallets.findByCurrencyId(it) } .mapValues { (currencyId, wallet) -> wallet?.currency?.code ?: TokenUtil.tokenForCurrencyId(currencyId) ?.symbol?.toLowerCase(Locale.ROOT) }.values .filterNotNull() .toList() }.throttleLatest(AGGRESSIVE_THROTTLE_MS) .distinctUntilChanged() override fun walletSyncState(currencyCode: String) = walletSyncStateChannel .asFlow() .filter { it.currencyCode.equals(currencyCode, true) } .throttleLatest(DEFAULT_THROTTLE_MS) .onStart { // Dispatch initial sync state val isSyncing = wallet(currencyCode) .map { it.walletManager.state.type == WalletManagerState.Type.SYNCING } .first() emit( WalletSyncState( currencyCode = currencyCode, percentComplete = if (isSyncing) 0f else 1f, timestamp = 0, isSyncing = isSyncing ) ) } .distinctUntilChanged() override fun walletTransfers(currencyCode: String) = walletTransfersChannelMap .asFlow() .onStart { emit(currencyCode) } .filter { currencyCode.equals(it, true) } .throttleLatest(AGGRESSIVE_THROTTLE_MS) .mapNotNull { system?.wallets ?.find { it.currency.code.equals(currencyCode, true) } ?.transfers } override fun walletTransfer(currencyCode: String, transferHash: String): Flow<Transfer> { return transferUpdatedChannelMap .asFlow() .filter { transfer -> transfer.wallet.currency.code.equals(currencyCode, true) && transfer.hash.isPresent && transfer.hashString().equals(transferHash, true) } .onStart { system?.wallets ?.find { it.currency.code.equals(currencyCode, true) } ?.transfers ?.firstOrNull { it.hash.isPresent && it.hashString() == transferHash } ?.also { emit(it) } } } override fun walletTransfer(currencyCode: String, transfer: Transfer): Flow<Transfer> { val targetWallet = { wallet: Wallet -> wallet.currency.code.equals(currencyCode, true) } val targetTransfer = { updatedTransfer: Transfer -> (transfer == updatedTransfer || (transfer.hash.isPresent && transfer.hash == updatedTransfer.hash)) } return transferUpdatedChannelMap .asFlow() .filter { updatedTransfer -> updatedTransfer.wallet.currency.code.equals(currencyCode, true) && targetTransfer(updatedTransfer) } .onStart { emit( system?.wallets ?.firstOrNull(targetWallet) ?.transfers ?.firstOrNull(targetTransfer) ?: return@onStart ) } } override fun initializeWallet(currencyCode: String) { check(isOpen) { "initializeWallet cannot be called before open." } val system = checkNotNull(system) val networkManager = checkNotNull(networkManager) val network = system.networks.find { it.containsCurrencyCode(currencyCode) } checkNotNull(network) { "Network with currency code '$currencyCode' not found." } openScope.launch { networkManager.completeNetworkInitialization(network.currency.uids) } } override fun walletState(currencyCode: String): Flow<WalletState> = system() .map { system -> system.networks.find { it.containsCurrencyCode(currencyCode) } } .mapNotNull { network -> network?.currency?.uids ?: TokenUtil.tokenForCode(currencyCode)?.currencyId } .take(1) .flatMapLatest { uids -> checkNotNull(networkManager).networkState(uids).map { networkState -> when (networkState) { is NetworkState.Initialized -> WalletState.Initialized is NetworkState.Loading -> WalletState.Loading is NetworkState.ActionNeeded -> WalletState.WaitingOnAction is NetworkState.Error -> WalletState.Error } } } override fun networks(whenDiscoveryComplete: Boolean): Flow<List<Network>> = system().transform { if (whenDiscoveryComplete) { if (isDiscoveryComplete.get()) { emit(it.networks) } } else { emit(it.networks) } } override fun getSystemUnsafe(): System? = system override fun handleWalletEvent( system: System, manager: WalletManager, wallet: Wallet, event: WalletEvent ) { walletsChannel.offer(Unit) fun updateTransfer(transfer: Transfer) { transferUpdatedChannelMap.offer(transfer) walletTransfersChannelMap.offer(wallet.eventKey()) } when (event) { is WalletTransferSubmittedEvent -> updateTransfer(event.transfer) is WalletTransferDeletedEvent -> updateTransfer(event.transfer) is WalletTransferAddedEvent -> updateTransfer(event.transfer) is WalletTransferChangedEvent -> updateTransfer(event.transfer) } } override fun handleManagerEvent( system: System, manager: WalletManager, event: WalletManagerEvent ) { walletsChannel.offer(Unit) when (event) { is WalletManagerCreatedEvent -> { logDebug("Wallet Manager Created: '${manager.name}' mode ${manager.mode}") networkManager?.connectManager(manager) } is WalletManagerSyncProgressEvent -> { val timeStamp = event.timestamp?.get()?.time logDebug("(${manager.currency.code}) Sync Progress progress=${event.percentComplete} time=$timeStamp") // NOTE: Fulfill percentComplete fractional expectation of consumers walletSyncStateChannel.offer( WalletSyncState( currencyCode = manager.currency.code, percentComplete = event.percentComplete / 100, timestamp = event.timestamp.orNull()?.time ?: 0L, isSyncing = true ) ) } is WalletManagerChangedEvent -> { val fromStateType = event.oldState.type val toStateType = event.newState.type logDebug("(${manager.currency.code}) State Changed from='$fromStateType' to='$toStateType'") // Syncing is complete, manually signal change to observers if (fromStateType == WalletManagerState.Type.SYNCING) { walletSyncStateChannel.offer( WalletSyncState( currencyCode = manager.currency.code, percentComplete = 1f, timestamp = 0L, isSyncing = false ) ) } if (toStateType == WalletManagerState.Type.SYNCING) { walletSyncStateChannel.offer( WalletSyncState( currencyCode = manager.currency.code, percentComplete = 0f, timestamp = 0L, isSyncing = true ) ) } if (fromStateType != WalletManagerState.Type.CONNECTED && toStateType == WalletManagerState.Type.CONNECTED ) { logDebug("Wallet Manager Connected: '${manager.name}'") networkManager?.registerCurrencies(manager) } } is WalletManagerSyncRecommendedEvent -> { logDebug("Syncing '${manager.currency.code}' to ${event.depth}") manager.syncToDepth(event.depth) } } } override fun handleNetworkEvent(system: System, network: Network, event: NetworkEvent) = Unit override fun handleSystemEvent(system: System, event: SystemEvent) { when (event) { is SystemNetworkAddedEvent -> { logDebug("Network '${event.network.name}' added.") networkManager?.initializeNetwork(event.network) } is SystemDiscoveredNetworksEvent -> { isDiscoveryComplete.set(true) } } systemChannel.offer(Unit) } override fun handleTransferEvent( system: System, manager: WalletManager, wallet: Wallet, transfer: Transfer, event: TranferEvent ) { transferUpdatedChannelMap.offer(transfer) walletTransfersChannelMap.offer(wallet.eventKey()) } private fun Wallet.eventKey() = currency.code.toLowerCase(Locale.ROOT) }
mit
ec41973363a4a7a8ac30fc4577912da3
36.898305
118
0.605098
5.571429
false
false
false
false
aosp-mirror/platform_frameworks_support
jetifier/jetifier/core/src/main/kotlin/com/android/tools/build/jetifier/core/rule/RewriteRule.kt
1
4652
/* * Copyright 2018 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.android.tools.build.jetifier.core.rule import com.android.tools.build.jetifier.core.proguard.ProGuardType import com.android.tools.build.jetifier.core.type.JavaType import com.google.gson.annotations.SerializedName import java.util.regex.Pattern /** * Rule that rewrites a Java type based on the given arguments. * * Used in the preprocessor when generating [TypesMap]. * * @param from Regular expression where packages are separated via '/' and inner class separator * is "$". Used to match the input type. * @param to A string to be used as a replacement if the 'from' pattern is matched. It can also * apply groups matched from the original pattern using {x} annotation, e.g. {0}. */ class RewriteRule(private val from: String, private val to: String) { companion object { const val IGNORE_RUNTIME = "ignore" const val IGNORE_PREPROCESSOR_ONLY = "ignoreInPreprocessorOnly" } // We escape '$' so we don't conflict with regular expression symbols. private val inputPattern = Pattern.compile("^${from.replace("$", "\\$")}$") private val outputPattern = to.replace("$", "\$") /* * Whether this is any type of an ignore rule. */ fun isIgnoreRule() = isRuntimeIgnoreRule() || isPreprocessorOnlyIgnoreRule() /* * Whether this rules is an ignore rule. * * Any type matched to [from] will be in such case ignored by the preprocessor (thus missing * from the map) but it will be also ignored during rewriting. */ fun isRuntimeIgnoreRule() = to == IGNORE_RUNTIME /* * Whether this rule is an ignore rule that should be used only in the preprocessor. * * That means that error is still thrown if [from] is found in a library that is being * rewritten. Use this for types that are internal to support library. This is weaker version of * [isRuntimeIgnoreRule]. */ fun isPreprocessorOnlyIgnoreRule() = to == IGNORE_PREPROCESSOR_ONLY /** * Rewrites the given java type. Returns null if this rule is not applicable for the given type. */ fun apply(input: JavaType): TypeRewriteResult { val matcher = inputPattern.matcher(input.fullName) if (!matcher.matches()) { return TypeRewriteResult.NOT_APPLIED } if (isIgnoreRule()) { return TypeRewriteResult.IGNORED } var result = outputPattern for (i in 0 until matcher.groupCount()) { result = result.replace("{$i}", matcher.group(i + 1)) } return TypeRewriteResult(JavaType(result)) } fun reverse(): RewriteRule { val newFrom = to.replace("{0}", "(.*)") val newTo = from.replace("(.*)", "{0}") return RewriteRule(newFrom, newTo) } /* * Returns whether this rule is an ignore rule and applies to the given proGuard type. */ fun doesThisIgnoreProGuard(type: ProGuardType): Boolean { if (!isIgnoreRule()) { return false } val matcher = inputPattern.matcher(type.value) return matcher.matches() } override fun toString(): String { return "$inputPattern -> $outputPattern " } /** Returns JSON data model of this class */ fun toJson(): JsonData { return JsonData(from, to) } /** * JSON data model for [RewriteRule]. */ data class JsonData( @SerializedName("from") val from: String, @SerializedName("to") val to: String) { /** Creates instance of [RewriteRule] */ fun toRule(): RewriteRule { return RewriteRule(from, to) } } /** * Result of java type rewrite using [RewriteRule] */ data class TypeRewriteResult(val result: JavaType?, val isIgnored: Boolean = false) { companion object { val NOT_APPLIED = TypeRewriteResult(result = null, isIgnored = false) val IGNORED = TypeRewriteResult(result = null, isIgnored = true) } } }
apache-2.0
29bcbe689c8ee48799381bf79f811e35
31.767606
100
0.649828
4.494686
false
false
false
false
hazuki0x0/YuzuBrowser
module/core/src/main/java/jp/hazuki/yuzubrowser/core/utility/hash/Gochiusearch.kt
1
1130
/* * Copyright (C) 2017-2019 Hazuki * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package jp.hazuki.yuzubrowser.core.utility.hash /** * Calculate vector hash from ARGB image bytes */ fun ByteArray.getVectorHash(): Long { val mono = IntArray(size / 4) for (i in mono.indices) { mono[i] = 150 * this[i * 4 + 1] + 77 * this[i * 4 + 2] + 29 * this[i * 4 + 3] shr 8 } var result: Long = 0 var p = 0 for (y in 0..7) { for (x in 0..7) { result = result shl 1 or if (mono[p] > mono[p + 1]) 1 else 0 p++ } p++ } return result }
apache-2.0
988805eca2674b9a8d2517da1aa74116
27.275
91
0.625664
3.598726
false
false
false
false
seventhroot/elysium
bukkit/rpk-skills-bukkit/src/main/kotlin/com/rpkit/skills/bukkit/command/BindSkillCommand.kt
1
3244
/* * Copyright 2019 Ren Binden * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.rpkit.skills.bukkit.command import com.rpkit.characters.bukkit.character.RPKCharacterProvider import com.rpkit.players.bukkit.profile.RPKMinecraftProfileProvider import com.rpkit.skills.bukkit.RPKSkillsBukkit import com.rpkit.skills.bukkit.skills.RPKSkillProvider import org.bukkit.command.Command import org.bukkit.command.CommandExecutor import org.bukkit.command.CommandSender import org.bukkit.entity.Player class BindSkillCommand(private val plugin: RPKSkillsBukkit): CommandExecutor { override fun onCommand(sender: CommandSender, command: Command, label: String, args: Array<out String>): Boolean { if (!sender.hasPermission("rpkit.skills.command.bindskill")) { sender.sendMessage(plugin.messages["no-permission-bind-skill"]) return true } if (args.isEmpty()) { sender.sendMessage(plugin.messages["bind-skill-usage"]) return true } val skillProvider = plugin.core.serviceManager.getServiceProvider(RPKSkillProvider::class) val skillName = args[0] val skill = skillProvider.getSkill(skillName) if (skill == null) { sender.sendMessage(plugin.messages["bind-skill-invalid-skill"]) return true } if (sender !is Player) { sender.sendMessage(plugin.messages["not-from-console"]) return true } val minecraftProfileProvider = plugin.core.serviceManager.getServiceProvider(RPKMinecraftProfileProvider::class) val minecraftProfile = minecraftProfileProvider.getMinecraftProfile(sender) if (minecraftProfile == null) { sender.sendMessage(plugin.messages["no-minecraft-profile"]) return true } val characterProvider = plugin.core.serviceManager.getServiceProvider(RPKCharacterProvider::class) val character = characterProvider.getActiveCharacter(minecraftProfile) if (character == null) { sender.sendMessage(plugin.messages["no-character"]) return true } val item = sender.inventory.itemInMainHand if (skillProvider.getSkillBinding(character, item) != null) { sender.sendMessage(plugin.messages["bind-skill-invalid-binding-already-exists"]) return true } skillProvider.setSkillBinding(character, item, skill) sender.sendMessage(plugin.messages["bind-skill-valid", mapOf( "character" to character.name, "item" to item.type.toString().toLowerCase().replace('_', ' '), "skill" to skill.name )]) return true } }
apache-2.0
bb5d1201a11a3b84793433b20a58d056
42.266667
120
0.688656
4.756598
false
false
false
false
hwki/SimpleBitcoinWidget
bitcoin/src/main/java/com/brentpanther/bitcoinwidget/NetworkStatusHelper.kt
1
1375
package com.brentpanther.bitcoinwidget import android.content.Context import android.net.ConnectivityManager import android.os.Build import android.os.PowerManager /** * Check if anything is restricted preventing the widget from downloading an update. */ object NetworkStatusHelper { private fun checkBattery(context: Context): Int { val powerManager = context.getSystemService(Context.POWER_SERVICE) as PowerManager if (powerManager.isPowerSaveMode && !powerManager.isIgnoringBatteryOptimizations(context.packageName)) { return R.string.error_restricted_battery_saver } return 0 } private fun checkBackgroundData(context: Context): Int { if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) { val connectivityManager = context.getSystemService(Context.CONNECTIVITY_SERVICE) as ConnectivityManager if (connectivityManager.restrictBackgroundStatus == ConnectivityManager.RESTRICT_BACKGROUND_STATUS_ENABLED && connectivityManager.isActiveNetworkMetered) { return R.string.error_restricted_data_saver } } return 0 } fun getRestriction(context: Context): Int { val checkBattery = checkBattery(context) if (checkBattery > 0) return checkBattery return checkBackgroundData(context) } }
mit
3383fc8fe7edca353eb20701282b4118
35.184211
121
0.707636
4.981884
false
false
false
false
soeminnminn/EngMyanDictionary
app/src/main/java/com/s16/engmyan/fragments/FavoriteFragment.kt
1
6316
package com.s16.engmyan.fragments import android.graphics.Point import android.os.Bundle import android.util.DisplayMetrics import android.view.* import androidx.appcompat.app.AlertDialog import androidx.core.os.bundleOf import androidx.core.view.GravityCompat import androidx.fragment.app.DialogFragment import androidx.fragment.app.viewModels import androidx.lifecycle.Observer import androidx.recyclerview.widget.DividerItemDecoration import androidx.recyclerview.widget.LinearLayoutManager import androidx.recyclerview.widget.RecyclerView import com.s16.engmyan.Constants import com.s16.engmyan.R import com.s16.engmyan.adapters.FavoriteListAdapter import com.s16.engmyan.data.DbManager import com.s16.engmyan.data.FavoriteItem import com.s16.engmyan.data.FavoriteModel import com.s16.engmyan.utils.UIManager import com.s16.utils.gone import com.s16.utils.visible import com.s16.view.Adapter import kotlinx.android.synthetic.main.fragment_favorite.* import kotlinx.coroutines.* import java.lang.Exception class FavoriteFragment : DialogFragment(), FavoriteListAdapter.OnItemClickListener, FavoriteListAdapter.OnItemSelectListener { private lateinit var adapter: FavoriteListAdapter private var onItemClickListener: Adapter.OnItemClickListener? = null private var backgroundScope = CoroutineScope(Dispatchers.IO) private var job: Job? = null private val isTwoPane: Boolean get() = arguments?.getBoolean(Constants.ARG_PARAM_TWO_PANE) ?: false override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) } override fun onCreateView( inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle? ): View? { val view = inflater.inflate(R.layout.fragment_favorite, container, false) dialog?.requestWindowFeature(Window.FEATURE_NO_TITLE); dialog?.window?.let { if (isTwoPane) { it.setGravity(Gravity.TOP or GravityCompat.START) val metrics = requireContext().resources.displayMetrics val px = 16 * (metrics.densityDpi.toFloat() / DisplayMetrics.DENSITY_DEFAULT) val layoutParams = it.attributes layoutParams.x = px.toInt() it.attributes = layoutParams } } return view } override fun onViewCreated(view: View, savedInstanceState: Bundle?) { super.onViewCreated(view, savedInstanceState) favoriteList.layoutManager = LinearLayoutManager(requireContext()) favoriteList.addItemDecoration(DividerItemDecoration(requireContext(), LinearLayoutManager.VERTICAL)) dataBind(favoriteList) adapter.setItemClickListener(this) adapter.setItemSelectListener(this) actionClose.setOnClickListener { dialog?.dismiss() } actionEdit.setOnClickListener { changeEditMode(true) } actionDone.setOnClickListener { changeEditMode(false) } actionDelete.setOnClickListener { performDelete() } } override fun onStart() { super.onStart() dialog?.window?.let { val size = Point() requireActivity().windowManager.defaultDisplay.getSize(size) if (isTwoPane) { val height = (size.y * 0.94).toInt() val width = (size.x * 0.35).toInt() it.setLayout(width, height) } else { val height = (size.y * 0.9).toInt() it.setLayout(ViewGroup.LayoutParams.MATCH_PARENT, height) } } } override fun onDestroy() { job?.cancel() super.onDestroy() } private fun changeEditMode(edit: Boolean) { if (::adapter.isInitialized) { if (edit) { adapter.setSelectMode(true) actionsNormalMode.gone() actionsEditMode.visible() } else { adapter.endSelection() actionsNormalMode.visible() actionsEditMode.gone() } } } private fun dataBind(recyclerView: RecyclerView) { adapter = FavoriteListAdapter() recyclerView.adapter = adapter val model : FavoriteModel by viewModels() model.data.observe(viewLifecycleOwner, Observer<List<FavoriteItem>> { adapter.submitList(it) }) } private fun performDelete() { if (!adapter.hasSelectedItems) return val dialogBuilder = AlertDialog.Builder(requireContext()).apply { setIcon(android.R.drawable.ic_dialog_info) setTitle(R.string.favorites_edit_title) setMessage(R.string.favorites_delete_message) setNegativeButton(android.R.string.cancel) { di, _ -> di.cancel() } setPositiveButton(android.R.string.ok) { di, _ -> removeSelected() di.dismiss() } } dialogBuilder.show() } private fun removeSelected() { val selectedItems = adapter.getSelectedItems().map { it.refId } job = backgroundScope.launch { try { val provider = DbManager(requireContext()).provider() provider.deleteFavoriteAll(selectedItems) val topFav = provider.queryTopFavorites() UIManager.createShortcuts(requireContext(), topFav) } catch (e: Exception) { e.printStackTrace() } } } override fun onItemSelectStart() { changeEditMode(true) } override fun onItemSelectionChange(position: Int, count: Int) { } override fun onItemClick(view: View, id: Long, position: Int) { dialog?.dismiss() onItemClickListener?.onItemClick(null, view, position, id) } companion object { @JvmStatic fun newInstance(isTwoPane: Boolean, itemClickListener: Adapter.OnItemClickListener? = null) = FavoriteFragment().apply { arguments = bundleOf(Constants.ARG_PARAM_TWO_PANE to isTwoPane) onItemClickListener = itemClickListener } } }
gpl-2.0
8511e8969b6546d30cf8a5c3f363f6fd
29.814634
109
0.634579
5.024662
false
false
false
false
premnirmal/StockTicker
app/src/main/kotlin/com/github/premnirmal/ticker/AppPreferences.kt
1
7846
package com.github.premnirmal.ticker import android.content.SharedPreferences import android.os.Build import androidx.annotation.VisibleForTesting import androidx.appcompat.app.AppCompatDelegate import androidx.appcompat.app.AppCompatDelegate.NightMode import com.github.premnirmal.ticker.components.AppClock import kotlinx.coroutines.flow.MutableStateFlow import kotlinx.coroutines.flow.StateFlow import org.threeten.bp.DayOfWeek import org.threeten.bp.format.DateTimeFormatter import org.threeten.bp.format.FormatStyle.MEDIUM import java.text.DecimalFormat import java.text.Format import javax.inject.Inject import javax.inject.Singleton import kotlin.random.Random /** * Created by premnirmal on 2/26/16. */ @Singleton class AppPreferences @Inject constructor( @VisibleForTesting internal val sharedPreferences: SharedPreferences, private val clock: AppClock ) { init { INSTANCE = this } fun getLastSavedVersionCode(): Int = sharedPreferences.getInt(APP_VERSION_CODE, -1) fun saveVersionCode(code: Int) { sharedPreferences.edit() .putInt(APP_VERSION_CODE, code) .apply() } val updateIntervalMs: Long get() { return when(sharedPreferences.getInt(UPDATE_INTERVAL, 1)) { 0 -> 5 * 60 * 1000L 1 -> 15 * 60 * 1000L 2 -> 30 * 60 * 1000L 3 -> 45 * 60 * 1000L 4 -> 60 * 60 * 1000L else -> 15 * 60 * 1000L } } val selectedDecimalFormat: Format get() = if (roundToTwoDecimalPlaces()) { DECIMAL_FORMAT_2DP } else { DECIMAL_FORMAT } fun parseTime(time: String): Time { val split = time.split(":".toRegex()) .dropLastWhile { it.isEmpty() } .toTypedArray() val times = intArrayOf(split[0].toInt(), split[1].toInt()) return Time(times[0], times[1]) } fun startTime(): Time { val startTimeString = sharedPreferences.getString(START_TIME, "09:30")!! return parseTime(startTimeString) } fun endTime(): Time { val endTimeString = sharedPreferences.getString(END_TIME, "16:00")!! return parseTime(endTimeString) } fun updateDaysRaw(): Set<String> { val defaultSet = setOf("1", "2", "3", "4", "5") var selectedDays = sharedPreferences.getStringSet(UPDATE_DAYS, defaultSet)!! if (selectedDays.isEmpty()) { selectedDays = defaultSet } return selectedDays } fun setUpdateDays(selected: Set<String>) { sharedPreferences.edit() .putStringSet(UPDATE_DAYS, selected) .apply() } fun updateDays(): Set<DayOfWeek> { val selectedDays = updateDaysRaw() return selectedDays.map { DayOfWeek.of(it.toInt()) } .toSet() } val isRefreshing: StateFlow<Boolean> get() = _isRefreshing private val _isRefreshing = MutableStateFlow(sharedPreferences.getBoolean(WIDGET_REFRESHING, false)) fun setRefreshing(refreshing: Boolean) { _isRefreshing.value = refreshing sharedPreferences.edit() .putBoolean(WIDGET_REFRESHING, refreshing) .apply() } fun tutorialShown(): Boolean { return sharedPreferences.getBoolean(TUTORIAL_SHOWN, false) } fun setTutorialShown(shown: Boolean) { sharedPreferences.edit() .putBoolean(TUTORIAL_SHOWN, shown) .apply() } fun shouldPromptRate(): Boolean = Random.nextInt() % 5 == 0 fun backOffAttemptCount(): Int = sharedPreferences.getInt(BACKOFF_ATTEMPTS, 1) fun setBackOffAttemptCount(count: Int) { sharedPreferences.edit() .putInt(BACKOFF_ATTEMPTS, count) .apply() } fun roundToTwoDecimalPlaces(): Boolean = sharedPreferences.getBoolean(SETTING_ROUND_TWO_DP, true) fun setRoundToTwoDecimalPlaces(round: Boolean) { sharedPreferences.edit() .putBoolean(SETTING_ROUND_TWO_DP, round) .apply() } fun notificationAlerts(): Boolean = sharedPreferences.getBoolean(SETTING_NOTIFICATION_ALERTS, true) fun setNotificationAlerts(set: Boolean) { sharedPreferences.edit() .putBoolean(SETTING_NOTIFICATION_ALERTS, set) .apply() } var themePref: Int get() = sharedPreferences.getInt(APP_THEME, FOLLOW_SYSTEM_THEME) set(value) = sharedPreferences.edit().putInt(APP_THEME, value).apply() @NightMode val nightMode: Int get() = when (themePref) { LIGHT_THEME -> AppCompatDelegate.MODE_NIGHT_NO DARK_THEME, JUST_BLACK_THEME -> AppCompatDelegate.MODE_NIGHT_YES FOLLOW_SYSTEM_THEME -> { if (supportSystemNightMode) AppCompatDelegate.MODE_NIGHT_FOLLOW_SYSTEM else AppCompatDelegate.MODE_NIGHT_AUTO_BATTERY } else -> AppCompatDelegate.MODE_NIGHT_YES } private val supportSystemNightMode: Boolean get() { return (Build.VERSION.SDK_INT > Build.VERSION_CODES.P || Build.VERSION.SDK_INT == Build.VERSION_CODES.P && "xiaomi".equals(Build.MANUFACTURER, ignoreCase = true) || Build.VERSION.SDK_INT == Build.VERSION_CODES.P && "samsung".equals(Build.MANUFACTURER, ignoreCase = true)) } data class Time( val hour: Int, val minute: Int ) companion object { private lateinit var INSTANCE: AppPreferences fun List<String>.toCommaSeparatedString(): String { val builder = StringBuilder() for (string in this) { builder.append(string) builder.append(",") } val length = builder.length if (length > 1) { builder.deleteCharAt(length - 1) } return builder.toString() } const val UPDATE_FILTER = "com.github.premnirmal.ticker.UPDATE" const val SETTING_APP_THEME = "com.github.premnirmal.ticker.theme" const val SORTED_STOCK_LIST = "SORTED_STOCK_LIST" const val PREFS_NAME = "com.github.premnirmal.ticker" const val FONT_SIZE = "com.github.premnirmal.ticker.textsize" const val START_TIME = "START_TIME" const val END_TIME = "END_TIME" const val UPDATE_DAYS = "UPDATE_DAYS" const val TUTORIAL_SHOWN = "TUTORIAL_SHOWN" const val SETTING_WHATS_NEW = "SETTING_WHATS_NEW" const val SETTING_TUTORIAL = "SETTING_TUTORIAL" const val SETTING_AUTOSORT = "SETTING_AUTOSORT" const val SETTING_HIDE_HEADER = "SETTING_HIDE_HEADER" const val SETTING_EXPORT = "SETTING_EXPORT" const val SETTING_IMPORT = "SETTING_IMPORT" const val SETTING_SHARE = "SETTING_SHARE" const val SETTING_NUKE = "SETTING_NUKE" const val SETTING_PRIVACY_POLICY = "SETTING_PRIVACY_POLICY" const val SETTING_ROUND_TWO_DP = "SETTING_ROUND_TWO_DP" const val SETTING_NOTIFICATION_ALERTS = "SETTING_NOTIFICATION_ALERTS" const val WIDGET_BG = "WIDGET_BG" const val WIDGET_REFRESHING = "WIDGET_REFRESHING" const val TEXT_COLOR = "TEXT_COLOR" const val UPDATE_INTERVAL = "UPDATE_INTERVAL" const val LAYOUT_TYPE = "LAYOUT_TYPE" const val WIDGET_SIZE = "WIDGET_SIZE" const val BOLD_CHANGE = "BOLD_CHANGE" const val SHOW_CURRENCY = "SHOW_CURRENCY" const val PERCENT = "PERCENT" const val DID_RATE = "USER_DID_RATE" const val BACKOFF_ATTEMPTS = "BACKOFF_ATTEMPTS" const val APP_VERSION_CODE = "APP_VERSION_CODE" const val APP_THEME = "APP_THEME" const val SYSTEM = 0 const val TRANSPARENT = 1 const val TRANSLUCENT = 2 const val LIGHT = 1 const val DARK = 2 const val LIGHT_THEME = 0 const val DARK_THEME = 1 const val FOLLOW_SYSTEM_THEME = 2 const val JUST_BLACK_THEME = 3 val TIME_FORMATTER: DateTimeFormatter = DateTimeFormatter.ofPattern("HH:mm") val DATE_FORMATTER: DateTimeFormatter = DateTimeFormatter.ofLocalizedDate(MEDIUM) val AXIS_DATE_FORMATTER: DateTimeFormatter = DateTimeFormatter.ofPattern("LLL dd-yyyy") val DECIMAL_FORMAT: Format = DecimalFormat("#,##0.00##") val DECIMAL_FORMAT_2DP: Format = DecimalFormat("#,##0.00") val SELECTED_DECIMAL_FORMAT: Format get() = INSTANCE.selectedDecimalFormat } }
gpl-3.0
67683a0ce1c3aebdfe4ed92a94b0d8c4
31.159836
119
0.687994
4.071614
false
false
false
false
AndroidX/constraintlayout
projects/ComposeConstraintLayout/app/src/main/java/com/example/constraintlayout/demos/Demo3.kt
2
5035
/* * Copyright (C) 2021 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.example.constraintlayout.demos import android.util.Log import androidx.compose.foundation.Canvas import androidx.compose.foundation.background import androidx.compose.foundation.layout.Column import androidx.compose.foundation.layout.fillMaxSize import androidx.compose.material.Button import androidx.compose.material.Text import androidx.compose.runtime.Composable import androidx.compose.ui.Modifier import androidx.compose.ui.graphics.Brush import androidx.compose.ui.graphics.Color import androidx.compose.ui.graphics.Path import androidx.compose.ui.graphics.StrokeCap import androidx.compose.ui.graphics.drawscope.Stroke import androidx.compose.ui.layout.layoutId import androidx.compose.ui.tooling.preview.Preview import androidx.constraintlayout.compose.ConstraintLayout import androidx.constraintlayout.compose.MotionLayout import androidx.constraintlayout.compose.MotionScene @Preview(group = "new", device = "spec:shape=Normal,width=480,height=800,unit=dp,dpi=440") @Composable fun DemoCompose3() { var scene = """ { ConstraintSets: { start: { title: { bottom: ['box2', 'top', 10], start: [ 'box2', 'start',10 ], end: ['box2','end',10], custom: { sliderValue: 0.0, }, }, box1: { width: 50, height: 50, centerVertically: 'parent', start: ['parent','start', 10 ], }, box2: { width: 50, height: 50, centerVertically: 'parent', start: [ 'parent','start', 50], }, }, end: { title: { bottom: ['box2','top',10 ], start: ['box2', 'start',10], end: ['box2','end',10], custom: { sliderValue: 100.0, }, }, box1: { width: 'spread', height: 20, centerVertically: 'parent', end: ['parent','end',10 ], start: ['parent','start', 10 ], }, box2: { width: 50, height: 50, centerVertically: 'parent', end: [ 'parent', 'end',0], rotationZ: 720, }, }, }, Transitions: { default: { from: 'start', to: 'end', onSwipe: { anchor: 'box1', maxVelocity: 4.2, maxAccel: 3, direction: 'end', side: 'end', mode: 'spring', }, }, }, } """ MotionLayout( modifier = Modifier.fillMaxSize().background(Color.DarkGray), motionScene = MotionScene(content = scene) ) { val value = motionProperties(id = "title").value.float("sliderValue").toInt() / 10f; Text( text = value.toString(), modifier = Modifier.layoutId("title"), color = Color.Magenta ) val gradColors = listOf(Color.White, Color.Gray, Color.Magenta) Canvas( modifier = Modifier .layoutId("box1") ) { val spring = Path().apply { moveTo(0f, 0f); for (i in 1..9) { lineTo( i * size.width / 10f, if (i % 2 == 0) 0f else size.height ) } lineTo(size.width, size.height / 2) } drawPath( spring, brush = Brush.linearGradient(colors = gradColors), style = Stroke(width = 15f, cap = StrokeCap.Butt) ) } Canvas(modifier = Modifier.layoutId("box2")) { drawCircle(brush = Brush.linearGradient(colors = gradColors)) } } } // //@Composable // fun Simple() { // ConstraintLayout(modifier = Modifier.fillMaxSize()) { // Button(modifier = Modifier.constrainAs(createRef()) { // centerTo(parent) // }) { // Text(text = "hello") // } // } //} // //
apache-2.0
a19f0443adee6ff8bd4b5ea36d8c543b
28.970238
92
0.51142
4.602377
false
false
false
false
RP-Kit/RPKit
bukkit/rpk-chat-bukkit/src/main/kotlin/com/rpkit/chat/bukkit/irc/RPKIRCServiceImpl.kt
1
6831
/* * Copyright 2022 Ren Binden * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.rpkit.chat.bukkit.irc import com.rpkit.chat.bukkit.RPKChatBukkit import com.rpkit.chat.bukkit.irc.command.IRCListCommand import com.rpkit.chat.bukkit.irc.command.IRCRegisterCommand import com.rpkit.chat.bukkit.irc.command.IRCVerifyCommand import com.rpkit.chat.bukkit.irc.listener.* import com.rpkit.players.bukkit.profile.irc.RPKIRCNick import com.rpkit.players.bukkit.profile.irc.RPKIRCProfile import org.pircbotx.Configuration import org.pircbotx.PircBotX import org.pircbotx.delay.StaticDelay import java.util.concurrent.CompletableFuture import java.util.concurrent.CopyOnWriteArrayList import java.util.logging.Level import kotlin.concurrent.thread /** * IRC service implementation. */ class RPKIRCServiceImpl(override val plugin: RPKChatBukkit) : RPKIRCService { private var ircBotThread: Thread? = null private val ircBot: PircBotX private val onlineUsers = CopyOnWriteArrayList<String>() init { val whitelistValidator = IRCWhitelistValidator(plugin) val configuration = Configuration.Builder() .setAutoNickChange(true) .setCapEnabled(true) .addListener(IRCChannelJoinListener(whitelistValidator)) .addListener(IRCChannelQuitListener()) .addListener(IRCConnectListener()) .addListener(IRCMessageListener(plugin)) .addListener(IRCUserListListener(whitelistValidator)) .addListener(IRCRegisterCommand(plugin)) .addListener(IRCVerifyCommand(plugin)) .addListener(IRCListCommand(plugin)) .setAutoReconnect(true) if (plugin.config.get("irc.name") != null) { val name = plugin.config.getString("irc.name") configuration.name = name } if (plugin.config.get("irc.real-name") != null) { val realName = plugin.config.getString("irc.real-name") configuration.realName = realName } if (plugin.config.get("irc.login") != null) { val login = plugin.config.getString("irc.login") configuration.login = login } if (plugin.config.get("irc.cap-enabled") != null) { val capEnabled = plugin.config.getBoolean("irc.cap-enabled") configuration.isCapEnabled = capEnabled } if (plugin.config.get("irc.auto-nick-change-enabled") != null) { val autoNickChange = plugin.config.getBoolean("irc.auto-nick-change-enabled") configuration.isAutoNickChange = autoNickChange } if (plugin.config.get("irc.auto-split-message-enabled") != null) { val autoSplitMessage = plugin.config.getBoolean("irc.auto-split-message-enabled") configuration.isAutoSplitMessage = autoSplitMessage } if (plugin.config.getString("irc.server")?.contains(":") == true) { val serverAddress = plugin.config.getString("irc.server")?.split(":")?.get(0) val serverPort = plugin.config.getString("irc.server")?.split(":")?.get(1)?.toIntOrNull() if (serverAddress != null && serverPort != null) { configuration.addServer( serverAddress, serverPort ) } } else { val serverAddress = plugin.config.getString("irc.server") if (serverAddress != null) { configuration.addServer(serverAddress) } } if (plugin.config.get("irc.max-line-length") != null) { val maxLineLength = plugin.config.getInt("irc.max-line-length") configuration.maxLineLength = maxLineLength } if (plugin.config.get("irc.message-delay") != null) { val messageDelay = plugin.config.getLong("irc.message-delay") configuration.messageDelay = StaticDelay(messageDelay) } if (plugin.config.get("irc.password") != null) { val password = plugin.config.getString("irc.password") configuration.nickservPassword = password } ircBot = PircBotX(configuration.buildConfiguration()) connect() } override val isConnected: Boolean get() = ircBot.isConnected override val nick: RPKIRCNick get() = RPKIRCNick(ircBot.nick) override fun sendMessage(channel: IRCChannel, message: String): CompletableFuture<Void> { return CompletableFuture.runAsync { ircBot.sendIRC().message(channel.name, message) }.exceptionally { exception -> plugin.logger.log(Level.SEVERE, "Failed to send IRC message", exception) throw exception } } override fun sendMessage(user: RPKIRCProfile, message: String): CompletableFuture<Void> { return sendMessage(user.nick, message) } override fun sendMessage(nick: RPKIRCNick, message: String): CompletableFuture<Void> { return CompletableFuture.runAsync { ircBot.sendIRC().message(nick.value, message) }.exceptionally { exception -> plugin.logger.log(Level.SEVERE, "Failed to send IRC message", exception) throw exception } } override fun isOnline(nick: RPKIRCNick): Boolean { return onlineUsers.contains(nick.value) } override fun setOnline(nick: RPKIRCNick, isOnline: Boolean) { if (isOnline) { if (!onlineUsers.contains(nick.value)) { onlineUsers.add(nick.value) } } else { if (onlineUsers.contains(nick.value)) { onlineUsers.remove(nick.value) } } } override fun joinChannel(ircChannel: IRCChannel) { ircBot.sendIRC().joinChannel(ircChannel.name) } override fun connect() { if (ircBotThread == null) { ircBotThread = thread(name = "RPKit Chat IRC Bot") { ircBot.startBot() } } } override fun disconnect() { ircBot.stopBotReconnect() ircBot.sendIRC()?.quitServer(plugin.messages["irc-quit"]) if (ircBot.isConnected) { ircBot.close() } ircBotThread?.join() } }
apache-2.0
55d300c3bba72171f3ea251b5a766c46
37.376404
101
0.634021
4.637475
false
true
false
false
RP-Kit/RPKit
bukkit/rpk-chat-bukkit/src/main/kotlin/com/rpkit/chat/bukkit/discord/RPKDiscordServiceImpl.kt
1
4747
/* * Copyright 2022 Ren Binden * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.rpkit.chat.bukkit.discord import com.rpkit.chat.bukkit.RPKChatBukkit import com.rpkit.core.service.Services import com.rpkit.players.bukkit.profile.RPKProfile import com.rpkit.players.bukkit.profile.RPKProfileId import com.rpkit.players.bukkit.profile.RPKProfileService import com.rpkit.players.bukkit.profile.discord.DiscordUserId import com.rpkit.players.bukkit.profile.discord.RPKDiscordProfile import net.dv8tion.jda.api.entities.Emoji import net.dv8tion.jda.api.interactions.components.ActionRow import net.dv8tion.jda.api.interactions.components.buttons.Button import net.dv8tion.jda.api.interactions.components.buttons.ButtonStyle import java.util.concurrent.CompletableFuture class RPKDiscordServiceImpl(override val plugin: RPKChatBukkit) : RPKDiscordService { private val serverName = plugin.config.getString("discord.server-name") val discordServer = if (serverName != null) DiscordServer(plugin, serverName) else null private val profileLinkMessages = mutableMapOf<Long, Int>() override fun sendMessage(channel: DiscordChannel, message: String, callback: DiscordMessageCallback?) { discordServer?.sendMessage(channel, message) } override fun sendMessage( profile: RPKDiscordProfile, message: String, callback: DiscordMessageCallback? ) { discordServer?.getUser(profile.discordId)?.openPrivateChannel()?.queue { channel -> channel.sendMessage(message).queue { callback?.invoke(DiscordMessageImpl(it)) } } } override fun sendMessage( profile: RPKDiscordProfile, message: String, vararg buttons: DiscordButton ) { discordServer ?.getUser(profile.discordId) ?.openPrivateChannel()?.queue { channel -> channel.sendMessage(message).setActionRows(ActionRow.of(buttons.map { button -> val style = when (button.variant) { DiscordButton.Variant.PRIMARY -> ButtonStyle.PRIMARY DiscordButton.Variant.SUCCESS -> ButtonStyle.SUCCESS DiscordButton.Variant.SECONDARY -> ButtonStyle.SECONDARY DiscordButton.Variant.DANGER -> ButtonStyle.DANGER DiscordButton.Variant.LINK -> ButtonStyle.LINK } discordServer.addButtonListener(button.id, button.onClick) when (button) { is DiscordTextButton -> Button.of(style, button.id, button.text) is DiscordEmojiButton -> Button.of(style, button.id, Emoji.fromUnicode(button.emoji)) } })).queue() } } override fun getUserName(discordId: DiscordUserId): String? { return discordServer?.getUser(discordId)?.name } override fun getUserId(discordUserName: String): DiscordUserId? { return discordServer?.getUser(discordUserName)?.idLong?.let(::DiscordUserId) } override fun setMessageAsProfileLinkRequest(messageId: Long, profile: RPKProfile) { val profileId = profile.id ?: return profileLinkMessages[messageId] = profileId.value } override fun setMessageAsProfileLinkRequest(message: DiscordMessage, profile: RPKProfile) { setMessageAsProfileLinkRequest(message.id, profile) } override fun getMessageProfileLink(messageId: Long): CompletableFuture<out RPKProfile?> { val profileService = Services[RPKProfileService::class.java] ?: return CompletableFuture.completedFuture(null) val profileId = profileLinkMessages[messageId] ?: return CompletableFuture.completedFuture(null) return profileService.getProfile(RPKProfileId(profileId)) } override fun getMessageProfileLink(message: DiscordMessage): CompletableFuture<out RPKProfile?> { return getMessageProfileLink(message.id) } override fun getDiscordChannel(name: String): DiscordChannel? { return discordServer?.getChannel(name) } override fun disconnect() { discordServer?.disconnect() } }
apache-2.0
60524ae8bfc2bb6aad07e40667c9d8a4
40.649123
118
0.694755
5.02328
false
false
false
false
aucd29/permission
library/src/main/java/net/sarangnamu/common/permission/BkPermission.kt
1
4945
package net.sarangnamu.common.permission import android.content.Context import android.content.Intent import android.content.pm.PackageManager import android.net.Uri import android.os.Build import android.os.Bundle import android.provider.Settings import android.support.v4.app.ActivityCompat import android.support.v4.content.ContextCompat import android.support.v7.app.AlertDialog import android.support.v7.app.AppCompatActivity /** * Created by <a href="mailto:[email protected]">Burke Choi</a> on 2017. 11. 23.. <p/> * * ```kotlin * context.mainRuntimePermission(arrayListOf(Manifest.permission.WRITE_EXTERNAL_STORAGE), { res -> Log.e("PERMISSION", "res = $res") } * ``` * ```kotlin * context.runtimePermission(arrayListOf(Manifest.permission.WRITE_EXTERNAL_STORAGE), { res -> Log.e("PERMISSION", "res = $res") } * ``` */ private val KEY_PERMISSION: String get() = "permission" private val KEY_PERMISSION_SHOW_DIALOG: String get() = "permission_show_dialog" //////////////////////////////////////////////////////////////////////////////////// // // PermissionActivity // //////////////////////////////////////////////////////////////////////////////////// class PermissionActivity : AppCompatActivity() { companion object { lateinit var listener: (Boolean) -> Unit var userDialog: AlertDialog? = null } var permissions: ArrayList<String>? = null var requestCode = 1 override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) permissions = intent.getStringArrayListExtra(KEY_PERMISSION) if (!intent.getBooleanExtra(KEY_PERMISSION_SHOW_DIALOG, false)) { requestCode = 0 } permissions?.let { checkPermission() } ?: finish() } override fun onRequestPermissionsResult(requestCode: Int, permissions: Array<out String>, grantResults: IntArray) { var grantRes = true for (result in grantResults) { if (result == PackageManager.PERMISSION_DENIED) { grantRes = false break } } listener(grantRes) if (!grantRes && requestCode == 1) { showDialog() } else { finish() } } override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) { listener(checkRuntimePermissions(permissions!!)) when (requestCode) { 1 -> showDialog() else -> finish() } } fun checkPermission() { if (Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP_MR1) { ActivityCompat.requestPermissions(this@PermissionActivity, permissions!!.toTypedArray(), requestCode) } } fun showDialog() { userDialog?.run { show() } ?: dialog() } fun dialog() { AlertDialog.Builder(this@PermissionActivity).apply { setTitle(R.string.permission_title) setMessage(R.string.permission_message) setCancelable(false) setPositiveButton(android.R.string.ok, { d, w -> d.dismiss() finish() }) setNegativeButton(R.string.permission_setting, { d, w -> startActivityForResult(Intent(Settings.ACTION_APPLICATION_DETAILS_SETTINGS).apply { setData(Uri.parse("package:$packageName")) }, 0) d.dismiss() finish() }) }.show() } } //////////////////////////////////////////////////////////////////////////////////// // // METHODS // //////////////////////////////////////////////////////////////////////////////////// fun Context.mainRuntimePermission(permissions: ArrayList<String>, listener: (Boolean) -> Unit) { runtimePermissions(false, permissions, listener) } fun Context.runtimePermission(permissions: ArrayList<String>, listener: (Boolean) -> Unit) { runtimePermissions(true, permissions, listener) } private fun Context.runtimePermissions(showDialog: Boolean, permissions: ArrayList<String>, listener: (Boolean) -> Unit) { if (!checkRuntimePermissions(permissions)) { PermissionActivity.listener = listener startActivity(Intent(this, PermissionActivity::class.java).apply { putStringArrayListExtra(KEY_PERMISSION, permissions) putExtra(KEY_PERMISSION_SHOW_DIALOG, showDialog) }) } else { listener(true) } } private fun Context.checkRuntimePermissions(permissions: ArrayList<String>): Boolean { var result = true if (Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP_MR1) { for (permission in permissions) { if (ContextCompat.checkSelfPermission(this, permission) != PackageManager.PERMISSION_GRANTED) { result = false break; } } } return result }
apache-2.0
c7571b1a95ba1deda62b122de171074f
30.100629
122
0.588271
4.886364
false
false
false
false
azizbekian/Spyur
app/src/main/kotlin/com/incentive/yellowpages/ui/main/MainPresenter.kt
1
9728
package com.incentive.yellowpages.ui.main import android.app.SearchManager import android.app.SharedElementCallback import android.content.Intent import android.graphics.Typeface import android.os.Bundle import android.text.InputType import android.text.SpannableStringBuilder import android.text.Spanned import android.text.TextUtils import android.text.style.StyleSpan import android.transition.AutoTransition import android.view.View import android.view.inputmethod.EditorInfo import com.incentive.yellowpages.R import com.incentive.yellowpages.data.DataManager import com.incentive.yellowpages.data.model.SearchResponse import com.incentive.yellowpages.data.remote.ApiContract import com.incentive.yellowpages.injection.ConfigPersistent import com.incentive.yellowpages.misc.LoadMoreListener import com.incentive.yellowpages.misc.isConnected import com.incentive.yellowpages.ui.base.BaseApplication.Companion.context import com.incentive.yellowpages.ui.base.BaseContract import com.incentive.yellowpages.ui.detail.DetailPresenter import com.incentive.yellowpages.utils.LogUtils import rx.functions.Action1 import java.util.* import javax.inject.Inject @ConfigPersistent class MainPresenter @Inject constructor(val dataManager: DataManager) : BaseContract.BasePresenter<MainView>() { companion object { val IME_OPTIONS = EditorInfo.IME_ACTION_SEARCH or EditorInfo.IME_FLAG_NO_EXTRACT_UI or EditorInfo.IME_FLAG_NO_FULLSCREEN /** * The number of items remaining before more info should be loaded */ private val THRESHOLD_LOAD_MORE = 10 } private var searchedPageIndex = ApiContract.SearchApi.INITIAL_SEARCH_PAGE - 1 private var isDataLoading = false private var hasNextPage = true private var adapter: MainAdapter? = null private val transition = AutoTransition() private val loadMoreListener = object : LoadMoreListener { override fun isDataLoading(): Boolean { return isDataLoading } } private var reenterBundle: Bundle? = null /** * If [clearResults] has been called recently and no other changes have * been made, there's no point to perform that operation again. */ private var cleanedRecently: Boolean = false private var previousQuery: String? = null override fun create(view: MainView, savedInstanceState: Bundle?, intent: Intent?, arguments: Bundle?, isPortrait: Boolean) { super.create(view, savedInstanceState, intent, arguments, isPortrait) if (null == adapter) { adapter = MainAdapter(loadMoreListener, if (view is MainAdapter.ISearchItemClicked) view else throw IllegalArgumentException("MainContract.View does not implement " + "MainAdapter.ISearchItemClicked")) } else this.view?.showResults(true) this.view?.apply { setupSearchView(context.getString(R.string.hint_search), InputType.TYPE_TEXT_FLAG_CAP_WORDS, IME_OPTIONS, Action1 { val currentQuery = it.queryText().toString() if (it.isSubmitted) { if (!TextUtils.isEmpty(currentQuery) && !Objects.equals(previousQuery, currentQuery)) { cleanedRecently = false previousQuery = currentQuery clearResults() performSearch() } else if (!cleanedRecently) clearResults() clearSearchViewFocus() hideKeyboard() } else if (!cleanedRecently || TextUtils.isEmpty(currentQuery)) { previousQuery = "" clearResults() } }) focusSearchView() hideKeyboard() setupRecyclerView(adapter!!, loadMoreListener, THRESHOLD_LOAD_MORE) } } override fun activityReenter(resultCode: Int, data: Intent?) { if (null != data) { reenterBundle = Bundle(data.extras) view?.apply { postponeTransition() layoutRecyclerScrollIfNeededAndContinueTransition(reenterBundle!!. getInt(DetailPresenter.EXTRA_SEARCH_ITEM_POSITION)) } } } fun onDataSuccess(searchResponse: SearchResponse?) { isDataLoading = false view?.showProgress(false) if (null != searchResponse) { val data = searchResponse.searchItems hasNextPage = searchResponse.hasNext if (!data.isEmpty()) { ++searchedPageIndex view?.apply { if (adapter!!.isEmpty) { beginTransition(transition) showResults(true) adapter!!.data = data } else adapter!!.addData(data) adapter!!.notifyDataSetChanged() } } else { view?.apply { showNoResultText(View.OnClickListener { setSearchViewQuery("", false) focusSearchView() showKeyboard() }, constructNoInternetString()) } adapter!!.data = data adapter!!.notifyDataSetChanged() } } } fun onDataFailure(e: Throwable) { isDataLoading = false clearResults() if (!context.isConnected()) view?.showNoInternetMessage(true) LogUtils.e(e.message as String) } fun performSearch(showProgressBar: Boolean = true) { val isConnected: Boolean = context.isConnected() val query = view?.getQuery() if (isConnected && hasNextPage && !TextUtils.isEmpty(query)) { view?.apply { // if we are currently performing a search - unsubscribe from it if (isDataLoading) unsubscribe() isDataLoading = true addDisposable(dataManager.search(searchedPageIndex + 1, getQuery()) .subscribe({ onDataSuccess(it) }, { onDataFailure(it) })) showProgress(showProgressBar) } } else if (!isConnected) view?.showNoInternetMessage(true) } fun onBackPressed(): Boolean { if (isDataLoading) unsubscribe() else if (adapter!!.isEmpty) return false clearResults() view?.apply { setSearchViewQuery("", false) focusSearchView() showKeyboard() } return true } fun clearResults() { cleanedRecently = true searchedPageIndex = ApiContract.SearchApi.INITIAL_SEARCH_PAGE - 1 hasNextPage = true val size = adapter!!.data.size adapter!!.clear() adapter!!.notifyItemRangeRemoved(0, size) previousQuery = "" view?.apply { beginTransition(transition) showResults(false) showProgress(false) hideNoResultText() } } fun newIntent(intent: Intent) { if (intent.hasExtra(SearchManager.QUERY)) { val query = intent.getStringExtra(SearchManager.QUERY) if (!TextUtils.isEmpty(query)) { view?.apply { setSearchViewQuery(query, false) clearResults() performSearch() } } } } fun dispatchItemClicked(logo: View, searchItem: SearchResponse.SearchItem, position: Int) { view?.apply { hideKeyboard() clearSearchViewFocus() launchListing(logo, searchItem, position) } } fun getSharedElementCallback(): SharedElementCallback { return object : SharedElementCallback() { override fun onMapSharedElements(names: MutableList<String>?, sharedElements: MutableMap<String, View>?) { if (null != reenterBundle && reenterBundle!!.containsKey(DetailPresenter.EXTRA_SEARCH_ITEM_POSITION) && null != view) { val newSharedElement = view!!.findViewByTag(reenterBundle!!. getInt(DetailPresenter.EXTRA_SEARCH_ITEM_POSITION)) val newTransitionName = context.getString(R.string.transition_logo) names?.clear() names?.add(newTransitionName) sharedElements?.clear() sharedElements?.put(newTransitionName, newSharedElement) reenterBundle = null } else { // The activity is exiting } } } } override fun destroy(isFinishing: Boolean) { if (isFinishing) unsubscribe() } private fun constructNoInternetString(): SpannableStringBuilder { view?.apply { val message = String.format(context.getString(R.string.message_no_search_results), getQuery()) val ssb = SpannableStringBuilder(message) ssb.setSpan(StyleSpan(Typeface.ITALIC), message.indexOf('โ€œ') + 1, message.length - 1, Spanned.SPAN_EXCLUSIVE_EXCLUSIVE) return ssb } return SpannableStringBuilder() } }
gpl-2.0
7c93b3aa63ddf709b6ed5c302a70bfe5
36.407692
106
0.578655
5.638261
false
false
false
false
ethauvin/kobalt
modules/kobalt-plugin-api/src/main/kotlin/com/beust/kobalt/AsciiArt.kt
2
6224
package com.beust.kobalt import java.util.* /** * Make Kobalt's output awesome and unique. * * I spend so much time staring at build outputs I decided I might as well make them pretty. * Note that I also experimented with colors but it's hard to come up with a color scheme that * will work with all the various backgrounds developers use, so I decided to be conservative * and stick to simple red/yellow for errors and warnings. * * @author Cedric Beust <[email protected]> * @since 10/1/2015 */ class AsciiArt { companion object { private val BANNERS = arrayOf( " __ __ __ __ __ \n" + " / //_/ ____ / /_ ____ _ / / / /_\n" + " / ,< / __ \\ / __ \\ / __ `/ / / / __/\n" + " / /| | / /_/ / / /_/ // /_/ / / / / /_ \n" + " /_/ |_| \\____/ /_.___/ \\__,_/ /_/ \\__/ ", " _ __ _ _ _ \n" + " | |/ / ___ | |__ __ _ | | | |_ \n" + " | ' / / _ \\ | '_ \\ / _` | | | | __|\n" + " | . \\ | (_) | | |_) | | (_| | | | | |_ \n" + " |_|\\_\\ \\___/ |_.__/ \\__,_| |_| \\__| " ) val banner : String get() = BANNERS[Random().nextInt(BANNERS.size)] // fun box(s: String) : List<String> = box(listOf(s)) val horizontalSingleLine = "\u2500\u2500\u2500\u2500\u2500" val horizontalDoubleLine = "\u2550\u2550\u2550\u2550\u2550" val verticalBar = "\u2551" // fun horizontalLine(n: Int) = StringBuffer().apply { // repeat(n, { append("\u2500") }) // }.toString() // Repeat fun r(n: Int, w: String) : String { with(StringBuffer()) { repeat(n, { append(w) }) return toString() } } val h = "\u2550" val ul = "\u2554" val ur = "\u2557" val bottomLeft = "\u255a" val bottomRight = "\u255d" // Bottom left with continuation val bottomLeft2 = "\u2560" // Bottom right with continuation val bottomRight2 = "\u2563" fun upperBox(max: Int) = ul + r(max + 2, h) + ur fun lowerBox(max: Int, bl: String = bottomLeft, br : String = bottomRight) = bl + r(max + 2, h) + br private fun box(strings: List<String>, bl: String = bottomLeft, br: String = bottomRight) : List<String> { val v = verticalBar val maxString: String = strings.maxBy { it.length } ?: "" val max = maxString.length val result = arrayListOf(upperBox(max)) result.addAll(strings.map { "$v ${center(it, max - 2)} $v" }) result.add(lowerBox(max, bl, br)) return result } fun logBox(strings: List<String>, bl: String = bottomLeft, br: String = bottomRight, indent: Int = 0): String { return buildString { val boxLines = box(strings, bl, br) boxLines.withIndex().forEach { iv -> append(fill(indent)).append(iv.value) if (iv.index < boxLines.size - 1) append("\n") } } } fun logBox(s: String, bl: String = bottomLeft, br: String = bottomRight, indent: Int = 0) = logBox(listOf(s), bl, br, indent) fun fill(n: Int) = buildString { repeat(n, { append(" ")})}.toString() fun center(s: String, width: Int) : String { val diff = width - s.length val spaces = diff / 2 + 1 return fill(spaces) + s + fill(spaces + if (diff % 2 == 1) 1 else 0) } const val RESET = "\u001B[0m" const val BLACK = "\u001B[30m" const val RED = "\u001B[31m" const val GREEN = "\u001B[32m" const val YELLOW = "\u001B[33m"; const val BLUE = "\u001B[34m" const val PURPLE = "\u001B[35m" const val CYAN = "\u001B[36m" const val WHITE = "\u001B[37m" fun wrap(s: CharSequence, color: String) = color + s + RESET private fun blue(s: CharSequence) = wrap(s, BLUE) private fun red(s: CharSequence) = wrap(s, RED) private fun yellow(s: CharSequence) = wrap(s, YELLOW) fun taskColor(s: CharSequence) = s fun errorColor(s: CharSequence) = red(s) fun warnColor(s: CharSequence) = red(s) } } class AsciiTable { class Builder { private val headers = arrayListOf<String>() fun header(name: String) = headers.add(name) fun headers(vararg names: String) = headers.addAll(names) private val widths = arrayListOf<Int>() fun columnWidth(w: Int) : Builder { widths.add(w) return this } private val rows = arrayListOf<List<String>>() fun addRow(row: List<String>) = rows.add(row) private fun col(width: Int, s: String) : String { val format = " %1\$-${width.toString()}s" val result = String.format(format, s) return result } val vb = AsciiArt.verticalBar fun build() : String { val formattedHeaders = headers.mapIndexed { index, s -> val s2 = col(widths[index], s) s2 }.joinToString(vb) val result = StringBuffer().apply { append(AsciiArt.logBox(formattedHeaders, AsciiArt.bottomLeft2, AsciiArt.bottomRight2)) append("\n") } var lineLength = 0 rows.forEachIndexed { _, row -> val formattedRow = row.mapIndexed { i, s -> col(widths[i], s) }.joinToString(vb) val line = "$vb $formattedRow $vb" result.append(line).append("\n") lineLength = line.length } result.append(AsciiArt.lowerBox(lineLength - 4)) return result.toString() } } }
apache-2.0
d273665a22fc17a238945b63741da529
36.95122
119
0.473972
3.897307
false
false
false
false
etesync/android
app/src/main/java/com/etesync/syncadapter/ui/etebase/CollectionItemFragment.kt
1
23532
package com.etesync.syncadapter.ui.etebase import android.content.Context import android.os.Bundle import android.provider.CalendarContract import android.provider.ContactsContract import android.text.format.DateFormat import android.text.format.DateUtils import android.view.* import android.widget.TextView import androidx.appcompat.app.AlertDialog import androidx.fragment.app.Fragment import androidx.fragment.app.FragmentManager import androidx.fragment.app.FragmentPagerAdapter import androidx.fragment.app.activityViewModels import androidx.viewpager.widget.ViewPager import at.bitfire.ical4android.Event import at.bitfire.ical4android.InvalidCalendarException import at.bitfire.ical4android.Task import at.bitfire.ical4android.TaskProvider import at.bitfire.vcard4android.Contact import com.etesync.syncadapter.CachedCollection import com.etesync.syncadapter.CachedItem import com.etesync.syncadapter.Constants import com.etesync.syncadapter.R import com.etesync.syncadapter.resource.* import com.etesync.syncadapter.ui.BaseActivity import com.etesync.syncadapter.utils.EventEmailInvitation import com.etesync.syncadapter.utils.TaskProviderHandling import com.google.android.material.tabs.TabLayout import ezvcard.util.PartialDate import org.jetbrains.anko.doAsync import org.jetbrains.anko.uiThread import java.io.IOException import java.io.StringReader import java.text.SimpleDateFormat import java.util.* import java.util.concurrent.Future class CollectionItemFragment : Fragment() { private val model: AccountViewModel by activityViewModels() private val collectionModel: CollectionViewModel by activityViewModels() private lateinit var cachedItem: CachedItem private var emailInvitationEvent: Event? = null private var emailInvitationEventString: String? = null override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? { val ret = inflater.inflate(R.layout.journal_item_activity, container, false) setHasOptionsMenu(true) if (savedInstanceState == null) { collectionModel.observe(this) { (activity as? BaseActivity?)?.supportActionBar?.title = it.meta.name if (container != null) { initUi(inflater, ret, it) } } } return ret } private fun initUi(inflater: LayoutInflater, v: View, cachedCollection: CachedCollection) { val viewPager = v.findViewById<ViewPager>(R.id.viewpager) viewPager.adapter = TabsAdapter(childFragmentManager, this, requireContext(), cachedCollection, cachedItem) val tabLayout = v.findViewById<TabLayout>(R.id.tabs) tabLayout.setupWithViewPager(viewPager) v.findViewById<View>(R.id.journal_list_item).visibility = View.GONE } fun allowSendEmail(event: Event?, icsContent: String) { emailInvitationEvent = event emailInvitationEventString = icsContent activity?.invalidateOptionsMenu() } override fun onCreateOptionsMenu(menu: Menu, inflater: MenuInflater) { inflater.inflate(R.menu.collection_item_fragment, menu) menu.setGroupVisible(R.id.journal_item_menu_event_invite, emailInvitationEvent != null) } override fun onOptionsItemSelected(item: MenuItem): Boolean { val accountHolder = model.value!! when (item.itemId) { R.id.on_send_event_invite -> { val account = accountHolder.account val intent = EventEmailInvitation(requireContext(), account).createIntent(emailInvitationEvent!!, emailInvitationEventString!!) startActivity(intent) } R.id.on_restore_item -> { restoreItem(accountHolder) } } return super.onOptionsItemSelected(item) } fun restoreItem(accountHolder: AccountHolder) { // FIXME: This code makes the assumption that providers are all available. May not be true for tasks, and potentially others too. val context = requireContext() val account = accountHolder.account val cachedCol = collectionModel.value!! when (cachedCol.collectionType) { Constants.ETEBASE_TYPE_CALENDAR -> { val provider = context.contentResolver.acquireContentProviderClient(CalendarContract.CONTENT_URI)!! val localCalendar = LocalCalendar.findByName(account, provider, LocalCalendar.Factory, cachedCol.col.uid)!! val event = Event.eventsFromReader(StringReader(cachedItem.content))[0] var localEvent = localCalendar.findByUid(event.uid!!) if (localEvent != null) { localEvent.updateAsDirty(event) } else { localEvent = LocalEvent(localCalendar, event, event.uid, null) localEvent.addAsDirty() } } Constants.ETEBASE_TYPE_TASKS -> { TaskProviderHandling.getWantedTaskSyncProvider(context)?.let { val provider = TaskProvider.acquire(context, it)!! val localTaskList = LocalTaskList.findByName(account, provider, LocalTaskList.Factory, cachedCol.col.uid)!! val task = Task.tasksFromReader(StringReader(cachedItem.content))[0] var localTask = localTaskList.findByUid(task.uid!!) if (localTask != null) { localTask.updateAsDirty(task) } else { localTask = LocalTask(localTaskList, task, task.uid, null) localTask.addAsDirty() } } } Constants.ETEBASE_TYPE_ADDRESS_BOOK -> { val provider = context.contentResolver.acquireContentProviderClient(ContactsContract.RawContacts.CONTENT_URI)!! val localAddressBook = LocalAddressBook.findByUid(context, provider, account, cachedCol.col.uid)!! val contact = Contact.fromReader(StringReader(cachedItem.content), null)[0] if (contact.group) { // FIXME: not currently supported } else { var localContact = localAddressBook.findByUid(contact.uid!!) as LocalContact? if (localContact != null) { localContact.updateAsDirty(contact) } else { localContact = LocalContact(localAddressBook, contact, contact.uid, null) localContact.createAsDirty() } } } } val dialog = AlertDialog.Builder(context) .setTitle(R.string.journal_item_restore_action) .setIcon(R.drawable.ic_restore_black) .setMessage(R.string.journal_item_restore_dialog_body) .setPositiveButton(android.R.string.ok) { dialog, which -> // dismiss } .create() dialog.show() } companion object { fun newInstance(cachedItem: CachedItem): CollectionItemFragment { val ret = CollectionItemFragment() ret.cachedItem = cachedItem return ret } } } private class TabsAdapter(fm: FragmentManager, private val mainFragment: CollectionItemFragment, private val context: Context, private val cachedCollection: CachedCollection, private val cachedItem: CachedItem) : FragmentPagerAdapter(fm) { override fun getCount(): Int { // FIXME: Make it depend on info enumType (only have non-raw for known types) return 3 } override fun getPageTitle(position: Int): CharSequence? { return if (position == 0) { context.getString(R.string.journal_item_tab_main) } else if (position == 1) { context.getString(R.string.journal_item_tab_raw) } else { context.getString(R.string.journal_item_tab_revisions) } } override fun getItem(position: Int): Fragment { return if (position == 0) { PrettyFragment.newInstance(mainFragment, cachedCollection, cachedItem.content) } else if (position == 1) { TextFragment.newInstance(cachedItem.content) } else { ItemRevisionsListFragment.newInstance(cachedCollection, cachedItem) } } } class TextFragment : Fragment() { private lateinit var content: String override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? { val v = inflater.inflate(R.layout.text_fragment, container, false) val tv = v.findViewById<View>(R.id.content) as TextView tv.text = content return v } companion object { fun newInstance(content: String): TextFragment { val ret = TextFragment() ret.content = content return ret } } } class PrettyFragment : Fragment() { private var asyncTask: Future<Unit>? = null private lateinit var mainFragment: CollectionItemFragment private lateinit var cachedCollection: CachedCollection private lateinit var content: String override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? { var v: View? = null when (cachedCollection.collectionType) { Constants.ETEBASE_TYPE_ADDRESS_BOOK -> { v = inflater.inflate(R.layout.contact_info, container, false) asyncTask = loadContactTask(v) } Constants.ETEBASE_TYPE_CALENDAR -> { v = inflater.inflate(R.layout.event_info, container, false) asyncTask = loadEventTask(v) } Constants.ETEBASE_TYPE_TASKS -> { v = inflater.inflate(R.layout.task_info, container, false) asyncTask = loadTaskTask(v) } } return v } override fun onDestroyView() { super.onDestroyView() if (asyncTask != null) asyncTask!!.cancel(true) } private fun loadEventTask(view: View): Future<Unit> { return doAsync { var event: Event? = null val inputReader = StringReader(content) try { event = Event.eventsFromReader(inputReader, null)[0] } catch (e: InvalidCalendarException) { e.printStackTrace() } catch (e: IOException) { e.printStackTrace() } if (event != null) { uiThread { val loader = view.findViewById<View>(R.id.event_info_loading_msg) loader.visibility = View.GONE val contentContainer = view.findViewById<View>(R.id.event_info_scroll_view) contentContainer.visibility = View.VISIBLE setTextViewText(view, R.id.title, event.summary) val dtStart = event.dtStart?.date?.time val dtEnd = event.dtEnd?.date?.time if ((dtStart == null) || (dtEnd == null)) { setTextViewText(view, R.id.when_datetime, getString(R.string.loading_error_title)) } else { setTextViewText(view, R.id.when_datetime, getDisplayedDatetime(dtStart, dtEnd, event.isAllDay(), context)) } setTextViewText(view, R.id.where, event.location) val organizer = event.organizer if (organizer != null) { val tv = view.findViewById<View>(R.id.organizer) as TextView tv.text = organizer.calAddress.toString().replaceFirst("mailto:".toRegex(), "") } else { val organizerView = view.findViewById<View>(R.id.organizer_container) organizerView.visibility = View.GONE } setTextViewText(view, R.id.description, event.description) var first = true var sb = StringBuilder() for (attendee in event.attendees) { if (first) { first = false sb.append(getString(R.string.journal_item_attendees)).append(": ") } else { sb.append(", ") } sb.append(attendee.calAddress.toString().replaceFirst("mailto:".toRegex(), "")) } setTextViewText(view, R.id.attendees, sb.toString()) first = true sb = StringBuilder() for (alarm in event.alarms) { if (first) { first = false sb.append(getString(R.string.journal_item_reminders)).append(": ") } else { sb.append(", ") } sb.append(alarm.trigger.value) } setTextViewText(view, R.id.reminders, sb.toString()) if (event.attendees.isNotEmpty()) { mainFragment.allowSendEmail(event, content) } } } } } private fun loadTaskTask(view: View): Future<Unit> { return doAsync { var task: Task? = null val inputReader = StringReader(content) try { task = Task.tasksFromReader(inputReader)[0] } catch (e: InvalidCalendarException) { e.printStackTrace() } catch (e: IOException) { e.printStackTrace() } if (task != null) { uiThread { val loader = view.findViewById<View>(R.id.task_info_loading_msg) loader.visibility = View.GONE val contentContainer = view.findViewById<View>(R.id.task_info_scroll_view) contentContainer.visibility = View.VISIBLE setTextViewText(view, R.id.title, task.summary) setTextViewText(view, R.id.where, task.location) val organizer = task.organizer if (organizer != null) { val tv = view.findViewById<View>(R.id.organizer) as TextView tv.text = organizer.calAddress.toString().replaceFirst("mailto:".toRegex(), "") } else { val organizerView = view.findViewById<View>(R.id.organizer_container) organizerView.visibility = View.GONE } setTextViewText(view, R.id.description, task.description) } } } } private fun loadContactTask(view: View): Future<Unit> { return doAsync { var contact: Contact? = null val reader = StringReader(content) try { contact = Contact.fromReader(reader, null)[0] } catch (e: IOException) { e.printStackTrace() } if (contact != null) { uiThread { val loader = view.findViewById<View>(R.id.loading_msg) loader.visibility = View.GONE val contentContainer = view.findViewById<View>(R.id.content_container) contentContainer.visibility = View.VISIBLE val tv = view.findViewById<View>(R.id.display_name) as TextView tv.text = contact.displayName if (contact.group) { showGroup(contact) } else { showContact(contact) } } } } } private fun showGroup(contact: Contact) { val view = requireView() val mainCard = view.findViewById<View>(R.id.main_card) as ViewGroup addInfoItem(view.context, mainCard, getString(R.string.journal_item_member_count), null, contact.members.size.toString()) for (member in contact.members) { addInfoItem(view.context, mainCard, getString(R.string.journal_item_member), null, member) } } private fun showContact(contact: Contact) { val view = requireView() val mainCard = view.findViewById<View>(R.id.main_card) as ViewGroup val aboutCard = view.findViewById<View>(R.id.about_card) as ViewGroup aboutCard.findViewById<View>(R.id.title_container).visibility = View.VISIBLE // TEL for (labeledPhone in contact.phoneNumbers) { val types = labeledPhone.property.types val type = if (types.size > 0) types[0].value else null addInfoItem(view.context, mainCard, getString(R.string.journal_item_phone), type, labeledPhone.property.text) } // EMAIL for (labeledEmail in contact.emails) { val types = labeledEmail.property.types val type = if (types.size > 0) types[0].value else null addInfoItem(view.context, mainCard, getString(R.string.journal_item_email), type, labeledEmail.property.value) } // ORG, TITLE, ROLE if (contact.organization != null) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_organization), contact.jobTitle, contact.organization?.values!![0]) } if (contact.jobDescription != null) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_job_description), null, contact.jobTitle) } // IMPP for (labeledImpp in contact.impps) { addInfoItem(view.context, mainCard, getString(R.string.journal_item_impp), labeledImpp.property.protocol, labeledImpp.property.handle) } // NICKNAME if (contact.nickName != null && !contact.nickName?.values?.isEmpty()!!) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_nickname), null, contact.nickName?.values!![0]) } // ADR for (labeledAddress in contact.addresses) { val types = labeledAddress.property.types val type = if (types.size > 0) types[0].value else null addInfoItem(view.context, mainCard, getString(R.string.journal_item_address), type, labeledAddress.property.label) } // NOTE if (contact.note != null) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_note), null, contact.note) } // URL for (labeledUrl in contact.urls) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_website), null, labeledUrl.property.value) } // ANNIVERSARY if (contact.anniversary != null) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_anniversary), null, getDisplayedDate(contact.anniversary?.date, contact.anniversary?.partialDate)) } // BDAY if (contact.birthDay != null) { addInfoItem(view.context, aboutCard, getString(R.string.journal_item_birthday), null, getDisplayedDate(contact.birthDay?.date, contact.birthDay?.partialDate)) } // RELATED for (related in contact.relations) { val types = related.types val type = if (types.size > 0) types[0].value else null addInfoItem(view.context, aboutCard, getString(R.string.journal_item_relation), type, related.text) } // PHOTO // if (contact.photo != null) } private fun getDisplayedDate(date: Date?, partialDate: PartialDate?): String? { if (date != null) { val epochDate = date.time return getDisplayedDatetime(epochDate, epochDate, true, context) } else if (partialDate != null){ val formatter = SimpleDateFormat("d MMMM", Locale.getDefault()) val calendar = GregorianCalendar() calendar.set(Calendar.DAY_OF_MONTH, partialDate.date!!) calendar.set(Calendar.MONTH, partialDate.month!! - 1) return formatter.format(calendar.time) } return null } companion object { fun newInstance(mainFragment: CollectionItemFragment, cachedCollection: CachedCollection, content: String): PrettyFragment { val ret = PrettyFragment() ret.mainFragment= mainFragment ret.cachedCollection = cachedCollection ret.content = content return ret } private fun addInfoItem(context: Context, parent: ViewGroup, type: String, label: String?, value: String?): View { val layout = parent.findViewById<View>(R.id.container) as ViewGroup val infoItem = LayoutInflater.from(context).inflate(R.layout.contact_info_item, layout, false) layout.addView(infoItem) setTextViewText(infoItem, R.id.type, type) setTextViewText(infoItem, R.id.title, label) setTextViewText(infoItem, R.id.content, value) parent.visibility = View.VISIBLE return infoItem } private fun setTextViewText(parent: View, id: Int, text: String?) { val tv = parent.findViewById<View>(id) as TextView if (text == null) { tv.visibility = View.GONE } else { tv.text = text } } fun getDisplayedDatetime(startMillis: Long, endMillis: Long, allDay: Boolean, context: Context?): String? { // Configure date/time formatting. val flagsDate = DateUtils.FORMAT_SHOW_DATE or DateUtils.FORMAT_SHOW_WEEKDAY var flagsTime = DateUtils.FORMAT_SHOW_TIME if (DateFormat.is24HourFormat(context)) { flagsTime = flagsTime or DateUtils.FORMAT_24HOUR } val datetimeString: String if (allDay) { // For multi-day allday events or single-day all-day events that are not // today or tomorrow, use framework formatter. // We need to remove 24hrs because full day events are from the start of a day until the start of the next var adjustedEnd = endMillis - 24 * 60 * 60 * 1000; if (adjustedEnd < startMillis) { adjustedEnd = startMillis; } val f = Formatter(StringBuilder(50), Locale.getDefault()) datetimeString = DateUtils.formatDateRange(context, f, startMillis, adjustedEnd, flagsDate).toString() } else { // For multiday events, shorten day/month names. // Example format: "Fri Apr 6, 5:00pm - Sun, Apr 8, 6:00pm" val flagsDatetime = flagsDate or flagsTime or DateUtils.FORMAT_ABBREV_MONTH or DateUtils.FORMAT_ABBREV_WEEKDAY datetimeString = DateUtils.formatDateRange(context, startMillis, endMillis, flagsDatetime) } return datetimeString } } }
gpl-3.0
2b4c67ac2661184ae331344601528a5b
40.429577
239
0.59094
5.062823
false
false
false
false
rcgroot/open-gpstracker-exporter
studio/app/src/main/java/nl/renedegroot/android/opengpstracker/exporter/export/ExportModel.kt
1
2748
/* * ------------------------------------------------------------------------------ * ** Author: Renรฉ de Groot * ** Copyright: (c) 2016 Renรฉ de Groot All Rights Reserved. * **------------------------------------------------------------------------------ * ** No part of this file may be reproduced * ** or transmitted in any form or by any * ** means, electronic or mechanical, for the * ** purpose, without the express written * ** permission of the copyright holder. * *------------------------------------------------------------------------------ * * * * This file is part of "Open GPS Tracker - Exporter". * * * * "Open GPS Tracker - Exporter" is free software: you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation, either version 3 of the License, or * * (at your option) any later version. * * * * "Open GPS Tracker - Exporter" is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with "Open GPS Tracker - Exporter". If not, see <http://www.gnu.org/licenses/>. * * * */ package nl.renedegroot.android.opengpstracker.exporter.export import android.databinding.ObservableBoolean import android.databinding.ObservableInt import nl.renedegroot.android.opengpstracker.exporter.exporting.exporterManager /** * View model for the export preparation fragment */ class ExportModel : exporterManager.ProgressListener { val isDriveConnected = ObservableBoolean(false); val isTrackerConnected = ObservableBoolean(false); val isRunning = ObservableBoolean(false) val isFinished = ObservableBoolean(false) val completedTracks = ObservableInt(0) val totalTracks = ObservableInt(0) val totalWaypoints = ObservableInt(0) val completedWaypoints = ObservableInt(0) override fun updateExportProgress(isRunning: Boolean?, isFinished: Boolean?, completedTracks: Int?, totalTracks: Int?, completedWaypoints: Int?, totalWaypoints: Int?) { this.isRunning.set(isRunning ?: this.isRunning.get()) this.isFinished.set(isFinished ?: this.isFinished.get()) this.completedTracks.set(completedTracks ?: this.completedTracks.get()) this.totalTracks.set(totalTracks ?: this.totalTracks.get()) this.completedWaypoints.set(completedWaypoints ?: this.completedWaypoints.get()) this.totalWaypoints.set(totalWaypoints ?: this.totalWaypoints.get()) } }
gpl-2.0
a8d4f72f86452fb993b6b8d31f0beef7
46.362069
172
0.651857
4.523888
false
false
false
false
esafirm/android-image-picker
imagepicker/src/main/java/com/esafirm/imagepicker/helper/IpLogger.kt
1
596
package com.esafirm.imagepicker.helper import android.util.Log object IpLogger { private const val TAG = "ImagePicker" private var isEnable = true fun setEnable(enable: Boolean) { isEnable = enable } fun d(message: String?) { if (isEnable && message != null) { Log.d(TAG, message) } } fun e(message: String?) { if (isEnable && message != null) { Log.e(TAG, message) } } fun w(message: String?) { if (isEnable && message != null) { Log.w(TAG, message) } } }
mit
50fe2f631f117e19b5717cbaf2174453
17.65625
42
0.526846
3.94702
false
false
false
false
mozilla-mobile/focus-android
app/src/androidTest/java/org/mozilla/focus/activity/FirstRunTest.kt
1
1915
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ package org.mozilla.focus.activity import androidx.test.internal.runner.junit4.AndroidJUnit4ClassRunner import okhttp3.mockwebserver.MockWebServer import org.junit.After import org.junit.Before import org.junit.Rule import org.junit.Test import org.junit.runner.RunWith import org.mozilla.focus.activity.robots.homeScreen import org.mozilla.focus.helpers.FeatureSettingsHelper import org.mozilla.focus.helpers.MainActivityFirstrunTestRule import org.mozilla.focus.helpers.MockWebServerHelper import org.mozilla.focus.helpers.TestHelper.restartApp import org.mozilla.focus.testAnnotations.SmokeTest // Tests the First run onboarding screens @RunWith(AndroidJUnit4ClassRunner::class) class FirstRunTest { private lateinit var webServer: MockWebServer private val featureSettingsHelper = FeatureSettingsHelper() @get: Rule val mActivityTestRule = MainActivityFirstrunTestRule(showFirstRun = true) @Before fun startWebServer() { webServer = MockWebServer().apply { dispatcher = MockWebServerHelper.AndroidAssetDispatcher() start() } featureSettingsHelper.setCfrForTrackingProtectionEnabled(false) } @After fun stopWebServer() { webServer.shutdown() featureSettingsHelper.resetAllFeatureFlags() } @SmokeTest @Test fun onboardingScreensTest() { homeScreen { verifyFirstOnboardingScreenItems() restartApp(mActivityTestRule) verifyFirstOnboardingScreenItems() clickGetStartedButton() verifySecondOnboardingScreenItems() restartApp(mActivityTestRule) verifySecondOnboardingScreenItems() } } }
mpl-2.0
d5eb84f7e4be871fb3e7843a58401800
32.596491
77
0.738381
4.872774
false
true
false
false
devknightz/MinimalWeatherApp
app/src/main/java/you/devknights/minimalweather/network/model/model.kt
1
1765
package you.devknights.minimalweather.network.model import com.google.gson.annotations.Expose import com.google.gson.annotations.SerializedName internal class Clouds { @SerializedName("all") @Expose var all: Int = 0 } internal class Coord { @SerializedName("lon") @Expose var lon: Double = 0.toDouble() @SerializedName("lat") @Expose var lat: Double = 0.toDouble() } internal class Main { @SerializedName("temp") @Expose var temp: Float = 0.toFloat() @SerializedName("pressure") @Expose var pressure: Float = 0.toFloat() @SerializedName("humidity") @Expose var humidity: Float = 0.toFloat() @SerializedName("temp_min") @Expose var tempMin: Double = 0.toDouble() @SerializedName("temp_max") @Expose var tempMax: Double = 0.toDouble() } internal class Sys { @SerializedName("type") @Expose var type: Int = 0 @SerializedName("id") @Expose var id: Int = 0 @SerializedName("message") @Expose var message: Double = 0.toDouble() @SerializedName("country") @Expose var country: String? = null @SerializedName("sunrise") @Expose var sunrise: Long = 0 @SerializedName("sunset") @Expose var sunset: Long = 0 } internal class Wind { @SerializedName("speed") @Expose var speed: Double = 0.toDouble() @SerializedName("deg") @Expose var deg: Float = 0.toFloat() } internal class Weather { @SerializedName("id") @Expose var id: Int = 0 @SerializedName("main") @Expose var main: String? = null @SerializedName("description") @Expose var description: String? = null @SerializedName("icon") @Expose var icon: String? = null }
apache-2.0
4be758cad7e3feb22db9035f8e9f8abe
17.787234
51
0.629462
3.939732
false
false
false
false
clarkcb/xsearch
kotlin/ktsearch/src/test/kotlin/ktsearch/SearchResultTest.kt
1
5925
package ktsearch import org.junit.Assert.assertEquals import org.junit.Test import java.io.File import java.util.* /** * @author cary on 7/30/16. */ class SearchResultTest { @Test fun testSingleLineSearchResult() { val settings = getDefaultSettings().copy(colorize = false) val formatter = SearchResultFormatter(settings) val pattern = Regex("Search") val path = "~/src/xsearch/csharp/CsSearch/CsSearch/Searcher.cs" val file = File(path) val searchFile = SearchFile(file, FileType.CODE) val lineNum = 10 val matchStartIndex = 15 val matchEndIndex = 23 val line = "\tpublic class Searcher\n" val searchResult = SearchResult(pattern, searchFile, lineNum, matchStartIndex, matchEndIndex, line) val expectedOutput = String.format("%s: %d: [%d:%d]: %s", path, lineNum, matchStartIndex, matchEndIndex, line.trim { it <= ' ' }) val output = formatter.format(searchResult) assertEquals(expectedOutput, output) } @Test fun testSingleLineLongerThanMaxLineLengthSearchResult() { val settings = getDefaultSettings().copy(colorize = false, maxLineLength = 100) val formatter = SearchResultFormatter(settings) val pattern = Regex("maxlen") val file = File("./maxlen.txt") val searchFile = SearchFile(file, FileType.TEXT) val lineNum = 1 val matchStartIndex = 53 val matchEndIndex = 59 val line = "0123456789012345678901234567890123456789012345678901maxlen8901234567890123456789012345678901234567890123456789" val linesBeforeAfter: List<String> = ArrayList() val searchResult = SearchResult(pattern, searchFile, lineNum, matchStartIndex, matchEndIndex, line, linesBeforeAfter, linesBeforeAfter) val expectedPath = "." + File.separator + "maxlen.txt" val expectedLine = "...89012345678901234567890123456789012345678901maxlen89012345678901234567890123456789012345678901..." val expectedOutput = String.format("%s: %d: [%d:%d]: %s", expectedPath, lineNum, matchStartIndex, matchEndIndex, expectedLine) val output = formatter.format(searchResult) assertEquals(expectedOutput, output) } @Test fun testSingleLineLongerColorizeSearchResult() { val settings = getDefaultSettings().copy(colorize = true, maxLineLength = 100) val formatter = SearchResultFormatter(settings) val pattern = Regex("maxlen") val file = File("./maxlen.txt") val searchFile = SearchFile(file, FileType.TEXT) val lineNum = 1 val matchStartIndex = 53 val matchEndIndex = 59 val line = "0123456789012345678901234567890123456789012345678901maxlen8901234567890123456789012345678901234567890123456789" val linesBeforeAfter: List<String> = ArrayList() val searchResult = SearchResult(pattern, searchFile, lineNum, matchStartIndex, matchEndIndex, line, linesBeforeAfter, linesBeforeAfter) val expectedPath = "." + File.separator + "maxlen.txt" val expectedLine = "...89012345678901234567890123456789012345678901" + Color.GREEN + "maxlen" + Color.RESET + "89012345678901234567890123456789012345678901..." val expectedOutput = String.format("%s: %d: [%d:%d]: %s", expectedPath, lineNum, matchStartIndex, matchEndIndex, expectedLine) val output = formatter.format(searchResult) assertEquals(expectedOutput, output) } @Test fun testBinaryFileSearchResult() { val settings = getDefaultSettings() val formatter = SearchResultFormatter(settings) val pattern = Regex("Search") val file = File("~/src/xsearch/csharp/CsSearch/CsSearch/Searcher.exe") val searchFile = SearchFile(file, FileType.BINARY) val lineNum = 0 val matchStartIndex = 0 val matchEndIndex = 0 val searchResult = SearchResult(pattern, searchFile, lineNum, matchStartIndex, matchEndIndex, "") val expectedPath = "~/src/xsearch/csharp/CsSearch/CsSearch/Searcher.exe" val expectedOutput = String.format("%s matches at [0:0]", expectedPath) val output = formatter.format(searchResult) assertEquals(expectedOutput, output) } @Test fun testMultiLineSearchResult() { val settings = getDefaultSettings().copy(colorize = false, linesBefore = 2, linesAfter = 2) val formatter = SearchResultFormatter(settings) val pattern = Regex("Searcher") val path = "~/src/xsearch/csharp/CsSearch/CsSearch/Searcher.cs" val file = File(path) val searchFile = SearchFile(file, FileType.CODE) val lineNum = 10 val matchStartIndex = 15 val matchEndIndex = 23 val line = "\tpublic class Searcher" val linesBefore = listOf("namespace CsSearch", "{") val linesAfter = listOf("\t{", "\t\tprivate readonly FileTypes _fileTypes;") val searchResult = SearchResult(pattern, searchFile, lineNum, matchStartIndex, matchEndIndex, line, linesBefore, linesAfter) val expectedOutput = """================================================================================ |$path: $lineNum: [$matchStartIndex:$matchEndIndex] |-------------------------------------------------------------------------------- | 8 | namespace CsSearch | 9 | { |> 10 | public class Searcher | 11 | { | 12 | private readonly FileTypes _fileTypes; |""".trimMargin() val output = formatter.format(searchResult) assertEquals(expectedOutput, output) } }
mit
27d54440f2ecf35f26a14f46482b792c
45.289063
131
0.625316
5.440771
false
true
false
false
Caellian/Math
src/main/kotlin/hr/caellian/math/matrix/Matrix4F.kt
1
6600
package hr.caellian.math.matrix import hr.caellian.math.vector.VectorF import kotlin.math.tan /** * Utility object containing initializers for basic 4x4 matrices. * These functions should be used instead of any provided by [MatrixF] wherever possible as they generally perform faster. * * @author Caellian */ object Matrix4F { /** * Initializes perspective transformation matrix. * * @param fov field of view. * @param aspectRatio aspect ration. * @param clipNear front clipping position. * @param clipFar back clipping position. * @return perspective transformation matrix. */ @JvmStatic fun initPerspectiveMatrix(fov: Float, aspectRatio: Float, clipNear: Float, clipFar: Float): MatrixF { val fowAngle = tan(fov / 2) val clipRange = clipNear - clipFar return MatrixF(Array(4) { row -> Array(4) { column -> when { row == 0 && column == 0 -> 1f / (fowAngle * aspectRatio) row == 1 && column == 1 -> 1f / fowAngle row == 2 && column == 2 -> (-clipNear - clipFar) / clipRange row == 2 && column == 3 -> 2 * clipFar * clipNear / clipRange row == 3 && column == 2 -> 1f else -> 0f } } }) } /** * Initializes orthographic transformation matrix. * * @param left left clipping position. * @param right right clipping position. * @param bottom bottom clipping position. * @param top top clipping position. * @param clipNear front clipping position. * @param clipFar back clipping position. * @return orthographic transformation matrix */ @JvmStatic fun initOrthographicMatrix(left: Float, right: Float, bottom: Float, top: Float, clipNear: Float, clipFar: Float): MatrixF { val width = right - left val height = top - bottom val depth = clipFar - clipNear return MatrixF(Array(4) { row -> Array(4) { column -> when { row == 0 && column == 0 -> 2 / width row == 0 && column == 3 -> -(right + left) / width row == 1 && column == 1 -> 2 / height row == 1 && column == 3 -> -(top + bottom) / height row == 2 && column == 2 -> -2 / depth row == 2 && column == 3 -> -(clipFar + clipNear) / depth row == 3 && column == 3 -> 1f else -> 0f } } }) } /** * Initializes rotation matrix using forward and up vector by calculating * right vector. * * @param forward forward 3f vector. * @param up up 3f vector. * @return rotation matrix. */ @JvmStatic fun initRotationMatrix(forward: VectorF, up: VectorF): MatrixF { require(forward.size == 3) { "Invalid forward vector size (${forward.size}), expected size of 3!" } require(up.size == 3) { "Invalid up vector size (${up.size}), expected size of 3!" } val f = forward.normalized() val r = up.normalized().cross(f) val u = f.cross(r) return Matrix4F.initRotationMatrix(f, u, r) } /** * Initializes rotation matrix using a rotation quaternion. * * @param quaternion quaternion to use for initialization. * @return rotation matrix. */ @JvmStatic fun initRotationMatrix(quaternion: VectorF): MatrixF { require(quaternion.size == 4) { "Invalid quaternion size (${quaternion.size}), expected size of 4!" } val forward = VectorF(2f * (quaternion[0] * quaternion[2] - quaternion[3] * quaternion[1]), 2f * (quaternion[1] * quaternion[2] + quaternion[3] * quaternion[0]), 1f - 2f * (quaternion[0] * quaternion[0] + quaternion[1] * quaternion[1])) val up = VectorF(2f * (quaternion[0] * quaternion[1] + quaternion[3] * quaternion[2]), 1f - 2f * (quaternion[0] * quaternion[0] + quaternion[2] * quaternion[2]), 2f * (quaternion[1] * quaternion[2] - quaternion[3] * quaternion[0])) val right = VectorF(1f - 2f * (quaternion[1] * quaternion[1] + quaternion[2] * quaternion[2]), 2f * (quaternion[0] * quaternion[1] - quaternion[3] * quaternion[2]), 2f * (quaternion[0] * quaternion[2] + quaternion[3] * quaternion[1])) return Matrix4F.initRotationMatrix(forward, up, right) } /** * Initializes rotation matrix using forward, up and right vector. * * @param forward forward 3f vector. * @param up up 3f vector. * @param right right 3f vector. * @return rotation matrix. */ @JvmStatic fun initRotationMatrix(forward: VectorF, up: VectorF, right: VectorF): MatrixF { require(forward.size == 3) { "Invalid forward vector size (${forward.size}), expected size of 3!" } require(up.size == 3) { "Invalid up vector size (${up.size}), expected size of 3!" } require(right.size == 3) { "Invalid right vector size (${right.size}), expected size of 3!" } return MatrixF(Array(4) { row -> Array(4) { column -> when { row == 0 && column != 3 -> right[column] row == 1 && column != 3 -> up[column] row == 2 && column != 3 -> forward[column] row == 3 && column == 3 -> 1f else -> 0f } } }) } /** * Utility method that combines translation and rotation directly and returns world transformation matrix. * * @since 3.0.0 * * @param eye camera position 3f vector. * @param center position to look at. * @param up up 3f vector. * @return world transformation matrix. */ @JvmStatic fun lookAt(eye: VectorF, center: VectorF, up: VectorF): MatrixF { require(eye.size == 3) { "Invalid eye position vector size (${eye.size}), expected size of 3!" } require(center.size == 3) { "Invalid center position vector size (${center.size}), expected size of 3!" } require(up.size == 3) { "Invalid up vector size (${up.size}), expected size of 3!" } val forward = (eye - center).normalized() return MatrixF.initTranslationMatrix(eye - center) * initRotationMatrix(forward, up) } }
mit
374d72415b63cbf7c37bcc7bf5252bac
39.740741
128
0.548333
4.330709
false
false
false
false
inorichi/tachiyomi
app/src/main/java/eu/kanade/tachiyomi/ui/library/LibraryPresenter.kt
1
21807
package eu.kanade.tachiyomi.ui.library import android.os.Bundle import com.jakewharton.rxrelay.BehaviorRelay import eu.kanade.tachiyomi.data.cache.CoverCache import eu.kanade.tachiyomi.data.database.DatabaseHelper import eu.kanade.tachiyomi.data.database.models.Category import eu.kanade.tachiyomi.data.database.models.Chapter import eu.kanade.tachiyomi.data.database.models.Manga import eu.kanade.tachiyomi.data.database.models.MangaCategory import eu.kanade.tachiyomi.data.download.DownloadManager import eu.kanade.tachiyomi.data.preference.PreferencesHelper import eu.kanade.tachiyomi.data.track.TrackManager import eu.kanade.tachiyomi.source.SourceManager import eu.kanade.tachiyomi.source.model.SManga import eu.kanade.tachiyomi.source.online.HttpSource import eu.kanade.tachiyomi.ui.base.presenter.BasePresenter import eu.kanade.tachiyomi.ui.library.setting.SortDirectionSetting import eu.kanade.tachiyomi.ui.library.setting.SortModeSetting import eu.kanade.tachiyomi.util.isLocal import eu.kanade.tachiyomi.util.lang.combineLatest import eu.kanade.tachiyomi.util.lang.isNullOrUnsubscribed import eu.kanade.tachiyomi.util.lang.launchIO import eu.kanade.tachiyomi.util.removeCovers import eu.kanade.tachiyomi.widget.ExtendedNavigationView.Item.TriStateGroup.State import rx.Observable import rx.Subscription import rx.android.schedulers.AndroidSchedulers import rx.schedulers.Schedulers import uy.kohesive.injekt.Injekt import uy.kohesive.injekt.api.get import java.text.Collator import java.util.Collections import java.util.Comparator import java.util.Locale /** * Class containing library information. */ private data class Library(val categories: List<Category>, val mangaMap: LibraryMap) /** * Typealias for the library manga, using the category as keys, and list of manga as values. */ private typealias LibraryMap = Map<Int, List<LibraryItem>> /** * Presenter of [LibraryController]. */ class LibraryPresenter( private val db: DatabaseHelper = Injekt.get(), private val preferences: PreferencesHelper = Injekt.get(), private val coverCache: CoverCache = Injekt.get(), private val sourceManager: SourceManager = Injekt.get(), private val downloadManager: DownloadManager = Injekt.get(), private val trackManager: TrackManager = Injekt.get() ) : BasePresenter<LibraryController>() { private val context = preferences.context /** * Categories of the library. */ var categories: List<Category> = emptyList() private set /** * Relay used to apply the UI filters to the last emission of the library. */ private val filterTriggerRelay = BehaviorRelay.create(Unit) /** * Relay used to apply the UI update to the last emission of the library. */ private val badgeTriggerRelay = BehaviorRelay.create(Unit) /** * Relay used to apply the selected sorting method to the last emission of the library. */ private val sortTriggerRelay = BehaviorRelay.create(Unit) /** * Library subscription. */ private var librarySubscription: Subscription? = null override fun onCreate(savedState: Bundle?) { super.onCreate(savedState) subscribeLibrary() } /** * Subscribes to library if needed. */ fun subscribeLibrary() { if (librarySubscription.isNullOrUnsubscribed()) { librarySubscription = getLibraryObservable() .combineLatest(badgeTriggerRelay.observeOn(Schedulers.io())) { lib, _ -> lib.apply { setBadges(mangaMap) } } .combineLatest(getFilterObservable()) { lib, tracks -> lib.copy(mangaMap = applyFilters(lib.mangaMap, tracks)) } .combineLatest(sortTriggerRelay.observeOn(Schedulers.io())) { lib, _ -> lib.copy(mangaMap = applySort(lib.categories, lib.mangaMap)) } .observeOn(AndroidSchedulers.mainThread()) .subscribeLatestCache({ view, (categories, mangaMap) -> view.onNextLibraryUpdate(categories, mangaMap) }) } } /** * Applies library filters to the given map of manga. * * @param map the map to filter. */ private fun applyFilters(map: LibraryMap, trackMap: Map<Long, Map<Int, Boolean>>): LibraryMap { val downloadedOnly = preferences.downloadedOnly().get() val filterDownloaded = preferences.filterDownloaded().get() val filterUnread = preferences.filterUnread().get() val filterCompleted = preferences.filterCompleted().get() val loggedInServices = trackManager.services.filter { trackService -> trackService.isLogged } .associate { trackService -> Pair(trackService.id, preferences.filterTracking(trackService.id).get()) } val isNotAnyLoggedIn = !loggedInServices.values.any() val filterFnUnread: (LibraryItem) -> Boolean = unread@{ item -> if (filterUnread == State.IGNORE.value) return@unread true val isUnread = item.manga.unread != 0 return@unread if (filterUnread == State.INCLUDE.value) isUnread else !isUnread } val filterFnCompleted: (LibraryItem) -> Boolean = completed@{ item -> if (filterCompleted == State.IGNORE.value) return@completed true val isCompleted = item.manga.status == SManga.COMPLETED return@completed if (filterCompleted == State.INCLUDE.value) isCompleted else !isCompleted } val filterFnDownloaded: (LibraryItem) -> Boolean = downloaded@{ item -> if (!downloadedOnly && filterDownloaded == State.IGNORE.value) return@downloaded true val isDownloaded = when { item.manga.isLocal() -> true item.downloadCount != -1 -> item.downloadCount > 0 else -> downloadManager.getDownloadCount(item.manga) > 0 } return@downloaded if (downloadedOnly || filterDownloaded == State.INCLUDE.value) isDownloaded else !isDownloaded } val filterFnTracking: (LibraryItem) -> Boolean = tracking@{ item -> if (isNotAnyLoggedIn) return@tracking true val trackedManga = trackMap[item.manga.id ?: -1] val containsExclude = loggedInServices.filterValues { it == State.EXCLUDE.value } val containsInclude = loggedInServices.filterValues { it == State.INCLUDE.value } if (!containsExclude.any() && !containsInclude.any()) return@tracking true val exclude = trackedManga?.filterKeys { containsExclude.containsKey(it) }?.values ?: emptyList() val include = trackedManga?.filterKeys { containsInclude.containsKey(it) }?.values ?: emptyList() if (containsInclude.any() && containsExclude.any()) { return@tracking if (exclude.isNotEmpty()) !exclude.any() else include.any() } if (containsExclude.any()) return@tracking !exclude.any() if (containsInclude.any()) return@tracking include.any() return@tracking false } val filterFn: (LibraryItem) -> Boolean = filter@{ item -> return@filter !( !filterFnUnread(item) || !filterFnCompleted(item) || !filterFnDownloaded(item) || !filterFnTracking(item) ) } return map.mapValues { entry -> entry.value.filter(filterFn) } } /** * Sets downloaded chapter count to each manga. * * @param map the map of manga. */ private fun setBadges(map: LibraryMap) { val showDownloadBadges = preferences.downloadBadge().get() val showUnreadBadges = preferences.unreadBadge().get() val showLocalBadges = preferences.localBadge().get() val showLanguageBadges = preferences.languageBadge().get() for ((_, itemList) in map) { for (item in itemList) { item.downloadCount = if (showDownloadBadges) { downloadManager.getDownloadCount(item.manga) } else { // Unset download count if not enabled -1 } item.unreadCount = if (showUnreadBadges) { item.manga.unread } else { // Unset unread count if not enabled -1 } item.isLocal = if (showLocalBadges) { item.manga.isLocal() } else { // Hide / Unset local badge if not enabled false } item.sourceLanguage = if (showLanguageBadges) { sourceManager.getOrStub(item.manga.source).lang.uppercase() } else { // Unset source language if not enabled "" } } } } /** * Applies library sorting to the given map of manga. * * @param map the map to sort. */ private fun applySort(categories: List<Category>, map: LibraryMap): LibraryMap { val lastReadManga by lazy { var counter = 0 db.getLastReadManga().executeAsBlocking().associate { it.id!! to counter++ } } val totalChapterManga by lazy { var counter = 0 db.getTotalChapterManga().executeAsBlocking().associate { it.id!! to counter++ } } val latestChapterManga by lazy { var counter = 0 db.getLatestChapterManga().executeAsBlocking().associate { it.id!! to counter++ } } val chapterFetchDateManga by lazy { var counter = 0 db.getChapterFetchDateManga().executeAsBlocking().associate { it.id!! to counter++ } } val sortingModes = categories.associate { category -> (category.id ?: 0) to SortModeSetting.get(preferences, category) } val sortAscending = categories.associate { category -> (category.id ?: 0) to SortDirectionSetting.get(preferences, category) } val locale = Locale.getDefault() val collator = Collator.getInstance(locale).apply { strength = Collator.PRIMARY } val sortFn: (LibraryItem, LibraryItem) -> Int = { i1, i2 -> val sortingMode = sortingModes[i1.manga.category]!! val sortAscending = sortAscending[i1.manga.category]!! == SortDirectionSetting.ASCENDING when (sortingMode) { SortModeSetting.ALPHABETICAL -> { collator.compare(i1.manga.title.lowercase(locale), i2.manga.title.lowercase(locale)) } SortModeSetting.LAST_READ -> { // Get index of manga, set equal to list if size unknown. val manga1LastRead = lastReadManga[i1.manga.id!!] ?: lastReadManga.size val manga2LastRead = lastReadManga[i2.manga.id!!] ?: lastReadManga.size manga1LastRead.compareTo(manga2LastRead) } SortModeSetting.LAST_CHECKED -> i2.manga.last_update.compareTo(i1.manga.last_update) SortModeSetting.UNREAD -> when { // Ensure unread content comes first i1.manga.unread == i2.manga.unread -> 0 i1.manga.unread == 0 -> if (sortAscending) 1 else -1 i2.manga.unread == 0 -> if (sortAscending) -1 else 1 else -> i1.manga.unread.compareTo(i2.manga.unread) } SortModeSetting.TOTAL_CHAPTERS -> { val manga1TotalChapter = totalChapterManga[i1.manga.id!!] ?: 0 val mange2TotalChapter = totalChapterManga[i2.manga.id!!] ?: 0 manga1TotalChapter.compareTo(mange2TotalChapter) } SortModeSetting.LATEST_CHAPTER -> { val manga1latestChapter = latestChapterManga[i1.manga.id!!] ?: latestChapterManga.size val manga2latestChapter = latestChapterManga[i2.manga.id!!] ?: latestChapterManga.size manga1latestChapter.compareTo(manga2latestChapter) } SortModeSetting.DATE_FETCHED -> { val manga1chapterFetchDate = chapterFetchDateManga[i1.manga.id!!] ?: chapterFetchDateManga.size val manga2chapterFetchDate = chapterFetchDateManga[i2.manga.id!!] ?: chapterFetchDateManga.size manga1chapterFetchDate.compareTo(manga2chapterFetchDate) } SortModeSetting.DATE_ADDED -> i2.manga.date_added.compareTo(i1.manga.date_added) } } return map.mapValues { entry -> val sortAscending = sortAscending[entry.key]!! == SortDirectionSetting.ASCENDING val comparator = if (sortAscending) { Comparator(sortFn) } else { Collections.reverseOrder(sortFn) } entry.value.sortedWith(comparator) } } /** * Get the categories and all its manga from the database. * * @return an observable of the categories and its manga. */ private fun getLibraryObservable(): Observable<Library> { return Observable.combineLatest(getCategoriesObservable(), getLibraryMangasObservable()) { dbCategories, libraryManga -> val categories = if (libraryManga.containsKey(0)) { arrayListOf(Category.createDefault(context)) + dbCategories } else { dbCategories } libraryManga.forEach { (categoryId, libraryManga) -> val category = categories.first { category -> category.id == categoryId } libraryManga.forEach { libraryItem -> libraryItem.displayMode = category.displayMode } } this.categories = categories Library(categories, libraryManga) } } /** * Get the categories from the database. * * @return an observable of the categories. */ private fun getCategoriesObservable(): Observable<List<Category>> { return db.getCategories().asRxObservable() } /** * Get the manga grouped by categories. * * @return an observable containing a map with the category id as key and a list of manga as the * value. */ private fun getLibraryMangasObservable(): Observable<LibraryMap> { val defaultLibraryDisplayMode = preferences.libraryDisplayMode() val shouldSetFromCategory = preferences.categorizedDisplaySettings() return db.getLibraryMangas().asRxObservable() .map { list -> list.map { libraryManga -> // Display mode based on user preference: take it from global library setting or category LibraryItem( libraryManga, shouldSetFromCategory, defaultLibraryDisplayMode ) }.groupBy { it.manga.category } } } /** * Get the tracked manga from the database and checks if the filter gets changed * * @return an observable of tracked manga. */ private fun getFilterObservable(): Observable<Map<Long, Map<Int, Boolean>>> { return getTracksObservable().combineLatest(filterTriggerRelay.observeOn(Schedulers.io())) { tracks, _ -> tracks } } /** * Get the tracked manga from the database * * @return an observable of tracked manga. */ private fun getTracksObservable(): Observable<Map<Long, Map<Int, Boolean>>> { return db.getTracks().asRxObservable().map { tracks -> tracks.groupBy { it.manga_id } .mapValues { tracksForMangaId -> // Check if any of the trackers is logged in for the current manga id tracksForMangaId.value.associate { Pair(it.sync_id, trackManager.getService(it.sync_id)?.isLogged ?: false) } } }.observeOn(Schedulers.io()) } /** * Requests the library to be filtered. */ fun requestFilterUpdate() { filterTriggerRelay.call(Unit) } /** * Requests the library to have download badges added. */ fun requestBadgesUpdate() { badgeTriggerRelay.call(Unit) } /** * Requests the library to be sorted. */ fun requestSortUpdate() { sortTriggerRelay.call(Unit) } /** * Called when a manga is opened. */ fun onOpenManga() { // Avoid further db updates for the library when it's not needed librarySubscription?.let { remove(it) } } /** * Returns the common categories for the given list of manga. * * @param mangas the list of manga. */ fun getCommonCategories(mangas: List<Manga>): Collection<Category> { if (mangas.isEmpty()) return emptyList() return mangas.toSet() .map { db.getCategoriesForManga(it).executeAsBlocking() } .reduce { set1: Iterable<Category>, set2 -> set1.intersect(set2).toMutableList() } } /** * Returns the mix (non-common) categories for the given list of manga. * * @param mangas the list of manga. */ fun getMixCategories(mangas: List<Manga>): Collection<Category> { if (mangas.isEmpty()) return emptyList() val mangaCategories = mangas.toSet().map { db.getCategoriesForManga(it).executeAsBlocking() } val common = mangaCategories.reduce { set1, set2 -> set1.intersect(set2).toMutableList() } return mangaCategories.flatten().distinct().subtract(common).toMutableList() } /** * Queues all unread chapters from the given list of manga. * * @param mangas the list of manga. */ fun downloadUnreadChapters(mangas: List<Manga>) { mangas.forEach { manga -> launchIO { val chapters = db.getChapters(manga).executeAsBlocking() .filter { !it.read } downloadManager.downloadChapters(manga, chapters) } } } /** * Marks mangas' chapters read status. * * @param mangas the list of manga. */ fun markReadStatus(mangas: List<Manga>, read: Boolean) { mangas.forEach { manga -> launchIO { val chapters = db.getChapters(manga).executeAsBlocking() chapters.forEach { it.read = read if (!read) { it.last_page_read = 0 } } db.updateChaptersProgress(chapters).executeAsBlocking() if (read && preferences.removeAfterMarkedAsRead()) { deleteChapters(manga, chapters) } } } } private fun deleteChapters(manga: Manga, chapters: List<Chapter>) { sourceManager.get(manga.source)?.let { source -> downloadManager.deleteChapters(chapters, manga, source) } } /** * Remove the selected manga. * * @param mangas the list of manga to delete. * @param deleteFromLibrary whether to delete manga from library. * @param deleteChapters whether to delete downloaded chapters. */ fun removeMangas(mangas: List<Manga>, deleteFromLibrary: Boolean, deleteChapters: Boolean) { launchIO { val mangaToDelete = mangas.distinctBy { it.id } if (deleteFromLibrary) { mangaToDelete.forEach { it.favorite = false it.removeCovers(coverCache) } db.insertMangas(mangaToDelete).executeAsBlocking() } if (deleteChapters) { mangaToDelete.forEach { manga -> val source = sourceManager.get(manga.source) as? HttpSource if (source != null) { downloadManager.deleteManga(manga, source) } } } } } /** * Move the given list of manga to categories. * * @param categories the selected categories. * @param mangas the list of manga to move. */ fun moveMangasToCategories(categories: List<Category>, mangas: List<Manga>) { val mc = mutableListOf<MangaCategory>() for (manga in mangas) { categories.mapTo(mc) { MangaCategory.create(manga, it) } } db.setMangaCategories(mc, mangas) } /** * Bulk update categories of mangas using old and new common categories. * * @param mangas the list of manga to move. * @param addCategories the categories to add for all mangas. * @param removeCategories the categories to remove in all mangas. */ fun updateMangasToCategories(mangas: List<Manga>, addCategories: List<Category>, removeCategories: List<Category>) { val mangaCategories = mangas.map { manga -> val categories = db.getCategoriesForManga(manga).executeAsBlocking() .subtract(removeCategories).plus(addCategories).distinct() categories.map { MangaCategory.create(manga, it) } }.flatten() db.setMangaCategories(mangaCategories, mangas) } }
apache-2.0
1971463cf59c78327b408e0a533ee71d
37.057592
128
0.600587
5.083217
false
false
false
false
googlemaps/android-samples
snippets/app/src/gms/java/com/google/maps/utils/kotlin/Heatmaps.kt
1
4124
// Copyright 2020 Google LLC // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package com.google.maps.utils.kotlin import android.content.Context import android.graphics.Color import android.widget.Toast import androidx.annotation.RawRes import com.google.android.gms.maps.GoogleMap import com.google.android.gms.maps.model.LatLng import com.google.android.gms.maps.model.TileOverlayOptions import com.google.maps.android.heatmaps.Gradient import com.google.maps.android.heatmaps.HeatmapTileProvider import com.google.maps.android.heatmaps.WeightedLatLng import com.google.maps.example.R import org.json.JSONArray import org.json.JSONException import java.util.* import kotlin.jvm.Throws internal class Heatmaps { private lateinit var context: Context private lateinit var map: GoogleMap // [START maps_android_utils_heatmap_simple] private fun addHeatMap() { var latLngs: List<LatLng?>? = null // Get the data: latitude/longitude positions of police stations. try { latLngs = readItems(R.raw.police_stations) } catch (e: JSONException) { Toast.makeText(context, "Problem reading list of locations.", Toast.LENGTH_LONG) .show() } // Create a heat map tile provider, passing it the latlngs of the police stations. val provider = HeatmapTileProvider.Builder() .data(latLngs) .build() // Add a tile overlay to the map, using the heat map tile provider. val overlay = map.addTileOverlay(TileOverlayOptions().tileProvider(provider)) } @Throws(JSONException::class) private fun readItems(@RawRes resource: Int): List<LatLng?> { val result: MutableList<LatLng?> = ArrayList() val inputStream = context.resources.openRawResource(resource) val json = Scanner(inputStream).useDelimiter("\\A").next() val array = JSONArray(json) for (i in 0 until array.length()) { val `object` = array.getJSONObject(i) val lat = `object`.getDouble("lat") val lng = `object`.getDouble("lng") result.add(LatLng(lat, lng)) } return result } // [END maps_android_utils_heatmap_simple] private fun customizeHeatmap(latLngs: List<LatLng>) { // [START maps_android_utils_heatmap_customize] // Create the gradient. val colors = intArrayOf( Color.rgb(102, 225, 0), // green Color.rgb(255, 0, 0) // red ) val startPoints = floatArrayOf(0.2f, 1f) val gradient = Gradient(colors, startPoints) // Create the tile provider. val provider = HeatmapTileProvider.Builder() .data(latLngs) .gradient(gradient) .build() // Add the tile overlay to the map. val tileOverlay = map.addTileOverlay( TileOverlayOptions() .tileProvider(provider) ) // [END maps_android_utils_heatmap_customize] // [START maps_android_utils_heatmap_customize_opacity] provider.setOpacity(0.7) tileOverlay?.clearTileCache() // [END maps_android_utils_heatmap_customize_opacity] // [START maps_android_utils_heatmap_customize_dataset] val data: List<WeightedLatLng> = ArrayList() provider.setWeightedData(data) tileOverlay?.clearTileCache() // [END maps_android_utils_heatmap_customize_dataset] // [START maps_android_utils_heatmap_remove] tileOverlay?.remove() // [END maps_android_utils_heatmap_remove] } }
apache-2.0
bf06b096028bee1b23cf8f4b61fa9124
35.495575
92
0.663676
4.255934
false
false
false
false
wordpress-mobile/WordPress-FluxC-Android
fluxc/src/main/java/org/wordpress/android/fluxc/tools/FormattableContentMapper.kt
2
5113
package org.wordpress.android.fluxc.tools import com.google.gson.Gson import com.google.gson.annotations.SerializedName import com.google.gson.reflect.TypeToken import javax.inject.Inject class FormattableContentMapper @Inject constructor(val gson: Gson) { fun mapToFormattableContent(json: String): FormattableContent = gson.fromJson(json, FormattableContent::class.java) fun mapToFormattableContentList(json: String): List<FormattableContent> = gson.fromJson(json, object : TypeToken<List<FormattableContent>>() {}.type) fun mapToFormattableMeta(json: String): FormattableMeta = gson.fromJson(json, FormattableMeta::class.java) fun mapFormattableContentToJson(formattableContent: FormattableContent): String = gson.toJson(formattableContent) fun mapFormattableContentListToJson(formattableList: List<FormattableContent>): String = gson.toJson(formattableList) fun mapFormattableMetaToJson(formattableMeta: FormattableMeta): String = gson.toJson(formattableMeta) } data class FormattableContent( @SerializedName("actions") val actions: Map<String, Boolean>? = null, @SerializedName("media") val media: List<FormattableMedia>? = null, @SerializedName("meta") val meta: FormattableMeta? = null, @SerializedName("text") val text: String? = null, @SerializedName("type") val type: String? = null, @SerializedName("nest_level") val nestLevel: Int? = null, @SerializedName("ranges") val ranges: List<FormattableRange>? = null ) data class FormattableMedia( @SerializedName("height") val height: String? = null, @SerializedName("width") val width: String? = null, @SerializedName("type") val type: String? = null, @SerializedName("url") val url: String? = null, @SerializedName("indices") val indices: List<Int>? = null ) data class FormattableMeta( @SerializedName("ids") val ids: Ids? = null, @SerializedName("links") val links: Links? = null, @SerializedName("titles") val titles: Titles? = null, @SerializedName("is_mobile_button") val isMobileButton: Boolean? = null ) { data class Ids( @SerializedName("site") val site: Long? = null, @SerializedName("user") val user: Long? = null, @SerializedName("comment") val comment: Long? = null, @SerializedName("post") val post: Long? = null, @SerializedName("order") val order: Long? = null ) data class Links( @SerializedName("site") val site: String? = null, @SerializedName("user") val user: String? = null, @SerializedName("comment") val comment: String? = null, @SerializedName("post") val post: String? = null, @SerializedName("email") val email: String? = null, @SerializedName("home") val home: String? = null, @SerializedName("order") val order: String? = null ) data class Titles( @SerializedName("home") val home: String? = null, @SerializedName("tagline") val tagline: String? = null ) } data class FormattableRange( @SerializedName("id") private val stringId: String? = null, @SerializedName("site_id") val siteId: Long? = null, @SerializedName("post_id") val postId: Long? = null, @SerializedName("root_id") val rootId: Long? = null, @SerializedName("type") val type: String? = null, @SerializedName("url") val url: String? = null, @SerializedName("section") val section: String? = null, @SerializedName("intent") val intent: String? = null, @SerializedName("context") val context: String? = null, @SerializedName("value") val value: String? = null, @SerializedName("indices") val indices: List<Int>? = null ) { // ID in json response is string, and can be non numerical. // we only use numerical ID at the moment, and can safely ignore non-numerical values val id: Long? get() = try { stringId?.toLong() } catch (e: NumberFormatException) { null } fun rangeType(): FormattableRangeType { return if (type != null) FormattableRangeType.fromString(type) else FormattableRangeType.fromString(section) } } enum class FormattableRangeType { POST, SITE, PAGE, COMMENT, USER, STAT, SCAN, BLOCKQUOTE, FOLLOW, NOTICON, LIKE, MATCH, MEDIA, B, REWIND_DOWNLOAD_READY, UNKNOWN; companion object { @Suppress("ComplexMethod") fun fromString(value: String?): FormattableRangeType { return when (value) { "post" -> POST "site" -> SITE "page" -> PAGE "comment" -> COMMENT "user" -> USER "stat" -> STAT "scan" -> SCAN "blockquote" -> BLOCKQUOTE "follow" -> FOLLOW "noticon" -> NOTICON "like" -> LIKE "match" -> MATCH "media" -> MEDIA "b" -> B "rewind_download_ready" -> REWIND_DOWNLOAD_READY else -> UNKNOWN } } } }
gpl-2.0
cc8184e0a2387ebfc613bda4905c6b40
35.521429
119
0.633483
4.377568
false
false
false
false
wordpress-mobile/WordPress-FluxC-Android
fluxc/src/main/java/org/wordpress/android/fluxc/persistence/bloggingprompts/BloggingPromptsDao.kt
2
3036
package org.wordpress.android.fluxc.persistence.bloggingprompts import androidx.room.Dao import androidx.room.Entity import androidx.room.Insert import androidx.room.OnConflictStrategy import androidx.room.Query import androidx.room.TypeConverters import kotlinx.coroutines.flow.Flow import org.wordpress.android.fluxc.model.bloggingprompts.BloggingPromptModel import org.wordpress.android.fluxc.persistence.coverters.BloggingPromptDateConverter import java.util.Date @Dao @TypeConverters(BloggingPromptDateConverter::class) abstract class BloggingPromptsDao { @Query("SELECT * FROM BloggingPrompts WHERE id = :promptId AND siteLocalId = :siteLocalId") abstract fun getPrompt(siteLocalId: Int, promptId: Int): Flow<List<BloggingPromptEntity>> @Query("SELECT * FROM BloggingPrompts WHERE date = :date AND siteLocalId = :siteLocalId") @TypeConverters(BloggingPromptDateConverter::class) abstract fun getPromptForDate(siteLocalId: Int, date: Date): Flow<List<BloggingPromptEntity>> @Query("SELECT * FROM BloggingPrompts WHERE siteLocalId = :siteLocalId") abstract fun getAllPrompts(siteLocalId: Int): Flow<List<BloggingPromptEntity>> @Insert(onConflict = OnConflictStrategy.REPLACE) abstract suspend fun insert(prompts: List<BloggingPromptEntity>) suspend fun insertForSite(siteLocalId: Int, prompts: List<BloggingPromptModel>) { insert(prompts.map { BloggingPromptEntity.from(siteLocalId, it) }) } @Query("DELETE FROM BloggingPrompts") abstract fun clear() @Entity( tableName = "BloggingPrompts", primaryKeys = ["id"] ) @TypeConverters(BloggingPromptDateConverter::class) data class BloggingPromptEntity( val id: Int, val siteLocalId: Int, val text: String, val title: String, val content: String, val date: Date, val isAnswered: Boolean, val respondentsCount: Int, val attribution: String, val respondentsAvatars: List<String> ) { fun toBloggingPrompt() = BloggingPromptModel( id = id, text = text, title = title, content = content, date = date, isAnswered = isAnswered, attribution = attribution, respondentsCount = respondentsCount, respondentsAvatarUrls = respondentsAvatars ) companion object { fun from( siteLocalId: Int, prompt: BloggingPromptModel ) = BloggingPromptEntity( id = prompt.id, siteLocalId = siteLocalId, text = prompt.text, title = prompt.title, content = prompt.content, date = prompt.date, isAnswered = prompt.isAnswered, attribution = prompt.attribution, respondentsCount = prompt.respondentsCount, respondentsAvatars = prompt.respondentsAvatarUrls ) } } }
gpl-2.0
fbe95775e0f9662c68b01acf01d208f5
35.142857
97
0.662055
5.298429
false
false
false
false
wordpress-mobile/WordPress-FluxC-Android
example/src/test/java/org/wordpress/android/fluxc/wc/data/WCDataStoreTest.kt
1
4470
package org.wordpress.android.fluxc.wc.data import com.yarolegovich.wellsql.WellSql import org.assertj.core.api.Assertions.assertThat import org.junit.Before import org.junit.Test import org.junit.runner.RunWith import org.mockito.kotlin.mock import org.mockito.kotlin.whenever import org.robolectric.RobolectricTestRunner import org.robolectric.RuntimeEnvironment import org.robolectric.annotation.Config import org.wordpress.android.fluxc.SingleStoreWellSqlConfigForTests import org.wordpress.android.fluxc.TestSiteSqlUtils import org.wordpress.android.fluxc.model.SiteModel import org.wordpress.android.fluxc.model.data.WCCountryMapper import org.wordpress.android.fluxc.model.data.WCLocationModel import org.wordpress.android.fluxc.network.rest.wpcom.wc.WooPayload import org.wordpress.android.fluxc.network.rest.wpcom.wc.WooResult import org.wordpress.android.fluxc.network.rest.wpcom.wc.data.WCDataRestClient import org.wordpress.android.fluxc.persistence.WellSqlConfig import org.wordpress.android.fluxc.store.WCDataStore import org.wordpress.android.fluxc.test import org.wordpress.android.fluxc.tools.initCoroutineEngine @Config(manifest = Config.NONE) @RunWith(RobolectricTestRunner::class) class WCDataStoreTest { private val restClient = mock<WCDataRestClient>() private val site = SiteModel().apply { id = 321 } private val mapper = WCCountryMapper() private lateinit var store: WCDataStore private val sampleData = CountryTestUtils.generateCountries().sortedBy { it.code } private val sampleResponse = CountryTestUtils.generateCountryApiResponse() @Before fun setUp() { val appContext = RuntimeEnvironment.application.applicationContext val config = SingleStoreWellSqlConfigForTests( appContext, listOf(SiteModel::class.java, WCLocationModel::class.java), WellSqlConfig.ADDON_WOOCOMMERCE ) WellSql.init(config) config.reset() store = WCDataStore( restClient, initCoroutineEngine(), mapper ) TestSiteSqlUtils.siteSqlUtils.insertOrUpdateSite(site) } @Test fun `fetch countries`() = test { val result = fetchCountries() assertThat(result.model?.size).isEqualTo(sampleData.size) val first = mapper.map(sampleResponse.first()).first() assertThat(result.model?.first()?.name).isEqualTo(first.name) assertThat(result.model?.first()?.code).isEqualTo(first.code) assertThat(result.model?.first()?.parentCode).isEqualTo(first.parentCode) } @Test fun `get countries`() = test { fetchCountries() val sampleCountries = sampleData.filter { it.parentCode == "" } val countries = store.getCountries().sortedBy { it.code } assertThat(countries.size).isEqualTo(sampleCountries.size) countries.forEachIndexed { i, country -> assertThat(country.code).isEqualTo(sampleCountries[i].code) assertThat(country.name).isEqualTo(sampleCountries[i].name) assertThat(country.parentCode).isEqualTo(sampleCountries[i].parentCode) } } @Test fun `get non-empty states`() = test { fetchCountries() val sampleStates = sampleData.filter { it.parentCode == "CA" }.sortedBy { it.code } val states = store.getStates("CA").sortedBy { it.code } assertThat(states.size).isEqualTo(sampleStates.size) states.forEachIndexed { i, state -> assertThat(state.code).isEqualTo(sampleStates[i].code) assertThat(state.name).isEqualTo(sampleStates[i].name) assertThat(state.parentCode).isEqualTo(sampleStates[i].parentCode) } } @Test fun `get empty states`() = test { fetchCountries() val states = store.getStates("CZ") assertThat(states).isEqualTo(emptyList<WCLocationModel>()) } @Test fun `when empty country code is passed, then empty list is returned when getting states`() = test { fetchCountries() val states = store.getStates("") assertThat(states).isEqualTo(emptyList<WCLocationModel>()) } private suspend fun fetchCountries(): WooResult<List<WCLocationModel>> { val payload = WooPayload(sampleResponse.toTypedArray()) whenever(restClient.fetchCountries(site)).thenReturn(payload) return store.fetchCountriesAndStates(site) } }
gpl-2.0
8300df8ea71da72c1e33303bb88bdc65
35.341463
103
0.70604
4.598765
false
true
false
false
Commit451/YouTubeExtractor
youtubeextractor/src/main/java/com/commit451/youtubeextractor/JavaScriptUtil.kt
1
2878
package com.commit451.youtubeextractor import org.mozilla.javascript.Context import org.mozilla.javascript.Function /** * Runs JavaScripty things */ internal object JavaScriptUtil { private const val DECRYPTION_FUNC_NAME = "decrypt" private const val DECRYPTION_SIGNATURE_FUNCTION_REGEX = "([\\w$]+)\\s*=\\s*function\\((\\w+)\\)\\{\\s*\\2=\\s*\\2\\.split\\(\"\"\\)\\s*;" private const val DECRYPTION_SIGNATURE_FUNCTION_REGEX_2 = "\\b([\\w$]{2})\\s*=\\s*function\\((\\w+)\\)\\{\\s*\\2=\\s*\\2\\.split\\(\"\"\\)\\s*;" private const val DECRYPTION_AKAMAIZED_STRING_REGEX = "yt\\.akamaized\\.net/\\)\\s*\\|\\|\\s*.*?\\s*c\\s*&&\\s*d\\.set\\([^,]+\\s*,\\s*([a-zA-Z0-9$]+)\\(" private const val DECRYPTION_AKAMAIZED_SHORT_STRING_REGEX = "\\bc\\s*&&\\s*d\\.set\\([^,]+\\s*,\\s*([a-zA-Z0-9$]+)\\(" private val decryptionFunctions = listOf( DECRYPTION_SIGNATURE_FUNCTION_REGEX_2, DECRYPTION_SIGNATURE_FUNCTION_REGEX, DECRYPTION_AKAMAIZED_SHORT_STRING_REGEX, DECRYPTION_AKAMAIZED_STRING_REGEX ) fun loadDecryptionCode(playerCode: String): String { val decryptionFunctionName = decryptionFunctionName(playerCode) val functionPattern = "(" + decryptionFunctionName.replace("$", "\\$") + "=function\\([a-zA-Z0-9_]+\\)\\{.+?\\})" val decryptionFunction = "var " + Util.matchGroup1(functionPattern, playerCode) + ";" val helperObjectName = Util.matchGroup1(";([A-Za-z0-9_\\$]{2})\\...\\(", decryptionFunction) val helperPattern = "(var " + helperObjectName.replace("$", "\\$") + "=\\{.+?\\}\\};)" val helperObject = Util.matchGroup1(helperPattern, playerCode.replace("\n", "")) val callerFunction = "function $DECRYPTION_FUNC_NAME(a){return $decryptionFunctionName(a);}" return helperObject + decryptionFunction + callerFunction } private fun decryptionFunctionName(playerCode: String): String { decryptionFunctions.forEach { try { return Util.matchGroup1(it, playerCode) } catch (e: Exception) { } } throw IllegalStateException("Could not find decryption function with any of the patterns. Please open a new issue") } fun decryptSignature(encryptedSig: String, decryptionCode: String): String { val context = Context.enter() context.optimizationLevel = -1 val result: Any? try { val scope = context.initStandardObjects() context.evaluateString(scope, decryptionCode, "decryptionCode", 1, null) val decryptionFunc = scope.get("decrypt", scope) as Function result = decryptionFunc.call(context, scope, scope, arrayOf<Any>(encryptedSig)) } catch (e: Exception) { throw e } finally { Context.exit() } return result?.toString() ?: "" } }
apache-2.0
7ebdae2f39370a4fc8e18167d36bf4e7
45.419355
158
0.612578
3.915646
false
false
false
false
inaka/KillerTask
library/src/main/java/com/inaka/killertask/KillerTask.kt
1
1577
package com.inaka.killertask import android.os.AsyncTask import android.util.Log class KillerTask<T>(val task: () -> T, val onSuccess: (T) -> Any = {}, val onFailed: (Exception?) -> Any = {}) : AsyncTask<Void, Void, T>() { private var exception: Exception? = null companion object { private val TAG = "KillerTask" } /** * Override AsyncTask's function doInBackground */ override fun doInBackground(vararg params: Void): T? { try { Log.wtf(TAG, "Enter to doInBackground") return run { task() } } catch (e: Exception) { Log.wtf(TAG, "Error in background task") exception = e return null } } /** * Override AsyncTask's function onPostExecute */ override fun onPostExecute(result: T) { Log.wtf(TAG, "Enter to onPostExecute") if (!isCancelled) { // task not cancelled if (exception != null) { // fail Log.wtf(TAG, "Failure with Exception") run { onFailed(exception) } } else { // success Log.wtf(TAG, "Success") run { onSuccess(result) } } } else { // task cancelled Log.wtf(TAG, "Failure with RuntimeException caused by task cancelled") run { onFailed(RuntimeException("Task was cancelled")) } } } /** * Execute AsyncTask */ fun go() { execute() } /** * Cancel AsyncTask */ fun cancel() { cancel(true) } }
apache-2.0
55baa40d1a2a4cb4b980707d8661bc6e
24.031746
141
0.528218
4.492877
false
false
false
false
jmesserli/discord-bernbot
discord-bot/src/main/kotlin/nu/peg/discord/command/handler/internal/StatusMessageCommand.kt
1
1178
package nu.peg.discord.command.handler.internal import nu.peg.discord.command.Command import nu.peg.discord.command.handler.CommandHandler import nu.peg.discord.service.OnlineStatus import nu.peg.discord.service.StatusService import org.springframework.stereotype.Component import javax.inject.Inject @Component class StatusMessageCommand @Inject constructor( private val statusService: StatusService ) : CommandHandler { override fun isAdminCommand() = true override fun getNames() = listOf("sm", "statusmessage") override fun getDescription() = "Sets the bot's status and message" override fun handle(command: Command) { val args = command.args val channel = command.message.channel val status = if (args.isNotEmpty()) { OnlineStatus.fromText(args.first()) } else null if (status == null) { channel.sendMessage("Usage: ${command.name} <online | afk | dnd> [message]") return } val message = if (args.size > 1) { args.sliceArray(1 until args.size).joinToString(" ") } else null statusService.setStatus(status, message) } }
mit
c872d4de14e84d50d457b3568118753e
30.864865
88
0.678268
4.411985
false
false
false
false
0Chencc/CTFCrackTools
src/org/ctfcracktools/fuction/CodeMode.kt
1
1290
package org.ctfcracktools.fuction class CodeMode { companion object{ const val CRYPTO_FENCE = "Fence" const val CRYPTO_CAESAR = "CaesarCode" const val CRYPTO_PIG = "PigCode" const val CRYPTO_ROT13 = "ROT13" const val CRYPTO_HEX_2_STRING = "Hex2String" const val CRYPTO_STRING_2_HEX = "String2Hex" const val CRYPTO_UNICODE_2_ASCII = "Unicode2Ascii" const val CRYPTO_ASCII_2_UNICODE = "Ascii2Unicode" const val CRYPTO_REVERSE = "Reverse" const val DECODE_MORSE = "MorseDecode" const val DECODE_BACON = "BaconDecode" const val DECODE_BASE64 = "Base64Decode" const val DECODE_BASE32 = "BASE32Decode" const val DECODE_URL = "UrlDecode" const val DECODE_UNICODE = "UnicodeDecode" const val DECODE_HTML = "HtmlDecode" const val DECODE_VIGENERE = "VigenereDeCode" const val ENCODE_MORSE = "MorseEncode" const val ENCODE_BACON = "BaconEncode" const val ENCODE_BASE64 = "Base64Encode" const val ENCODE_BASE32 = "Base32Encode" const val ENCODE_URL = "UrlEncode" const val ENCODE_UNICODE = "UnicodeEncode" const val ENCODE_HTML = "HtmlEncode" const val ENCODE_VIGENERE = "VigenereEnCode" } }
gpl-3.0
d22b58c33eadcde9efc9f136b35f8110
38.121212
58
0.644961
3.73913
false
false
false
false
devmil/muzei-bingimageoftheday
app/src/main/java/de/devmil/muzei/bingimageoftheday/BingImageOfTheDayArtProvider.kt
1
5405
package de.devmil.muzei.bingimageoftheday import android.app.PendingIntent import android.content.ClipData import android.content.ContentResolver import android.content.ContentUris import android.content.Context import android.content.Intent import android.net.Uri import android.util.Log import androidx.core.app.RemoteActionCompat import androidx.core.graphics.drawable.IconCompat import com.google.android.apps.muzei.api.provider.Artwork import com.google.android.apps.muzei.api.provider.MuzeiArtProvider import de.devmil.common.utils.LogUtil import de.devmil.muzei.bingimageoftheday.events.RequestMarketSettingChangedEvent import de.devmil.muzei.bingimageoftheday.events.RequestPortraitSettingChangedEvent import de.devmil.muzei.bingimageoftheday.worker.BingImageOfTheDayWorker import de.greenrobot.event.EventBus import java.io.InputStream class BingImageOfTheDayArtProvider : MuzeiArtProvider() { /** * This class is used to get EventBus events even if there is no instance of BingImageOfTheDayArtSource */ class EventCatcher { init { EventBus.getDefault().register(this) } fun onEventBackgroundThread(e: RequestPortraitSettingChangedEvent) { requestUpdate(e.context) } fun onEventBackgroundThread(e: RequestMarketSettingChangedEvent) { requestUpdate(e.context) } private fun requestUpdate(context: Context) { doUpdate() } } companion object { private const val TAG = "BingImageOfTheDayArtPro" private val COMMAND_ID_SHARE = 2 private var CatcherInstance: BingImageOfTheDayArtProvider.EventCatcher? = null init { //instantiate the EventCatcher when BingImageOfTheDayArtSource is loaded CatcherInstance = BingImageOfTheDayArtProvider.EventCatcher() } private var _isActive: Boolean? = null var isActive: Boolean? get() = _isActive private set(value) { _isActive = value } fun doUpdate() { BingImageOfTheDayWorker.enqueueLoad() } } /* kept for backward compatibility with Muzei 3.3 */ @Suppress("OverridingDeprecatedMember", "DEPRECATION") override fun getCommands(artwork: Artwork) = listOf( com.google.android.apps.muzei.api.UserCommand(COMMAND_ID_SHARE, context?.getString(R.string.command_share_title) ?: "Share")) /* kept for backward compatibility with Muzei 3.3 */ @Suppress("OverridingDeprecatedMember") override fun onCommand(artwork: Artwork, id: Int) { val context = context ?: return if(id == COMMAND_ID_SHARE) { shareCurrentImage(context, artwork) } } override fun onLoadRequested(initial: Boolean) { isActive = true BingImageOfTheDayWorker.enqueueLoad() } override fun openFile(artwork: Artwork): InputStream { Log.d(TAG, "Loading artwork: ${artwork.title} (${artwork.persistentUri})") return super.openFile(artwork) } private fun createShareIntent(context: Context, artwork: Artwork): Intent { LogUtil.LOGD(TAG, "got share request") val shareIntent = Intent(Intent.ACTION_SEND).apply { val shareMessage = context.getString(R.string.command_share_message, artwork.byline) putExtra(Intent.EXTRA_TEXT, "$shareMessage - ${artwork.webUri.toString()}") val contentUri = Uri.Builder() .scheme(ContentResolver.SCHEME_CONTENT) .authority("de.devmil.muzei.bingimageoftheday.provider.BingImages") .build() val uri = ContentUris.withAppendedId(contentUri, artwork.id) putExtra(Intent.EXTRA_TITLE, artwork.byline) putExtra(Intent.EXTRA_STREAM, uri) type = context.contentResolver.getType(uri) addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION) clipData = ClipData.newUri(context.contentResolver, artwork.byline, uri) } return Intent.createChooser(shareIntent, context.getString(R.string.command_share_title)) } private fun shareCurrentImage(context: Context, artwork: Artwork) { LogUtil.LOGD(TAG, "Sharing ${artwork.webUri}") val shareIntent = createShareIntent(context, artwork) shareIntent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK) context.startActivity(shareIntent) } /* Used by Muzei 3.4+ */ override fun getCommandActions(artwork: Artwork): List<RemoteActionCompat> { val context = context ?: return super.getCommandActions(artwork) return listOf( RemoteActionCompat( IconCompat.createWithResource(context, R.drawable.ic_share), context.getString(R.string.command_share_title), context.getString(R.string.command_share_title), PendingIntent.getActivity(context, artwork.id.toInt(), createShareIntent(context, artwork), PendingIntent.FLAG_UPDATE_CURRENT)) ) } override fun getArtworkInfo(artwork: Artwork): PendingIntent? { LogUtil.LOGD(TAG, "Opening ${artwork.webUri}") return super.getArtworkInfo(artwork) } }
apache-2.0
aad451212b2d44220816cb5f04856d8e
36.804196
107
0.66272
4.927074
false
false
false
false
neva-dev/javarel
tooling/gradle-plugin/src/main/kotlin/com/neva/javarel/gradle/internal/file/SftpFileDownloader.kt
1
2463
package com.neva.javarel.gradle.internal.file import net.schmizz.sshj.SSHClient import net.schmizz.sshj.sftp.OpenMode import net.schmizz.sshj.sftp.SFTPClient import org.apache.http.client.utils.URIBuilder import org.gradle.api.Project import org.gradle.api.logging.Logger import java.io.File class SftpFileDownloader(val project: Project) { companion object { fun handles(sourceUrl: String): Boolean { return !sourceUrl.isNullOrBlank() && sourceUrl.startsWith("sftp://") } } var username: String? = null var password: String? = null var hostChecking: Boolean = false val logger: Logger = project.logger fun download(sourceUrl: String, targetFile: File) { try { val url = URIBuilder(sourceUrl) val downloader = ProgressFileDownloader(project) downloader.headerSourceTarget(sourceUrl, targetFile) connect(url, { sftp -> val size = sftp.stat(url.path).size val input = sftp.open(url.path, setOf(OpenMode.READ)).RemoteFileInputStream() downloader.size = size downloader.download(input, targetFile) }) } catch (e: Exception) { throw FileDownloadException("Cannot download URL '$sourceUrl' to file '$targetFile' using SFTP. Check connection.", e) } } private fun connect(url: URIBuilder, action: (SFTPClient) -> Unit) { val ssh = SSHClient() ssh.loadKnownHosts() if (!hostChecking) { ssh.addHostKeyVerifier({ _, _, _ -> true }) } val user = if (!username.isNullOrBlank()) username else url.userInfo val port = if (url.port >= 0) url.port else 22 ssh.connect(url.host, port) try { authenticate(mapOf( "public key" to { ssh.authPublickey(user) }, "password" to { ssh.authPassword(user, password) } )) ssh.newSFTPClient().use(action) } finally { ssh.disconnect() } } private fun authenticate(methods: Map<String, () -> Unit>) { for ((name, method) in methods) { try { method() logger.info("Authenticated using method: $name") return } catch (e: Exception) { logger.debug("Cannot authenticate using method: $name", e) } } } }
apache-2.0
579dfd42bf5f5e7d48de66b08e1ce84b
29.8
130
0.581811
4.453888
false
false
false
false
italoag/qksms
data/src/main/java/com/moez/QKSMS/manager/PermissionManagerImpl.kt
3
2297
/* * Copyright (C) 2017 Moez Bhatti <[email protected]> * * This file is part of QKSMS. * * QKSMS is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * QKSMS is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with QKSMS. If not, see <http://www.gnu.org/licenses/>. */ package com.moez.QKSMS.manager import android.Manifest import android.app.role.RoleManager import android.content.Context import android.content.pm.PackageManager import android.os.Build import android.provider.Telephony import androidx.core.content.ContextCompat import javax.inject.Inject class PermissionManagerImpl @Inject constructor(private val context: Context) : PermissionManager { override fun isDefaultSms(): Boolean { return if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) { context.getSystemService(RoleManager::class.java)?.isRoleHeld(RoleManager.ROLE_SMS) == true } else { Telephony.Sms.getDefaultSmsPackage(context) == context.packageName } } override fun hasReadSms(): Boolean { return hasPermission(Manifest.permission.READ_SMS) } override fun hasSendSms(): Boolean { return hasPermission(Manifest.permission.SEND_SMS) } override fun hasContacts(): Boolean { return hasPermission(Manifest.permission.READ_CONTACTS) } override fun hasPhone(): Boolean { return hasPermission(Manifest.permission.READ_PHONE_STATE) } override fun hasCalling(): Boolean { return hasPermission(Manifest.permission.CALL_PHONE) } override fun hasStorage(): Boolean { return hasPermission(Manifest.permission.WRITE_EXTERNAL_STORAGE) } private fun hasPermission(permission: String): Boolean { return ContextCompat.checkSelfPermission(context, permission) == PackageManager.PERMISSION_GRANTED } }
gpl-3.0
facb8dbdedae9bf1158de0b87d2a70f0
32.779412
106
0.725729
4.486328
false
false
false
false
dataloom/conductor-client
src/main/kotlin/com/openlattice/hazelcast/processors/RemoveEntitySetsFromLinkingEntitySetProcessor.kt
1
1170
package com.openlattice.hazelcast.processors import com.kryptnostic.rhizome.hazelcast.processors.AbstractRhizomeEntryProcessor import com.openlattice.edm.EntitySet import java.util.UUID class RemoveEntitySetsFromLinkingEntitySetProcessor(val entitySetIds: Set<UUID>) : AbstractRhizomeEntryProcessor<UUID, EntitySet, EntitySet>() { companion object { private const val serialVersionUID = -6602384557982347L } override fun process(entry: MutableMap.MutableEntry<UUID, EntitySet?>): EntitySet { val entitySet = entry.value entitySet!!.linkedEntitySets.removeAll(entitySetIds) // shouldn't be null at this point entry.setValue(entitySet) return entitySet } override fun hashCode(): Int { val prime = 53 return prime + entitySetIds.hashCode() } override fun equals(other: Any?): Boolean { if (other == null) return false if (this::class.java != other::class.java) return false val otherProcessor = other as (RemoveEntitySetsFromLinkingEntitySetProcessor) if (entitySetIds != otherProcessor.entitySetIds) return false return true } }
gpl-3.0
776ab00fa524c3ea90e175fb40b1a6ab
33.441176
95
0.713675
5
false
false
false
false
MyDogTom/detekt
detekt-rules/src/main/kotlin/io/gitlab/arturbosch/detekt/rules/style/FileParsingRule.kt
1
2720
package io.gitlab.arturbosch.detekt.rules.style import io.gitlab.arturbosch.detekt.api.CodeSmell import io.gitlab.arturbosch.detekt.api.Config import io.gitlab.arturbosch.detekt.api.Debt import io.gitlab.arturbosch.detekt.api.Entity import io.gitlab.arturbosch.detekt.api.Issue import io.gitlab.arturbosch.detekt.api.MultiRule import io.gitlab.arturbosch.detekt.api.Severity import io.gitlab.arturbosch.detekt.rules.SubRule import io.gitlab.arturbosch.detekt.rules.reportFindings import org.jetbrains.kotlin.psi.KtFile class FileParsingRule(val config: Config = Config.empty) : MultiRule() { override val rules = listOf(MaxLineLength(config)) override fun visitKtFile(file: KtFile) { val lines = file.text.splitToSequence("\n") val fileContents = KtFileContent(file, lines) fileContents.reportFindings(context, rules) } } abstract class File(open val file: KtFile) data class KtFileContent(override val file: KtFile, val content: Sequence<String>) : File(file) class MaxLineLength(config: Config = Config.empty) : SubRule<KtFileContent>(config) { override val issue = Issue(javaClass.simpleName, Severity.Style, "Line detected that is longer than the defined maximum line length in the code style.", Debt.FIVE_MINS) private val maxLineLength: Int = valueOrDefault(MaxLineLength.MAX_LINE_LENGTH, MaxLineLength.DEFAULT_IDEA_LINE_LENGTH) private val excludePackageStatements: Boolean = valueOrDefault(MaxLineLength.EXCLUDE_PACKAGE_STATEMENTS, MaxLineLength.DEFAULT_VALUE_PACKAGE_EXCLUDE) private val excludeImportStatements: Boolean = valueOrDefault(MaxLineLength.EXCLUDE_IMPORT_STATEMENTS, MaxLineLength.DEFAULT_VALUE_IMPORTS_EXCLUDE) override fun apply(element: KtFileContent) { var offset = 0 val lines = element.content val file = element.file lines.filter { filterPackageStatements(it) } .filter { filterImportStatements(it) } .map { it.length } .forEach { offset += it if (it > maxLineLength) { report(CodeSmell(issue, Entity.from(file, offset))) } } } private fun filterPackageStatements(line: String): Boolean { if (excludePackageStatements) { return !line.trim().startsWith("package ") } return true } private fun filterImportStatements(line: String): Boolean { if (excludeImportStatements) { return !line.trim().startsWith("import ") } return true } companion object { const val MAX_LINE_LENGTH = "maxLineLength" const val DEFAULT_IDEA_LINE_LENGTH = 120 const val EXCLUDE_PACKAGE_STATEMENTS = "excludePackageStatements" const val DEFAULT_VALUE_PACKAGE_EXCLUDE = false const val EXCLUDE_IMPORT_STATEMENTS = "excludeImportStatements" const val DEFAULT_VALUE_IMPORTS_EXCLUDE = false } }
apache-2.0
0d3eba8b11a655dd66b64307a64c6a7e
32.170732
106
0.765809
3.836389
false
true
false
false
italoag/qksms
presentation/src/main/java/com/moez/QKSMS/common/util/extensions/AdapterExtensions.kt
3
2207
/* * Copyright (C) 2017 Moez Bhatti <[email protected]> * * This file is part of QKSMS. * * QKSMS is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * QKSMS is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with QKSMS. If not, see <http://www.gnu.org/licenses/>. */ package com.moez.QKSMS.common.util.extensions import androidx.recyclerview.widget.LinearLayoutManager import androidx.recyclerview.widget.RecyclerView fun RecyclerView.Adapter<*>.autoScrollToStart(recyclerView: RecyclerView) { registerAdapterDataObserver(object : RecyclerView.AdapterDataObserver() { override fun onItemRangeInserted(positionStart: Int, itemCount: Int) { val layoutManager = recyclerView.layoutManager as? LinearLayoutManager ?: return if (layoutManager.stackFromEnd) { if (positionStart > 0) { notifyItemChanged(positionStart - 1) } val lastPosition = layoutManager.findLastVisibleItemPosition() if (positionStart >= getItemCount() - 1 && lastPosition == positionStart - 1) { recyclerView.scrollToPosition(positionStart) } } else { val firstVisiblePosition = layoutManager.findFirstVisibleItemPosition() if (firstVisiblePosition == 0) { recyclerView.scrollToPosition(positionStart) } } } override fun onItemRangeChanged(positionStart: Int, itemCount: Int) { val layoutManager = recyclerView.layoutManager as? LinearLayoutManager ?: return if (!layoutManager.stackFromEnd) { onItemRangeInserted(positionStart, itemCount) } } }) }
gpl-3.0
c67347a785bcbab08a2ca5db6ba529cb
39.888889
95
0.664703
5.422604
false
false
false
false
italoag/qksms
presentation/src/main/java/com/moez/QKSMS/feature/main/MainViewModel.kt
3
20266
/* * Copyright (C) 2017 Moez Bhatti <[email protected]> * * This file is part of QKSMS. * * QKSMS is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * QKSMS is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with QKSMS. If not, see <http://www.gnu.org/licenses/>. */ package com.moez.QKSMS.feature.main import androidx.recyclerview.widget.ItemTouchHelper import com.moez.QKSMS.R import com.moez.QKSMS.common.Navigator import com.moez.QKSMS.common.base.QkViewModel import com.moez.QKSMS.extensions.mapNotNull import com.moez.QKSMS.interactor.DeleteConversations import com.moez.QKSMS.interactor.MarkAllSeen import com.moez.QKSMS.interactor.MarkArchived import com.moez.QKSMS.interactor.MarkPinned import com.moez.QKSMS.interactor.MarkRead import com.moez.QKSMS.interactor.MarkUnarchived import com.moez.QKSMS.interactor.MarkUnpinned import com.moez.QKSMS.interactor.MarkUnread import com.moez.QKSMS.interactor.MigratePreferences import com.moez.QKSMS.interactor.SyncContacts import com.moez.QKSMS.interactor.SyncMessages import com.moez.QKSMS.listener.ContactAddedListener import com.moez.QKSMS.manager.BillingManager import com.moez.QKSMS.manager.ChangelogManager import com.moez.QKSMS.manager.PermissionManager import com.moez.QKSMS.manager.RatingManager import com.moez.QKSMS.model.SyncLog import com.moez.QKSMS.repository.ConversationRepository import com.moez.QKSMS.repository.SyncRepository import com.moez.QKSMS.util.Preferences import com.uber.autodispose.android.lifecycle.scope import com.uber.autodispose.autoDisposable import io.reactivex.android.schedulers.AndroidSchedulers import io.reactivex.rxkotlin.plusAssign import io.reactivex.rxkotlin.withLatestFrom import io.reactivex.schedulers.Schedulers import io.realm.Realm import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.GlobalScope import kotlinx.coroutines.launch import java.util.* import java.util.concurrent.TimeUnit import javax.inject.Inject class MainViewModel @Inject constructor( billingManager: BillingManager, contactAddedListener: ContactAddedListener, markAllSeen: MarkAllSeen, migratePreferences: MigratePreferences, syncRepository: SyncRepository, private val changelogManager: ChangelogManager, private val conversationRepo: ConversationRepository, private val deleteConversations: DeleteConversations, private val markArchived: MarkArchived, private val markPinned: MarkPinned, private val markRead: MarkRead, private val markUnarchived: MarkUnarchived, private val markUnpinned: MarkUnpinned, private val markUnread: MarkUnread, private val navigator: Navigator, private val permissionManager: PermissionManager, private val prefs: Preferences, private val ratingManager: RatingManager, private val syncContacts: SyncContacts, private val syncMessages: SyncMessages ) : QkViewModel<MainView, MainState>(MainState(page = Inbox(data = conversationRepo.getConversations()))) { init { disposables += deleteConversations disposables += markAllSeen disposables += markArchived disposables += markUnarchived disposables += migratePreferences disposables += syncContacts disposables += syncMessages // Show the syncing UI disposables += syncRepository.syncProgress .sample(16, TimeUnit.MILLISECONDS) .distinctUntilChanged() .subscribe { syncing -> newState { copy(syncing = syncing) } } // Update the upgraded status disposables += billingManager.upgradeStatus .subscribe { upgraded -> newState { copy(upgraded = upgraded) } } // Show the rating UI disposables += ratingManager.shouldShowRating .subscribe { show -> newState { copy(showRating = show) } } // Migrate the preferences from 2.7.3 migratePreferences.execute(Unit) // If we have all permissions and we've never run a sync, run a sync. This will be the case // when upgrading from 2.7.3, or if the app's data was cleared val lastSync = Realm.getDefaultInstance().use { realm -> realm.where(SyncLog::class.java)?.max("date") ?: 0 } if (lastSync == 0 && permissionManager.isDefaultSms() && permissionManager.hasReadSms() && permissionManager.hasContacts()) { syncMessages.execute(Unit) } // Sync contacts when we detect a change if (permissionManager.hasContacts()) { disposables += contactAddedListener.listen() .debounce(1, TimeUnit.SECONDS) .subscribeOn(Schedulers.io()) .subscribe { syncContacts.execute(Unit) } } ratingManager.addSession() markAllSeen.execute(Unit) } override fun bindView(view: MainView) { super.bindView(view) when { !permissionManager.isDefaultSms() -> view.requestDefaultSms() !permissionManager.hasReadSms() || !permissionManager.hasContacts() -> view.requestPermissions() } val permissions = view.activityResumedIntent .filter { resumed -> resumed } .observeOn(Schedulers.io()) .map { Triple(permissionManager.isDefaultSms(), permissionManager.hasReadSms(), permissionManager.hasContacts()) } .distinctUntilChanged() .share() // If the default SMS state or permission states change, update the ViewState permissions .doOnNext { (defaultSms, smsPermission, contactPermission) -> newState { copy(defaultSms = defaultSms, smsPermission = smsPermission, contactPermission = contactPermission) } } .autoDisposable(view.scope()) .subscribe() // If we go from not having all permissions to having them, sync messages permissions .skip(1) .filter { it.first && it.second && it.third } .take(1) .autoDisposable(view.scope()) .subscribe { syncMessages.execute(Unit) } // Launch screen from intent view.onNewIntentIntent .autoDisposable(view.scope()) .subscribe { intent -> when (intent.getStringExtra("screen")) { "compose" -> navigator.showConversation(intent.getLongExtra("threadId", 0)) "blocking" -> navigator.showBlockedConversations() } } // Show changelog if (changelogManager.didUpdate()) { if (Locale.getDefault().language.startsWith("en")) { GlobalScope.launch(Dispatchers.Main) { val changelog = changelogManager.getChangelog() changelogManager.markChangelogSeen() view.showChangelog(changelog) } } else { changelogManager.markChangelogSeen() } } else { changelogManager.markChangelogSeen() } view.changelogMoreIntent .autoDisposable(view.scope()) .subscribe { navigator.showChangelog() } view.queryChangedIntent .debounce(200, TimeUnit.MILLISECONDS) .observeOn(AndroidSchedulers.mainThread()) .withLatestFrom(state) { query, state -> if (query.isEmpty() && state.page is Searching) { newState { copy(page = Inbox(data = conversationRepo.getConversations())) } } query } .filter { query -> query.length >= 2 } .map { query -> query.trim() } .distinctUntilChanged() .doOnNext { newState { val page = (page as? Searching) ?: Searching() copy(page = page.copy(loading = true)) } } .observeOn(Schedulers.io()) .map(conversationRepo::searchConversations) .autoDisposable(view.scope()) .subscribe { data -> newState { copy(page = Searching(loading = false, data = data)) } } view.activityResumedIntent .filter { resumed -> !resumed } .switchMap { // Take until the activity is resumed prefs.keyChanges .filter { key -> key.contains("theme") } .map { true } .mergeWith(prefs.autoColor.asObservable().skip(1)) .doOnNext { view.themeChanged() } .takeUntil(view.activityResumedIntent.filter { resumed -> resumed }) } .autoDisposable(view.scope()) .subscribe() view.composeIntent .autoDisposable(view.scope()) .subscribe { navigator.showCompose() } view.homeIntent .withLatestFrom(state) { _, state -> when { state.page is Searching -> view.clearSearch() state.page is Inbox && state.page.selected > 0 -> view.clearSelection() state.page is Archived && state.page.selected > 0 -> view.clearSelection() else -> newState { copy(drawerOpen = true) } } } .autoDisposable(view.scope()) .subscribe() view.drawerOpenIntent .autoDisposable(view.scope()) .subscribe { open -> newState { copy(drawerOpen = open) } } view.navigationIntent .withLatestFrom(state) { drawerItem, state -> newState { copy(drawerOpen = false) } when (drawerItem) { NavItem.BACK -> when { state.drawerOpen -> Unit state.page is Searching -> view.clearSearch() state.page is Inbox && state.page.selected > 0 -> view.clearSelection() state.page is Archived && state.page.selected > 0 -> view.clearSelection() state.page !is Inbox -> { newState { copy(page = Inbox(data = conversationRepo.getConversations())) } } else -> newState { copy(hasError = true) } } NavItem.BACKUP -> navigator.showBackup() NavItem.SCHEDULED -> navigator.showScheduled() NavItem.BLOCKING -> navigator.showBlockedConversations() NavItem.SETTINGS -> navigator.showSettings() NavItem.PLUS -> navigator.showQksmsPlusActivity("main_menu") NavItem.HELP -> navigator.showSupport() NavItem.INVITE -> navigator.showInvite() else -> Unit } drawerItem } .distinctUntilChanged() .doOnNext { drawerItem -> when (drawerItem) { NavItem.INBOX -> newState { copy(page = Inbox(data = conversationRepo.getConversations())) } NavItem.ARCHIVED -> newState { copy(page = Archived(data = conversationRepo.getConversations(true))) } else -> Unit } } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.archive } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> markArchived.execute(conversations) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.unarchive } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> markUnarchived.execute(conversations) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.delete } .filter { permissionManager.isDefaultSms().also { if (!it) view.requestDefaultSms() } } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> view.showDeleteDialog(conversations) } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.add } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> conversations } .doOnNext { view.clearSelection() } .filter { conversations -> conversations.size == 1 } .map { conversations -> conversations.first() } .mapNotNull(conversationRepo::getConversation) .map { conversation -> conversation.recipients } .mapNotNull { recipients -> recipients[0]?.address?.takeIf { recipients.size == 1 } } .doOnNext(navigator::addContact) .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.pin } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> markPinned.execute(conversations) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.unpin } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> markUnpinned.execute(conversations) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.read } .filter { permissionManager.isDefaultSms().also { if (!it) view.requestDefaultSms() } } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> markRead.execute(conversations) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.unread } .filter { permissionManager.isDefaultSms().also { if (!it) view.requestDefaultSms() } } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> markUnread.execute(conversations) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.optionsItemIntent .filter { itemId -> itemId == R.id.block } .withLatestFrom(view.conversationsSelectedIntent) { _, conversations -> view.showBlockingDialog(conversations, true) view.clearSelection() } .autoDisposable(view.scope()) .subscribe() view.plusBannerIntent .autoDisposable(view.scope()) .subscribe { newState { copy(drawerOpen = false) } navigator.showQksmsPlusActivity("main_banner") } view.rateIntent .autoDisposable(view.scope()) .subscribe { navigator.showRating() ratingManager.rate() } view.dismissRatingIntent .autoDisposable(view.scope()) .subscribe { ratingManager.dismiss() } view.conversationsSelectedIntent .withLatestFrom(state) { selection, state -> val conversations = selection.mapNotNull(conversationRepo::getConversation) val add = conversations.firstOrNull() ?.takeIf { conversations.size == 1 } ?.takeIf { conversation -> conversation.recipients.size == 1 } ?.recipients?.first() ?.takeIf { recipient -> recipient.contact == null } != null val pin = conversations.sumBy { if (it.pinned) -1 else 1 } >= 0 val read = conversations.sumBy { if (!it.unread) -1 else 1 } >= 0 val selected = selection.size when (state.page) { is Inbox -> { val page = state.page.copy(addContact = add, markPinned = pin, markRead = read, selected = selected) newState { copy(page = page) } } is Archived -> { val page = state.page.copy(addContact = add, markPinned = pin, markRead = read, selected = selected) newState { copy(page = page) } } } } .autoDisposable(view.scope()) .subscribe() // Delete the conversation view.confirmDeleteIntent .autoDisposable(view.scope()) .subscribe { conversations -> deleteConversations.execute(conversations) view.clearSelection() } view.swipeConversationIntent .autoDisposable(view.scope()) .subscribe { (threadId, direction) -> val action = if (direction == ItemTouchHelper.RIGHT) prefs.swipeRight.get() else prefs.swipeLeft.get() when (action) { Preferences.SWIPE_ACTION_ARCHIVE -> markArchived.execute(listOf(threadId)) { view.showArchivedSnackbar() } Preferences.SWIPE_ACTION_DELETE -> view.showDeleteDialog(listOf(threadId)) Preferences.SWIPE_ACTION_BLOCK -> view.showBlockingDialog(listOf(threadId), true) Preferences.SWIPE_ACTION_CALL -> conversationRepo.getConversation(threadId)?.recipients?.firstOrNull()?.address?.let(navigator::makePhoneCall) Preferences.SWIPE_ACTION_READ -> markRead.execute(listOf(threadId)) Preferences.SWIPE_ACTION_UNREAD -> markUnread.execute(listOf(threadId)) } } view.undoArchiveIntent .withLatestFrom(view.swipeConversationIntent) { _, pair -> pair.first } .autoDisposable(view.scope()) .subscribe { threadId -> markUnarchived.execute(listOf(threadId)) } view.snackbarButtonIntent .withLatestFrom(state) { _, state -> when { !state.defaultSms -> view.requestDefaultSms() !state.smsPermission -> view.requestPermissions() !state.contactPermission -> view.requestPermissions() } } .autoDisposable(view.scope()) .subscribe() } }
gpl-3.0
00b6949a24db61734fbe9104c13c90ab
43.542857
166
0.563111
5.606086
false
false
false
false
jrasmuson/Shaphat
src/main/kotlin/models/ModerationResult.kt
1
1566
package models import com.amazonaws.services.dynamodbv2.datamodeling.DynamoDBAttribute import com.amazonaws.services.dynamodbv2.datamodeling.DynamoDBHashKey import com.amazonaws.services.dynamodbv2.datamodeling.DynamoDBRangeKey import com.amazonaws.services.dynamodbv2.datamodeling.DynamoDBTable import java.time.LocalDateTime @DynamoDBTable(tableName = "ModerationResult") data class ModerationResult( @get:DynamoDBHashKey(attributeName = "hostname") val hostname: String, @get:DynamoDBRangeKey(attributeName = "imageUrl") val imageUrl: String, @get:DynamoDBAttribute val hasLabels: Int = 0, @get:DynamoDBAttribute val hasError: Int = 0, @get:DynamoDBAttribute val errorMessage: String? = null, @get:DynamoDBAttribute val createTime: String = LocalDateTime.now().toString(), @get:DynamoDBAttribute val explicitNudity: Float? = null, @get:DynamoDBAttribute val graphicMaleNudity: Float? = null, @get:DynamoDBAttribute val graphicFemaleNudity: Float? = null, @get:DynamoDBAttribute val sexualActivity: Float? = null, @get:DynamoDBAttribute val partialNudity: Float? = null, @get:DynamoDBAttribute val suggestive: Float? = null, @get:DynamoDBAttribute val maleSwimwearOrUnderwear: Float? = null, @get:DynamoDBAttribute val femaleSwimwearOrUnderwear: Float? = null, @get:DynamoDBAttribute val revealingClothes: Float? = null)
apache-2.0
0baf55a2d7c7c5f5160d1e160388e850
37.195122
71
0.694125
4.552326
false
false
false
false
rei-m/android_hyakuninisshu
state/src/main/java/me/rei_m/hyakuninisshu/state/material/store/MaterialStore.kt
1
2424
/* * Copyright (c) 2020. Rei Matsushita * * Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in * compliance with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software distributed under the License is * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See * the License for the specific language governing permissions and limitations under the License. */ package me.rei_m.hyakuninisshu.state.material.store import androidx.lifecycle.LiveData import androidx.lifecycle.MutableLiveData import me.rei_m.hyakuninisshu.state.core.Dispatcher import me.rei_m.hyakuninisshu.state.core.Store import me.rei_m.hyakuninisshu.state.material.action.EditMaterialAction import me.rei_m.hyakuninisshu.state.material.action.FetchMaterialListAction import me.rei_m.hyakuninisshu.state.material.model.Material import javax.inject.Inject /** * ่ณ‡ๆ–™ใฎ็Šถๆ…‹ใ‚’็ฎก็†ใ™ใ‚‹. */ class MaterialStore @Inject constructor(dispatcher: Dispatcher) : Store() { private val _materialList = MutableLiveData<List<Material>?>() val materialList: LiveData<List<Material>?> = _materialList private val _isFailure = MutableLiveData(false) val isFailure: LiveData<Boolean> = _isFailure init { register(dispatcher.on(FetchMaterialListAction::class.java).subscribe { when (it) { is FetchMaterialListAction.Success -> { _materialList.value = it.materialList _isFailure.value = false } is FetchMaterialListAction.Failure -> { _isFailure.value = true } } }, dispatcher.on(EditMaterialAction::class.java).subscribe { when (it) { is EditMaterialAction.Success -> { _isFailure.value = false val currentValue = materialList.value ?: return@subscribe _materialList.value = currentValue.map { m -> if (m.no == it.material.no) it.material else m } } is EditMaterialAction.Failure -> { _isFailure.value = true } } }) } }
apache-2.0
b57378749e74a20009316647789ade49
37.774194
112
0.641847
4.596558
false
false
false
false
danwallach/XStopwatch
wear/src/main/kotlin/org/dwallach/xstopwatch/StopwatchActivity.kt
1
5673
/* * XStopwatch / XTimer * Copyright (C) 2014 by Dan Wallach * Home page: http://www.cs.rice.edu/~dwallach/xstopwatch/ * Licensing: http://www.cs.rice.edu/~dwallach/xstopwatch/licensing.html */ package org.dwallach.xstopwatch import android.app.Activity import android.content.pm.PackageManager import android.os.Bundle import android.util.Log import android.view.View import android.widget.ImageButton import java.util.Observable import java.util.Observer import kotlinx.android.synthetic.main.activity_stopwatch.* import org.jetbrains.anko.* class StopwatchActivity : Activity(), Observer { private var playButton: ImageButton? = null private var notificationHelper: NotificationHelper? = null private var stopwatchText: StopwatchText? = null override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) Log.v(TAG, "onCreate") try { val pinfo = packageManager.getPackageInfo(packageName, 0) val versionNumber = pinfo.versionCode val versionName = pinfo.versionName Log.i(TAG, "Version: $versionName ($versionNumber)") } catch (e: PackageManager.NameNotFoundException) { Log.e(TAG, "couldn't read version", e) } intent.log(TAG) // dumps info from the intent into the log // if the user said "OK Google, start stopwatch", then this is how we can tell if(intent.action == "com.google.android.wearable.action.STOPWATCH") { Log.v(TAG, "user voice action detected: starting the stopwatch") StopwatchState.run(this@StopwatchActivity) PreferencesHelper.savePreferences(this@StopwatchActivity) PreferencesHelper.broadcastPreferences(this@StopwatchActivity, Constants.stopwatchUpdateIntent) } setContentView(R.layout.activity_stopwatch) watch_view_stub.setOnLayoutInflatedListener { Log.v(TAG, "onLayoutInflated") val resetButton = it.find<ImageButton>(R.id.resetButton) playButton = it.find<ImageButton>(R.id.playButton) stopwatchText = it.find<StopwatchText>(R.id.elapsedTime) stopwatchText?.setSharedState(StopwatchState) // bring in saved preferences PreferencesHelper.loadPreferences(this@StopwatchActivity) // now that we've loaded the state, we know whether we're playing or paused setPlayButtonIcon() // set up notification helper, and use this as a proxy for whether // or not we need to set up everybody who pays attention to the stopwatchState if (notificationHelper == null) { notificationHelper = NotificationHelper(this@StopwatchActivity, R.drawable.stopwatch_trans, resources.getString(R.string.stopwatch_app_name), StopwatchState) setStopwatchObservers(true) } // get the notification service running as well; it will stick around to make sure // the broadcast receiver is alive NotificationService.kickStart(this@StopwatchActivity) resetButton.setOnClickListener { StopwatchState.reset(this@StopwatchActivity) PreferencesHelper.savePreferences(this@StopwatchActivity) PreferencesHelper.broadcastPreferences(this@StopwatchActivity, Constants.stopwatchUpdateIntent) } playButton?.setOnClickListener { StopwatchState.click(this@StopwatchActivity) PreferencesHelper.savePreferences(this@StopwatchActivity) PreferencesHelper.broadcastPreferences(this@StopwatchActivity, Constants.stopwatchUpdateIntent) } } } // call to this specified in the layout xml files fun launchTimer(view: View) = startActivity<TimerActivity>() /** * install the observers that care about the stopwatchState: "this", which updates the * visible UI parts of the activity, and the notificationHelper, which deals with the popup * notifications elsewhere * @param includeActivity If the current activity isn't visible, then make this false and it won't be notified */ private fun setStopwatchObservers(includeActivity: Boolean) { StopwatchState.deleteObservers() if (notificationHelper != null) StopwatchState.addObserver(notificationHelper) if (includeActivity) { StopwatchState.addObserver(this) if (stopwatchText != null) StopwatchState.addObserver(stopwatchText) } } override fun onStart() { super.onStart() Log.v(TAG, "onStart") StopwatchState.isVisible = true setStopwatchObservers(true) } override fun onResume() { super.onResume() Log.v(TAG, "onResume") StopwatchState.isVisible = true setStopwatchObservers(true) } override fun onPause() { super.onPause() Log.v(TAG, "onPause") StopwatchState.isVisible = false setStopwatchObservers(false) } override fun update(observable: Observable?, data: Any?) { Log.v(TAG, "activity update") setPlayButtonIcon() } private fun setPlayButtonIcon() = playButton?.setImageResource( if(StopwatchState.isRunning) android.R.drawable.ic_media_pause else android.R.drawable.ic_media_play) companion object { private val TAG = "StopwatchActivity" } }
gpl-3.0
97b0e7996d745208a1197806001eddc9
33.591463
114
0.655033
5.277209
false
false
false
false
Adambl4/mirakle
plugin/src/main/kotlin/utils.kt
1
5135
import org.apache.tools.ant.taskdefs.condition.Os import org.gradle.BuildAdapter import org.gradle.BuildResult import org.gradle.api.GradleException import org.gradle.StartParameter import org.gradle.api.DefaultTask import org.gradle.api.Project import org.gradle.api.Task import org.gradle.api.execution.TaskExecutionListener import org.gradle.api.invocation.Gradle import org.gradle.api.tasks.TaskState import org.gradle.internal.service.ServiceRegistry import java.io.File import java.lang.reflect.Field import java.util.* fun Gradle.logTasks(tasks: List<Task>) = logTasks(*tasks.toTypedArray()) fun Gradle.logTasks(vararg task: Task) { task.forEach { targetTask -> addListener(object : TaskExecutionListener { var startTime: Long = 0 override fun beforeExecute(task: Task) { if (task == targetTask) { startTime = System.currentTimeMillis() } } override fun afterExecute(task: Task, state: TaskState) { if (task == targetTask && task.didWork) { val finishTime = System.currentTimeMillis() buildFinished { val taskName = if (task.isMirakleTask()) task.name else task.path.drop(1) println("Task $taskName took : ${prettyTime(finishTime - startTime)}") } } } }) } } fun Gradle.logBuild(startTime: Long, mirakle: Task) { // override default logger as soon as mirakle starts mirakle.doFirst { useLogger(object : BuildAdapter() {}) } buildFinished { println("Total time : ${prettyTime(System.currentTimeMillis() - startTime)}") } } fun Gradle.assertNonSupportedFeatures() { if (startParameter.isContinuous) throw MirakleException("--continuous is not supported yet") if (startParameter.includedBuilds.isNotEmpty()) throw MirakleException("Included builds is not supported yet") } private const val MS_PER_MINUTE: Long = 60000 private const val MS_PER_HOUR = MS_PER_MINUTE * 60 fun prettyTime(timeInMs: Long): String { val result = StringBuffer() if (timeInMs > MS_PER_HOUR) { result.append(timeInMs / MS_PER_HOUR).append(" hrs ") } if (timeInMs > MS_PER_MINUTE) { result.append(timeInMs % MS_PER_HOUR / MS_PER_MINUTE).append(" mins ") } result.append(timeInMs % MS_PER_MINUTE / 1000.0).append(" secs") return result.toString() } class MirakleException(message: String? = null) : GradleException(message) inline fun <reified T : Task> Project.task(name: String, noinline configuration: T.() -> Unit) = tasks.create(name, T::class.java, configuration) val Task.services: ServiceRegistry get() { try { fun findField(java: Class<*>, field: String): Field { return try { java.getDeclaredField(field) } catch (e: NoSuchFieldException) { java.superclass?.let { findField(it, field) } ?: throw e } } val field = findField(DefaultTask::class.java, "services") field.isAccessible = true return field.get(this) as ServiceRegistry } catch (e: Throwable) { e.printStackTrace() throw e } } fun Task.isMirakleTask() = name == "mirakle" || name == "uploadToRemote" || name == "executeOnRemote" || name == "downloadFromRemote" || name == "downloadInParallel" || name == "fallback" /* * On Windows rsync is used under Cygwin environment * and classical Windows path "C:\Users" must be replaced by "/cygdrive/c/Users" * */ fun fixPathForWindows(path: String) = if (Os.isFamily(Os.FAMILY_WINDOWS)) { val windowsDisk = path.first().toLowerCase() val windowsPath = path.substringAfter(":\\").replace('\\', '/') "/cygdrive/$windowsDisk/$windowsPath" } else path fun StartParameter.copy() = newInstance().also { copy -> copy.isBuildScan = this.isBuildScan copy.isNoBuildScan = this.isNoBuildScan } fun findGradlewRoot(root: File): File? { val gradlew = File(root, "gradlew") return if (gradlew.exists()) { gradlew.parentFile } else { root.parentFile?.let(::findGradlewRoot) } } fun loadProperties(file: File) = file.takeIf(File::exists)?.let { Properties().apply { load(it.inputStream()) }.toMap() as Map<String, String> } ?: emptyMap() fun Gradle.afterMirakleEvaluate(callback: () -> Unit) { var wasCallback = false gradle.rootProject { it.afterEvaluate { if (!wasCallback) { wasCallback = true callback() } } } // in case if build failed before project evaluation addBuildListener(object : BuildAdapter() { override fun buildFinished(p0: BuildResult) { if (p0.failure != null && !wasCallback) { wasCallback = true callback() } } }) } fun Gradle.containsIjTestInit() = startParameter.initScripts.any { it.name.contains("ijtestinit") }
apache-2.0
85362cfacf521f15df540735ed654bb2
32.344156
187
0.626095
4.161264
false
false
false
false
yichen0831/RobotM
core/src/game/robotm/gamesys/SoundPlayer.kt
1
2651
package game.robotm.gamesys import com.badlogic.gdx.assets.AssetManager import com.badlogic.gdx.audio.Sound object SoundPlayer { var readySound: Sound? = null var goSound: Sound? = null var gameOverSound: Sound? = null var damagedSound: Sound? = null var explodeSound: Sound? = null var jumpSound: Sound? = null var springSound: Sound? = null var cantJumpSound: Sound? = null var engineSound: Sound? = null var powerUpSound: Sound? = null fun load(assetManager: AssetManager) { readySound = assetManager.get("sounds/ready.ogg", Sound::class.java) goSound = assetManager.get("sounds/go.ogg", Sound::class.java) gameOverSound = assetManager.get("sounds/game_over.ogg", Sound::class.java) damagedSound = assetManager.get("sounds/damaged.ogg", Sound::class.java) explodeSound = assetManager.get("sounds/explode.ogg", Sound::class.java) jumpSound = assetManager.get("sounds/jump.ogg", Sound::class.java) springSound = assetManager.get("sounds/spring.ogg", Sound::class.java) cantJumpSound = assetManager.get("sounds/cant_jump.ogg", Sound::class.java) engineSound = assetManager.get("sounds/engine.ogg", Sound::class.java) powerUpSound = assetManager.get("sounds/power_up.ogg", Sound::class.java) } fun getSound(sound: String): Sound { when (sound) { "ready" -> return readySound!! "go" -> return goSound!! "game_over" -> return gameOverSound!! "damaged" -> return damagedSound!! "explode" -> return explodeSound!! "jump" -> return jumpSound!! "spring" -> return springSound!! "cant_jump" -> return cantJumpSound!! "engine" -> return engineSound!! "power_up" -> return powerUpSound!! else -> return readySound!! } } fun play(sound: String): Long { when (sound) { "ready" -> return readySound!!.play(GM.sfxVolume) "go" -> return goSound!!.play(GM.sfxVolume) "game_over" -> return gameOverSound!!.play(GM.sfxVolume) "damaged" -> return damagedSound!!.play(GM.sfxVolume) "explode" -> return explodeSound!!.play(GM.sfxVolume) "jump" -> return jumpSound!!.play(GM.sfxVolume) "spring" -> return springSound!!.play(GM.sfxVolume) "cant_jump" -> return cantJumpSound!!.play(GM.sfxVolume) "engine" -> return engineSound!!.play(GM.sfxVolume) "power_up" -> return powerUpSound!!.play(GM.sfxVolume) else -> return -1L } } }
apache-2.0
060b0ec438aa520ba6366997965dfd1f
40.4375
83
0.614485
4.041159
false
false
false
false
LanternPowered/LanternServer
src/main/kotlin/org/lanternpowered/api/item/potion/PotionTypeBuilder.kt
1
1963
/* * Lantern * * Copyright (c) LanternPowered <https://www.lanternpowered.org> * Copyright (c) SpongePowered <https://www.spongepowered.org> * Copyright (c) contributors * * This work is licensed under the terms of the MIT License (MIT). For * a copy, see 'LICENSE.txt' or <https://opensource.org/licenses/MIT>. */ package org.lanternpowered.api.item.potion import org.lanternpowered.api.effect.potion.PotionEffect import org.lanternpowered.api.effect.potion.PotionEffectType import org.lanternpowered.api.effect.potion.potionEffectOf import org.lanternpowered.api.registry.CatalogBuilder import java.util.function.Supplier /** * A builder to construct [PotionType]s. */ interface PotionTypeBuilder : CatalogBuilder<PotionType, PotionTypeBuilder> { /** * Adds a [PotionEffect]. * * @param potionEffect The potion effect to add */ fun addEffect(potionEffect: PotionEffect): PotionTypeBuilder /** * Adds a potion effect. */ fun addEffect(type: PotionEffectType, amplifier: Int, duration: Int, ambient: Boolean = false, particles: Boolean = true) = addEffect(potionEffectOf(type, amplifier, duration, ambient, particles)) /** * Adds a potion effect. */ fun addEffect(type: Supplier<out PotionEffectType>, amplifier: Int, duration: Int, ambient: Boolean = false, particles: Boolean = true) = addEffect(potionEffectOf(type, amplifier, duration, ambient, particles)) /** * Sets the (partial) translation key that is used to provide * translations based on the built potion type. * * For example, setting `weakness` becomes * `item.minecraft.splash_potion.effect.weakness` when * used to translate a splash potion item. * * Defaults to the catalog key value. * * @param key The (partial) translation key * @return This builder, for chaining */ fun translationKey(key: String): PotionTypeBuilder }
mit
6d4ae27eb2da2e116b3278fb336bf963
33.438596
141
0.700968
4.267391
false
false
false
false