Refactored the way Disposable is used and added QuestInfoWidget.

This commit is contained in:
Daan Vanden Bosch 2020-10-25 22:16:47 +01:00
parent e75732ed9d
commit b810e45fb3
90 changed files with 1443 additions and 827 deletions

View File

@ -10,3 +10,18 @@ interface Disposable {
*/ */
fun dispose() fun dispose()
} }
/**
* Executes the given function on this disposable and then disposes it whether an exception is
* thrown or not.
*
* @param block a function to process this [Disposable] resource.
* @return the result of [block] invoked on this resource.
*/
inline fun <D : Disposable, R> D.use(block: (D) -> R): R {
try {
return block(this)
} finally {
dispose()
}
}

View File

@ -1,3 +1,11 @@
package world.phantasmal.core.disposable package world.phantasmal.core.disposable
fun Scope.disposable(dispose: () -> Unit): Disposable = SimpleDisposable(this, dispose) private object StubDisposable : Disposable {
override fun dispose() {
// Do nothing.
}
}
fun disposable(dispose: () -> Unit): Disposable = SimpleDisposable(dispose)
fun stubDisposable(): Disposable = StubDisposable

View File

@ -1,32 +1,25 @@
package world.phantasmal.core.disposable package world.phantasmal.core.disposable
import kotlinx.coroutines.Job class Disposer(vararg disposables: Disposable) : TrackedDisposable() {
import kotlinx.coroutines.SupervisorJob private val disposables = mutableListOf(*disposables)
import kotlinx.coroutines.cancel
import kotlin.coroutines.CoroutineContext
class DisposableScope(override val coroutineContext: CoroutineContext) : Scope, Disposable {
private val disposables = mutableListOf<Disposable>()
private var disposed = false
/** /**
* The amount of held disposables. * The amount of held disposables.
*/ */
val size: Int get() = disposables.size val size: Int get() = disposables.size
override fun scope(): Scope = DisposableScope(coroutineContext + SupervisorJob()).also(::add) fun <T : Disposable> add(disposable: T): T {
require(!disposed) { "Disposer already disposed." }
override fun add(disposable: Disposable) {
require(!disposed) { "Scope already disposed." }
disposables.add(disposable) disposables.add(disposable)
return disposable
} }
/** /**
* Add 0 or more disposables. * Add 0 or more disposables.
*/ */
fun addAll(disposables: Iterable<Disposable>) { fun addAll(disposables: Iterable<Disposable>) {
require(!disposed) { "Scope already disposed." } require(!disposed) { "Disposer already disposed." }
this.disposables.addAll(disposables) this.disposables.addAll(disposables)
} }
@ -35,7 +28,7 @@ class DisposableScope(override val coroutineContext: CoroutineContext) : Scope,
* Add 0 or more disposables. * Add 0 or more disposables.
*/ */
fun addAll(vararg disposables: Disposable) { fun addAll(vararg disposables: Disposable) {
require(!disposed) { "Scope already disposed." } require(!disposed) { "Disposer already disposed." }
this.disposables.addAll(disposables) this.disposables.addAll(disposables)
} }
@ -67,15 +60,7 @@ class DisposableScope(override val coroutineContext: CoroutineContext) : Scope,
disposables.clear() disposables.clear()
} }
override fun dispose() { override fun internalDispose() {
if (!disposed) {
disposeAll() disposeAll()
if (coroutineContext[Job] != null) {
cancel()
}
disposed = true
}
} }
} }

View File

@ -1,16 +0,0 @@
package world.phantasmal.core.disposable
import kotlinx.coroutines.CoroutineScope
/**
* Container for disposables. Takes ownership of all held disposables and automatically disposes
* them when the Scope is disposed.
*/
interface Scope: CoroutineScope {
fun add(disposable: Disposable)
/**
* Creates a sub-scope of this scope.
*/
fun scope(): Scope
}

View File

@ -1,9 +1,8 @@
package world.phantasmal.core.disposable package world.phantasmal.core.disposable
class SimpleDisposable( class SimpleDisposable(
scope: Scope,
private val dispose: () -> Unit, private val dispose: () -> Unit,
) : TrackedDisposable(scope) { ) : TrackedDisposable() {
override fun internalDispose() { override fun internalDispose() {
// Use invoke to avoid calling the dispose method instead of the dispose property. // Use invoke to avoid calling the dispose method instead of the dispose property.
dispose.invoke() dispose.invoke()

View File

@ -4,14 +4,11 @@ package world.phantasmal.core.disposable
* A global count is kept of all undisposed instances of this class. * A global count is kept of all undisposed instances of this class.
* This count can be used to find memory leaks. * This count can be used to find memory leaks.
*/ */
abstract class TrackedDisposable(scope: Scope) : Disposable { abstract class TrackedDisposable : Disposable {
var disposed = false var disposed = false
private set private set
init { init {
@Suppress("LeakingThis")
scope.add(this)
disposableCount++ disposableCount++
} }

View File

@ -1,46 +1,47 @@
package world.phantasmal.core.disposable package world.phantasmal.core.disposable
import kotlinx.coroutines.Job
import kotlin.test.* import kotlin.test.*
class DisposableScopeTests { class DisposerTests {
@Test @Test
fun calling_add_or_addAll_increases_size_correctly() { fun calling_add_or_addAll_increases_size_correctly() {
TrackedDisposable.checkNoLeaks { TrackedDisposable.checkNoLeaks {
val scope = DisposableScope(Job()) val disposer = Disposer()
assertEquals(scope.size, 0) assertEquals(disposer.size, 0)
scope.add(Dummy()) disposer.add(StubDisposable())
assertEquals(scope.size, 1) assertEquals(disposer.size, 1)
scope.addAll(Dummy(), Dummy()) disposer.addAll(StubDisposable(),
assertEquals(scope.size, 3) StubDisposable())
assertEquals(disposer.size, 3)
scope.add(Dummy()) disposer.add(StubDisposable())
assertEquals(scope.size, 4) assertEquals(disposer.size, 4)
scope.addAll(Dummy(), Dummy()) disposer.addAll(StubDisposable(),
assertEquals(scope.size, 6) StubDisposable())
assertEquals(disposer.size, 6)
scope.dispose() disposer.dispose()
} }
} }
@Test @Test
fun disposes_all_its_disposables_when_disposed() { fun disposes_all_its_disposables_when_disposed() {
TrackedDisposable.checkNoLeaks { TrackedDisposable.checkNoLeaks {
val scope = DisposableScope(Job()) val disposer = Disposer()
var disposablesDisposed = 0 var disposablesDisposed = 0
for (i in 1..5) { for (i in 1..5) {
scope.add(object : Disposable { disposer.add(object : Disposable {
override fun dispose() { override fun dispose() {
disposablesDisposed++ disposablesDisposed++
} }
}) })
} }
scope.addAll((1..5).map { disposer.addAll((1..5).map {
object : Disposable { object : Disposable {
override fun dispose() { override fun dispose() {
disposablesDisposed++ disposablesDisposed++
@ -48,7 +49,7 @@ class DisposableScopeTests {
} }
}) })
scope.dispose() disposer.dispose()
assertEquals(10, disposablesDisposed) assertEquals(10, disposablesDisposed)
} }
@ -57,67 +58,67 @@ class DisposableScopeTests {
@Test @Test
fun disposeAll_disposes_all_disposables() { fun disposeAll_disposes_all_disposables() {
TrackedDisposable.checkNoLeaks { TrackedDisposable.checkNoLeaks {
val scope = DisposableScope(Job()) val disposer = Disposer()
var disposablesDisposed = 0 var disposablesDisposed = 0
for (i in 1..5) { for (i in 1..5) {
scope.add(object : Disposable { disposer.add(object : Disposable {
override fun dispose() { override fun dispose() {
disposablesDisposed++ disposablesDisposed++
} }
}) })
} }
scope.disposeAll() disposer.disposeAll()
assertEquals(5, disposablesDisposed) assertEquals(5, disposablesDisposed)
scope.dispose() disposer.dispose()
} }
} }
@Test @Test
fun size_and_is_empty_should_correctly_reflect_the_contained_disposables() { fun size_and_is_empty_should_correctly_reflect_the_contained_disposables() {
TrackedDisposable.checkNoLeaks { TrackedDisposable.checkNoLeaks {
val scope = DisposableScope(Job()) val disposer = Disposer()
assertEquals(scope.size, 0) assertEquals(disposer.size, 0)
assertTrue(scope.isEmpty()) assertTrue(disposer.isEmpty())
for (i in 1..5) { for (i in 1..5) {
scope.add(Dummy()) disposer.add(StubDisposable())
assertEquals(scope.size, i) assertEquals(disposer.size, i)
assertFalse(scope.isEmpty()) assertFalse(disposer.isEmpty())
} }
scope.dispose() disposer.dispose()
assertEquals(scope.size, 0) assertEquals(disposer.size, 0)
assertTrue(scope.isEmpty()) assertTrue(disposer.isEmpty())
} }
} }
@Test @Test
fun adding_disposables_after_being_disposed_throws() { fun adding_disposables_after_being_disposed_throws() {
TrackedDisposable.checkNoLeaks { TrackedDisposable.checkNoLeaks {
val scope = DisposableScope(Job()) val disposer = Disposer()
scope.dispose() disposer.dispose()
for (i in 1..3) { for (i in 1..3) {
assertFails { assertFails {
scope.add(Dummy()) disposer.add(StubDisposable())
} }
} }
assertFails { assertFails {
scope.addAll((1..3).map { Dummy() }) disposer.addAll((1..3).map { StubDisposable() })
} }
} }
} }
private class Dummy : Disposable { private class StubDisposable : Disposable {
override fun dispose() { override fun dispose() {
// Do nothing. // Do nothing.
} }

View File

@ -1,3 +1,4 @@
import org.jetbrains.kotlin.gradle.tasks.AbstractKotlinCompile
import org.snakeyaml.engine.v2.api.Load import org.snakeyaml.engine.v2.api.Load
import org.snakeyaml.engine.v2.api.LoadSettings import org.snakeyaml.engine.v2.api.LoadSettings
import java.io.PrintWriter import java.io.PrintWriter
@ -16,7 +17,13 @@ val kotlinLoggingVersion: String by project.extra
kotlin { kotlin {
js { js {
browser() browser {
testTask {
useKarma {
useChromeHeadless()
}
}
}
} }
sourceSets { sourceSets {
@ -166,6 +173,6 @@ fun paramsToCode(params: List<Map<String, Any>>, indent: Int): String {
} }
} }
val build by tasks.build tasks.withType<AbstractKotlinCompile<*>> {
dependsOn(generateOpcodes)
build.dependsOn(generateOpcodes) }

View File

@ -19,10 +19,6 @@ class AssemblyProblem(
val length: Int, val length: Int,
) : Problem(severity, uiMessage, message, cause) ) : Problem(severity, uiMessage, message, cause)
class AssemblySettings(
val manualStack: Boolean,
)
fun assemble( fun assemble(
assembly: List<String>, assembly: List<String>,
manualStack: Boolean = false, manualStack: Boolean = false,

View File

@ -3,8 +3,19 @@ package world.phantasmal.lib.test
import world.phantasmal.core.Success import world.phantasmal.core.Success
import world.phantasmal.lib.assembly.InstructionSegment import world.phantasmal.lib.assembly.InstructionSegment
import world.phantasmal.lib.assembly.assemble import world.phantasmal.lib.assembly.assemble
import world.phantasmal.lib.cursor.Cursor
import kotlin.test.assertTrue import kotlin.test.assertTrue
/**
* Ensure you return the value of this function in your test function. On Kotlin/JS this function
* actually returns a Promise. If this promise is not returned from the test function, the testing
* framework won't wait for its completion. This is a workaround for issue
* [https://youtrack.jetbrains.com/issue/KT-22228].
*/
expect fun asyncTest(block: suspend () -> Unit)
expect suspend fun readFile(path: String): Cursor
fun toInstructions(assembly: String): List<InstructionSegment> { fun toInstructions(assembly: String): List<InstructionSegment> {
val result = assemble(assembly.split('\n')) val result = assemble(assembly.split('\n'))

View File

@ -0,0 +1,18 @@
package world.phantasmal.lib.test
import kotlinx.browser.window
import kotlinx.coroutines.GlobalScope
import kotlinx.coroutines.await
import kotlinx.coroutines.promise
import world.phantasmal.lib.Endianness
import world.phantasmal.lib.cursor.ArrayBufferCursor
import world.phantasmal.lib.cursor.Cursor
actual fun asyncTest(block: suspend () -> Unit): dynamic = GlobalScope.promise { block() }
actual suspend fun readFile(path: String): Cursor {
return window.fetch(path)
.then { it.arrayBuffer() }
.then { ArrayBufferCursor(it, Endianness.Little) }
.await()
}

View File

@ -1,7 +1,7 @@
package world.phantasmal.observable package world.phantasmal.observable
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
interface Observable<out T> { interface Observable<out T> {
fun observe(scope: Scope, observer: Observer<T>) fun observe(observer: Observer<T>): Disposable
} }

View File

@ -1,15 +1,15 @@
package world.phantasmal.observable package world.phantasmal.observable
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
class SimpleEmitter<T> : Emitter<T> { class SimpleEmitter<T> : Emitter<T> {
private val observers = mutableListOf<Observer<T>>() private val observers = mutableListOf<Observer<T>>()
override fun observe(scope: Scope, observer: Observer<T>) { override fun observe(observer: Observer<T>): Disposable {
observers.add(observer) observers.add(observer)
scope.disposable { return disposable {
observers.remove(observer) observers.remove(observer)
} }
} }

View File

@ -1,24 +1,23 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.observable.Observer import world.phantasmal.observable.Observer
abstract class AbstractVal<T> : Val<T> { abstract class AbstractVal<T> : Val<T> {
protected val observers: MutableList<ValObserver<T>> = mutableListOf() protected val observers: MutableList<ValObserver<T>> = mutableListOf()
final override fun observe(scope: Scope, observer: Observer<T>) { final override fun observe(observer: Observer<T>): Disposable =
observe(scope, callNow = false, observer) observe(callNow = false, observer)
}
override fun observe(scope: Scope, callNow: Boolean, observer: ValObserver<T>) { override fun observe(callNow: Boolean, observer: ValObserver<T>): Disposable {
observers.add(observer) observers.add(observer)
if (callNow) { if (callNow) {
observer(ValChangeEvent(value, value)) observer(ValChangeEvent(value, value))
} }
scope.disposable { return disposable {
observers.remove(observer) observers.remove(observer)
} }
} }

View File

@ -1,46 +1,68 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
import world.phantasmal.core.disposable.DisposableScope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.Scope
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.core.fastCast import world.phantasmal.core.fastCast
import kotlin.coroutines.EmptyCoroutineContext
class DependentVal<T>( /**
* Starts observing its dependencies when the first observer on this val is registered. Stops
* observing its dependencies when the last observer on this val is disposed. This way no extra
* disposables need to be managed when e.g. [transform] is used.
*/
abstract class DependentVal<T>(
private val dependencies: Iterable<Val<*>>, private val dependencies: Iterable<Val<*>>,
private val operation: () -> T,
) : AbstractVal<T>() { ) : AbstractVal<T>() {
private var dependencyScope = DisposableScope(EmptyCoroutineContext) /**
private var internalValue: T? = null * Is either empty or has a disposable per dependency.
*/
private val dependencyObservers = mutableListOf<Disposable>()
protected var _value: T? = null
override val value: T override val value: T
get() { get() {
return if (dependencyScope.isEmpty()) { if (hasNoObservers()) {
operation() _value = computeValue()
} else {
internalValue.fastCast()
}
} }
override fun observe(scope: Scope, callNow: Boolean, observer: ValObserver<T>) { return _value.fastCast()
if (dependencyScope.isEmpty()) { }
internalValue = operation()
override fun observe(callNow: Boolean, observer: ValObserver<T>): Disposable {
if (hasNoObservers()) {
dependencies.forEach { dependency -> dependencies.forEach { dependency ->
dependency.observe(dependencyScope) { dependencyObservers.add(
val oldValue = internalValue dependency.observe {
internalValue = operation() val oldValue = _value
_value = computeValue()
if (_value != oldValue) {
emit(oldValue.fastCast()) emit(oldValue.fastCast())
} }
} }
)
} }
super.observe(scope, callNow, observer) _value = computeValue()
}
val superDisposable = super.observe(callNow, observer)
return disposable {
superDisposable.dispose()
scope.disposable {
if (observers.isEmpty()) { if (observers.isEmpty()) {
dependencyScope.disposeAll() dependencyObservers.forEach { it.dispose() }
dependencyObservers.clear()
} }
} }
} }
protected fun hasObservers(): Boolean =
dependencyObservers.isNotEmpty()
protected fun hasNoObservers(): Boolean =
dependencyObservers.isEmpty()
protected abstract fun computeValue(): T
} }

View File

@ -0,0 +1,53 @@
package world.phantasmal.observable.value
import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.disposable
import world.phantasmal.core.fastCast
class FlatTransformedVal<T>(
dependencies: Iterable<Val<*>>,
private val compute: () -> Val<T>,
) : DependentVal<T>(dependencies) {
private var computedVal: Val<T>? = null
private var computedValObserver: Disposable? = null
override val value: T
get() {
return if (hasNoObservers()) {
super.value
} else {
computedVal.fastCast<Val<T>>().value
}
}
override fun observe(callNow: Boolean, observer: ValObserver<T>): Disposable {
val superDisposable = super.observe(callNow, observer)
return disposable {
superDisposable.dispose()
if (hasNoObservers()) {
computedValObserver?.dispose()
computedValObserver = null
computedVal = null
}
}
}
override fun computeValue(): T {
val computedVal = compute()
this.computedVal = computedVal
computedValObserver?.dispose()
if (hasObservers()) {
computedValObserver = computedVal.observe { (value) ->
val oldValue = _value.fastCast<T>()
_value = value
emit(oldValue)
}
}
return computedVal.value
}
}

View File

@ -1,16 +1,17 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.stubDisposable
import world.phantasmal.observable.Observer import world.phantasmal.observable.Observer
class StaticVal<T>(override val value: T) : Val<T> { class StaticVal<T>(override val value: T) : Val<T> {
override fun observe(scope: Scope, callNow: Boolean, observer: ValObserver<T>) { override fun observe(callNow: Boolean, observer: ValObserver<T>): Disposable {
if (callNow) { if (callNow) {
observer(ValChangeEvent(value, value)) observer(ValChangeEvent(value, value))
} }
return stubDisposable()
} }
override fun observe(scope: Scope, observer: Observer<T>) { override fun observe(observer: Observer<T>): Disposable = stubDisposable()
// Do nothing.
}
} }

View File

@ -0,0 +1,8 @@
package world.phantasmal.observable.value
class TransformedVal<T>(
dependencies: Iterable<Val<*>>,
private val compute: () -> T,
) : DependentVal<T>(dependencies) {
override fun computeValue(): T = compute()
}

View File

@ -1,6 +1,6 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.observable.Observable import world.phantasmal.observable.Observable
import kotlin.reflect.KProperty import kotlin.reflect.KProperty
@ -15,14 +15,14 @@ interface Val<out T> : Observable<T> {
/** /**
* @param callNow Call [observer] immediately with the current [mutableVal]. * @param callNow Call [observer] immediately with the current [mutableVal].
*/ */
fun observe(scope: Scope, callNow: Boolean = false, observer: ValObserver<T>) fun observe(callNow: Boolean = false, observer: ValObserver<T>): Disposable
fun <R> transform(transform: (T) -> R): Val<R> = fun <R> transform(transform: (T) -> R): Val<R> =
DependentVal(listOf(this)) { transform(value) } TransformedVal(listOf(this)) { transform(value) }
fun <T2, R> transform(v2: Val<T2>, transform: (T, T2) -> R): Val<R> = fun <T2, R> transform(v2: Val<T2>, transform: (T, T2) -> R): Val<R> =
DependentVal(listOf(this, v2)) { transform(value, v2.value) } TransformedVal(listOf(this, v2)) { transform(value, v2.value) }
fun <R> flatTransform(transform: (T) -> Val<R>): Val<R> = fun <R> flatTransform(transform: (T) -> Val<R>): Val<R> =
TODO() FlatTransformedVal(listOf(this)) { transform(value) }
} }

View File

@ -1,46 +1,47 @@
package world.phantasmal.observable.value.list package world.phantasmal.observable.value.list
import world.phantasmal.core.disposable.DisposableScope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.Scope
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.core.fastCast import world.phantasmal.core.fastCast
import world.phantasmal.observable.value.AbstractVal import world.phantasmal.observable.value.AbstractVal
import world.phantasmal.observable.value.ValObserver import world.phantasmal.observable.value.ValObserver
import kotlin.coroutines.EmptyCoroutineContext
class FoldedVal<T, R>( class FoldedVal<T, R>(
private val dependency: ListVal<T>, private val dependency: ListVal<T>,
private val initial: R, private val initial: R,
private val operation: (R, T) -> R, private val operation: (R, T) -> R,
) : AbstractVal<R>() { ) : AbstractVal<R>() {
private var dependencyDisposable = DisposableScope(EmptyCoroutineContext) private var dependencyDisposable: Disposable? = null
private var internalValue: R? = null private var internalValue: R? = null
override val value: R override val value: R
get() { get() {
return if (dependencyDisposable.isEmpty()) { return if (dependencyDisposable == null) {
computeValue() computeValue()
} else { } else {
internalValue.fastCast() internalValue.fastCast()
} }
} }
override fun observe(scope: Scope, callNow: Boolean, observer: ValObserver<R>) { override fun observe(callNow: Boolean, observer: ValObserver<R>): Disposable {
super.observe(scope, callNow, observer) val superDisposable = super.observe(callNow, observer)
if (dependencyDisposable.isEmpty()) { if (dependencyDisposable == null) {
internalValue = computeValue() internalValue = computeValue()
dependency.observe(dependencyDisposable) { dependencyDisposable = dependency.observe {
val oldValue = internalValue val oldValue = internalValue
internalValue = computeValue() internalValue = computeValue()
emit(oldValue.fastCast()) emit(oldValue.fastCast())
} }
} }
scope.disposable { return disposable {
superDisposable.dispose()
if (observers.isEmpty()) { if (observers.isEmpty()) {
dependencyDisposable.disposeAll() dependencyDisposable?.dispose()
dependencyDisposable = null
} }
} }
} }

View File

@ -1,12 +1,12 @@
package world.phantasmal.observable.value.list package world.phantasmal.observable.value.list
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
interface ListVal<E> : Val<List<E>>, List<E> { interface ListVal<E> : Val<List<E>>, List<E> {
val sizeVal: Val<Int> val sizeVal: Val<Int>
fun observeList(scope: Scope, observer: ListValObserver<E>) fun observeList(observer: ListValObserver<E>): Disposable
fun sumBy(selector: (E) -> Int): Val<Int> = fun sumBy(selector: (E) -> Int): Val<Int> =
fold(0) { acc, el -> acc + selector(el) } fold(0) { acc, el -> acc + selector(el) }

View File

@ -1,12 +1,10 @@
package world.phantasmal.observable.value.list package world.phantasmal.observable.value.list
import world.phantasmal.core.disposable.DisposableScope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.Scope
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.observable.Observable import world.phantasmal.observable.Observable
import world.phantasmal.observable.Observer import world.phantasmal.observable.Observer
import world.phantasmal.observable.value.* import world.phantasmal.observable.value.*
import kotlin.coroutines.EmptyCoroutineContext
typealias ObservablesExtractor<E> = (element: E) -> Array<Observable<*>> typealias ObservablesExtractor<E> = (element: E) -> Array<Observable<*>>
@ -73,11 +71,10 @@ class SimpleListVal<E>(
return removed return removed
} }
override fun observe(scope: Scope, observer: Observer<List<E>>) { override fun observe(observer: Observer<List<E>>): Disposable =
observe(scope, callNow = false, observer) observe(callNow = false, observer)
}
override fun observe(scope: Scope, callNow: Boolean, observer: ValObserver<List<E>>) { override fun observe(callNow: Boolean, observer: ValObserver<List<E>>): Disposable {
if (elementObservers.isEmpty() && extractObservables != null) { if (elementObservers.isEmpty() && extractObservables != null) {
replaceElementObservers(0, elementObservers.size, elements) replaceElementObservers(0, elementObservers.size, elements)
} }
@ -88,20 +85,20 @@ class SimpleListVal<E>(
observer(ValChangeEvent(value, value)) observer(ValChangeEvent(value, value))
} }
scope.disposable { return disposable {
observers.remove(observer) observers.remove(observer)
disposeElementObserversIfNecessary() disposeElementObserversIfNecessary()
} }
} }
override fun observeList(scope: Scope, observer: ListValObserver<E>) { override fun observeList(observer: ListValObserver<E>): Disposable {
if (elementObservers.isEmpty() && extractObservables != null) { if (elementObservers.isEmpty() && extractObservables != null) {
replaceElementObservers(0, elementObservers.size, elements) replaceElementObservers(0, elementObservers.size, elements)
} }
listObservers.add(observer) listObservers.add(observer)
scope.disposable { return disposable {
listObservers.remove(observer) listObservers.remove(observer)
disposeElementObserversIfNecessary() disposeElementObserversIfNecessary()
} }
@ -138,9 +135,7 @@ class SimpleListVal<E>(
private fun replaceElementObservers(from: Int, amountRemoved: Int, insertedElements: List<E>) { private fun replaceElementObservers(from: Int, amountRemoved: Int, insertedElements: List<E>) {
for (i in 1..amountRemoved) { for (i in 1..amountRemoved) {
elementObservers.removeAt(from).observers.forEach { observer -> elementObservers.removeAt(from).observers.forEach { it.dispose() }
observer.dispose()
}
} }
var index = from var index = from
@ -166,9 +161,7 @@ class SimpleListVal<E>(
private fun disposeElementObserversIfNecessary() { private fun disposeElementObserversIfNecessary() {
if (listObservers.isEmpty() && observers.isEmpty()) { if (listObservers.isEmpty() && observers.isEmpty()) {
elementObservers.forEach { elementObserver: ElementObserver -> elementObservers.forEach { elementObserver: ElementObserver ->
elementObserver.observers.forEach { observer -> elementObserver.observers.forEach { it.dispose() }
observer.dispose()
}
} }
elementObservers.clear() elementObservers.clear()
@ -180,9 +173,8 @@ class SimpleListVal<E>(
element: E, element: E,
observables: Array<Observable<*>>, observables: Array<Observable<*>>,
) { ) {
val observers: Array<DisposableScope> = Array(observables.size) { val observers: Array<Disposable> = Array(observables.size) {
val scope = DisposableScope(EmptyCoroutineContext) observables[it].observe {
observables[it].observe(scope) {
finalizeUpdate( finalizeUpdate(
ListValChangeEvent.ElementChange( ListValChangeEvent.ElementChange(
index, index,
@ -190,7 +182,6 @@ class SimpleListVal<E>(
) )
) )
} }
scope
} }
} }
} }

View File

@ -1,6 +1,5 @@
package world.phantasmal.observable package world.phantasmal.observable
import world.phantasmal.observable.test.withScope
import world.phantasmal.testUtils.TestSuite import world.phantasmal.testUtils.TestSuite
import kotlin.test.Test import kotlin.test.Test
import kotlin.test.assertEquals import kotlin.test.assertEquals
@ -12,49 +11,49 @@ typealias ObservableAndEmit = Pair<Observable<*>, () -> Unit>
* [Observable] implementation. * [Observable] implementation.
*/ */
abstract class ObservableTests : TestSuite() { abstract class ObservableTests : TestSuite() {
abstract fun create(): ObservableAndEmit protected abstract fun create(): ObservableAndEmit
@Test @Test
fun observable_calls_observers_when_events_are_emitted() { fun observable_calls_observers_when_events_are_emitted() {
val (observable, emit) = create() val (observable, emit) = create()
val changes = mutableListOf<ChangeEvent<*>>() var changes = 0
withScope { scope -> disposer.add(
observable.observe(scope) { c -> observable.observe {
changes.add(c) changes++
} }
)
emit() emit()
assertEquals(1, changes.size) assertEquals(1, changes)
emit() emit()
emit() emit()
emit() emit()
assertEquals(4, changes.size) assertEquals(4, changes)
}
} }
@Test @Test
fun observable_does_not_call_observers_after_they_are_disposed() { fun observable_does_not_call_observers_after_they_are_disposed() {
val (observable, emit) = create() val (observable, emit) = create()
val changes = mutableListOf<ChangeEvent<*>>() var changes = 0
withScope { scope -> val observer = observable.observe {
observable.observe(scope) { c -> changes++
changes.add(c)
} }
emit() emit()
assertEquals(1, changes.size) assertEquals(1, changes)
observer.dispose()
emit() emit()
emit() emit()
emit() emit()
assertEquals(4, changes.size) assertEquals(1, changes)
}
} }
} }

View File

@ -1,15 +0,0 @@
package world.phantasmal.observable.test
import world.phantasmal.core.disposable.DisposableScope
import world.phantasmal.core.disposable.Scope
import kotlin.coroutines.EmptyCoroutineContext
fun withScope(block: (Scope) -> Unit) {
val scope = DisposableScope(EmptyCoroutineContext)
try {
block(scope)
} finally {
scope.dispose()
}
}

View File

@ -0,0 +1,47 @@
package world.phantasmal.observable.value
import kotlin.test.Test
import kotlin.test.assertEquals
import kotlin.test.assertNull
/**
* In these tests the direct dependency of the [FlatTransformedVal] changes.
*/
class FlatTransformedValDependentValEmitsTests : RegularValTests() {
/**
* This is a regression test, it's important that this exact sequence of statements stays the
* same.
*/
@Test
fun emits_a_change_when_its_direct_val_dependency_changes() {
val v = SimpleVal(SimpleVal(7))
val fv = FlatTransformedVal(listOf(v)) { v.value }
var observedValue: Int? = null
disposer.add(
fv.observe { observedValue = it.value }
)
assertNull(observedValue)
v.value.value = 99
assertEquals(99, observedValue)
v.value = SimpleVal(7)
assertEquals(7, observedValue)
}
override fun create(): ValAndEmit<*> {
val v = SimpleVal(SimpleVal(5))
val value = FlatTransformedVal(listOf(v)) { v.value }
return ValAndEmit(value) { v.value = SimpleVal(v.value.value + 5) }
}
override fun createBoolean(bool: Boolean): ValAndEmit<Boolean> {
val v = SimpleVal(SimpleVal(bool))
val value = FlatTransformedVal(listOf(v)) { v.value }
return ValAndEmit(value) { v.value = SimpleVal(!v.value.value) }
}
}

View File

@ -0,0 +1,18 @@
package world.phantasmal.observable.value
/**
* In these tests the dependency of the [FlatTransformedVal]'s direct dependency changes.
*/
class FlatTransformedValNestedValEmitsTests : RegularValTests() {
override fun create(): ValAndEmit<*> {
val v = SimpleVal(SimpleVal(5))
val value = FlatTransformedVal(listOf(v)) { v.value }
return ValAndEmit(value) { v.value.value += 5 }
}
override fun createBoolean(bool: Boolean): ValAndEmit<Boolean> {
val v = SimpleVal(SimpleVal(bool))
val value = FlatTransformedVal(listOf(v)) { v.value }
return ValAndEmit(value) { v.value.value = !v.value.value }
}
}

View File

@ -1,9 +1,6 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.Scope
import world.phantasmal.testUtils.TestSuite import world.phantasmal.testUtils.TestSuite
import kotlin.coroutines.EmptyCoroutineContext
import kotlin.test.Test import kotlin.test.Test
class StaticValTests : TestSuite() { class StaticValTests : TestSuite() {
@ -11,20 +8,8 @@ class StaticValTests : TestSuite() {
fun observing_StaticVal_should_never_create_leaks() { fun observing_StaticVal_should_never_create_leaks() {
val static = StaticVal("test value") val static = StaticVal("test value")
static.observe(DummyScope) {} static.observe {}
static.observe(DummyScope, callNow = false) {} static.observe(callNow = false) {}
static.observe(DummyScope, callNow = true) {} static.observe(callNow = true) {}
}
private object DummyScope : Scope {
override val coroutineContext = EmptyCoroutineContext
override fun add(disposable: Disposable) {
throw NotImplementedError()
}
override fun scope(): Scope {
throw NotImplementedError()
}
} }
} }

View File

@ -1,15 +1,15 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
class DependentValTests : RegularValTests() { class TransformedValTests : RegularValTests() {
override fun create(): ValAndEmit<*> { override fun create(): ValAndEmit<*> {
val v = SimpleVal(0) val v = SimpleVal(0)
val value = DependentVal(listOf(v)) { 2 * v.value } val value = TransformedVal(listOf(v)) { 2 * v.value }
return ValAndEmit(value) { v.value += 2 } return ValAndEmit(value) { v.value += 2 }
} }
override fun createBoolean(bool: Boolean): ValAndEmit<Boolean> { override fun createBoolean(bool: Boolean): ValAndEmit<Boolean> {
val v = SimpleVal(bool) val v = SimpleVal(bool)
val value = DependentVal(listOf(v)) { v.value } val value = TransformedVal(listOf(v)) { v.value }
return ValAndEmit(value) { v.value = !v.value } return ValAndEmit(value) { v.value = !v.value }
} }
} }

View File

@ -1,8 +1,7 @@
package world.phantasmal.observable.value package world.phantasmal.observable.value
import world.phantasmal.observable.ChangeEvent import world.phantasmal.core.disposable.use
import world.phantasmal.observable.ObservableTests import world.phantasmal.observable.ObservableTests
import world.phantasmal.observable.test.withScope
import kotlin.test.Test import kotlin.test.Test
import kotlin.test.assertEquals import kotlin.test.assertEquals
@ -22,30 +21,26 @@ abstract class ValTests : ObservableTests() {
@Test @Test
fun val_respects_call_now_argument() { fun val_respects_call_now_argument() {
val (value, emit) = create() val (value, emit) = create()
val changes = mutableListOf<ChangeEvent<*>>() var changes = 0
withScope { scope ->
// Test callNow = false // Test callNow = false
value.observe(scope, callNow = false) { c -> value.observe(callNow = false) {
changes.add(c) changes++
} }.use {
emit() emit()
assertEquals(1, changes.size) assertEquals(1, changes)
} }
withScope { scope ->
// Test callNow = true // Test callNow = true
changes.clear() changes = 0
value.observe(scope, callNow = true) { c ->
changes.add(c)
}
value.observe(callNow = true) {
changes++
}.use {
emit() emit()
assertEquals(2, changes.size) assertEquals(2, changes)
} }
} }
} }

View File

@ -1,6 +1,5 @@
package world.phantasmal.observable.value.list package world.phantasmal.observable.value.list
import world.phantasmal.observable.test.withScope
import world.phantasmal.observable.value.ValTests import world.phantasmal.observable.value.ValTests
import kotlin.test.Test import kotlin.test.Test
import kotlin.test.assertEquals import kotlin.test.assertEquals
@ -22,8 +21,9 @@ abstract class ListValTests : ValTests() {
var observedSize = 0 var observedSize = 0
withScope { scope -> disposer.add(
list.sizeVal.observe(scope) { observedSize = it.value } list.sizeVal.observe { observedSize = it.value }
)
for (i in 1..3) { for (i in 1..3) {
add() add()
@ -33,4 +33,3 @@ abstract class ListValTests : ValTests() {
} }
} }
} }
}

View File

@ -1,8 +1,8 @@
package world.phantasmal.testUtils package world.phantasmal.testUtils
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Job import kotlinx.coroutines.Job
import world.phantasmal.core.disposable.DisposableScope import world.phantasmal.core.disposable.Disposer
import world.phantasmal.core.disposable.Scope
import world.phantasmal.core.disposable.TrackedDisposable import world.phantasmal.core.disposable.TrackedDisposable
import kotlin.test.AfterTest import kotlin.test.AfterTest
import kotlin.test.BeforeTest import kotlin.test.BeforeTest
@ -10,19 +10,23 @@ import kotlin.test.assertEquals
abstract class TestSuite { abstract class TestSuite {
private var initialDisposableCount: Int = 0 private var initialDisposableCount: Int = 0
private var _scope: DisposableScope? = null private var _disposer: Disposer? = null
protected val scope: Scope get() = _scope!! protected val disposer: Disposer get() = _disposer!!
protected val scope: CoroutineScope = object : CoroutineScope {
override val coroutineContext = Job()
}
@BeforeTest @BeforeTest
fun before() { fun before() {
initialDisposableCount = TrackedDisposable.disposableCount initialDisposableCount = TrackedDisposable.disposableCount
_scope = DisposableScope(Job()) _disposer = Disposer()
} }
@AfterTest @AfterTest
fun after() { fun after() {
_scope!!.dispose() _disposer!!.dispose()
val leakCount = TrackedDisposable.disposableCount - initialDisposableCount val leakCount = TrackedDisposable.disposableCount - initialDisposableCount
assertEquals(0, leakCount, "TrackedDisposables were leaked") assertEquals(0, leakCount, "TrackedDisposables were leaked")

View File

@ -5,16 +5,17 @@ import io.ktor.client.features.json.*
import io.ktor.client.features.json.serializer.* import io.ktor.client.features.json.serializer.*
import kotlinx.browser.document import kotlinx.browser.document
import kotlinx.browser.window import kotlinx.browser.window
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Job
import kotlinx.coroutines.cancel import kotlinx.coroutines.cancel
import org.w3c.dom.PopStateEvent import org.w3c.dom.PopStateEvent
import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.DisposableScope import world.phantasmal.core.disposable.Disposer
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.TrackedDisposable
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.observable.value.mutableVal import world.phantasmal.observable.value.mutableVal
import world.phantasmal.web.application.Application import world.phantasmal.web.application.Application
import world.phantasmal.web.core.HttpAssetLoader import world.phantasmal.web.core.HttpAssetLoader
import world.phantasmal.web.core.UiDispatcher
import world.phantasmal.web.core.stores.ApplicationUrl import world.phantasmal.web.core.stores.ApplicationUrl
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
import world.phantasmal.webui.dom.disposableListener import world.phantasmal.webui.dom.disposableListener
@ -29,7 +30,7 @@ fun main() {
} }
private fun init(): Disposable { private fun init(): Disposable {
val scope = DisposableScope(UiDispatcher) val disposer = Disposer()
val rootElement = document.body!!.root() val rootElement = document.body!!.root()
@ -40,32 +41,39 @@ private fun init(): Disposable {
}) })
} }
} }
scope.disposable { httpClient.cancel() } disposer.add(disposable { httpClient.cancel() })
val pathname = window.location.pathname val pathname = window.location.pathname
val basePath = window.location.origin + val basePath = window.location.origin +
(if (pathname.lastOrNull() == '/') pathname.dropLast(1) else pathname) (if (pathname.lastOrNull() == '/') pathname.dropLast(1) else pathname)
val scope = CoroutineScope(Job())
disposer.add(disposable { scope.cancel() })
disposer.add(
Application( Application(
scope, scope,
rootElement, rootElement,
HttpAssetLoader(httpClient, basePath), HttpAssetLoader(httpClient, basePath),
HistoryApplicationUrl(scope), disposer.add(HistoryApplicationUrl()),
createEngine = { Engine(it) } createEngine = { Engine(it) }
) )
)
return scope return disposer
} }
class HistoryApplicationUrl(scope: Scope) : ApplicationUrl { class HistoryApplicationUrl : TrackedDisposable(), ApplicationUrl {
private val path: String get() = window.location.pathname private val path: String get() = window.location.pathname
override val url = mutableVal(window.location.hash.substring(1)) override val url = mutableVal(window.location.hash.substring(1))
init { private val popStateListener = disposableListener<PopStateEvent>(window, "popstate", {
disposableListener<PopStateEvent>(scope, window, "popstate", {
url.value = window.location.hash.substring(1) url.value = window.location.hash.substring(1)
}) })
override fun internalDispose() {
popStateListener.dispose()
} }
override fun pushUrl(url: String) { override fun pushUrl(url: String) {

View File

@ -7,7 +7,6 @@ import org.w3c.dom.HTMLCanvasElement
import org.w3c.dom.HTMLElement import org.w3c.dom.HTMLElement
import org.w3c.dom.events.Event import org.w3c.dom.events.Event
import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.KeyboardEvent
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.application.controllers.MainContentController import world.phantasmal.web.application.controllers.MainContentController
import world.phantasmal.web.application.controllers.NavigationController import world.phantasmal.web.application.controllers.NavigationController
import world.phantasmal.web.application.widgets.ApplicationWidget import world.phantasmal.web.application.widgets.ApplicationWidget
@ -20,47 +19,52 @@ import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
import world.phantasmal.web.huntOptimizer.HuntOptimizer import world.phantasmal.web.huntOptimizer.HuntOptimizer
import world.phantasmal.web.questEditor.QuestEditor import world.phantasmal.web.questEditor.QuestEditor
import world.phantasmal.webui.DisposableContainer
import world.phantasmal.webui.dom.disposableListener import world.phantasmal.webui.dom.disposableListener
class Application( class Application(
scope: Scope, scope: CoroutineScope,
rootElement: HTMLElement, rootElement: HTMLElement,
assetLoader: AssetLoader, assetLoader: AssetLoader,
applicationUrl: ApplicationUrl, applicationUrl: ApplicationUrl,
createEngine: (HTMLCanvasElement) -> Engine, createEngine: (HTMLCanvasElement) -> Engine,
) { ) : DisposableContainer() {
init { init {
addDisposables(
// Disable native undo/redo. // Disable native undo/redo.
disposableListener(scope, document, "beforeinput", ::beforeInput) disposableListener(document, "beforeinput", ::beforeInput),
// Work-around for FireFox: // Work-around for FireFox:
disposableListener(scope, document, "keydown", ::keydown) disposableListener(document, "keydown", ::keydown),
// Disable native drag-and-drop to avoid users dragging in unsupported file formats and // Disable native drag-and-drop to avoid users dragging in unsupported file formats and
// leaving the application unexpectedly. // leaving the application unexpectedly.
disposableListener(scope, document, "dragenter", ::dragenter) disposableListener(document, "dragenter", ::dragenter),
disposableListener(scope, document, "dragover", ::dragover) disposableListener(document, "dragover", ::dragover),
disposableListener(scope, document, "drop", ::drop) disposableListener(document, "drop", ::drop),
)
// Initialize core stores shared by several submodules. // Initialize core stores shared by several submodules.
val uiStore = UiStore(scope, applicationUrl) val uiStore = addDisposable(UiStore(scope, applicationUrl))
// Controllers. // Controllers.
val navigationController = NavigationController(scope, uiStore) val navigationController = addDisposable(NavigationController(scope, uiStore))
val mainContentController = MainContentController(scope, uiStore) val mainContentController = addDisposable(MainContentController(scope, uiStore))
// Initialize application view. // Initialize application view.
val applicationWidget = ApplicationWidget( val applicationWidget = addDisposable(
ApplicationWidget(
scope, scope,
NavigationWidget(scope, navigationController), NavigationWidget(scope, navigationController),
MainContentWidget(scope, mainContentController, mapOf( MainContentWidget(scope, mainContentController, mapOf(
PwTool.QuestEditor to { s -> PwTool.QuestEditor to { s ->
QuestEditor(s, uiStore, createEngine).widget addDisposable(QuestEditor(s, uiStore, createEngine)).createWidget()
}, },
PwTool.HuntOptimizer to { s -> PwTool.HuntOptimizer to { s ->
HuntOptimizer(s, assetLoader, uiStore).widget addDisposable(HuntOptimizer(s, assetLoader, uiStore)).createWidget()
}, },
)) ))
) )
)
rootElement.appendChild(applicationWidget.element) rootElement.appendChild(applicationWidget.element)
} }

View File

@ -1,11 +1,11 @@
package world.phantasmal.web.application.controllers package world.phantasmal.web.application.controllers
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
import world.phantasmal.web.core.stores.UiStore import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.webui.controllers.Controller import world.phantasmal.webui.controllers.Controller
class MainContentController(scope: Scope, uiStore: UiStore) : Controller(scope) { class MainContentController(scope: CoroutineScope, uiStore: UiStore) : Controller(scope) {
val tools: Map<PwTool, Val<Boolean>> = uiStore.toolToActive val tools: Map<PwTool, Val<Boolean>> = uiStore.toolToActive
} }

View File

@ -1,12 +1,15 @@
package world.phantasmal.web.application.controllers package world.phantasmal.web.application.controllers
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
import world.phantasmal.web.core.stores.UiStore import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.webui.controllers.Controller import world.phantasmal.webui.controllers.Controller
class NavigationController(scope: Scope, private val uiStore: UiStore) : Controller(scope) { class NavigationController(
scope: CoroutineScope,
private val uiStore: UiStore,
) : Controller(scope) {
val tools: Map<PwTool, Val<Boolean>> = uiStore.toolToActive val tools: Map<PwTool, Val<Boolean>> = uiStore.toolToActive
fun setCurrentTool(tool: PwTool) { fun setCurrentTool(tool: PwTool) {

View File

@ -1,15 +1,15 @@
package world.phantasmal.web.application.widgets package world.phantasmal.web.application.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class ApplicationWidget( class ApplicationWidget(
scope: Scope, scope: CoroutineScope,
private val navigationWidget: NavigationWidget, private val navigationWidget: NavigationWidget,
private val mainContentWidget: MainContentWidget, private val mainContentWidget: MainContentWidget,
) : Widget(scope, ::style) { ) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = override fun Node.createElement() =
div(className = "pw-application-application") { div(className = "pw-application-application") {
addChild(navigationWidget) addChild(navigationWidget)

View File

@ -1,7 +1,7 @@
package world.phantasmal.web.application.widgets package world.phantasmal.web.application.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.not import world.phantasmal.observable.value.not
import world.phantasmal.web.application.controllers.MainContentController import world.phantasmal.web.application.controllers.MainContentController
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
@ -10,11 +10,12 @@ import world.phantasmal.webui.widgets.LazyLoader
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class MainContentWidget( class MainContentWidget(
scope: Scope, scope: CoroutineScope,
private val ctrl: MainContentController, private val ctrl: MainContentController,
private val toolViews: Map<PwTool, (Scope) -> Widget>, private val toolViews: Map<PwTool, (CoroutineScope) -> Widget>,
) : Widget(scope, ::style) { ) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = div(className = "pw-application-main-content") { override fun Node.createElement() =
div(className = "pw-application-main-content") {
ctrl.tools.forEach { (tool, active) -> ctrl.tools.forEach { (tool, active) ->
toolViews[tool]?.let { createWidget -> toolViews[tool]?.let { createWidget ->
addChild(LazyLoader(scope, hidden = !active, createWidget = createWidget)) addChild(LazyLoader(scope, hidden = !active, createWidget = createWidget))

View File

@ -1,13 +1,13 @@
package world.phantasmal.web.application.widgets package world.phantasmal.web.application.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.application.controllers.NavigationController import world.phantasmal.web.application.controllers.NavigationController
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class NavigationWidget(scope: Scope, private val ctrl: NavigationController) : class NavigationWidget(scope: CoroutineScope, private val ctrl: NavigationController) :
Widget(scope, ::style) { Widget(scope, listOf(::style)) {
override fun Node.createElement() = override fun Node.createElement() =
div(className = "pw-application-navigation") { div(className = "pw-application-navigation") {
ctrl.tools.forEach { (tool, active) -> ctrl.tools.forEach { (tool, active) ->

View File

@ -1,7 +1,7 @@
package world.phantasmal.web.application.widgets package world.phantasmal.web.application.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.Observable import world.phantasmal.observable.Observable
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
import world.phantasmal.webui.dom.input import world.phantasmal.webui.dom.input
@ -10,18 +10,18 @@ import world.phantasmal.webui.dom.span
import world.phantasmal.webui.widgets.Control import world.phantasmal.webui.widgets.Control
class PwToolButton( class PwToolButton(
scope: Scope, scope: CoroutineScope,
private val tool: PwTool, private val tool: PwTool,
private val toggled: Observable<Boolean>, private val toggled: Observable<Boolean>,
private val mouseDown: () -> Unit, private val mouseDown: () -> Unit,
) : Control(scope, ::style) { ) : Control(scope, listOf(::style)) {
private val inputId = "pw-application-pw-tool-button-${tool.name.toLowerCase()}" private val inputId = "pw-application-pw-tool-button-${tool.name.toLowerCase()}"
override fun Node.createElement() = override fun Node.createElement() =
span(className = "pw-application-pw-tool-button") { span(className = "pw-application-pw-tool-button") {
input(type = "radio", id = inputId) { input(type = "radio", id = inputId) {
name = "pw-application-pw-tool-button" name = "pw-application-pw-tool-button"
toggled.observe { checked = it } observe(toggled) { checked = it }
} }
label(htmlFor = inputId) { label(htmlFor = inputId) {
textContent = tool.uiName textContent = tool.uiName

View File

@ -1,6 +1,6 @@
package world.phantasmal.web.core.controllers package world.phantasmal.web.core.controllers
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
import world.phantasmal.web.core.stores.UiStore import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.webui.controllers.Tab import world.phantasmal.webui.controllers.Tab
@ -9,13 +9,13 @@ import world.phantasmal.webui.controllers.TabController
open class PathAwareTab(override val title: String, val path: String) : Tab open class PathAwareTab(override val title: String, val path: String) : Tab
open class PathAwareTabController<T : PathAwareTab>( open class PathAwareTabController<T : PathAwareTab>(
scope: Scope, scope: CoroutineScope,
private val uiStore: UiStore, private val uiStore: UiStore,
private val tool: PwTool, private val tool: PwTool,
tabs: List<T>, tabs: List<T>,
) : TabController<T>(scope, tabs) { ) : TabController<T>(scope, tabs) {
init { init {
uiStore.path.observe(scope, callNow = true) { (path) -> observe(uiStore.path) { path ->
if (uiStore.currentTool.value == tool) { if (uiStore.currentTool.value == tool) {
tabs.find { path.startsWith(it.path) }?.let { tabs.find { path.startsWith(it.path) }?.let {
setActiveTab(it, replaceUrl = true) setActiveTab(it, replaceUrl = true)

View File

@ -1,16 +1,14 @@
package world.phantasmal.web.core.rendering package world.phantasmal.web.core.rendering
import org.w3c.dom.HTMLCanvasElement import org.w3c.dom.HTMLCanvasElement
import world.phantasmal.core.disposable.Scope
import world.phantasmal.core.disposable.TrackedDisposable import world.phantasmal.core.disposable.TrackedDisposable
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
import world.phantasmal.web.externals.Scene import world.phantasmal.web.externals.Scene
abstract class Renderer( abstract class Renderer(
scope: Scope,
protected val canvas: HTMLCanvasElement, protected val canvas: HTMLCanvasElement,
createEngine: (HTMLCanvasElement) -> Engine, createEngine: (HTMLCanvasElement) -> Engine,
) : TrackedDisposable(scope) { ) : TrackedDisposable() {
protected val engine = createEngine(canvas) protected val engine = createEngine(canvas)
protected val scene = Scene(engine) protected val scene = Scene(engine)
@ -23,5 +21,6 @@ abstract class Renderer(
} }
override fun internalDispose() { override fun internalDispose() {
// TODO: Clean up Babylon resources.
} }
} }

View File

@ -1,8 +1,8 @@
package world.phantasmal.web.core.stores package world.phantasmal.web.core.stores
import kotlinx.browser.window import kotlinx.browser.window
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.KeyboardEvent
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.MutableVal import world.phantasmal.observable.value.MutableVal
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.mutableVal import world.phantasmal.observable.value.mutableVal
@ -27,7 +27,7 @@ interface ApplicationUrl {
fun replaceUrl(url: String) fun replaceUrl(url: String)
} }
class UiStore(scope: Scope, private val applicationUrl: ApplicationUrl) : Store(scope) { class UiStore(scope: CoroutineScope, private val applicationUrl: ApplicationUrl) : Store(scope) {
private val _currentTool: MutableVal<PwTool> private val _currentTool: MutableVal<PwTool>
private val _path = mutableVal("") private val _path = mutableVal("")
@ -85,8 +85,11 @@ class UiStore(scope: Scope, private val applicationUrl: ApplicationUrl) : Store(
} }
.toMap() .toMap()
disposableListener(scope, window, "keydown", ::dispatchGlobalKeydown) addDisposables(
applicationUrl.url.observe(scope, callNow = true) { setDataFromUrl(it.value) } disposableListener(window, "keydown", ::dispatchGlobalKeydown),
)
observe(applicationUrl.url) { setDataFromUrl(it) }
} }
fun setCurrentTool(tool: PwTool) { fun setCurrentTool(tool: PwTool) {

View File

@ -1,7 +1,7 @@
package world.phantasmal.web.core.widgets package world.phantasmal.web.core.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.web.core.newJsObject import world.phantasmal.web.core.newJsObject
@ -35,33 +35,29 @@ class DockedStack(
items: List<DockedItem> = emptyList(), items: List<DockedItem> = emptyList(),
) : DockedContainer(flex, items) ) : DockedContainer(flex, items)
class DocketWidget( class DockedWidget(
val id: String, val id: String,
val title: String, val title: String,
flex: Int? = null, flex: Int? = null,
val createWidget: (Scope) -> Widget, val createWidget: (CoroutineScope) -> Widget,
) : DockedItem(flex) ) : DockedItem(flex)
class DockWidget( class DockWidget(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
private val item: DockedItem, private val item: DockedItem,
) : Widget(scope, ::style, hidden) { ) : Widget(scope, listOf(::style), hidden) {
private lateinit var goldenLayout: GoldenLayout private lateinit var goldenLayout: GoldenLayout
init { init {
try {
// Importing the base CSS fails during unit tests.
js("""require("golden-layout/src/css/goldenlayout-base.css");""") js("""require("golden-layout/src/css/goldenlayout-base.css");""")
} catch (e: Throwable) {
e.printStackTrace()
}
observeResize() observeResize()
} }
override fun Node.createElement() = div(className = "pw-core-dock") { override fun Node.createElement() =
val idToCreate = mutableMapOf<String, (Scope) -> Widget>() div(className = "pw-core-dock") {
val idToCreate = mutableMapOf<String, (CoroutineScope) -> Widget>()
val config = newJsObject<GoldenLayout.Config> { val config = newJsObject<GoldenLayout.Config> {
settings = newJsObject<GoldenLayout.Settings> { settings = newJsObject<GoldenLayout.Settings> {
@ -85,7 +81,8 @@ class DockWidget(
idToCreate.forEach { (id, create) -> idToCreate.forEach { (id, create) ->
goldenLayout.registerComponent(id) { container: GoldenLayout.Container -> goldenLayout.registerComponent(id) { container: GoldenLayout.Container ->
container.getElement().append(create(scope).element) val node = container.getElement()[0] as Node
node.addChild(create(scope))
} }
} }
@ -106,17 +103,17 @@ class DockWidget(
private fun toConfigContent( private fun toConfigContent(
item: DockedItem, item: DockedItem,
idToCreate: MutableMap<String, (Scope) -> Widget>, idToCreate: MutableMap<String, (CoroutineScope) -> Widget>,
): GoldenLayout.ItemConfig { ): GoldenLayout.ItemConfig {
val itemType = when (item) { val itemType = when (item) {
is DockedRow -> "row" is DockedRow -> "row"
is DockedColumn -> "column" is DockedColumn -> "column"
is DockedStack -> "stack" is DockedStack -> "stack"
is DocketWidget -> "component" is DockedWidget -> "component"
} }
return when (item) { return when (item) {
is DocketWidget -> { is DockedWidget -> {
idToCreate[item.id] = item.createWidget idToCreate[item.id] = item.createWidget
newJsObject<GoldenLayout.ComponentConfig> { newJsObject<GoldenLayout.ComponentConfig> {

View File

@ -1,8 +1,8 @@
package world.phantasmal.web.core.widgets package world.phantasmal.web.core.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLCanvasElement import org.w3c.dom.HTMLCanvasElement
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
import world.phantasmal.web.questEditor.rendering.QuestRenderer import world.phantasmal.web.questEditor.rendering.QuestRenderer
import world.phantasmal.webui.dom.canvas import world.phantasmal.webui.dom.canvas
@ -10,12 +10,13 @@ import world.phantasmal.webui.widgets.Widget
import kotlin.math.floor import kotlin.math.floor
class RendererWidget( class RendererWidget(
scope: Scope, scope: CoroutineScope,
private val createEngine: (HTMLCanvasElement) -> Engine, private val createEngine: (HTMLCanvasElement) -> Engine,
) : Widget(scope, ::style) { ) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = canvas(className = "pw-core-renderer") { override fun Node.createElement() =
canvas(className = "pw-core-renderer") {
observeResize() observeResize()
QuestRenderer(scope, this, createEngine) addDisposable(QuestRenderer(this, createEngine))
} }
override fun resized(width: Double, height: Double) { override fun resized(width: Double, height: Double) {

View File

@ -4,7 +4,7 @@ import org.w3c.dom.Element
@JsModule("golden-layout") @JsModule("golden-layout")
@JsNonModule @JsNonModule
external open class GoldenLayout(configuration: Config, container: Element = definedExternally) { open external class GoldenLayout(configuration: Config, container: Element = definedExternally) {
open fun init() open fun init()
open fun updateSize(width: Double, height: Double) open fun updateSize(width: Double, height: Double)
open fun registerComponent(name: String, component: Any) open fun registerComponent(name: String, component: Any)
@ -12,128 +12,62 @@ external open class GoldenLayout(configuration: Config, container: Element = def
interface Settings { interface Settings {
var hasHeaders: Boolean? var hasHeaders: Boolean?
get() = definedExternally
set(value) = definedExternally
var constrainDragToContainer: Boolean? var constrainDragToContainer: Boolean?
get() = definedExternally
set(value) = definedExternally
var reorderEnabled: Boolean? var reorderEnabled: Boolean?
get() = definedExternally
set(value) = definedExternally
var selectionEnabled: Boolean? var selectionEnabled: Boolean?
get() = definedExternally
set(value) = definedExternally
var popoutWholeStack: Boolean? var popoutWholeStack: Boolean?
get() = definedExternally
set(value) = definedExternally
var blockedPopoutsThrowError: Boolean? var blockedPopoutsThrowError: Boolean?
get() = definedExternally
set(value) = definedExternally
var closePopoutsOnUnload: Boolean? var closePopoutsOnUnload: Boolean?
get() = definedExternally
set(value) = definedExternally
var showPopoutIcon: Boolean? var showPopoutIcon: Boolean?
get() = definedExternally
set(value) = definedExternally
var showMaximiseIcon: Boolean? var showMaximiseIcon: Boolean?
get() = definedExternally
set(value) = definedExternally
var showCloseIcon: Boolean? var showCloseIcon: Boolean?
get() = definedExternally
set(value) = definedExternally
} }
interface Dimensions { interface Dimensions {
var borderWidth: Number? var borderWidth: Number?
get() = definedExternally
set(value) = definedExternally
var minItemHeight: Number? var minItemHeight: Number?
get() = definedExternally
set(value) = definedExternally
var minItemWidth: Number? var minItemWidth: Number?
get() = definedExternally
set(value) = definedExternally
var headerHeight: Number? var headerHeight: Number?
get() = definedExternally
set(value) = definedExternally
var dragProxyWidth: Number? var dragProxyWidth: Number?
get() = definedExternally
set(value) = definedExternally
var dragProxyHeight: Number? var dragProxyHeight: Number?
get() = definedExternally
set(value) = definedExternally
} }
interface Labels { interface Labels {
var close: String? var close: String?
get() = definedExternally
set(value) = definedExternally
var maximise: String? var maximise: String?
get() = definedExternally
set(value) = definedExternally
var minimise: String? var minimise: String?
get() = definedExternally
set(value) = definedExternally
var popout: String? var popout: String?
get() = definedExternally
set(value) = definedExternally
} }
interface ItemConfig { interface ItemConfig {
var type: String var type: String
var content: Array<ItemConfig>? var content: Array<ItemConfig>?
get() = definedExternally
set(value) = definedExternally
var width: Number? var width: Number?
get() = definedExternally
set(value) = definedExternally
var height: Number? var height: Number?
get() = definedExternally
set(value) = definedExternally
var id: dynamic /* String? | Array<String>? */ var id: dynamic /* String? | Array<String>? */
get() = definedExternally
set(value) = definedExternally
var isClosable: Boolean? var isClosable: Boolean?
get() = definedExternally
set(value) = definedExternally
var title: String? var title: String?
get() = definedExternally
set(value) = definedExternally
} }
interface ComponentConfig : ItemConfig { interface ComponentConfig : ItemConfig {
var componentName: String var componentName: String
var componentState: Any? var componentState: Any?
get() = definedExternally
set(value) = definedExternally
} }
interface ReactComponentConfig : ItemConfig { interface ReactComponentConfig : ItemConfig {
var component: String var component: String
var props: Any? var props: Any?
get() = definedExternally
set(value) = definedExternally
} }
interface Config { interface Config {
var settings: Settings? var settings: Settings?
get() = definedExternally
set(value) = definedExternally
var dimensions: Dimensions? var dimensions: Dimensions?
get() = definedExternally
set(value) = definedExternally
var labels: Labels? var labels: Labels?
get() = definedExternally var content: Array<ItemConfig>?
set(value) = definedExternally
var content: Array<dynamic /* ItemConfig | ComponentConfig | ReactComponentConfig */>?
get() = definedExternally
set(value) = definedExternally
} }
interface ContentItem : EventEmitter { interface ContentItem : EventEmitter {
var config: dynamic /* ItemConfig | ComponentConfig | ReactComponentConfig */ var config: ItemConfig
get() = definedExternally
set(value) = definedExternally
var type: String var type: String
var contentItems: Array<ContentItem> var contentItems: Array<ContentItem>
var parent: ContentItem var parent: ContentItem

View File

@ -1,6 +1,6 @@
package world.phantasmal.web.huntOptimizer package world.phantasmal.web.huntOptimizer
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.web.core.AssetLoader import world.phantasmal.web.core.AssetLoader
import world.phantasmal.web.core.stores.UiStore import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.web.huntOptimizer.controllers.HuntOptimizerController import world.phantasmal.web.huntOptimizer.controllers.HuntOptimizerController
@ -8,18 +8,22 @@ import world.phantasmal.web.huntOptimizer.controllers.MethodsController
import world.phantasmal.web.huntOptimizer.stores.HuntMethodStore import world.phantasmal.web.huntOptimizer.stores.HuntMethodStore
import world.phantasmal.web.huntOptimizer.widgets.HuntOptimizerWidget import world.phantasmal.web.huntOptimizer.widgets.HuntOptimizerWidget
import world.phantasmal.web.huntOptimizer.widgets.MethodsWidget import world.phantasmal.web.huntOptimizer.widgets.MethodsWidget
import world.phantasmal.webui.DisposableContainer
import world.phantasmal.webui.widgets.Widget
class HuntOptimizer( class HuntOptimizer(
scope: Scope, private val scope: CoroutineScope,
assetLoader: AssetLoader, assetLoader: AssetLoader,
uiStore: UiStore, uiStore: UiStore,
) { ) : DisposableContainer() {
private val huntMethodStore = HuntMethodStore(scope, uiStore, assetLoader) private val huntMethodStore = addDisposable(HuntMethodStore(scope, uiStore, assetLoader))
private val huntOptimizerController = HuntOptimizerController(scope, uiStore) private val huntOptimizerController = addDisposable(HuntOptimizerController(scope, uiStore))
private val methodsController = MethodsController(scope, uiStore, huntMethodStore) private val methodsController =
addDisposable(MethodsController(scope, uiStore, huntMethodStore))
val widget = HuntOptimizerWidget( fun createWidget(): Widget =
HuntOptimizerWidget(
scope, scope,
ctrl = huntOptimizerController, ctrl = huntOptimizerController,
createMethodsWidget = { scope -> MethodsWidget(scope, methodsController) } createMethodsWidget = { scope -> MethodsWidget(scope, methodsController) }

View File

@ -1,13 +1,13 @@
package world.phantasmal.web.huntOptimizer.controllers package world.phantasmal.web.huntOptimizer.controllers
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.web.core.controllers.PathAwareTab import world.phantasmal.web.core.controllers.PathAwareTab
import world.phantasmal.web.core.controllers.PathAwareTabController import world.phantasmal.web.core.controllers.PathAwareTabController
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
import world.phantasmal.web.core.stores.UiStore import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.web.huntOptimizer.HuntOptimizerUrls import world.phantasmal.web.huntOptimizer.HuntOptimizerUrls
class HuntOptimizerController(scope: Scope, uiStore: UiStore) : class HuntOptimizerController(scope: CoroutineScope, uiStore: UiStore) :
PathAwareTabController<PathAwareTab>( PathAwareTabController<PathAwareTab>(
scope, scope,
uiStore, uiStore,

View File

@ -1,6 +1,6 @@
package world.phantasmal.web.huntOptimizer.controllers package world.phantasmal.web.huntOptimizer.controllers
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.lib.fileFormats.quest.Episode import world.phantasmal.lib.fileFormats.quest.Episode
import world.phantasmal.observable.value.list.ListVal import world.phantasmal.observable.value.list.ListVal
import world.phantasmal.observable.value.list.MutableListVal import world.phantasmal.observable.value.list.MutableListVal
@ -16,7 +16,7 @@ import world.phantasmal.web.huntOptimizer.stores.HuntMethodStore
class MethodsTab(title: String, path: String, val episode: Episode) : PathAwareTab(title, path) class MethodsTab(title: String, path: String, val episode: Episode) : PathAwareTab(title, path)
class MethodsController( class MethodsController(
scope: Scope, scope: CoroutineScope,
uiStore: UiStore, uiStore: UiStore,
huntMethodStore: HuntMethodStore, huntMethodStore: HuntMethodStore,
) : PathAwareTabController<MethodsTab>( ) : PathAwareTabController<MethodsTab>(
@ -35,7 +35,7 @@ class MethodsController(
init { init {
// TODO: Use filtered ListVals. // TODO: Use filtered ListVals.
huntMethodStore.methods.observe(scope, callNow = true) { (methods) -> observe(huntMethodStore.methods) { methods ->
val ep1 = _episodeToMethods.getOrPut(Episode.I) { mutableListVal() } val ep1 = _episodeToMethods.getOrPut(Episode.I) { mutableListVal() }
val ep2 = _episodeToMethods.getOrPut(Episode.II) { mutableListVal() } val ep2 = _episodeToMethods.getOrPut(Episode.II) { mutableListVal() }
val ep4 = _episodeToMethods.getOrPut(Episode.IV) { mutableListVal() } val ep4 = _episodeToMethods.getOrPut(Episode.IV) { mutableListVal() }

View File

@ -1,8 +1,8 @@
package world.phantasmal.web.huntOptimizer.stores package world.phantasmal.web.huntOptimizer.stores
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.launch import kotlinx.coroutines.launch
import kotlinx.coroutines.withContext import kotlinx.coroutines.withContext
import world.phantasmal.core.disposable.Scope
import world.phantasmal.lib.fileFormats.quest.Episode import world.phantasmal.lib.fileFormats.quest.Episode
import world.phantasmal.lib.fileFormats.quest.NpcType import world.phantasmal.lib.fileFormats.quest.NpcType
import world.phantasmal.observable.value.list.ListVal import world.phantasmal.observable.value.list.ListVal
@ -21,14 +21,14 @@ import kotlin.collections.set
import kotlin.time.minutes import kotlin.time.minutes
class HuntMethodStore( class HuntMethodStore(
scope: Scope, scope: CoroutineScope,
uiStore: UiStore, uiStore: UiStore,
private val assetLoader: AssetLoader, private val assetLoader: AssetLoader,
) : Store(scope) { ) : Store(scope) {
private val _methods = mutableListVal<HuntMethodModel>() private val _methods = mutableListVal<HuntMethodModel>()
val methods: ListVal<HuntMethodModel> by lazy { val methods: ListVal<HuntMethodModel> by lazy {
uiStore.server.observe(scope, callNow = true) { loadMethods(it.value) } observe(uiStore.server) { loadMethods(it) }
_methods _methods
} }

View File

@ -1,13 +1,14 @@
package world.phantasmal.web.huntOptimizer.widgets package world.phantasmal.web.huntOptimizer.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.dom.p import world.phantasmal.webui.dom.p
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class HelpWidget(scope: Scope) : Widget(scope, ::style) { class HelpWidget(scope: CoroutineScope) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = div(className = "pw-hunt-optimizer-help") { override fun Node.createElement() =
div(className = "pw-hunt-optimizer-help") {
p { p {
textContent = textContent =
"Add some items with the combo box on the left to see the optimal combination of hunt methods on the right." "Add some items with the combo box on the left to see the optimal combination of hunt methods on the right."

View File

@ -1,7 +1,7 @@
package world.phantasmal.web.huntOptimizer.widgets package world.phantasmal.web.huntOptimizer.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.huntOptimizer.HuntOptimizerUrls import world.phantasmal.web.huntOptimizer.HuntOptimizerUrls
import world.phantasmal.web.huntOptimizer.controllers.HuntOptimizerController import world.phantasmal.web.huntOptimizer.controllers.HuntOptimizerController
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
@ -9,10 +9,10 @@ import world.phantasmal.webui.widgets.TabContainer
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class HuntOptimizerWidget( class HuntOptimizerWidget(
scope: Scope, scope: CoroutineScope,
private val ctrl: HuntOptimizerController, private val ctrl: HuntOptimizerController,
private val createMethodsWidget: (Scope) -> MethodsWidget, private val createMethodsWidget: (CoroutineScope) -> MethodsWidget,
) : Widget(scope, ::style) { ) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = div(className = "pw-hunt-optimizer-hunt-optimizer") { override fun Node.createElement() = div(className = "pw-hunt-optimizer-hunt-optimizer") {
addChild(TabContainer( addChild(TabContainer(
scope, scope,

View File

@ -1,21 +1,20 @@
package world.phantasmal.web.huntOptimizer.widgets package world.phantasmal.web.huntOptimizer.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.lib.fileFormats.quest.Episode import world.phantasmal.lib.fileFormats.quest.Episode
import world.phantasmal.web.huntOptimizer.controllers.MethodsController import world.phantasmal.web.huntOptimizer.controllers.MethodsController
import world.phantasmal.webui.dom.bindChildrenTo
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class MethodsForEpisodeWidget( class MethodsForEpisodeWidget(
scope: Scope, scope: CoroutineScope,
private val ctrl: MethodsController, private val ctrl: MethodsController,
private val episode: Episode, private val episode: Episode,
) : Widget(scope, ::style) { ) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = override fun Node.createElement() =
div(className = "pw-hunt-optimizer-methods-for-episode") { div(className = "pw-hunt-optimizer-methods-for-episode") {
bindChildrenTo(scope, ctrl.episodeToMethods.getValue(episode)) { method, _ -> bindChildrenTo(ctrl.episodeToMethods.getValue(episode)) { method, _ ->
div { textContent = method.name } div { textContent = method.name }
} }
} }

View File

@ -1,14 +1,18 @@
package world.phantasmal.web.huntOptimizer.widgets package world.phantasmal.web.huntOptimizer.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.huntOptimizer.controllers.MethodsController import world.phantasmal.web.huntOptimizer.controllers.MethodsController
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.TabContainer import world.phantasmal.webui.widgets.TabContainer
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class MethodsWidget(scope: Scope, private val ctrl: MethodsController) : Widget(scope, ::style) { class MethodsWidget(
override fun Node.createElement() = div(className = "pw-hunt-optimizer-methods") { scope: CoroutineScope,
private val ctrl: MethodsController,
) : Widget(scope, listOf(::style)) {
override fun Node.createElement() =
div(className = "pw-hunt-optimizer-methods") {
addChild(TabContainer(scope, ctrl = ctrl, createWidget = { scope, tab -> addChild(TabContainer(scope, ctrl = ctrl, createWidget = { scope, tab ->
MethodsForEpisodeWidget(scope, ctrl, tab.episode) MethodsForEpisodeWidget(scope, ctrl, tab.episode)
})) }))

View File

@ -1,24 +1,35 @@
package world.phantasmal.web.questEditor package world.phantasmal.web.questEditor
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLCanvasElement import org.w3c.dom.HTMLCanvasElement
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.core.stores.UiStore import world.phantasmal.web.core.stores.UiStore
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
import world.phantasmal.web.questEditor.controllers.QuestEditorToolbarController import world.phantasmal.web.questEditor.controllers.QuestEditorToolbarController
import world.phantasmal.web.questEditor.controllers.QuestInfoController
import world.phantasmal.web.questEditor.stores.QuestEditorStore
import world.phantasmal.web.questEditor.widgets.QuestEditorRendererWidget import world.phantasmal.web.questEditor.widgets.QuestEditorRendererWidget
import world.phantasmal.web.questEditor.widgets.QuestEditorToolbar import world.phantasmal.web.questEditor.widgets.QuestEditorToolbar
import world.phantasmal.web.questEditor.widgets.QuestEditorWidget import world.phantasmal.web.questEditor.widgets.QuestEditorWidget
import world.phantasmal.web.questEditor.widgets.QuestInfoWidget
import world.phantasmal.webui.DisposableContainer
import world.phantasmal.webui.widgets.Widget
class QuestEditor( class QuestEditor(
scope: Scope, private val scope: CoroutineScope,
uiStore: UiStore, uiStore: UiStore,
createEngine: (HTMLCanvasElement) -> Engine, private val createEngine: (HTMLCanvasElement) -> Engine,
) { ) : DisposableContainer() {
private val toolbarController = QuestEditorToolbarController(scope) private val questEditorStore = addDisposable(QuestEditorStore(scope))
val widget = QuestEditorWidget( private val toolbarController =
addDisposable(QuestEditorToolbarController(scope, questEditorStore))
private val questInfoController = addDisposable(QuestInfoController(scope, questEditorStore))
fun createWidget(): Widget =
QuestEditorWidget(
scope, scope,
QuestEditorToolbar(scope, toolbarController), QuestEditorToolbar(scope, toolbarController),
{ scope -> QuestInfoWidget(scope, questInfoController) },
{ scope -> QuestEditorRendererWidget(scope, createEngine) } { scope -> QuestEditorRendererWidget(scope, createEngine) }
) )
} }

View File

@ -1,15 +1,31 @@
package world.phantasmal.web.questEditor.controllers package world.phantasmal.web.questEditor.controllers
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.launch import kotlinx.coroutines.launch
import org.w3c.files.File import org.w3c.files.File
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.*
import world.phantasmal.lib.Endianness
import world.phantasmal.lib.cursor.ArrayBufferCursor
import world.phantasmal.lib.fileFormats.quest.Quest
import world.phantasmal.lib.fileFormats.quest.parseBinDatToQuest
import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.mutableVal
import world.phantasmal.web.questEditor.stores.QuestEditorStore
import world.phantasmal.web.questEditor.stores.convertQuestToModel
import world.phantasmal.webui.controllers.Controller import world.phantasmal.webui.controllers.Controller
import world.phantasmal.webui.readFile import world.phantasmal.webui.readFile
class QuestEditorToolbarController( class QuestEditorToolbarController(
scope: Scope, scope: CoroutineScope,
private val questEditorStore: QuestEditorStore
) : Controller(scope) { ) : Controller(scope) {
fun filesOpened(files: List<File>) { private val _resultDialogVisible = mutableVal(false)
private val _result = mutableVal<PwResult<*>?>(null)
val resultDialogVisible: Val<Boolean> = _resultDialogVisible
val result: Val<PwResult<*>?> = _result
fun openFiles(files: List<File>) {
launch { launch {
if (files.isEmpty()) return@launch if (files.isEmpty()) return@launch
@ -22,12 +38,38 @@ class QuestEditorToolbarController(
val bin = files.find { it.name.endsWith(".bin", ignoreCase = true) } val bin = files.find { it.name.endsWith(".bin", ignoreCase = true) }
val dat = files.find { it.name.endsWith(".dat", ignoreCase = true) } val dat = files.find { it.name.endsWith(".dat", ignoreCase = true) }
if (bin != null && dat != null) { if (bin == null || dat == null) {
setResult(Failure(listOf(Problem(
Severity.Error,
"Please select a .qst file or one .bin and one .dat file."
))))
return@launch
}
val binBuffer = readFile(bin) val binBuffer = readFile(bin)
val datBuffer = readFile(dat) val datBuffer = readFile(dat)
// TODO: Parse bin and dat. val parseResult = parseBinDatToQuest(
ArrayBufferCursor(binBuffer, Endianness.Little),
ArrayBufferCursor(datBuffer, Endianness.Little)
)
setResult(parseResult)
if (parseResult is Success) {
setCurrentQuest(parseResult.value)
} }
} }
} }
} }
private fun setCurrentQuest(quest: Quest) {
questEditorStore.setCurrentQuest(convertQuestToModel(quest))
}
private fun setResult(result: PwResult<*>) {
_result.value = result
if (result.problems.isNotEmpty()) {
_resultDialogVisible.value = true
}
}
} }

View File

@ -0,0 +1,11 @@
package world.phantasmal.web.questEditor.controllers
import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.value
import world.phantasmal.web.questEditor.stores.QuestEditorStore
import world.phantasmal.webui.controllers.Controller
class QuestInfoController(scope: CoroutineScope, store: QuestEditorStore) : Controller(scope) {
val id: Val<Int> = store.currentQuest.flatTransform { it?.id ?: value(0) }
}

View File

@ -0,0 +1,71 @@
package world.phantasmal.web.questEditor.models
import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.mutableVal
class QuestModel(
id: Int,
language: Int,
name: String,
shortDescription: String,
longDescription: String,
) {
private val _id = mutableVal(0)
private val _language = mutableVal(0)
private val _name = mutableVal("")
private val _shortDescription = mutableVal("")
private val _longDescription = mutableVal("")
val id: Val<Int> = _id
val language: Val<Int> = _language
val name: Val<String> = _name
val shortDescription: Val<String> = _shortDescription
val longDescription: Val<String> = _longDescription
init {
setId(id)
setLanguage(language)
setName(name)
setShortDescription(shortDescription)
setLongDescription(longDescription)
}
fun setId(id: Int): QuestModel {
require(id >= 0) { "id should be greater than or equal to 0, was ${id}." }
_id.value = id
return this
}
fun setLanguage(language: Int): QuestModel {
require(language >= 0) { "language should be greater than or equal to 0, was ${language}." }
_language.value = language
return this
}
fun setName(name: String): QuestModel {
require(name.length <= 32) { """name can't be longer than 32 characters, got "$name".""" }
_name.value = name
return this
}
fun setShortDescription(shortDescription: String): QuestModel {
require(shortDescription.length <= 128) {
"""shortDescription can't be longer than 128 characters, got "$shortDescription"."""
}
_shortDescription.value = shortDescription
return this
}
fun setLongDescription(longDescription: String): QuestModel {
require(longDescription.length <= 288) {
"""longDescription can't be longer than 288 characters, got "$longDescription"."""
}
_longDescription.value = longDescription
return this
}
}

View File

@ -1,17 +1,15 @@
package world.phantasmal.web.questEditor.rendering package world.phantasmal.web.questEditor.rendering
import org.w3c.dom.HTMLCanvasElement import org.w3c.dom.HTMLCanvasElement
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.core.newJsObject import world.phantasmal.web.core.newJsObject
import world.phantasmal.web.core.rendering.Renderer import world.phantasmal.web.core.rendering.Renderer
import world.phantasmal.web.externals.* import world.phantasmal.web.externals.*
import kotlin.math.PI import kotlin.math.PI
class QuestRenderer( class QuestRenderer(
scope: Scope,
canvas: HTMLCanvasElement, canvas: HTMLCanvasElement,
createEngine: (HTMLCanvasElement) -> Engine, createEngine: (HTMLCanvasElement) -> Engine,
) : Renderer(scope, canvas, createEngine) { ) : Renderer(canvas, createEngine) {
private val camera = ArcRotateCamera("Camera", PI / 2, PI / 2, 2.0, Vector3.Zero(), scene) private val camera = ArcRotateCamera("Camera", PI / 2, PI / 2, 2.0, Vector3.Zero(), scene)
private val light = HemisphericLight("Light", Vector3(1.0, 1.0, 0.0), scene) private val light = HemisphericLight("Light", Vector3(1.0, 1.0, 0.0), scene)
private val cylinder = private val cylinder =

View File

@ -0,0 +1,14 @@
package world.phantasmal.web.questEditor.stores
import world.phantasmal.lib.fileFormats.quest.Quest
import world.phantasmal.web.questEditor.models.QuestModel
fun convertQuestToModel(quest: Quest): QuestModel {
return QuestModel(
quest.id,
quest.language,
quest.name,
quest.shortDescription,
quest.longDescription
)
}

View File

@ -0,0 +1,17 @@
package world.phantasmal.web.questEditor.stores
import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.mutableVal
import world.phantasmal.web.questEditor.models.QuestModel
import world.phantasmal.webui.stores.Store
class QuestEditorStore(scope: CoroutineScope) : Store(scope) {
private val _currentQuest = mutableVal<QuestModel?>(null)
val currentQuest: Val<QuestModel?> = _currentQuest
fun setCurrentQuest(quest: QuestModel?) {
_currentQuest.value = quest
}
}

View File

@ -1,11 +1,11 @@
package world.phantasmal.web.questEditor.widgets package world.phantasmal.web.questEditor.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLCanvasElement import org.w3c.dom.HTMLCanvasElement
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
class QuestEditorRendererWidget( class QuestEditorRendererWidget(
scope: Scope, scope: CoroutineScope,
createEngine: (HTMLCanvasElement) -> Engine, createEngine: (HTMLCanvasElement) -> Engine,
) : QuestRendererWidget(scope, createEngine) { ) : QuestRendererWidget(scope, createEngine) {
} }

View File

@ -1,7 +1,7 @@
package world.phantasmal.web.questEditor.widgets package world.phantasmal.web.questEditor.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.questEditor.controllers.QuestEditorToolbarController import world.phantasmal.web.questEditor.controllers.QuestEditorToolbarController
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.FileButton import world.phantasmal.webui.widgets.FileButton
@ -9,7 +9,7 @@ import world.phantasmal.webui.widgets.Toolbar
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
class QuestEditorToolbar( class QuestEditorToolbar(
scope: Scope, scope: CoroutineScope,
private val ctrl: QuestEditorToolbarController, private val ctrl: QuestEditorToolbarController,
) : Widget(scope) { ) : Widget(scope) {
override fun Node.createElement() = div(className = "pw-quest-editor-toolbar") { override fun Node.createElement() = div(className = "pw-quest-editor-toolbar") {
@ -21,7 +21,7 @@ class QuestEditorToolbar(
text = "Open file...", text = "Open file...",
accept = ".bin, .dat, .qst", accept = ".bin, .dat, .qst",
multiple = true, multiple = true,
filesSelected = ctrl::filesOpened filesSelected = ctrl::openFiles
) )
) )
)) ))

View File

@ -1,13 +1,13 @@
package world.phantasmal.web.questEditor.widgets package world.phantasmal.web.questEditor.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.core.widgets.* import world.phantasmal.web.core.widgets.*
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
// TODO: Remove TestWidget. // TODO: Remove TestWidget.
private class TestWidget(scope: Scope) : Widget(scope) { private class TestWidget(scope: CoroutineScope) : Widget(scope) {
override fun Node.createElement() = div { override fun Node.createElement() = div {
textContent = "Test ${++count}" textContent = "Test ${++count}"
} }
@ -18,10 +18,11 @@ private class TestWidget(scope: Scope) : Widget(scope) {
} }
open class QuestEditorWidget( open class QuestEditorWidget(
scope: Scope, scope: CoroutineScope,
private val toolbar: QuestEditorToolbar, private val toolbar: Widget,
private val createQuestRendererWidget: (Scope) -> Widget, private val createQuestInfoWidget: (CoroutineScope) -> Widget,
) : Widget(scope, ::style) { private val createQuestRendererWidget: (CoroutineScope) -> Widget,
) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = override fun Node.createElement() =
div(className = "pw-quest-editor-quest-editor") { div(className = "pw-quest-editor-quest-editor") {
addChild(toolbar) addChild(toolbar)
@ -34,19 +35,19 @@ open class QuestEditorWidget(
items = listOf( items = listOf(
DockedStack( DockedStack(
items = listOf( items = listOf(
DocketWidget( DockedWidget(
title = "Info", title = "Info",
id = "info", id = "info",
createWidget = ::TestWidget createWidget = createQuestInfoWidget
), ),
DocketWidget( DockedWidget(
title = "NPC Counts", title = "NPC Counts",
id = "npc_counts", id = "npc_counts",
createWidget = ::TestWidget createWidget = ::TestWidget
), ),
) )
), ),
DocketWidget( DockedWidget(
title = "Entity", title = "Entity",
id = "entity_info", id = "entity_info",
createWidget = ::TestWidget createWidget = ::TestWidget
@ -56,12 +57,12 @@ open class QuestEditorWidget(
DockedStack( DockedStack(
flex = 9, flex = 9,
items = listOf( items = listOf(
DocketWidget( DockedWidget(
title = "3D View", title = "3D View",
id = "quest_renderer", id = "quest_renderer",
createWidget = createQuestRendererWidget createWidget = createQuestRendererWidget
), ),
DocketWidget( DockedWidget(
title = "Script", title = "Script",
id = "asm_editor", id = "asm_editor",
createWidget = ::TestWidget createWidget = ::TestWidget
@ -71,17 +72,17 @@ open class QuestEditorWidget(
DockedStack( DockedStack(
flex = 2, flex = 2,
items = listOf( items = listOf(
DocketWidget( DockedWidget(
title = "NPCs", title = "NPCs",
id = "npc_list_view", id = "npc_list_view",
createWidget = ::TestWidget createWidget = ::TestWidget
), ),
DocketWidget( DockedWidget(
title = "Objects", title = "Objects",
id = "object_list_view", id = "object_list_view",
createWidget = ::TestWidget createWidget = ::TestWidget
), ),
DocketWidget( DockedWidget(
title = "Events", title = "Events",
id = "events_view", id = "events_view",
createWidget = ::TestWidget createWidget = ::TestWidget

View File

@ -0,0 +1,65 @@
package world.phantasmal.web.questEditor.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node
import world.phantasmal.web.questEditor.controllers.QuestInfoController
import world.phantasmal.webui.dom.*
import world.phantasmal.webui.widgets.IntInput
import world.phantasmal.webui.widgets.Widget
class QuestInfoWidget(
scope: CoroutineScope,
private val ctrl: QuestInfoController,
) : Widget(scope, listOf(::style)) {
override fun Node.createElement() =
div(className = "pw-quest-editor-quest-info", tabIndex = -1) {
table {
tr {
th { textContent = "Episode:" }
td()
}
tr {
th { textContent = "ID:" }
td {
addChild(IntInput(
this@QuestInfoWidget.scope,
valueVal = ctrl.id,
min = 0,
step = 0
))
}
}
}
}
}
@Suppress("CssUnusedSymbol")
// language=css
private fun style() = """
.pw-quest-editor-quest-info {
box-sizing: border-box;
padding: 3px;
overflow: auto;
outline: none;
}
.pw-quest-editor-quest-info table {
width: 100%;
}
.pw-quest-editor-quest-info th {
text-align: left;
}
.pw-quest-editor-quest-info .pw-text-input {
width: 100%;
}
.pw-quest-editor-quest-info .pw-text-area {
width: 100%;
}
.pw-quest-editor-quest-info textarea {
width: 100%;
}
"""

View File

@ -1,17 +1,17 @@
package world.phantasmal.web.questEditor.widgets package world.phantasmal.web.questEditor.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLCanvasElement import org.w3c.dom.HTMLCanvasElement
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.web.core.widgets.RendererWidget import world.phantasmal.web.core.widgets.RendererWidget
import world.phantasmal.web.externals.Engine import world.phantasmal.web.externals.Engine
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
import world.phantasmal.webui.widgets.Widget import world.phantasmal.webui.widgets.Widget
abstract class QuestRendererWidget( abstract class QuestRendererWidget(
scope: Scope, scope: CoroutineScope,
private val createEngine: (HTMLCanvasElement) -> Engine, private val createEngine: (HTMLCanvasElement) -> Engine,
) : Widget(scope, ::style) { ) : Widget(scope, listOf(::style)) {
override fun Node.createElement() = div(className = "pw-quest-editor-quest-renderer") { override fun Node.createElement() = div(className = "pw-quest-editor-quest-renderer") {
addChild(RendererWidget(scope, createEngine)) addChild(RendererWidget(scope, createEngine))
} }

View File

@ -4,10 +4,10 @@ import io.ktor.client.*
import io.ktor.client.features.json.* import io.ktor.client.features.json.*
import io.ktor.client.features.json.serializer.* import io.ktor.client.features.json.serializer.*
import kotlinx.browser.document import kotlinx.browser.document
import kotlinx.coroutines.Job
import kotlinx.coroutines.cancel import kotlinx.coroutines.cancel
import world.phantasmal.core.disposable.DisposableScope import world.phantasmal.core.disposable.Disposer
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.core.disposable.use
import world.phantasmal.testUtils.TestSuite import world.phantasmal.testUtils.TestSuite
import world.phantasmal.web.core.HttpAssetLoader import world.phantasmal.web.core.HttpAssetLoader
import world.phantasmal.web.core.stores.PwTool import world.phantasmal.web.core.stores.PwTool
@ -19,9 +19,7 @@ class ApplicationTests : TestSuite() {
@Test @Test
fun initialization_and_shutdown_should_succeed_without_throwing() { fun initialization_and_shutdown_should_succeed_without_throwing() {
(listOf(null) + PwTool.values().toList()).forEach { tool -> (listOf(null) + PwTool.values().toList()).forEach { tool ->
val scope = DisposableScope(Job()) Disposer().use { disposer ->
try {
val httpClient = HttpClient { val httpClient = HttpClient {
install(JsonFeature) { install(JsonFeature) {
serializer = KotlinxSerializer(kotlinx.serialization.json.Json { serializer = KotlinxSerializer(kotlinx.serialization.json.Json {
@ -29,17 +27,19 @@ class ApplicationTests : TestSuite() {
}) })
} }
} }
scope.disposable { httpClient.cancel() } disposer.add(disposable { httpClient.cancel() })
val appUrl = TestApplicationUrl(if (tool == null) "" else "/${tool.slug}")
disposer.add(
Application( Application(
scope, scope,
rootElement = document.body!!, rootElement = document.body!!,
assetLoader = HttpAssetLoader(httpClient, basePath = ""), assetLoader = HttpAssetLoader(httpClient, basePath = ""),
applicationUrl = TestApplicationUrl(if (tool == null) "" else "/${tool.slug}"), applicationUrl = appUrl,
createEngine = { Engine(it) } createEngine = { Engine(it) }
) )
} finally { )
scope.dispose()
} }
} }
} }

View File

@ -41,13 +41,15 @@ class PathAwareTabControllerTests : TestSuite() {
@Test @Test
fun applicationUrl_changes_when_switch_to_tool_with_tabs() { fun applicationUrl_changes_when_switch_to_tool_with_tabs() {
val appUrl = TestApplicationUrl("/") val appUrl = TestApplicationUrl("/")
val uiStore = UiStore(scope, appUrl) val uiStore = disposer.add(UiStore(scope, appUrl))
disposer.add(
PathAwareTabController(scope, uiStore, PwTool.HuntOptimizer, listOf( PathAwareTabController(scope, uiStore, PwTool.HuntOptimizer, listOf(
PathAwareTab("A", "/a"), PathAwareTab("A", "/a"),
PathAwareTab("B", "/b"), PathAwareTab("B", "/b"),
PathAwareTab("C", "/c"), PathAwareTab("C", "/c"),
)) ))
)
assertFalse(appUrl.canGoBack) assertFalse(appUrl.canGoBack)
assertFalse(appUrl.canGoForward) assertFalse(appUrl.canGoForward)
@ -68,14 +70,16 @@ class PathAwareTabControllerTests : TestSuite() {
block: (PathAwareTabController<PathAwareTab>, applicationUrl: TestApplicationUrl) -> Unit, block: (PathAwareTabController<PathAwareTab>, applicationUrl: TestApplicationUrl) -> Unit,
) { ) {
val applicationUrl = TestApplicationUrl("/${PwTool.HuntOptimizer.slug}/b") val applicationUrl = TestApplicationUrl("/${PwTool.HuntOptimizer.slug}/b")
val uiStore = UiStore(scope, applicationUrl) val uiStore = disposer.add(UiStore(scope, applicationUrl))
uiStore.setCurrentTool(PwTool.HuntOptimizer) uiStore.setCurrentTool(PwTool.HuntOptimizer)
val ctrl = PathAwareTabController(scope, uiStore, PwTool.HuntOptimizer, listOf( val ctrl = disposer.add(
PathAwareTabController(scope, uiStore, PwTool.HuntOptimizer, listOf(
PathAwareTab("A", "/a"), PathAwareTab("A", "/a"),
PathAwareTab("B", "/b"), PathAwareTab("B", "/b"),
PathAwareTab("C", "/c"), PathAwareTab("C", "/c"),
)) ))
)
block(ctrl, applicationUrl) block(ctrl, applicationUrl)
} }

View File

@ -11,7 +11,7 @@ class UiStoreTests : TestSuite() {
@Test @Test
fun applicationUrl_is_initialized_correctly() { fun applicationUrl_is_initialized_correctly() {
val applicationUrl = TestApplicationUrl("/") val applicationUrl = TestApplicationUrl("/")
val uiStore = UiStore(scope, applicationUrl) val uiStore = disposer.add(UiStore(scope, applicationUrl))
assertEquals(PwTool.Viewer, uiStore.currentTool.value) assertEquals(PwTool.Viewer, uiStore.currentTool.value)
assertEquals("/${PwTool.Viewer.slug}", applicationUrl.url.value) assertEquals("/${PwTool.Viewer.slug}", applicationUrl.url.value)
@ -20,7 +20,7 @@ class UiStoreTests : TestSuite() {
@Test @Test
fun applicationUrl_changes_when_tool_changes() { fun applicationUrl_changes_when_tool_changes() {
val applicationUrl = TestApplicationUrl("/") val applicationUrl = TestApplicationUrl("/")
val uiStore = UiStore(scope, applicationUrl) val uiStore = disposer.add(UiStore(scope, applicationUrl))
PwTool.values().forEach { tool -> PwTool.values().forEach { tool ->
uiStore.setCurrentTool(tool) uiStore.setCurrentTool(tool)
@ -33,7 +33,7 @@ class UiStoreTests : TestSuite() {
@Test @Test
fun applicationUrl_changes_when_path_changes() { fun applicationUrl_changes_when_path_changes() {
val applicationUrl = TestApplicationUrl("/") val applicationUrl = TestApplicationUrl("/")
val uiStore = UiStore(scope, applicationUrl) val uiStore = disposer.add(UiStore(scope, applicationUrl))
assertEquals(PwTool.Viewer, uiStore.currentTool.value) assertEquals(PwTool.Viewer, uiStore.currentTool.value)
assertEquals("/${PwTool.Viewer.slug}", applicationUrl.url.value) assertEquals("/${PwTool.Viewer.slug}", applicationUrl.url.value)
@ -48,7 +48,7 @@ class UiStoreTests : TestSuite() {
@Test @Test
fun currentTool_and_path_change_when_applicationUrl_changes() { fun currentTool_and_path_change_when_applicationUrl_changes() {
val applicationUrl = TestApplicationUrl("/") val applicationUrl = TestApplicationUrl("/")
val uiStore = UiStore(scope, applicationUrl) val uiStore = disposer.add(UiStore(scope, applicationUrl))
PwTool.values().forEach { tool -> PwTool.values().forEach { tool ->
listOf("/a", "/b", "/c").forEach { path -> listOf("/a", "/b", "/c").forEach { path ->
@ -63,7 +63,7 @@ class UiStoreTests : TestSuite() {
@Test @Test
fun browser_navigation_stack_is_manipulated_correctly() { fun browser_navigation_stack_is_manipulated_correctly() {
val appUrl = TestApplicationUrl("/") val appUrl = TestApplicationUrl("/")
val uiStore = UiStore(scope, appUrl) val uiStore = disposer.add(UiStore(scope, appUrl))
assertEquals("/${uiStore.defaultTool.slug}", appUrl.url.value) assertEquals("/${uiStore.defaultTool.slug}", appUrl.url.value)

View File

@ -22,12 +22,16 @@ class HuntOptimizerTests : TestSuite() {
}) })
} }
} }
scope.disposable { httpClient.cancel() } disposer.add(disposable { httpClient.cancel() })
val uiStore = disposer.add(UiStore(scope, TestApplicationUrl("/${PwTool.HuntOptimizer}")))
disposer.add(
HuntOptimizer( HuntOptimizer(
scope, scope,
assetLoader = HttpAssetLoader(httpClient, basePath = ""), assetLoader = HttpAssetLoader(httpClient, basePath = ""),
uiStore = UiStore(scope, TestApplicationUrl("/${PwTool.HuntOptimizer}")) uiStore
)
) )
} }
} }

View File

@ -22,12 +22,16 @@ class QuestEditorTests : TestSuite() {
}) })
} }
} }
scope.disposable { httpClient.cancel() } disposer.add(disposable { httpClient.cancel() })
val uiStore = disposer.add(UiStore(scope, TestApplicationUrl("/${PwTool.QuestEditor}")))
disposer.add(
QuestEditor( QuestEditor(
scope, scope,
uiStore = UiStore(scope, TestApplicationUrl("/${PwTool.QuestEditor}")), uiStore,
createEngine = { Engine(it) } createEngine = { Engine(it) }
) )
)
} }
} }

View File

@ -0,0 +1,106 @@
package world.phantasmal.webui
import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.Disposer
import world.phantasmal.core.disposable.TrackedDisposable
import world.phantasmal.observable.Observable
import world.phantasmal.observable.Observer
import world.phantasmal.observable.value.Val
abstract class DisposableContainer : TrackedDisposable() {
private val disposer = Disposer()
override fun internalDispose() {
disposer.dispose()
super.internalDispose()
}
protected fun <T : Disposable> addDisposable(disposable: T): T =
disposer.add(disposable)
protected fun addDisposables(vararg disposables: Disposable) {
disposer.addAll(*disposables)
}
protected fun <V1> observe(observable: Observable<V1>, operation: (V1) -> Unit) {
addDisposable(
if (observable is Val<V1>) {
observable.observe(callNow = true) { operation(it.value) }
} else {
observable.observe { operation(it.value) }
}
)
}
protected fun <V1, V2> observe(
v1: Val<V1>,
v2: Val<V2>,
operation: (V1, V2) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value)
}
addDisposables(
v1.observe(observer),
v2.observe(observer),
)
operation(v1.value, v2.value)
}
protected fun <V1, V2, V3> observe(
v1: Val<V1>,
v2: Val<V2>,
v3: Val<V3>,
operation: (V1, V2, V3) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value, v3.value)
}
addDisposables(
v1.observe(observer),
v2.observe(observer),
v3.observe(observer),
)
operation(v1.value, v2.value, v3.value)
}
protected fun <V1, V2, V3, V4> observe(
v1: Val<V1>,
v2: Val<V2>,
v3: Val<V3>,
v4: Val<V4>,
operation: (V1, V2, V3, V4) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value, v3.value, v4.value)
}
addDisposables(
v1.observe(observer),
v2.observe(observer),
v3.observe(observer),
v4.observe(observer),
)
operation(v1.value, v2.value, v3.value, v4.value)
}
protected fun <V1, V2, V3, V4, V5> observe(
v1: Val<V1>,
v2: Val<V2>,
v3: Val<V3>,
v4: Val<V4>,
v5: Val<V5>,
operation: (V1, V2, V3, V4, V5) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value, v3.value, v4.value, v5.value)
}
addDisposables(
v1.observe(observer),
v2.observe(observer),
v3.observe(observer),
v4.observe(observer),
v5.observe(observer),
)
operation(v1.value, v2.value, v3.value, v4.value, v5.value)
}
}

View File

@ -1,9 +1,8 @@
package world.phantasmal.webui.controllers package world.phantasmal.webui.controllers
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.core.disposable.Scope import world.phantasmal.webui.DisposableContainer
import world.phantasmal.core.disposable.TrackedDisposable
abstract class Controller(protected val scope: Scope) : abstract class Controller(protected val scope: CoroutineScope) :
TrackedDisposable(scope.scope()), DisposableContainer(),
CoroutineScope by scope CoroutineScope by scope

View File

@ -1,6 +1,6 @@
package world.phantasmal.webui.controllers package world.phantasmal.webui.controllers
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.MutableVal import world.phantasmal.observable.value.MutableVal
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.mutableVal import world.phantasmal.observable.value.mutableVal
@ -9,7 +9,7 @@ interface Tab {
val title: String val title: String
} }
open class TabController<T : Tab>(scope: Scope, val tabs: List<T>) : Controller(scope) { open class TabController<T : Tab>(scope: CoroutineScope, val tabs: List<T>) : Controller(scope) {
private val _activeTab: MutableVal<T?> = mutableVal(tabs.firstOrNull()) private val _activeTab: MutableVal<T?> = mutableVal(tabs.firstOrNull())
val activeTab: Val<T?> = _activeTab val activeTab: Val<T?> = _activeTab

View File

@ -6,22 +6,21 @@ import kotlinx.dom.clear
import org.w3c.dom.* import org.w3c.dom.*
import org.w3c.dom.events.Event import org.w3c.dom.events.Event
import org.w3c.dom.events.EventTarget import org.w3c.dom.events.EventTarget
import world.phantasmal.core.disposable.Scope import world.phantasmal.core.disposable.Disposable
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.observable.value.list.ListVal import world.phantasmal.observable.value.list.ListVal
import world.phantasmal.observable.value.list.ListValChangeEvent import world.phantasmal.observable.value.list.ListValChangeEvent
fun <E : Event> disposableListener( fun <E : Event> disposableListener(
scope: Scope,
target: EventTarget, target: EventTarget,
type: String, type: String,
listener: (E) -> Unit, listener: (E) -> Unit,
options: AddEventListenerOptions? = null, options: AddEventListenerOptions? = null,
) { ): Disposable {
@Suppress("UNCHECKED_CAST") @Suppress("UNCHECKED_CAST")
target.addEventListener(type, listener as (Event) -> Unit, options) target.addEventListener(type, listener as (Event) -> Unit, options)
scope.disposable { return disposable {
target.removeEventListener(type, listener) target.removeEventListener(type, listener)
} }
} }
@ -35,44 +34,3 @@ fun HTMLElement.root(): HTMLElement {
id = "pw-root" id = "pw-root"
return this return this
} }
fun <T> Node.bindChildrenTo(
scope: Scope,
list: ListVal<T>,
createChild: (T, Int) -> Node,
) {
fun spliceChildren(index: Int, removedCount: Int, inserted: List<T>) {
for (i in 1..removedCount) {
removeChild(childNodes[index].unsafeCast<Node>())
}
val frag = document.createDocumentFragment()
inserted.forEachIndexed { i, value ->
val child = createChild(value, index + i)
frag.append(child)
}
if (index >= childNodes.length) {
appendChild(frag)
} else {
insertBefore(frag, childNodes[index])
}
}
list.observeList(scope) { change: ListValChangeEvent<T> ->
when (change) {
is ListValChangeEvent.Change -> {
spliceChildren(change.index, change.removed.size, change.inserted)
}
is ListValChangeEvent.ElementChange -> {
// TODO: Update children.
}
}
}
spliceChildren(0, 0, list.value)
scope.disposable { clear() }
}

View File

@ -3,17 +3,15 @@ package world.phantasmal.webui.dom
import kotlinx.browser.document import kotlinx.browser.document
import org.w3c.dom.* import org.w3c.dom.*
fun template(block: DocumentFragment.() -> Unit = {}): HTMLTemplateElement =
newHtmlEl("TEMPLATE") { content.block() }
fun Node.a( fun Node.a(
href: String? = null, href: String? = null,
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLAnchorElement.() -> Unit = {}, block: HTMLAnchorElement.() -> Unit = {},
): HTMLAnchorElement = ): HTMLAnchorElement =
appendHtmlEl("A", id, className, title) { appendHtmlEl("A", id, className, title, tabIndex) {
if (href != null) this.href = href if (href != null) this.href = href
block() block()
} }
@ -23,9 +21,10 @@ fun Node.button(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLButtonElement.() -> Unit = {}, block: HTMLButtonElement.() -> Unit = {},
): HTMLButtonElement = ): HTMLButtonElement =
appendHtmlEl("BUTTON", id, className, title) { appendHtmlEl("BUTTON", id, className, title, tabIndex) {
if (type != null) this.type = type if (type != null) this.type = type
block() block()
} }
@ -34,49 +33,55 @@ fun Node.canvas(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLCanvasElement.() -> Unit = {}, block: HTMLCanvasElement.() -> Unit = {},
): HTMLCanvasElement = ): HTMLCanvasElement =
appendHtmlEl("CANVAS", id, className, title, block) appendHtmlEl("CANVAS", id, className, title, tabIndex, block)
fun Node.div( fun Node.div(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLDivElement .() -> Unit = {}, block: HTMLDivElement .() -> Unit = {},
): HTMLDivElement = ): HTMLDivElement =
appendHtmlEl("DIV", id, className, title, block) appendHtmlEl("DIV", id, className, title, tabIndex, block)
fun Node.form( fun Node.form(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLFormElement.() -> Unit = {}, block: HTMLFormElement.() -> Unit = {},
): HTMLFormElement = ): HTMLFormElement =
appendHtmlEl("FORM", id, className, title, block) appendHtmlEl("FORM", id, className, title, tabIndex, block)
fun Node.h1( fun Node.h1(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLHeadingElement.() -> Unit = {}, block: HTMLHeadingElement.() -> Unit = {},
): HTMLHeadingElement = ): HTMLHeadingElement =
appendHtmlEl("H1", id, className, title, block) appendHtmlEl("H1", id, className, title, tabIndex, block)
fun Node.h2( fun Node.h2(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLHeadingElement.() -> Unit = {}, block: HTMLHeadingElement.() -> Unit = {},
): HTMLHeadingElement = ): HTMLHeadingElement =
appendHtmlEl("H2", id, className, title, block) appendHtmlEl("H2", id, className, title, tabIndex, block)
fun Node.header( fun Node.header(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLElement.() -> Unit = {}, block: HTMLElement.() -> Unit = {},
): HTMLElement = ): HTMLElement =
appendHtmlEl("HEADER", id, className, title, block) appendHtmlEl("HEADER", id, className, title, tabIndex, block)
fun Node.img( fun Node.img(
src: String? = null, src: String? = null,
@ -86,9 +91,10 @@ fun Node.img(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLImageElement.() -> Unit = {}, block: HTMLImageElement.() -> Unit = {},
): HTMLImageElement = ): HTMLImageElement =
appendHtmlEl("IMG", id, className, title) { appendHtmlEl("IMG", id, className, title, tabIndex) {
if (src != null) this.src = src if (src != null) this.src = src
if (width != null) this.width = width if (width != null) this.width = width
if (height != null) this.height = height if (height != null) this.height = height
@ -101,9 +107,10 @@ fun Node.input(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLInputElement.() -> Unit = {}, block: HTMLInputElement.() -> Unit = {},
): HTMLInputElement = ): HTMLInputElement =
appendHtmlEl("INPUT", id, className, title) { appendHtmlEl("INPUT", id, className, title, tabIndex) {
if (type != null) this.type = type if (type != null) this.type = type
block() block()
} }
@ -113,9 +120,10 @@ fun Node.label(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLLabelElement.() -> Unit = {}, block: HTMLLabelElement.() -> Unit = {},
): HTMLLabelElement = ): HTMLLabelElement =
appendHtmlEl("LABEL", id, className, title) { appendHtmlEl("LABEL", id, className, title, tabIndex) {
if (htmlFor != null) this.htmlFor = htmlFor if (htmlFor != null) this.htmlFor = htmlFor
block() block()
} }
@ -124,85 +132,86 @@ fun Node.main(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLElement.() -> Unit = {}, block: HTMLElement.() -> Unit = {},
): HTMLElement = ): HTMLElement =
appendHtmlEl("MAIN", id, className, title, block) appendHtmlEl("MAIN", id, className, title, tabIndex, block)
fun Node.p( fun Node.p(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLParagraphElement.() -> Unit = {}, block: HTMLParagraphElement.() -> Unit = {},
): HTMLParagraphElement = ): HTMLParagraphElement =
appendHtmlEl("P", id, className, title, block) appendHtmlEl("P", id, className, title, tabIndex, block)
fun Node.span( fun Node.span(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLSpanElement.() -> Unit = {}, block: HTMLSpanElement.() -> Unit = {},
): HTMLSpanElement = ): HTMLSpanElement =
appendHtmlEl("SPAN", id, className, title, block) appendHtmlEl("SPAN", id, className, title, tabIndex, block)
fun Node.slot(
name: String? = null,
block: HTMLSlotElement.() -> Unit = {},
): HTMLSlotElement =
appendHtmlEl("SLOT") {
if (name != null) this.name = name
block()
}
fun Node.table( fun Node.table(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLTableElement.() -> Unit = {}, block: HTMLTableElement.() -> Unit = {},
): HTMLTableElement = ): HTMLTableElement =
appendHtmlEl("TABLE", id, className, title, block) appendHtmlEl("TABLE", id, className, title, tabIndex, block)
fun Node.td( fun Node.td(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLTableCellElement.() -> Unit = {}, block: HTMLTableCellElement.() -> Unit = {},
): HTMLTableCellElement = ): HTMLTableCellElement =
appendHtmlEl("TD", id, className, title, block) appendHtmlEl("TD", id, className, title, tabIndex, block)
fun Node.th( fun Node.th(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLTableCellElement.() -> Unit = {}, block: HTMLTableCellElement.() -> Unit = {},
): HTMLTableCellElement = ): HTMLTableCellElement =
appendHtmlEl("TH", id, className, title, block) appendHtmlEl("TH", id, className, title, tabIndex, block)
fun Node.tr( fun Node.tr(
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: HTMLTableRowElement.() -> Unit = {}, block: HTMLTableRowElement.() -> Unit = {},
): HTMLTableRowElement = ): HTMLTableRowElement =
appendHtmlEl("TR", id, className, title, block) appendHtmlEl("TR", id, className, title, tabIndex, block)
fun <T : HTMLElement> Node.appendHtmlEl( fun <T : HTMLElement> Node.appendHtmlEl(
tagName: String, tagName: String,
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: T.() -> Unit, block: T.() -> Unit,
): T = ): T =
appendChild(newHtmlEl(tagName, id, className, title, block)).unsafeCast<T>() appendChild(newHtmlEl(tagName, id, className, title, tabIndex, block)).unsafeCast<T>()
fun <T : HTMLElement> newHtmlEl( fun <T : HTMLElement> newHtmlEl(
tagName: String, tagName: String,
id: String? = null, id: String? = null,
className: String? = null, className: String? = null,
title: String? = null, title: String? = null,
tabIndex: Int? = null,
block: T.() -> Unit, block: T.() -> Unit,
): T = ): T =
newEl(tagName, id, className) { newEl(tagName, id, className) {
if (title != null) this.title = title if (title != null) this.title = title
if (tabIndex != null) this.tabIndex = tabIndex
block() block()
} }

View File

@ -1,11 +1,8 @@
package world.phantasmal.webui.stores package world.phantasmal.webui.stores
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.core.disposable.Scope import world.phantasmal.webui.DisposableContainer
import world.phantasmal.core.disposable.TrackedDisposable
abstract class Store(scope: Scope) : TrackedDisposable(scope.scope()), CoroutineScope by scope { abstract class Store(protected val scope: CoroutineScope) :
override fun internalDispose() { DisposableContainer(),
// Do nothing. CoroutineScope by scope
}
}

View File

@ -1,21 +1,21 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import org.w3c.dom.events.MouseEvent import org.w3c.dom.events.MouseEvent
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.webui.dom.button import world.phantasmal.webui.dom.button
import world.phantasmal.webui.dom.span import world.phantasmal.webui.dom.span
open class Button( open class Button(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
private val text: String? = null, private val text: String? = null,
private val textVal: Val<String>? = null, private val textVal: Val<String>? = null,
private val onclick: ((MouseEvent) -> Unit)? = null, private val onclick: ((MouseEvent) -> Unit)? = null,
) : Control(scope, ::style, hidden, disabled) { ) : Control(scope, listOf(::style), hidden, disabled) {
override fun Node.createElement() = override fun Node.createElement() =
button(className = "pw-button") { button(className = "pw-button") {
onclick = this@Button.onclick onclick = this@Button.onclick
@ -23,7 +23,7 @@ open class Button(
span(className = "pw-button-inner") { span(className = "pw-button-inner") {
span(className = "pw-button-center") { span(className = "pw-button-center") {
if (textVal != null) { if (textVal != null) {
textVal.observe { observe(textVal) {
textContent = it textContent = it
hidden = it.isEmpty() hidden = it.isEmpty()
} }

View File

@ -1,6 +1,6 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
@ -9,8 +9,8 @@ import world.phantasmal.observable.value.falseVal
* etc. Controls are typically leaf nodes and thus typically don't have children. * etc. Controls are typically leaf nodes and thus typically don't have children.
*/ */
abstract class Control( abstract class Control(
scope: Scope, scope: CoroutineScope,
style: () -> String, styles: List<() -> String>,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
) : Widget(scope, style, hidden, disabled) ) : Widget(scope, styles, hidden, disabled)

View File

@ -0,0 +1,43 @@
package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLInputElement
import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal
import kotlin.math.pow
import kotlin.math.round
class DoubleInput(
scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(),
label: String? = null,
labelVal: Val<String>? = null,
preferredLabelPosition: LabelPosition = LabelPosition.Before,
value: Double? = null,
valueVal: Val<Double>? = null,
setValue: ((Double) -> Unit)? = null,
roundTo: Int = 2,
) : NumberInput<Double>(
scope,
hidden,
disabled,
label,
labelVal,
preferredLabelPosition,
value,
valueVal,
setValue,
min = null,
max = null,
step = null,
) {
private val roundingFactor: Double =
if (roundTo < 0) 1.0 else (10.0).pow(roundTo)
override fun getInputValue(input: HTMLInputElement): Double = input.valueAsNumber
override fun setInputValue(input: HTMLInputElement, value: Double) {
input.valueAsNumber = round(value * roundingFactor) / roundingFactor
}
}

View File

@ -1,14 +1,14 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLElement import org.w3c.dom.HTMLElement
import org.w3c.files.File import org.w3c.files.File
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.webui.openFiles import world.phantasmal.webui.openFiles
class FileButton( class FileButton(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
text: String? = null, text: String? = null,

View File

@ -0,0 +1,118 @@
package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLInputElement
import org.w3c.dom.Node
import world.phantasmal.observable.value.Val
import world.phantasmal.webui.dom.input
import world.phantasmal.webui.dom.span
abstract class Input<T>(
scope: CoroutineScope,
styles: List<() -> String>,
hidden: Val<Boolean>,
disabled: Val<Boolean>,
label: String?,
labelVal: Val<String>?,
preferredLabelPosition: LabelPosition,
private val className: String,
private val inputClassName: String,
private val inputType: String,
private val value: T?,
private val valueVal: Val<T>?,
private val setValue: ((T) -> Unit)?,
private val min: Int?,
private val max: Int?,
private val step: Int?,
) : LabelledControl(
scope,
styles + ::style,
hidden,
disabled,
label,
labelVal,
preferredLabelPosition,
) {
override fun Node.createElement() =
span(className = "pw-input") {
classList.add(className)
input(className = "pw-input-inner", type = inputType) {
classList.add(inputClassName)
observe(this@Input.disabled) { disabled = it }
if (setValue != null) {
onchange = { setValue.invoke(getInputValue(this)) }
onkeydown = { e ->
if (e.key == "Enter") {
setValue.invoke(getInputValue(this))
}
}
}
if (valueVal != null) {
observe(valueVal) { setInputValue(this, it) }
} else if (this@Input.value != null) {
setInputValue(this, this@Input.value)
}
if (this@Input.min != null) {
min = this@Input.min.toString()
}
if (this@Input.max != null) {
max = this@Input.max.toString()
}
if (this@Input.step != null) {
step = this@Input.step.toString()
}
}
}
protected abstract fun getInputValue(input: HTMLInputElement): T
protected abstract fun setInputValue(input: HTMLInputElement, value: T)
}
@Suppress("CssUnusedSymbol", "CssUnresolvedCustomProperty")
// language=css
private fun style() = """
.pw-input {
display: inline-block;
box-sizing: border-box;
height: 24px;
border: var(--pw-input-border);
}
.pw-input .pw-input-inner {
box-sizing: border-box;
width: 100%;
height: 100%;
padding: 0 3px;
border: var(--pw-input-inner-border);
background-color: var(--pw-input-bg-color);
color: var(--pw-input-text-color);
outline: none;
font-size: 13px;
}
.pw-input:hover {
border: var(--pw-input-border-hover);
}
.pw-input:focus-within {
border: var(--pw-input-border-focus);
}
.pw-input.disabled {
border: var(--pw-input-border-disabled);
}
.pw-input.disabled .pw-input-inner {
color: var(--pw-input-text-color-disabled);
background-color: var(--pw-input-bg-color-disabled);
}
"""

View File

@ -0,0 +1,40 @@
package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.HTMLInputElement
import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal
class IntInput(
scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(),
label: String? = null,
labelVal: Val<String>? = null,
preferredLabelPosition: LabelPosition = LabelPosition.Before,
value: Int? = null,
valueVal: Val<Int>? = null,
setValue: ((Int) -> Unit)? = null,
min: Int? = null,
max: Int? = null,
step: Int? = null,
) : NumberInput<Int>(
scope,
hidden,
disabled,
label,
labelVal,
preferredLabelPosition,
value,
valueVal,
setValue,
min,
max,
step,
) {
override fun getInputValue(input: HTMLInputElement): Int = input.valueAsNumber.toInt()
override fun setInputValue(input: HTMLInputElement, value: Int) {
input.valueAsNumber = value.toDouble()
}
}

View File

@ -1,23 +1,23 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.webui.dom.label import world.phantasmal.webui.dom.label
class Label( class Label(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
private val text: String? = null, private val text: String? = null,
private val textVal: Val<String>? = null, private val textVal: Val<String>? = null,
private val htmlFor: String?, private val htmlFor: String?,
) : Widget(scope, ::style, hidden, disabled) { ) : Widget(scope, listOf(::style), hidden, disabled) {
override fun Node.createElement() = override fun Node.createElement() =
label(htmlFor) { label(htmlFor) {
if (textVal != null) { if (textVal != null) {
textVal.observe { textContent = it } observe(textVal) { textContent = it }
} else if (text != null) { } else if (text != null) {
textContent = text textContent = text
} }

View File

@ -1,6 +1,6 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import world.phantasmal.core.disposable.Scope import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
@ -10,14 +10,14 @@ enum class LabelPosition {
} }
abstract class LabelledControl( abstract class LabelledControl(
scope: Scope, scope: CoroutineScope,
style: () -> String, styles: List<() -> String>,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
label: String? = null, label: String? = null,
labelVal: Val<String>? = null, labelVal: Val<String>? = null,
val preferredLabelPosition: LabelPosition, val preferredLabelPosition: LabelPosition,
) : Control(scope, style, hidden, disabled) { ) : Control(scope, styles, hidden, disabled) {
val label: Label? by lazy { val label: Label? by lazy {
if (label == null && labelVal == null) { if (label == null && labelVal == null) {
null null

View File

@ -1,21 +1,22 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
class LazyLoader( class LazyLoader(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
private val createWidget: (Scope) -> Widget, private val createWidget: (CoroutineScope) -> Widget,
) : Widget(scope, ::style, hidden, disabled) { ) : Widget(scope, listOf(::style), hidden, disabled) {
private var initialized = false private var initialized = false
override fun Node.createElement() = div(className = "pw-lazy-loader") { override fun Node.createElement() =
this@LazyLoader.hidden.observe { h -> div(className = "pw-lazy-loader") {
observe(this@LazyLoader.hidden) { h ->
if (!h && !initialized) { if (!h && !initialized) {
initialized = true initialized = true
addChild(createWidget(scope)) addChild(createWidget(scope))

View File

@ -0,0 +1,48 @@
package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import world.phantasmal.observable.value.Val
abstract class NumberInput<T : Number>(
scope: CoroutineScope,
hidden: Val<Boolean>,
disabled: Val<Boolean>,
label: String?,
labelVal: Val<String>?,
preferredLabelPosition: LabelPosition,
value: T?,
valueVal: Val<T>?,
setValue: ((T) -> Unit)?,
min: Int?,
max: Int?,
step: Int?,
) : Input<T>(
scope,
listOf(::style),
hidden,
disabled,
label,
labelVal,
preferredLabelPosition,
className = "pw-number-input",
inputClassName = "pw-number-input-inner",
inputType = "number",
value,
valueVal,
setValue,
min,
max,
step,
)
@Suppress("CssUnusedSymbol")
// language=css
private fun style() = """
.pw-number-input {
width: 54px;
}
.pw-number-input .pw-number-input-inner {
padding-right: 1px;
}
"""

View File

@ -1,7 +1,7 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.webui.controllers.Tab import world.phantasmal.webui.controllers.Tab
@ -10,12 +10,12 @@ import world.phantasmal.webui.dom.div
import world.phantasmal.webui.dom.span import world.phantasmal.webui.dom.span
class TabContainer<T : Tab>( class TabContainer<T : Tab>(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
private val ctrl: TabController<T>, private val ctrl: TabController<T>,
private val createWidget: (Scope, T) -> Widget, private val createWidget: (CoroutineScope, T) -> Widget,
) : Widget(scope, ::style, hidden, disabled) { ) : Widget(scope, listOf(::style), hidden, disabled) {
override fun Node.createElement() = override fun Node.createElement() =
div(className = "pw-tab-container") { div(className = "pw-tab-container") {
div(className = "pw-tab-container-bar") { div(className = "pw-tab-container-bar") {
@ -26,7 +26,7 @@ class TabContainer<T : Tab>(
) { ) {
textContent = tab.title textContent = tab.title
ctrl.activeTab.observe { observe(ctrl.activeTab) {
if (it == tab) { if (it == tab) {
classList.add(ACTIVE_CLASS) classList.add(ACTIVE_CLASS)
} else { } else {
@ -52,7 +52,7 @@ class TabContainer<T : Tab>(
} }
init { init {
selfOrAncestorHidden.observe(ctrl::hiddenChanged) observe(selfOrAncestorHidden, ctrl::hiddenChanged)
} }
companion object { companion object {

View File

@ -1,17 +1,17 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.coroutines.CoroutineScope
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.div
class Toolbar( class Toolbar(
scope: Scope, scope: CoroutineScope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
disabled: Val<Boolean> = falseVal(), disabled: Val<Boolean> = falseVal(),
children: List<Widget>, children: List<Widget>,
) : Widget(scope, ::style, hidden, disabled) { ) : Widget(scope, listOf(::style), hidden, disabled) {
private val childWidgets = children private val childWidgets = children
override fun Node.createElement() = override fun Node.createElement() =

View File

@ -1,25 +1,22 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import kotlinx.browser.document import kotlinx.browser.document
import kotlinx.coroutines.CoroutineScope
import kotlinx.dom.appendText import kotlinx.dom.appendText
import org.w3c.dom.Element import kotlinx.dom.clear
import org.w3c.dom.HTMLElement import org.w3c.dom.*
import org.w3c.dom.HTMLStyleElement
import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.core.disposable.TrackedDisposable
import world.phantasmal.core.disposable.disposable import world.phantasmal.core.disposable.disposable
import world.phantasmal.observable.Observable
import world.phantasmal.observable.Observer
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.observable.value.list.ListVal
import world.phantasmal.observable.value.list.ListValChangeEvent
import world.phantasmal.observable.value.mutableVal import world.phantasmal.observable.value.mutableVal
import world.phantasmal.observable.value.or import world.phantasmal.observable.value.or
import kotlin.reflect.KClass import world.phantasmal.webui.DisposableContainer
abstract class Widget( abstract class Widget(
protected val scope: Scope, protected val scope: CoroutineScope,
style: () -> String = NO_STYLE, private val styles: List<() -> String> = emptyList(),
/** /**
* By default determines the hidden attribute of its [element]. * By default determines the hidden attribute of its [element].
*/ */
@ -29,27 +26,28 @@ abstract class Widget(
* `pw-disabled` class is added. * `pw-disabled` class is added.
*/ */
val disabled: Val<Boolean> = falseVal(), val disabled: Val<Boolean> = falseVal(),
) : TrackedDisposable(scope.scope()) { ) : DisposableContainer() {
private val _ancestorHidden = mutableVal(false) private val _ancestorHidden = mutableVal(false)
private val _children = mutableListOf<Widget>() private val _children = mutableListOf<Widget>()
private var initResizeObserverRequested = false private var initResizeObserverRequested = false
private var resizeObserverInitialized = false private var resizeObserverInitialized = false
private val elementDelegate = lazy { private val elementDelegate = lazy {
// Add CSS declarations to stylesheet if this is the first time we're instantiating this // Add CSS declarations to stylesheet if this is the first time we're encountering them.
// widget. styles.forEach { style ->
if (style !== NO_STYLE && STYLES_ADDED.add(this::class)) { if (STYLES_ADDED.add(style)) {
STYLE_EL.appendText(style()) STYLE_EL.appendText(style())
} }
}
val el = document.createDocumentFragment().createElement() val el = document.createDocumentFragment().createElement()
hidden.observe { hidden -> observe(hidden) { hidden ->
el.hidden = hidden el.hidden = hidden
children.forEach { setAncestorHidden(it, hidden || ancestorHidden.value) } children.forEach { setAncestorHidden(it, hidden || ancestorHidden.value) }
} }
disabled.observe { disabled -> observe(disabled) { disabled ->
if (disabled) { if (disabled) {
el.setAttribute("disabled", "") el.setAttribute("disabled", "")
el.classList.add("pw-disabled") el.classList.add("pw-disabled")
@ -100,90 +98,65 @@ abstract class Widget(
} }
_children.clear() _children.clear()
} super.internalDispose()
protected fun <V1> Observable<V1>.observe(operation: (V1) -> Unit) {
if (this is Val<V1>) {
this.observe(scope, callNow = true) { operation(it.value) }
} else {
this.observe(scope) { operation(it.value) }
}
}
protected fun <V1, V2> observe(
v1: Val<V1>,
v2: Val<V2>,
operation: (V1, V2) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value)
}
v1.observe(scope, observer)
v2.observe(scope, observer)
operation(v1.value, v2.value)
}
protected fun <V1, V2, V3> observe(
v1: Val<V1>,
v2: Val<V2>,
v3: Val<V3>,
operation: (V1, V2, V3) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value, v3.value)
}
v1.observe(scope, observer)
v2.observe(scope, observer)
v3.observe(scope, observer)
operation(v1.value, v2.value, v3.value)
}
protected fun <V1, V2, V3, V4> observe(
v1: Val<V1>,
v2: Val<V2>,
v3: Val<V3>,
v4: Val<V4>,
operation: (V1, V2, V3, V4) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value, v3.value, v4.value)
}
v1.observe(scope, observer)
v2.observe(scope, observer)
v3.observe(scope, observer)
v4.observe(scope, observer)
operation(v1.value, v2.value, v3.value, v4.value)
}
protected fun <V1, V2, V3, V4, V5> observe(
v1: Val<V1>,
v2: Val<V2>,
v3: Val<V3>,
v4: Val<V4>,
v5: Val<V5>,
operation: (V1, V2, V3, V4, V5) -> Unit,
) {
val observer: Observer<*> = {
operation(v1.value, v2.value, v3.value, v4.value, v5.value)
}
v1.observe(scope, observer)
v2.observe(scope, observer)
v3.observe(scope, observer)
v4.observe(scope, observer)
v5.observe(scope, observer)
operation(v1.value, v2.value, v3.value, v4.value, v5.value)
} }
/** /**
* Adds a child widget to [children]. * Adds a child widget to [children] and appends its element to the receiving node.
*/ */
protected fun <T : Widget> Node.addChild(child: T): T { protected fun <T : Widget> Node.addChild(child: T): T {
addDisposable(child)
_children.add(child) _children.add(child)
setAncestorHidden(child, selfOrAncestorHidden.value) setAncestorHidden(child, selfOrAncestorHidden.value)
appendChild(child.element) appendChild(child.element)
return child return child
} }
fun <T> Node.bindChildrenTo(
list: ListVal<T>,
createChild: (T, Int) -> Node,
) {
fun spliceChildren(index: Int, removedCount: Int, inserted: List<T>) {
for (i in 1..removedCount) {
removeChild(childNodes[index].unsafeCast<Node>())
}
val frag = document.createDocumentFragment()
inserted.forEachIndexed { i, value ->
val child = createChild(value, index + i)
frag.append(child)
}
if (index >= childNodes.length) {
appendChild(frag)
} else {
insertBefore(frag, childNodes[index])
}
}
val observer = list.observeList { change: ListValChangeEvent<T> ->
when (change) {
is ListValChangeEvent.Change -> {
spliceChildren(change.index, change.removed.size, change.inserted)
}
is ListValChangeEvent.ElementChange -> {
// TODO: Update children.
}
}
}
spliceChildren(0, 0, list.value)
addDisposable(
disposable {
observer.dispose()
clear()
}
)
}
/** /**
* Called whenever [element] is resized. * Called whenever [element] is resized.
* Must be initialized with [observeResize]. * Must be initialized with [observeResize].
@ -206,7 +179,7 @@ abstract class Widget(
val resize = ::resizeCallback val resize = ::resizeCallback
val observer = js("new ResizeObserver(resize);") val observer = js("new ResizeObserver(resize);")
observer.observe(element) observer.observe(element)
scope.disposable { observer.disconnect().unsafeCast<Unit>() } addDisposable(disposable { observer.disconnect().unsafeCast<Unit>() })
} }
private fun resizeCallback(entries: Array<dynamic>) { private fun resizeCallback(entries: Array<dynamic>) {
@ -225,9 +198,7 @@ abstract class Widget(
document.head!!.append(el) document.head!!.append(el)
el el
} }
private val STYLES_ADDED: MutableSet<KClass<out Widget>> = mutableSetOf() private val STYLES_ADDED: MutableSet<() -> String> = mutableSetOf()
protected val NO_STYLE = { "" }
protected fun setAncestorHidden(widget: Widget, hidden: Boolean) { protected fun setAncestorHidden(widget: Widget, hidden: Boolean) {
widget._ancestorHidden.value = hidden widget._ancestorHidden.value = hidden

View File

@ -1,7 +1,6 @@
package world.phantasmal.webui.widgets package world.phantasmal.webui.widgets
import org.w3c.dom.Node import org.w3c.dom.Node
import world.phantasmal.core.disposable.Scope
import world.phantasmal.observable.value.Val import world.phantasmal.observable.value.Val
import world.phantasmal.observable.value.falseVal import world.phantasmal.observable.value.falseVal
import world.phantasmal.observable.value.mutableVal import world.phantasmal.observable.value.mutableVal
@ -17,9 +16,9 @@ class WidgetTests : TestSuite() {
fun ancestorHidden_and_selfOrAncestorHidden_should_update_when_hidden_changes() { fun ancestorHidden_and_selfOrAncestorHidden_should_update_when_hidden_changes() {
val parentHidden = mutableVal(false) val parentHidden = mutableVal(false)
val childHidden = mutableVal(false) val childHidden = mutableVal(false)
val grandChild = DummyWidget(scope) val grandChild = DummyWidget()
val child = DummyWidget(scope, childHidden, grandChild) val child = DummyWidget(childHidden, grandChild)
val parent = DummyWidget(scope, parentHidden, child) val parent = disposer.add(DummyWidget(parentHidden, child))
parent.element // Ensure widgets are fully initialized. parent.element // Ensure widgets are fully initialized.
@ -52,8 +51,8 @@ class WidgetTests : TestSuite() {
@Test @Test
fun added_child_widgets_should_have_ancestorHidden_and_selfOrAncestorHidden_set_correctly() { fun added_child_widgets_should_have_ancestorHidden_and_selfOrAncestorHidden_set_correctly() {
val parent = DummyWidget(scope, hidden = trueVal()) val parent = disposer.add(DummyWidget(hidden = trueVal()))
val child = parent.addChild(DummyWidget(scope)) val child = parent.addChild(DummyWidget())
assertFalse(parent.ancestorHidden.value) assertFalse(parent.ancestorHidden.value)
assertTrue(parent.selfOrAncestorHidden.value) assertTrue(parent.selfOrAncestorHidden.value)
@ -61,11 +60,10 @@ class WidgetTests : TestSuite() {
assertTrue(child.selfOrAncestorHidden.value) assertTrue(child.selfOrAncestorHidden.value)
} }
private class DummyWidget( private inner class DummyWidget(
scope: Scope,
hidden: Val<Boolean> = falseVal(), hidden: Val<Boolean> = falseVal(),
private val child: Widget? = null, private val child: Widget? = null,
) : Widget(scope, NO_STYLE, hidden) { ) : Widget(scope, hidden = hidden) {
override fun Node.createElement() = div { override fun Node.createElement() = div {
child?.let { addChild(it) } child?.let { addChild(it) }
} }