diff --git a/core/src/commonMain/kotlin/world/phantasmal/core/disposable/DisposableCreation.kt b/core/src/commonMain/kotlin/world/phantasmal/core/disposable/DisposableCreation.kt index 4ca57015..4097d546 100644 --- a/core/src/commonMain/kotlin/world/phantasmal/core/disposable/DisposableCreation.kt +++ b/core/src/commonMain/kotlin/world/phantasmal/core/disposable/DisposableCreation.kt @@ -1,6 +1,6 @@ package world.phantasmal.core.disposable -private object StubDisposable : Disposable { +private object NopDisposable : Disposable { override fun dispose() { // Do nothing. } @@ -8,4 +8,7 @@ private object StubDisposable : Disposable { fun disposable(dispose: () -> Unit): Disposable = SimpleDisposable(dispose) -fun stubDisposable(): Disposable = StubDisposable +/** + * Returns a disposable that does nothing when disposed. + */ +fun nopDisposable(): Disposable = NopDisposable diff --git a/core/src/commonMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt b/core/src/commonMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt index b7876734..bdfc5f4e 100644 --- a/core/src/commonMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt +++ b/core/src/commonMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt @@ -1,7 +1,14 @@ package world.phantasmal.core.unsafe +/** + * Asserts that receiver is of type T. No runtime check happens in KJS. Should only be used when + * absolutely certain that receiver is indeed a T. + */ +expect inline fun Any?.unsafeCast(): T + /** * Asserts that T is not null. No runtime check happens in KJS. Should only be used when absolutely * certain that T is indeed not null. */ -expect inline fun T?.unsafeAssertNotNull(): T +@Suppress("NOTHING_TO_INLINE") +inline fun T?.unsafeAssertNotNull(): T = unsafeCast() diff --git a/core/src/jsMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt b/core/src/jsMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt index 8c32b3cf..7c05752f 100644 --- a/core/src/jsMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt +++ b/core/src/jsMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt @@ -1,4 +1,6 @@ package world.phantasmal.core.unsafe +import kotlin.js.unsafeCast as kotlinUnsafeCast + @Suppress("NOTHING_TO_INLINE") -actual inline fun T?.unsafeAssertNotNull(): T = unsafeCast() +actual inline fun Any?.unsafeCast(): T = kotlinUnsafeCast() diff --git a/core/src/jvmMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt b/core/src/jvmMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt index cadf5ef1..ba35ab82 100644 --- a/core/src/jvmMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt +++ b/core/src/jvmMain/kotlin/world/phantasmal/core/unsafe/UnsafeCast.kt @@ -1,4 +1,4 @@ package world.phantasmal.core.unsafe @Suppress("UNCHECKED_CAST", "NOTHING_TO_INLINE") -actual inline fun T?.unsafeAssertNotNull(): T = this as T +actual inline fun Any?.unsafeCast(): T = this as T diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/AbstractVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/AbstractCell.kt similarity index 90% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/AbstractVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/AbstractCell.kt index 2e25ef05..a80d8eb1 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/AbstractVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/AbstractCell.kt @@ -1,11 +1,11 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable import world.phantasmal.observable.ChangeEvent import world.phantasmal.observable.Observer -abstract class AbstractVal : Val { +abstract class AbstractCell : Cell { protected val observers: MutableList> = mutableListOf() final override fun observe(observer: Observer): Disposable = diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/AbstractDependentVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/AbstractDependentCell.kt similarity index 81% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/AbstractDependentVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/AbstractDependentCell.kt index 5f010506..6327b944 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/AbstractDependentVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/AbstractDependentCell.kt @@ -1,18 +1,18 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable -import world.phantasmal.core.unsafe.unsafeAssertNotNull +import world.phantasmal.core.unsafe.unsafeCast import world.phantasmal.observable.Observer /** - * 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 + * Starts observing its dependencies when the first observer on this cell is registered. Stops + * observing its dependencies when the last observer ov this cell is disposed. This way no extra * disposables need to be managed when e.g. [map] is used. */ -abstract class AbstractDependentVal( - private vararg val dependencies: Val<*>, -) : AbstractVal() { +abstract class AbstractDependentCell( + private vararg val dependencies: Cell<*>, +) : AbstractCell() { /** * Is either empty or has a disposable per dependency. */ @@ -31,7 +31,7 @@ abstract class AbstractDependentVal( _value = computeValue() } - return _value.unsafeAssertNotNull() + return _value.unsafeCast() } override fun observe(callNow: Boolean, observer: Observer): Disposable { diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/Cell.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/Cell.kt new file mode 100644 index 00000000..51acad57 --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/Cell.kt @@ -0,0 +1,51 @@ +package world.phantasmal.observable.cell + +import world.phantasmal.core.disposable.Disposable +import world.phantasmal.observable.Observable +import world.phantasmal.observable.Observer +import world.phantasmal.observable.cell.list.DependentListCell +import world.phantasmal.observable.cell.list.ListCell +import kotlin.reflect.KProperty + +/** + * An observable with the notion of a current [value]. + */ +interface Cell : Observable { + val value: T + + operator fun getValue(thisRef: Any?, property: KProperty<*>): T = value + + /** + * @param callNow Call [observer] immediately with the current [mutableCell]. + */ + fun observe(callNow: Boolean = false, observer: Observer): Disposable + + /** + * Map a transformation function over this cell. + * + * @param transform called whenever this cell changes + */ + fun map(transform: (T) -> R): Cell = + DependentCell(this) { transform(value) } + + fun mapToList(transform: (T) -> List): ListCell = + DependentListCell(this) { transform(value) } + + /** + * Map a transformation function that returns a cell over this cell. The resulting cell will + * change when this cell changes and when the cell returned by [transform] changes. + * + * @param transform called whenever this cell changes + */ + fun flatMap(transform: (T) -> Cell): Cell = + FlatteningDependentCell(this) { transform(value) } + + fun flatMapNull(transform: (T) -> Cell?): Cell = + FlatteningDependentCell(this) { transform(value) ?: nullCell() } + + fun isNull(): Cell = + map { it == null } + + fun isNotNull(): Cell = + map { it != null } +} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/CellCreation.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/CellCreation.kt new file mode 100644 index 00000000..2fb6bcc6 --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/CellCreation.kt @@ -0,0 +1,72 @@ +package world.phantasmal.observable.cell + +private val TRUE_CELL: Cell = StaticCell(true) +private val FALSE_CELL: Cell = StaticCell(false) +private val NULL_CELL: Cell = StaticCell(null) +private val ZERO_INT_CELL: Cell = StaticCell(0) +private val EMPTY_STRING_CELL: Cell = StaticCell("") + +fun cell(value: T): Cell = StaticCell(value) + +fun trueCell(): Cell = TRUE_CELL + +fun falseCell(): Cell = FALSE_CELL + +fun nullCell(): Cell = NULL_CELL + +fun zeroIntCell(): Cell = ZERO_INT_CELL + +fun emptyStringCell(): Cell = EMPTY_STRING_CELL + +/** + * Creates a [MutableCell] with initial value [value]. + */ +fun mutableCell(value: T): MutableCell = SimpleCell(value) + +/** + * Creates a [MutableCell] which calls [getter] or [setter] when its value is being read or written + * to, respectively. + */ +fun mutableCell(getter: () -> T, setter: (T) -> Unit): MutableCell = + DelegatingCell(getter, setter) + +/** + * Map a transformation function over 2 cells. + * + * @param transform called whenever [c1] or [c2] changes + */ +fun map( + c1: Cell, + c2: Cell, + transform: (T1, T2) -> R, +): Cell = + DependentCell(c1, c2) { transform(c1.value, c2.value) } + +/** + * Map a transformation function over 3 cells. + * + * @param transform called whenever [c1], [c2] or [c3] changes + */ +fun map( + c1: Cell, + c2: Cell, + c3: Cell, + transform: (T1, T2, T3) -> R, +): Cell = + DependentCell(c1, c2, c3) { transform(c1.value, c2.value, c3.value) } + +/** + * Map a transformation function that returns a cell over 2 cells. The resulting cell will change + * when either cell changes and also when the cell returned by [transform] changes. + * + * @param transform called whenever this cell changes + */ +fun flatMap( + c1: Cell, + c2: Cell, + transform: (T1, T2) -> Cell, +): Cell = + FlatteningDependentCell(c1, c2) { transform(c1.value, c2.value) } + +fun and(vararg cells: Cell): Cell = + DependentCell(*cells) { cells.all { it.value } } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/CellExtensions.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/CellExtensions.kt new file mode 100644 index 00000000..6106be22 --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/CellExtensions.kt @@ -0,0 +1,61 @@ +package world.phantasmal.observable.cell + +infix fun Cell.eq(value: T): Cell = + map { it == value } + +infix fun Cell.eq(other: Cell): Cell = + map(this, other) { a, b -> a == b } + +infix fun Cell.ne(value: T): Cell = + map { it != value } + +infix fun Cell.ne(other: Cell): Cell = + map(this, other) { a, b -> a != b } + +fun Cell.orElse(defaultValue: () -> T): Cell = + map { it ?: defaultValue() } + +infix fun > Cell.gt(value: T): Cell = + map { it > value } + +infix fun > Cell.gt(other: Cell): Cell = + map(this, other) { a, b -> a > b } + +infix fun > Cell.lt(value: T): Cell = + map { it < value } + +infix fun > Cell.lt(other: Cell): Cell = + map(this, other) { a, b -> a < b } + +infix fun Cell.and(other: Cell): Cell = + map(this, other) { a, b -> a && b } + +infix fun Cell.and(other: Boolean): Cell = + if (other) this else falseCell() + +infix fun Cell.or(other: Cell): Cell = + map(this, other) { a, b -> a || b } + +infix fun Cell.xor(other: Cell): Cell = + // Use != because of https://youtrack.jetbrains.com/issue/KT-31277. + map(this, other) { a, b -> a != b } + +operator fun Cell.not(): Cell = map { !it } + +operator fun Cell.plus(value: Int): Cell = + map { it + value } + +operator fun Cell.minus(value: Int): Cell = + map { it - value } + +fun Cell.isEmpty(): Cell = + map { it.isEmpty() } + +fun Cell.isNotEmpty(): Cell = + map { it.isNotEmpty() } + +fun Cell.isBlank(): Cell = + map { it.isBlank() } + +fun Cell.isNotBlank(): Cell = + map { it.isNotBlank() } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/DelegatingVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/DelegatingCell.kt similarity index 73% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/DelegatingVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/DelegatingCell.kt index 2cd12fdb..fed1d1f1 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/DelegatingVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/DelegatingCell.kt @@ -1,9 +1,9 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell -class DelegatingVal( +class DelegatingCell( private val getter: () -> T, private val setter: (T) -> Unit, -) : AbstractVal(), MutableVal { +) : AbstractCell(), MutableCell { override var value: T get() = getter() set(value) { diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/DependentCell.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/DependentCell.kt new file mode 100644 index 00000000..c5248387 --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/DependentCell.kt @@ -0,0 +1,11 @@ +package world.phantasmal.observable.cell + +/** + * Cell of which the value depends on 0 or more other cells. + */ +class DependentCell( + vararg dependencies: Cell<*>, + private val compute: () -> T, +) : AbstractDependentCell(*dependencies) { + override fun computeValue(): T = compute() +} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/FlatteningDependentVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/FlatteningDependentCell.kt similarity index 50% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/FlatteningDependentVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/FlatteningDependentCell.kt index be461920..d2b8c637 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/FlatteningDependentVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/FlatteningDependentCell.kt @@ -1,4 +1,4 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable @@ -6,19 +6,19 @@ import world.phantasmal.core.unsafe.unsafeAssertNotNull import world.phantasmal.observable.Observer /** - * Similar to [DependentVal], except that this val's [compute] returns a val. + * Similar to [DependentCell], except that this cell's [compute] returns a cell. */ -class FlatteningDependentVal( - vararg dependencies: Val<*>, - private val compute: () -> Val, -) : AbstractDependentVal(*dependencies) { - private var computedVal: Val? = null - private var computedValObserver: Disposable? = null +class FlatteningDependentCell( + vararg dependencies: Cell<*>, + private val compute: () -> Cell, +) : AbstractDependentCell(*dependencies) { + private var computedCell: Cell? = null + private var computedCellObserver: Disposable? = null override val value: T get() { return if (hasObservers) { - computedVal.unsafeAssertNotNull().value + computedCell.unsafeAssertNotNull().value } else { super.value } @@ -31,26 +31,26 @@ class FlatteningDependentVal( superDisposable.dispose() if (!hasObservers) { - computedValObserver?.dispose() - computedValObserver = null - computedVal = null + computedCellObserver?.dispose() + computedCellObserver = null + computedCell = null } } } override fun computeValue(): T { - val computedVal = compute() - this.computedVal = computedVal + val computedCell = compute() + this.computedCell = computedCell - computedValObserver?.dispose() + computedCellObserver?.dispose() if (hasObservers) { - computedValObserver = computedVal.observe { (value) -> + computedCellObserver = computedCell.observe { (value) -> _value = value emit() } } - return computedVal.value + return computedCell.value } } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/MutableVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/MutableCell.kt similarity index 68% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/MutableVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/MutableCell.kt index 3d1b774c..87a75c55 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/MutableVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/MutableCell.kt @@ -1,8 +1,8 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import kotlin.reflect.KProperty -interface MutableVal : Val { +interface MutableCell : Cell { override var value: T operator fun setValue(thisRef: Any?, property: KProperty<*>, value: T) { diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/SimpleVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/SimpleCell.kt similarity index 60% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/SimpleVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/SimpleCell.kt index 3e0a2929..8b57f019 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/SimpleVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/SimpleCell.kt @@ -1,6 +1,6 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell -class SimpleVal(value: T) : AbstractVal(), MutableVal { +class SimpleCell(value: T) : AbstractCell(), MutableCell { override var value: T = value set(value) { if (value != field) { diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/StaticVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/StaticCell.kt similarity index 54% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/StaticVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/StaticCell.kt index 7558f19e..1a626828 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/StaticVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/StaticCell.kt @@ -1,18 +1,18 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import world.phantasmal.core.disposable.Disposable -import world.phantasmal.core.disposable.stubDisposable +import world.phantasmal.core.disposable.nopDisposable import world.phantasmal.observable.ChangeEvent import world.phantasmal.observable.Observer -class StaticVal(override val value: T) : Val { +class StaticCell(override val value: T) : Cell { override fun observe(callNow: Boolean, observer: Observer): Disposable { if (callNow) { observer(ChangeEvent(value)) } - return stubDisposable() + return nopDisposable() } - override fun observe(observer: Observer): Disposable = stubDisposable() + override fun observe(observer: Observer): Disposable = nopDisposable() } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/AbstractDependentListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/AbstractDependentListCell.kt similarity index 79% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/AbstractDependentListVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/AbstractDependentListCell.kt index 5e9fdc66..d36b5261 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/AbstractDependentListVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/AbstractDependentListCell.kt @@ -1,20 +1,20 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.AbstractVal -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.AbstractCell +import world.phantasmal.observable.cell.Cell /** - * Starts observing its dependencies when the first observer on this property is registered. - * Stops observing its dependencies when the last observer on this property is disposed. - * This way no extra disposables need to be managed when e.g. [map] is used. + * Starts observing its dependencies when the first observer on this cell is registered. Stops + * observing its dependencies when the last observer on this cell is disposed. This way no extra + * disposables need to be managed when e.g. [map] is used. */ -abstract class AbstractDependentListVal( - private vararg val dependencies: Val<*>, -) : AbstractListVal(extractObservables = null) { - private val _sizeVal = SizeVal() +abstract class AbstractDependentListCell( + private vararg val dependencies: Cell<*>, +) : AbstractListCell(extractObservables = null) { + private val _size = SizeCell() /** * Is either empty or has a disposable per dependency. @@ -37,7 +37,7 @@ abstract class AbstractDependentListVal( return elements } - override val size: Val = _sizeVal + override val size: Cell = _size override fun observe(callNow: Boolean, observer: Observer>): Disposable { initDependencyObservers() @@ -50,7 +50,7 @@ abstract class AbstractDependentListVal( } } - override fun observeList(callNow: Boolean, observer: ListValObserver): Disposable { + override fun observeList(callNow: Boolean, observer: ListObserver): Disposable { initDependencyObservers() val superDisposable = super.observeList(callNow, observer) @@ -87,7 +87,7 @@ abstract class AbstractDependentListVal( } private fun disposeDependencyObservers() { - if (observers.isEmpty() && listObservers.isEmpty() && _sizeVal.publicObservers.isEmpty()) { + if (observers.isEmpty() && listObservers.isEmpty() && _size.publicObservers.isEmpty()) { hasObservers = false lastObserverRemoved() } @@ -95,13 +95,13 @@ abstract class AbstractDependentListVal( override fun finalizeUpdate(event: ListChangeEvent) { if (event is ListChangeEvent.Change && event.removed.size != event.inserted.size) { - _sizeVal.publicEmit() + _size.publicEmit() } super.finalizeUpdate(event) } - private inner class SizeVal : AbstractVal() { + private inner class SizeCell : AbstractCell() { override val value: Int get() { if (!hasObservers) { diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/AbstractListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/AbstractListCell.kt similarity index 81% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/AbstractListVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/AbstractListCell.kt index 9b2d83f9..0f34da4d 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/AbstractListVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/AbstractListCell.kt @@ -1,4 +1,4 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable @@ -6,14 +6,14 @@ import world.phantasmal.core.unsafe.unsafeAssertNotNull import world.phantasmal.observable.ChangeEvent import world.phantasmal.observable.Observable import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.AbstractVal -import world.phantasmal.observable.value.DependentVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.not +import world.phantasmal.observable.cell.AbstractCell +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.DependentCell +import world.phantasmal.observable.cell.not -abstract class AbstractListVal( +abstract class AbstractListCell( private val extractObservables: ObservablesExtractor?, -) : AbstractVal>(), ListVal { +) : AbstractCell>(), ListCell { /** * Internal observers which observe observables related to this list's elements so that their * changes can be propagated via ElementChange events. @@ -23,11 +23,11 @@ abstract class AbstractListVal( /** * External list observers which are observing this list. */ - protected val listObservers = mutableListOf>() + protected val listObservers = mutableListOf>() - override val empty: Val by lazy { size.map { it == 0 } } + override val empty: Cell by lazy { size.map { it == 0 } } - override val notEmpty: Val by lazy { !empty } + override val notEmpty: Cell by lazy { !empty } override fun get(index: Int): E = value[index] @@ -49,7 +49,7 @@ abstract class AbstractListVal( } } - override fun observeList(callNow: Boolean, observer: ListValObserver): Disposable { + override fun observeList(callNow: Boolean, observer: ListObserver): Disposable { if (elementObservers.isEmpty() && extractObservables != null) { replaceElementObservers(0, elementObservers.size, value) } @@ -66,14 +66,14 @@ abstract class AbstractListVal( } } - override fun firstOrNull(): Val = - DependentVal(this) { value.firstOrNull() } + override fun firstOrNull(): Cell = + DependentCell(this) { value.firstOrNull() } /** * Does the following in the given order: * - Updates element observers - * - Emits ListValChangeEvent - * - Emits ValChangeEvent + * - Emits ListChangeEvent + * - Emits ChangeEvent */ protected open fun finalizeUpdate(event: ListChangeEvent) { if ( @@ -84,7 +84,7 @@ abstract class AbstractListVal( replaceElementObservers(event.index, event.removed.size, event.inserted) } - listObservers.forEach { observer: ListValObserver -> + listObservers.forEach { observer: ListObserver -> observer(event) } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/DependentListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/DependentListCell.kt similarity index 54% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/DependentListVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/DependentListCell.kt index 04c3637e..648eb437 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/DependentListVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/DependentListCell.kt @@ -1,15 +1,15 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.core.unsafe.unsafeAssertNotNull -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell /** - * ListVal of which the value depends on 0 or more other vals. + * ListCell of which the value depends on 0 or more other cells. */ -class DependentListVal( - vararg dependencies: Val<*>, +class DependentListCell( + vararg dependencies: Cell<*>, private val computeElements: () -> List, -) : AbstractDependentListVal(*dependencies) { +) : AbstractDependentListCell(*dependencies) { private var _elements: List? = null override val elements: List get() = _elements.unsafeAssertNotNull() diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FilteredListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FilteredListCell.kt similarity index 93% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FilteredListVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FilteredListCell.kt index 58b5fc70..31dda2c7 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FilteredListVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FilteredListCell.kt @@ -1,17 +1,17 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.AbstractVal -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.AbstractCell +import world.phantasmal.observable.cell.Cell -// TODO: This class shares 95% of its code with AbstractDependentListVal. -class FilteredListVal( - private val dependency: ListVal, +// TODO: This class shares 95% of its code with AbstractDependentListCell. +class FilteredListCell( + private val dependency: ListCell, private val predicate: (E) -> Boolean, -) : AbstractListVal(extractObservables = null) { - private val _sizeVal = SizeVal() +) : AbstractListCell(extractObservables = null) { + private val _size = SizeCell() /** * Set to true right before actual observers are added. @@ -37,7 +37,7 @@ class FilteredListVal( return elements } - override val size: Val = _sizeVal + override val size: Cell = _size override fun observe(callNow: Boolean, observer: Observer>): Disposable { initDependencyObservers() @@ -50,7 +50,7 @@ class FilteredListVal( } } - override fun observeList(callNow: Boolean, observer: ListValObserver): Disposable { + override fun observeList(callNow: Boolean, observer: ListObserver): Disposable { initDependencyObservers() val superDisposable = super.observeList(callNow, observer) @@ -201,7 +201,7 @@ class FilteredListVal( } private fun disposeDependencyObservers() { - if (observers.isEmpty() && listObservers.isEmpty() && _sizeVal.publicObservers.isEmpty()) { + if (observers.isEmpty() && listObservers.isEmpty() && _size.publicObservers.isEmpty()) { hasObservers = false dependencyObserver?.dispose() dependencyObserver = null @@ -210,13 +210,13 @@ class FilteredListVal( override fun finalizeUpdate(event: ListChangeEvent) { if (event is ListChangeEvent.Change && event.removed.size != event.inserted.size) { - _sizeVal.publicEmit() + _size.publicEmit() } super.finalizeUpdate(event) } - private inner class SizeVal : AbstractVal() { + private inner class SizeCell : AbstractCell() { override val value: Int get() { if (!hasObservers) { diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCell.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCell.kt new file mode 100644 index 00000000..c8770ba0 --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCell.kt @@ -0,0 +1,38 @@ +package world.phantasmal.observable.cell.list + +import world.phantasmal.core.disposable.Disposable +import world.phantasmal.core.unsafe.unsafeAssertNotNull +import world.phantasmal.observable.cell.Cell + +/** + * Similar to [DependentListCell], except that this cell's [computeElements] returns a [ListCell]. + */ +class FlatteningDependentListCell( + vararg dependencies: Cell<*>, + private val computeElements: () -> ListCell, +) : AbstractDependentListCell(*dependencies) { + private var computedCell: ListCell? = null + private var computedCellObserver: Disposable? = null + + override val elements: List get() = computedCell.unsafeAssertNotNull().value + + override fun computeElements() { + computedCell = computeElements.invoke() + + computedCellObserver?.dispose() + + computedCellObserver = + if (hasObservers) { + computedCell.unsafeAssertNotNull().observeList(observer = ::finalizeUpdate) + } else { + null + } + } + + override fun lastObserverRemoved() { + super.lastObserverRemoved() + + computedCellObserver?.dispose() + computedCellObserver = null + } +} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FoldedVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FoldedCell.kt similarity index 80% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FoldedVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FoldedCell.kt index fd9b2bb1..5d3b252d 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FoldedVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/FoldedCell.kt @@ -1,16 +1,16 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable -import world.phantasmal.core.unsafe.unsafeAssertNotNull +import world.phantasmal.core.unsafe.unsafeCast import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.AbstractVal +import world.phantasmal.observable.cell.AbstractCell -class FoldedVal( - private val dependency: ListVal, +class FoldedCell( + private val dependency: ListCell, private val initial: R, private val operation: (R, T) -> R, -) : AbstractVal() { +) : AbstractCell() { private var dependencyDisposable: Disposable? = null private var _value: R? = null @@ -19,7 +19,7 @@ class FoldedVal( return if (dependencyDisposable == null) { computeValue() } else { - _value.unsafeAssertNotNull() + _value.unsafeCast() } } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListCell.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListCell.kt new file mode 100644 index 00000000..3145394f --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListCell.kt @@ -0,0 +1,38 @@ +package world.phantasmal.observable.cell.list + +import world.phantasmal.core.disposable.Disposable +import world.phantasmal.observable.cell.Cell + +interface ListCell : Cell> { + /** + * Do not keep long-lived references to a [ListCell]'s [value], it may or may not be mutated + * when the [ListCell] is mutated. + */ + override val value: List + + val size: Cell + + val empty: Cell + + val notEmpty: Cell + + operator fun get(index: Int): E + + fun observeList(callNow: Boolean = false, observer: ListObserver): Disposable + + fun fold(initialValue: R, operation: (R, E) -> R): Cell = + FoldedCell(this, initialValue, operation) + + fun all(predicate: (E) -> Boolean): Cell = + fold(true) { acc, el -> acc && predicate(el) } + + fun sumBy(selector: (E) -> Int): Cell = + fold(0) { acc, el -> acc + selector(el) } + + fun filtered(predicate: (E) -> Boolean): ListCell = + FilteredListCell(this, predicate) + + fun firstOrNull(): Cell + + operator fun contains(element: @UnsafeVariance E): Boolean = element in value +} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListCellCreation.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListCellCreation.kt new file mode 100644 index 00000000..e1f6a1f7 --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListCellCreation.kt @@ -0,0 +1,21 @@ +package world.phantasmal.observable.cell.list + +import world.phantasmal.observable.cell.Cell + +private val EMPTY_LIST_CELL = StaticListCell(emptyList()) + +fun listCell(vararg elements: E): ListCell = StaticListCell(elements.toList()) + +fun emptyListCell(): ListCell = EMPTY_LIST_CELL + +fun mutableListCell( + vararg elements: E, + extractObservables: ObservablesExtractor? = null, +): MutableListCell = SimpleListCell(mutableListOf(*elements), extractObservables) + +fun flatMapToList( + c1: Cell, + c2: Cell, + transform: (T1, T2) -> ListCell, +): ListCell = + FlatteningDependentListCell(c1, c2) { transform(c1.value, c2.value) } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListValObserver.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListObserver.kt similarity index 80% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListValObserver.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListObserver.kt index 66ff51e4..5f60c7f2 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListValObserver.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListObserver.kt @@ -1,4 +1,4 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list sealed class ListChangeEvent { abstract val index: Int @@ -12,14 +12,14 @@ sealed class ListChangeEvent { * The elements that were removed from the list at [index]. * * Do not keep long-lived references to a [Change]'s [removed] list, it may or may not be - * mutated when the originating [ListVal] is mutated. + * mutated when the originating [ListCell] is mutated. */ val removed: List, /** * The elements that were inserted into the list at [index]. * * Do not keep long-lived references to a [Change]'s [inserted] list, it may or may not be - * mutated when the originating [ListVal] is mutated. + * mutated when the originating [ListCell] is mutated. */ val inserted: List, ) : ListChangeEvent() @@ -34,4 +34,4 @@ sealed class ListChangeEvent { ) : ListChangeEvent() } -typealias ListValObserver = (change: ListChangeEvent) -> Unit +typealias ListObserver = (change: ListChangeEvent) -> Unit diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListWrapper.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListWrapper.kt similarity index 56% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListWrapper.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListWrapper.kt index 1ed74026..cfc6b434 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListWrapper.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/ListWrapper.kt @@ -1,14 +1,14 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import kotlin.contracts.InvocationKind import kotlin.contracts.contract /** - * Wrapper is used to ensure that ListVal.value of some implementations references a new object - * after every change to the ListVal. This is done to honor the contract that emission of a - * ChangeEvent implies that Val.value is no longer equal to the previous value. - * When a change is made to the ListVal, the underlying list of Wrapper is usually mutated and then - * a new Wrapper is created that points to the same underlying list. + * ListWrapper is used to ensure that ListCell.value of some implementations references a new object + * after every change to the ListCell. This is done to honor the contract that emission of a + * ChangeEvent implies that Cell.value is no longer equal to the previous value. + * When a change is made to the ListCell, the underlying list of ListWrapper is usually mutated and + * then a new wrapper is created that points to the same underlying list. */ internal class ListWrapper(private val mut: MutableList) : List by mut { inline fun mutate(mutator: MutableList.() -> Unit): ListWrapper { @@ -19,6 +19,7 @@ internal class ListWrapper(private val mut: MutableList) : List by mut override fun equals(other: Any?): Boolean { if (this === other) return true + // If other is also a ListWrapper but it's not the exact same object then it's not equal. if (other == null || this::class == other::class || other !is List<*>) return false // If other is a list but not a ListWrapper, call its equals method for a structured // comparison. diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/MutableListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/MutableListCell.kt similarity index 70% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/MutableListVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/MutableListCell.kt index eb5daf7c..7b78cfee 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/MutableListVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/MutableListCell.kt @@ -1,8 +1,8 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list -import world.phantasmal.observable.value.MutableVal +import world.phantasmal.observable.cell.MutableCell -interface MutableListVal : ListVal, MutableVal> { +interface MutableListCell : ListCell, MutableCell> { operator fun set(index: Int, element: E): E fun add(element: E) diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/SimpleListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/SimpleListCell.kt similarity index 86% rename from observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/SimpleListVal.kt rename to observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/SimpleListCell.kt index 7da1dde0..9fe63b7a 100644 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/SimpleListVal.kt +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/SimpleListCell.kt @@ -1,23 +1,23 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.observable.Observable -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.mutableCell typealias ObservablesExtractor = (element: E) -> Array> /** - * @param elements The backing list for this ListVal + * @param elements The backing list for this [ListCell] * @param extractObservables Extractor function called on each element in this list, changes to the * returned observables will be propagated via ElementChange events */ -class SimpleListVal( +class SimpleListCell( elements: MutableList, extractObservables: ObservablesExtractor? = null, -) : AbstractListVal(extractObservables), MutableListVal { +) : AbstractListCell(extractObservables), MutableListCell { private var elements = ListWrapper(elements) - private val _sizeVal: MutableVal = mutableVal(elements.size) + private val _size: MutableCell = mutableCell(elements.size) override var value: List get() = elements @@ -25,7 +25,7 @@ class SimpleListVal( replaceAll(value) } - override val size: Val = _sizeVal + override val size: Cell = _size override operator fun get(index: Int): E = elements[index] @@ -99,7 +99,7 @@ class SimpleListVal( } override fun finalizeUpdate(event: ListChangeEvent) { - _sizeVal.value = elements.size + _size.value = elements.size super.finalizeUpdate(event) } } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/StaticListCell.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/StaticListCell.kt new file mode 100644 index 00000000..b96c6b8c --- /dev/null +++ b/observable/src/commonMain/kotlin/world/phantasmal/observable/cell/list/StaticListCell.kt @@ -0,0 +1,40 @@ +package world.phantasmal.observable.cell.list + +import world.phantasmal.core.disposable.Disposable +import world.phantasmal.core.disposable.nopDisposable +import world.phantasmal.observable.ChangeEvent +import world.phantasmal.observable.Observer +import world.phantasmal.observable.cell.* + +class StaticListCell(private val elements: List) : ListCell { + private val firstOrNull = StaticCell(elements.firstOrNull()) + + override val size: Cell = cell(elements.size) + override val empty: Cell = if (elements.isEmpty()) trueCell() else falseCell() + override val notEmpty: Cell = if (elements.isNotEmpty()) trueCell() else falseCell() + + override val value: List = elements + + override fun get(index: Int): E = + elements[index] + + override fun observe(callNow: Boolean, observer: Observer>): Disposable { + if (callNow) { + observer(ChangeEvent(value)) + } + + return nopDisposable() + } + + override fun observe(observer: Observer>): Disposable = nopDisposable() + + override fun observeList(callNow: Boolean, observer: ListObserver): Disposable { + if (callNow) { + observer(ListChangeEvent.Change(0, emptyList(), value)) + } + + return nopDisposable() + } + + override fun firstOrNull(): Cell = firstOrNull +} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/DependentVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/DependentVal.kt deleted file mode 100644 index 6dd9e02e..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/DependentVal.kt +++ /dev/null @@ -1,11 +0,0 @@ -package world.phantasmal.observable.value - -/** - * Val of which the value depends on 0 or more other vals. - */ -class DependentVal( - vararg dependencies: Val<*>, - private val compute: () -> T, -) : AbstractDependentVal(*dependencies) { - override fun computeValue(): T = compute() -} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/Val.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/Val.kt deleted file mode 100644 index bfbcec1e..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/Val.kt +++ /dev/null @@ -1,51 +0,0 @@ -package world.phantasmal.observable.value - -import world.phantasmal.core.disposable.Disposable -import world.phantasmal.observable.Observable -import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.list.DependentListVal -import world.phantasmal.observable.value.list.ListVal -import kotlin.reflect.KProperty - -/** - * An observable with the notion of a current [value]. - */ -interface Val : Observable { - val value: T - - operator fun getValue(thisRef: Any?, property: KProperty<*>): T = value - - /** - * @param callNow Call [observer] immediately with the current [mutableVal]. - */ - fun observe(callNow: Boolean = false, observer: Observer): Disposable - - /** - * Map a transformation function over this val. - * - * @param transform called whenever this val changes - */ - fun map(transform: (T) -> R): Val = - DependentVal(this) { transform(value) } - - fun mapToListVal(transform: (T) -> List): ListVal = - DependentListVal(this) { transform(value) } - - /** - * Map a transformation function that returns a val over this val. The resulting val will change - * when this val changes and when the val returned by [transform] changes. - * - * @param transform called whenever this val changes - */ - fun flatMap(transform: (T) -> Val): Val = - FlatteningDependentVal(this) { transform(value) } - - fun flatMapNull(transform: (T) -> Val?): Val = - FlatteningDependentVal(this) { transform(value) ?: nullVal() } - - fun isNull(): Val = - map { it == null } - - fun isNotNull(): Val = - map { it != null } -} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/ValCreation.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/ValCreation.kt deleted file mode 100644 index 087c4307..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/ValCreation.kt +++ /dev/null @@ -1,72 +0,0 @@ -package world.phantasmal.observable.value - -private val TRUE_VAL: Val = StaticVal(true) -private val FALSE_VAL: Val = StaticVal(false) -private val NULL_VAL: Val = StaticVal(null) -private val ZERO_INT_VAL: Val = StaticVal(0) -private val EMPTY_STRING_VAL: Val = StaticVal("") - -fun value(value: T): Val = StaticVal(value) - -fun trueVal(): Val = TRUE_VAL - -fun falseVal(): Val = FALSE_VAL - -fun nullVal(): Val = NULL_VAL - -fun zeroIntVal(): Val = ZERO_INT_VAL - -fun emptyStringVal(): Val = EMPTY_STRING_VAL - -/** - * Creates a [MutableVal] with initial value [value]. - */ -fun mutableVal(value: T): MutableVal = SimpleVal(value) - -/** - * Creates a [MutableVal] which calls [getter] or [setter] when its value is being read or written - * to, respectively. - */ -fun mutableVal(getter: () -> T, setter: (T) -> Unit): MutableVal = - DelegatingVal(getter, setter) - -/** - * Map a transformation function over 2 vals. - * - * @param transform called whenever [v1] or [v2] changes - */ -fun map( - v1: Val, - v2: Val, - transform: (T1, T2) -> R, -): Val = - DependentVal(v1, v2) { transform(v1.value, v2.value) } - -/** - * Map a transformation function over 3 vals. - * - * @param transform called whenever [v1], [v2] or [v3] changes - */ -fun map( - v1: Val, - v2: Val, - v3: Val, - transform: (T1, T2, T3) -> R, -): Val = - DependentVal(v1, v2, v3) { transform(v1.value, v2.value, v3.value) } - -/** - * Map a transformation function that returns a val over 2 vals. The resulting val will change when - * either val changes and also when the val returned by [transform] changes. - * - * @param transform called whenever this val changes - */ -fun flatMap( - v1: Val, - v2: Val, - transform: (T1, T2) -> Val, -): Val = - FlatteningDependentVal(v1, v2) { transform(v1.value, v2.value) } - -fun and(vararg vals: Val): Val = - DependentVal(*vals) { vals.all { it.value } } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/ValExtensions.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/ValExtensions.kt deleted file mode 100644 index 0388d48f..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/ValExtensions.kt +++ /dev/null @@ -1,61 +0,0 @@ -package world.phantasmal.observable.value - -infix fun Val.eq(value: T): Val = - map { it == value } - -infix fun Val.eq(value: Val): Val = - map(this, value) { a, b -> a == b } - -infix fun Val.ne(value: T): Val = - map { it != value } - -infix fun Val.ne(value: Val): Val = - map(this, value) { a, b -> a != b } - -fun Val.orElse(defaultValue: () -> T): Val = - map { it ?: defaultValue() } - -infix fun > Val.gt(value: T): Val = - map { it > value } - -infix fun > Val.gt(value: Val): Val = - map(this, value) { a, b -> a > b } - -infix fun > Val.lt(value: T): Val = - map { it < value } - -infix fun > Val.lt(value: Val): Val = - map(this, value) { a, b -> a < b } - -infix fun Val.and(other: Val): Val = - map(this, other) { a, b -> a && b } - -infix fun Val.and(other: Boolean): Val = - if (other) this else falseVal() - -infix fun Val.or(other: Val): Val = - map(this, other) { a, b -> a || b } - -infix fun Val.xor(other: Val): Val = - // Use != because of https://youtrack.jetbrains.com/issue/KT-31277. - map(this, other) { a, b -> a != b } - -operator fun Val.not(): Val = map { !it } - -operator fun Val.plus(other: Int): Val = - map { it + other } - -operator fun Val.minus(other: Int): Val = - map { it - other } - -fun Val.isEmpty(): Val = - map { it.isEmpty() } - -fun Val.isNotEmpty(): Val = - map { it.isNotEmpty() } - -fun Val.isBlank(): Val = - map { it.isBlank() } - -fun Val.isNotBlank(): Val = - map { it.isNotBlank() } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListVal.kt deleted file mode 100644 index 6a698d21..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListVal.kt +++ /dev/null @@ -1,38 +0,0 @@ -package world.phantasmal.observable.value.list - -import world.phantasmal.core.disposable.Disposable -import world.phantasmal.core.unsafe.unsafeAssertNotNull -import world.phantasmal.observable.value.Val - -/** - * Similar to [DependentListVal], except that this val's [computeElements] returns a ListVal. - */ -class FlatteningDependentListVal( - vararg dependencies: Val<*>, - private val computeElements: () -> ListVal, -) : AbstractDependentListVal(*dependencies) { - private var computedVal: ListVal? = null - private var computedValObserver: Disposable? = null - - override val elements: List get() = computedVal.unsafeAssertNotNull().value - - override fun computeElements() { - computedVal = computeElements.invoke() - - computedValObserver?.dispose() - - computedValObserver = - if (hasObservers) { - computedVal.unsafeAssertNotNull().observeList(observer = ::finalizeUpdate) - } else { - null - } - } - - override fun lastObserverRemoved() { - super.lastObserverRemoved() - - computedValObserver?.dispose() - computedValObserver = null - } -} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListVal.kt deleted file mode 100644 index 737202d1..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListVal.kt +++ /dev/null @@ -1,38 +0,0 @@ -package world.phantasmal.observable.value.list - -import world.phantasmal.core.disposable.Disposable -import world.phantasmal.observable.value.Val - -interface ListVal : Val> { - /** - * Do not keep long-lived references to a [ListVal]'s [value], it may or may not be mutated - * when the [ListVal] is mutated. - */ - override val value: List - - val size: Val - - val empty: Val - - val notEmpty: Val - - operator fun get(index: Int): E - - fun observeList(callNow: Boolean = false, observer: ListValObserver): Disposable - - fun fold(initialValue: R, operation: (R, E) -> R): Val = - FoldedVal(this, initialValue, operation) - - fun all(predicate: (E) -> Boolean): Val = - fold(true) { acc, el -> acc && predicate(el) } - - fun sumBy(selector: (E) -> Int): Val = - fold(0) { acc, el -> acc + selector(el) } - - fun filtered(predicate: (E) -> Boolean): ListVal = - FilteredListVal(this, predicate) - - fun firstOrNull(): Val - - operator fun contains(element: @UnsafeVariance E): Boolean = element in value -} diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListValCreation.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListValCreation.kt deleted file mode 100644 index 8a1f1824..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/ListValCreation.kt +++ /dev/null @@ -1,21 +0,0 @@ -package world.phantasmal.observable.value.list - -import world.phantasmal.observable.value.Val - -private val EMPTY_LIST_VAL = StaticListVal(emptyList()) - -fun listVal(vararg elements: E): ListVal = StaticListVal(elements.toList()) - -fun emptyListVal(): ListVal = EMPTY_LIST_VAL - -fun mutableListVal( - vararg elements: E, - extractObservables: ObservablesExtractor? = null, -): MutableListVal = SimpleListVal(mutableListOf(*elements), extractObservables) - -fun flatMapToList( - v1: Val, - v2: Val, - transform: (T1, T2) -> ListVal, -): ListVal = - FlatteningDependentListVal(v1, v2) { transform(v1.value, v2.value) } diff --git a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/StaticListVal.kt b/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/StaticListVal.kt deleted file mode 100644 index d8bc887b..00000000 --- a/observable/src/commonMain/kotlin/world/phantasmal/observable/value/list/StaticListVal.kt +++ /dev/null @@ -1,40 +0,0 @@ -package world.phantasmal.observable.value.list - -import world.phantasmal.core.disposable.Disposable -import world.phantasmal.core.disposable.stubDisposable -import world.phantasmal.observable.ChangeEvent -import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.* - -class StaticListVal(private val elements: List) : ListVal { - private val firstOrNull = StaticVal(elements.firstOrNull()) - - override val size: Val = value(elements.size) - override val empty: Val = if (elements.isEmpty()) trueVal() else falseVal() - override val notEmpty: Val = if (elements.isNotEmpty()) trueVal() else falseVal() - - override val value: List = elements - - override fun get(index: Int): E = - elements[index] - - override fun observe(callNow: Boolean, observer: Observer>): Disposable { - if (callNow) { - observer(ChangeEvent(value)) - } - - return stubDisposable() - } - - override fun observe(observer: Observer>): Disposable = stubDisposable() - - override fun observeList(callNow: Boolean, observer: ListValObserver): Disposable { - if (callNow) { - observer(ListChangeEvent.Change(0, emptyList(), value)) - } - - return stubDisposable() - } - - override fun firstOrNull(): Val = firstOrNull -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/CellCreationTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/CellCreationTests.kt new file mode 100644 index 00000000..12b59271 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/CellCreationTests.kt @@ -0,0 +1,49 @@ +package world.phantasmal.observable.cell + +import world.phantasmal.observable.test.ObservableTestSuite +import kotlin.test.* + +class CellCreationTests : ObservableTestSuite { + @Test + fun test_cell() = test { + assertEquals(7, cell(7).value) + } + + @Test + fun test_trueCell() = test { + assertTrue(trueCell().value) + } + + @Test + fun test_falseCell() = test { + assertFalse(falseCell().value) + } + + @Test + fun test_nullCell() = test { + assertNull(nullCell().value) + } + + @Test + fun test_mutableCell_with_initial_value() = test { + val cell = mutableCell(17) + + assertEquals(17, cell.value) + + cell.value = 201 + + assertEquals(201, cell.value) + } + + @Test + fun test_mutableCell_with_getter_and_setter() = test { + var x = 17 + val cell = mutableCell({ x }, { x = it }) + + assertEquals(17, cell.value) + + cell.value = 201 + + assertEquals(201, cell.value) + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/ValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/CellTests.kt similarity index 80% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/ValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/CellTests.kt index e1cabd42..65b739d7 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/ValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/CellTests.kt @@ -1,18 +1,18 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import world.phantasmal.core.disposable.use import world.phantasmal.observable.ObservableTests import kotlin.test.* /** - * Test suite for all [Val] implementations. There is a subclass of this suite for every [Val] + * Test suite for all [Cell] implementations. There is a subclass of this suite for every [Cell] * implementation. */ -interface ValTests : ObservableTests { +interface CellTests : ObservableTests { override fun createProvider(): Provider @Test - fun propagates_changes_to_mapped_val() = test { + fun propagates_changes_to_mapped_cell() = test { val p = createProvider() val mapped = p.observable.map { it.hashCode() } val initialValue = mapped.value @@ -31,10 +31,10 @@ interface ValTests : ObservableTests { } @Test - fun propagates_changes_to_flat_mapped_val() = test { + fun propagates_changes_to_flat_mapped_cell() = test { val p = createProvider() - val mapped = p.observable.flatMap { StaticVal(it.hashCode()) } + val mapped = p.observable.flatMap { StaticCell(it.hashCode()) } val initialValue = mapped.value var observedValue: Int? = null @@ -72,7 +72,7 @@ interface ValTests : ObservableTests { } /** - * When [Val.observe] is called with callNow = true, it should call the observer immediately. + * When [Cell.observe] is called with callNow = true, it should call the observer immediately. * Otherwise it should only call the observer when it changes. */ @Test @@ -102,6 +102,6 @@ interface ValTests : ObservableTests { } interface Provider : ObservableTests.Provider { - override val observable: Val + override val observable: Cell } } diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/DelegatingCellTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/DelegatingCellTests.kt new file mode 100644 index 00000000..14439071 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/DelegatingCellTests.kt @@ -0,0 +1,20 @@ +package world.phantasmal.observable.cell + +class DelegatingCellTests : RegularCellTests, MutableCellTests { + override fun createProvider() = object : MutableCellTests.Provider { + private var v = 0 + + override val observable = DelegatingCell({ v }, { v = it }) + + override fun emit() { + observable.value += 2 + } + + override fun createValue(): Int = v + 1 + } + + override fun createWithValue(value: T): DelegatingCell { + var v = value + return DelegatingCell({ v }, { v = it }) + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/DependentCellTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/DependentCellTests.kt new file mode 100644 index 00000000..3dd98d11 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/DependentCellTests.kt @@ -0,0 +1,18 @@ +package world.phantasmal.observable.cell + +class DependentCellTests : RegularCellTests { + override fun createProvider() = object : CellTests.Provider { + val dependency = SimpleCell(0) + + override val observable = DependentCell(dependency) { 2 * dependency.value } + + override fun emit() { + dependency.value += 2 + } + } + + override fun createWithValue(value: T): DependentCell { + val dependency = SimpleCell(value) + return DependentCell(dependency) { dependency.value } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/FlatteningDependentCellDirectDependencyEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/FlatteningDependentCellDirectDependencyEmitsTests.kt new file mode 100644 index 00000000..53d47a71 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/FlatteningDependentCellDirectDependencyEmitsTests.kt @@ -0,0 +1,28 @@ +package world.phantasmal.observable.cell + +/** + * In these tests the direct dependency of the [FlatteningDependentCell] changes. + */ +class FlatteningDependentCellDirectDependencyEmitsTests : RegularCellTests { + override fun createProvider() = object : CellTests.Provider { + // The transitive dependency can't change. + val transitiveDependency = StaticCell(5) + + // The direct dependency of the cell under test can change. + val directDependency = SimpleCell(transitiveDependency) + + override val observable = + FlatteningDependentCell(directDependency) { directDependency.value } + + override fun emit() { + // Update the direct dependency. + val oldTransitiveDependency = directDependency.value + directDependency.value = StaticCell(oldTransitiveDependency.value + 5) + } + } + + override fun createWithValue(value: T): FlatteningDependentCell { + val v = StaticCell(StaticCell(value)) + return FlatteningDependentCell(v) { v.value } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/FlatteningDependentCellTransitiveDependencyEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/FlatteningDependentCellTransitiveDependencyEmitsTests.kt new file mode 100644 index 00000000..96f4b367 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/FlatteningDependentCellTransitiveDependencyEmitsTests.kt @@ -0,0 +1,27 @@ +package world.phantasmal.observable.cell + +/** + * In these tests the dependency of the [FlatteningDependentCell]'s direct dependency changes. + */ +class FlatteningDependentCellTransitiveDependencyEmitsTests : RegularCellTests { + override fun createProvider() = object : CellTests.Provider { + // The transitive dependency can change. + val transitiveDependency = SimpleCell(5) + + // The direct dependency of the cell under test can't change. + val directDependency = StaticCell(transitiveDependency) + + override val observable = + FlatteningDependentCell(directDependency) { directDependency.value } + + override fun emit() { + // Update the transitive dependency. + transitiveDependency.value += 5 + } + } + + override fun createWithValue(value: T): FlatteningDependentCell { + val dependency = StaticCell(StaticCell(value)) + return FlatteningDependentCell(dependency) { dependency.value } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/MutableValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/MutableCellTests.kt similarity index 80% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/MutableValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/MutableCellTests.kt index aa3f9a47..266b4396 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/MutableValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/MutableCellTests.kt @@ -1,10 +1,10 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import kotlin.test.Test import kotlin.test.assertEquals import kotlin.test.assertNull -interface MutableValTests : ValTests { +interface MutableCellTests : CellTests { override fun createProvider(): Provider @Test @@ -25,8 +25,8 @@ interface MutableValTests : ValTests { assertEquals(newValue, observedValue) } - interface Provider : ValTests.Provider { - override val observable: MutableVal + interface Provider : CellTests.Provider { + override val observable: MutableCell /** * Returns a value that can be assigned to [observable] and that's different from diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/RegularCellTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/RegularCellTests.kt new file mode 100644 index 00000000..505d7137 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/RegularCellTests.kt @@ -0,0 +1,161 @@ +package world.phantasmal.observable.cell + +import kotlin.test.* + +/** + * Test suite for all [Cell] implementations that aren't ListCells. There is a subclass of this + * suite for every non-ListCell [Cell] implementation. + */ +interface RegularCellTests : CellTests { + fun createWithValue(value: T): Cell + + /** + * [Cell.value] should correctly reflect changes even when the [Cell] has no observers. + * Typically this means that the cell's value is not updated in real time, only when it is + * queried. + */ + @Test + fun reflects_changes_without_observers() = test { + val p = createProvider() + + var old: Any? + + repeat(5) { + // Value should change after emit. + old = p.observable.value + + p.emit() + + val new = p.observable.value + + assertNotEquals(old, new) + + // Value should not change when emit hasn't been called since the last access. + assertEquals(new, p.observable.value) + + old = new + } + } + + @Test + fun convenience_methods() = test { + listOf(Any(), null).forEach { any -> + val anyCell = createWithValue(any) + + // Test the test setup first. + assertEquals(any, anyCell.value) + + // Test `isNull`. + assertEquals(any == null, anyCell.isNull().value) + + // Test `isNotNull`. + assertEquals(any != null, anyCell.isNotNull().value) + } + } + + @Test + fun generic_extensions() = test { + listOf(Any(), null).forEach { any -> + val anyCell = createWithValue(any) + + // Test the test setup first. + assertEquals(any, anyCell.value) + + // Test `orElse`. + assertEquals(any ?: "default", anyCell.orElse { "default" }.value) + } + + fun testEqNe(a: T, b: T) { + val aCell = createWithValue(a) + val bCell = createWithValue(b) + + // Test the test setup first. + assertEquals(a, aCell.value) + assertEquals(b, bCell.value) + + // Test `eq`. + assertEquals(a == b, (aCell eq b).value) + assertEquals(a == b, (aCell eq bCell).value) + + // Test `ne`. + assertEquals(a != b, (aCell ne b).value) + assertEquals(a != b, (aCell ne bCell).value) + } + + testEqNe(10, 10) + testEqNe(5, 99) + testEqNe("a", "a") + testEqNe("x", "y") + } + + @Test + fun comparable_extensions() = test { + fun > comparable_tests(a: T, b: T) { + val aCell = createWithValue(a) + val bCell = createWithValue(b) + + // Test the test setup first. + assertEquals(a, aCell.value) + assertEquals(b, bCell.value) + + // Test `gt`. + assertEquals(a > b, (aCell gt b).value) + assertEquals(a > b, (aCell gt bCell).value) + + // Test `lt`. + assertEquals(a < b, (aCell lt b).value) + assertEquals(a < b, (aCell lt bCell).value) + } + + comparable_tests(10, 10) + comparable_tests(7.0, 5.0) + comparable_tests((5000).toShort(), (7000).toShort()) + } + + @Test + fun boolean_extensions() = test { + listOf(true, false).forEach { bool -> + val boolCell = createWithValue(bool) + + // Test the test setup first. + assertEquals(bool, boolCell.value) + + // Test `and`. + assertEquals(bool, (boolCell and trueCell()).value) + assertFalse((boolCell and falseCell()).value) + + // Test `or`. + assertTrue((boolCell or trueCell()).value) + assertEquals(bool, (boolCell or falseCell()).value) + + // Test `xor`. + assertEquals(!bool, (boolCell xor trueCell()).value) + assertEquals(bool, (boolCell xor falseCell()).value) + + // Test `!` (unary not). + assertEquals(!bool, (!boolCell).value) + } + } + + @Test + fun string_extensions() = test { + listOf("", " ", "\t\t", "non-empty-non-blank").forEach { string -> + val stringCell = createWithValue(string) + + // Test the test setup first. + assertEquals(string, stringCell.value) + + // Test `isEmpty`. + assertEquals(string.isEmpty(), stringCell.isEmpty().value) + + // Test `isNotEmpty`. + assertEquals(string.isNotEmpty(), stringCell.isNotEmpty().value) + + // Test `isBlank`. + assertEquals(string.isBlank(), stringCell.isBlank().value) + + // Test `isNotBlank`. + assertEquals(string.isNotBlank(), stringCell.isNotBlank().value) + } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/SimpleCellTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/SimpleCellTests.kt new file mode 100644 index 00000000..348cab62 --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/SimpleCellTests.kt @@ -0,0 +1,15 @@ +package world.phantasmal.observable.cell + +class SimpleCellTests : RegularCellTests, MutableCellTests { + override fun createProvider() = object : MutableCellTests.Provider { + override val observable = SimpleCell(1) + + override fun emit() { + observable.value += 2 + } + + override fun createValue(): Int = observable.value + 1 + } + + override fun createWithValue(value: T) = SimpleCell(value) +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/StaticValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/StaticCellTests.kt similarity index 60% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/StaticValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/StaticCellTests.kt index 423ce0ec..0c06215d 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/StaticValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/StaticCellTests.kt @@ -1,14 +1,15 @@ -package world.phantasmal.observable.value +package world.phantasmal.observable.cell import world.phantasmal.observable.test.ObservableTestSuite import kotlin.test.Test import kotlin.test.assertEquals -class StaticValTests : ObservableTestSuite { +class StaticCellTests : ObservableTestSuite { @Test - fun observing_StaticVal_should_never_create_leaks() = test { - val static = StaticVal("test value") + fun observing_StaticCell_should_never_create_leaks() = test { + val static = StaticCell("test value") + // We never call dispose on the returned disposables. static.observe {} static.observe(callNow = false) {} static.observe(callNow = true) {} @@ -16,7 +17,7 @@ class StaticValTests : ObservableTestSuite { @Test fun observe_respects_callNow() = test { - val static = StaticVal("test value") + val static = StaticCell("test value") var calls = 0 static.observe(callNow = false) { calls++ } diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/DependentListCellTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/DependentListCellTests.kt new file mode 100644 index 00000000..48f8212c --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/DependentListCellTests.kt @@ -0,0 +1,13 @@ +package world.phantasmal.observable.cell.list + +class DependentListCellTests : ListCellTests { + override fun createProvider() = object : ListCellTests.Provider { + private val dependency = SimpleListCell(mutableListOf()) + + override val observable = DependentListCell(dependency) { dependency.value.map { 2 * it } } + + override fun addElement() { + dependency.add(4) + } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FilteredListValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FilteredListCellTests.kt similarity index 74% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FilteredListValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FilteredListCellTests.kt index 21bf9d22..6af76f75 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FilteredListValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FilteredListCellTests.kt @@ -1,15 +1,15 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list -import world.phantasmal.observable.value.SimpleVal +import world.phantasmal.observable.cell.SimpleCell import kotlin.test.Test import kotlin.test.assertEquals import kotlin.test.assertNull -class FilteredListValTests : ListValTests { - override fun createProvider() = object : ListValTests.Provider { - private val dependency = SimpleListVal(mutableListOf()) +class FilteredListCellTests : ListCellTests { + override fun createProvider() = object : ListCellTests.Provider { + private val dependency = SimpleListCell(mutableListOf()) - override val observable = FilteredListVal(dependency, predicate = { it % 2 == 0 }) + override val observable = FilteredListCell(dependency, predicate = { it % 2 == 0 }) override fun addElement() { dependency.add(4) @@ -18,8 +18,8 @@ class FilteredListValTests : ListValTests { @Test fun contains_only_values_that_match_the_predicate() = test { - val dep = SimpleListVal(mutableListOf("a", "b")) - val list = FilteredListVal(dep, predicate = { 'a' in it }) + val dep = SimpleListCell(mutableListOf("a", "b")) + val list = FilteredListCell(dep, predicate = { 'a' in it }) assertEquals(1, list.value.size) assertEquals("a", list.value[0]) @@ -42,8 +42,8 @@ class FilteredListValTests : ListValTests { @Test fun only_emits_when_necessary() = test { - val dep = SimpleListVal(mutableListOf()) - val list = FilteredListVal(dep, predicate = { it % 2 == 0 }) + val dep = SimpleListCell(mutableListOf()) + val list = FilteredListCell(dep, predicate = { it % 2 == 0 }) var changes = 0 var listChanges = 0 @@ -71,8 +71,8 @@ class FilteredListValTests : ListValTests { @Test fun emits_correct_change_events() = test { - val dep = SimpleListVal(mutableListOf()) - val list = FilteredListVal(dep, predicate = { it % 2 == 0 }) + val dep = SimpleListCell(mutableListOf()) + val list = FilteredListCell(dep, predicate = { it % 2 == 0 }) var event: ListChangeEvent? = null disposer.add(list.observeList { @@ -104,18 +104,18 @@ class FilteredListValTests : ListValTests { } /** - * When the dependency list of a FilteredListVal emits ElementChange events, the FilteredListVal - * should emit either Change events or ElementChange events, depending on whether the predicate - * result has changed. + * When the dependency of a [FilteredListCell] emits ElementChange events, the + * [FilteredListCell] should emit either Change events or ElementChange events, depending on + * whether the predicate result has changed. */ @Test fun emits_correct_events_when_dependency_emits_ElementChange_events() = test { - val dep = SimpleListVal( - mutableListOf(SimpleVal(1), SimpleVal(2), SimpleVal(3), SimpleVal(4)), + val dep = SimpleListCell( + mutableListOf(SimpleCell(1), SimpleCell(2), SimpleCell(3), SimpleCell(4)), extractObservables = { arrayOf(it) }, ) - val list = FilteredListVal(dep, predicate = { it.value % 2 == 0 }) - var event: ListChangeEvent>? = null + val list = FilteredListCell(dep, predicate = { it.value % 2 == 0 }) + var event: ListChangeEvent>? = null disposer.add(list.observeList { assertNull(event) diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCellDirectDependencyEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCellDirectDependencyEmitsTests.kt new file mode 100644 index 00000000..ba65a6de --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCellDirectDependencyEmitsTests.kt @@ -0,0 +1,25 @@ +package world.phantasmal.observable.cell.list + +import world.phantasmal.observable.cell.SimpleCell + +/** + * In these tests the direct dependency of the [FlatteningDependentListCell] changes. + */ +class FlatteningDependentListCellDirectDependencyEmitsTests : ListCellTests { + override fun createProvider() = object : ListCellTests.Provider { + // The transitive dependency can't change. + private val transitiveDependency = StaticListCell(emptyList()) + + // The direct dependency of the list under test can change. + private val dependency = SimpleCell>(transitiveDependency) + + override val observable = + FlatteningDependentListCell(dependency) { dependency.value } + + override fun addElement() { + // Update the direct dependency. + val oldTransitiveDependency: ListCell = dependency.value + dependency.value = StaticListCell(oldTransitiveDependency.value + 4) + } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCellTransitiveDependencyEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCellTransitiveDependencyEmitsTests.kt new file mode 100644 index 00000000..501571fc --- /dev/null +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/FlatteningDependentListCellTransitiveDependencyEmitsTests.kt @@ -0,0 +1,24 @@ +package world.phantasmal.observable.cell.list + +import world.phantasmal.observable.cell.StaticCell + +/** + * In these tests the dependency of the [FlatteningDependentListCell]'s direct dependency changes. + */ +class FlatteningDependentListCellTransitiveDependencyEmitsTests : ListCellTests { + override fun createProvider() = object : ListCellTests.Provider { + // The transitive dependency can change. + private val transitiveDependency = SimpleListCell(mutableListOf()) + + // The direct dependency of the list under test can't change. + private val dependency = StaticCell>(transitiveDependency) + + override val observable = + FlatteningDependentListCell(dependency) { dependency.value } + + override fun addElement() { + // Update the transitive dependency. + transitiveDependency.add(4) + } + } +} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/ListValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/ListCellTests.kt similarity index 89% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/ListValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/ListCellTests.kt index 3e7b1fa7..ead1085d 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/ListValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/ListCellTests.kt @@ -1,13 +1,13 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list -import world.phantasmal.observable.value.ValTests +import world.phantasmal.observable.cell.CellTests import kotlin.test.* /** - * Test suite for all [ListVal] implementations. There is a subclass of this suite for every - * [ListVal] implementation. + * Test suite for all [ListCell] implementations. There is a subclass of this suite for every + * [ListCell] implementation. */ -interface ListValTests : ValTests { +interface ListCellTests : CellTests { override fun createProvider(): Provider @Test @@ -177,11 +177,11 @@ interface ListValTests : ValTests { } } - interface Provider : ValTests.Provider { - override val observable: ListVal + interface Provider : CellTests.Provider { + override val observable: ListCell /** - * Adds an element to the ListVal under test. + * Adds an element to the [ListCell] under test. */ fun addElement() diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/MutableListValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/MutableListCellTests.kt similarity index 79% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/MutableListValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/MutableListCellTests.kt index 84d8e793..8fc5cd4c 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/MutableListValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/MutableListCellTests.kt @@ -1,16 +1,16 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list -import world.phantasmal.observable.value.MutableValTests +import world.phantasmal.observable.cell.MutableCellTests import kotlin.test.Test import kotlin.test.assertEquals import kotlin.test.assertNull import kotlin.test.assertTrue /** - * Test suite for all [MutableListVal] implementations. There is a subclass of this suite for every - * [MutableListVal] implementation. + * Test suite for all [MutableListCell] implementations. There is a subclass of this suite for every + * [MutableListCell] implementation. */ -interface MutableListValTests : ListValTests, MutableValTests> { +interface MutableListCellTests : ListCellTests, MutableCellTests> { override fun createProvider(): Provider @Test @@ -71,8 +71,8 @@ interface MutableListValTests : ListValTests, MutableValTests> assertEquals(v3, c3.inserted[0]) } - interface Provider : ListValTests.Provider, MutableValTests.Provider> { - override val observable: MutableListVal + interface Provider : ListCellTests.Provider, MutableCellTests.Provider> { + override val observable: MutableListCell fun createElement(): T } diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/SimpleListValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/SimpleListCellTests.kt similarity index 64% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/SimpleListValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/SimpleListCellTests.kt index 177d529b..eb825e8e 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/SimpleListValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/SimpleListCellTests.kt @@ -1,13 +1,13 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import kotlin.test.Test import kotlin.test.assertEquals -class SimpleListValTests : MutableListValTests { - override fun createProvider() = object : MutableListValTests.Provider { +class SimpleListCellTests : MutableListCellTests { + override fun createProvider() = object : MutableListCellTests.Provider { private var nextElement = 0 - override val observable = SimpleListVal(mutableListOf()) + override val observable = SimpleListCell(mutableListOf()) override fun addElement() { observable.add(createElement()) @@ -20,7 +20,7 @@ class SimpleListValTests : MutableListValTests { @Test fun instantiates_correctly() = test { - val list = SimpleListVal(mutableListOf(1, 2, 3)) + val list = SimpleListCell(mutableListOf(1, 2, 3)) assertEquals(3, list.size.value) assertEquals(3, list.value.size) diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/StaticListValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/StaticListCellTests.kt similarity index 67% rename from observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/StaticListValTests.kt rename to observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/StaticListCellTests.kt index bed6dc7b..d5e67891 100644 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/StaticListValTests.kt +++ b/observable/src/commonTest/kotlin/world/phantasmal/observable/cell/list/StaticListCellTests.kt @@ -1,14 +1,15 @@ -package world.phantasmal.observable.value.list +package world.phantasmal.observable.cell.list import world.phantasmal.observable.test.ObservableTestSuite import kotlin.test.Test import kotlin.test.assertEquals -class StaticListValTests : ObservableTestSuite { +class StaticListCellTests : ObservableTestSuite { @Test - fun observing_StaticListVal_should_never_create_leaks() = test { - val static = StaticListVal(listOf(1, 2, 3)) + fun observing_StaticListCell_should_never_create_leaks() = test { + val static = StaticListCell(listOf(1, 2, 3)) + // We never call dispose on the returned disposables. static.observe {} static.observe(callNow = false) {} static.observe(callNow = true) {} @@ -18,7 +19,7 @@ class StaticListValTests : ObservableTestSuite { @Test fun observe_respects_callNow() = test { - val static = StaticListVal(listOf(1, 2, 3)) + val static = StaticListCell(listOf(1, 2, 3)) var calls = 0 static.observe(callNow = false) { calls++ } @@ -29,7 +30,7 @@ class StaticListValTests : ObservableTestSuite { @Test fun observeList_respects_callNow() = test { - val static = StaticListVal(listOf(1, 2, 3)) + val static = StaticListCell(listOf(1, 2, 3)) var calls = 0 static.observeList(callNow = false) { calls++ } diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/DelegatingValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/DelegatingValTests.kt deleted file mode 100644 index ab244968..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/DelegatingValTests.kt +++ /dev/null @@ -1,20 +0,0 @@ -package world.phantasmal.observable.value - -class DelegatingValTests : RegularValTests, MutableValTests { - override fun createProvider() = object : MutableValTests.Provider { - private var v = 0 - - override val observable = DelegatingVal({ v }, { v = it }) - - override fun emit() { - observable.value += 2 - } - - override fun createValue(): Int = v + 1 - } - - override fun createWithValue(value: T): DelegatingVal { - var v = value - return DelegatingVal({ v }, { v = it }) - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/DependentValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/DependentValTests.kt deleted file mode 100644 index 7cf95d6f..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/DependentValTests.kt +++ /dev/null @@ -1,18 +0,0 @@ -package world.phantasmal.observable.value - -class DependentValTests : RegularValTests { - override fun createProvider() = object : ValTests.Provider { - val v = SimpleVal(0) - - override val observable = DependentVal(v) { 2 * v.value } - - override fun emit() { - v.value += 2 - } - } - - override fun createWithValue(value: T): DependentVal { - val v = SimpleVal(value) - return DependentVal(v) { v.value } - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/FlatteningDependentValDependentValEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/FlatteningDependentValDependentValEmitsTests.kt deleted file mode 100644 index 6bb03b5a..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/FlatteningDependentValDependentValEmitsTests.kt +++ /dev/null @@ -1,50 +0,0 @@ -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 [FlatteningDependentVal] changes. - */ -class FlatteningDependentValDependentValEmitsTests : RegularValTests { - override fun createProvider() = object : ValTests.Provider { - val v = SimpleVal(StaticVal(5)) - - override val observable = FlatteningDependentVal(v) { v.value } - - override fun emit() { - v.value = StaticVal(v.value.value + 5) - } - } - - override fun createWithValue(value: T): FlatteningDependentVal { - val v = StaticVal(StaticVal(value)) - return FlatteningDependentVal(v) { v.value } - } - - /** - * 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() = test { - val v = SimpleVal(SimpleVal(7)) - val fv = FlatteningDependentVal(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) - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/FlatteningDependentValNestedValEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/FlatteningDependentValNestedValEmitsTests.kt deleted file mode 100644 index 69653188..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/FlatteningDependentValNestedValEmitsTests.kt +++ /dev/null @@ -1,21 +0,0 @@ -package world.phantasmal.observable.value - -/** - * In these tests the dependency of the [FlatteningDependentVal]'s direct dependency changes. - */ -class FlatteningDependentValNestedValEmitsTests : RegularValTests { - override fun createProvider() = object : ValTests.Provider { - val v = StaticVal(SimpleVal(5)) - - override val observable = FlatteningDependentVal(v) { v.value } - - override fun emit() { - v.value.value += 5 - } - } - - override fun createWithValue(value: T): FlatteningDependentVal { - val v = StaticVal(StaticVal(value)) - return FlatteningDependentVal(v) { v.value } - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/RegularValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/RegularValTests.kt deleted file mode 100644 index 2caadd4c..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/RegularValTests.kt +++ /dev/null @@ -1,160 +0,0 @@ -package world.phantasmal.observable.value - -import kotlin.test.* - -/** - * Test suite for all [Val] implementations that aren't ListVals. There is a subclass of this suite - * for every non-ListVal [Val] implementation. - */ -interface RegularValTests : ValTests { - fun createWithValue(value: T): Val - - /** - * [Val.value] should correctly reflect changes even when the [Val] has no observers. Typically - * this means that the val's value is not updated in real time, only when it is queried. - */ - @Test - fun reflects_changes_without_observers() = test { - val p = createProvider() - - var old: Any? - - repeat(5) { - // Value should change after emit. - old = p.observable.value - - p.emit() - - val new = p.observable.value - - assertNotEquals(old, new) - - // Value should not change when emit hasn't been called since the last access. - assertEquals(new, p.observable.value) - - old = new - } - } - - @Test - fun val_convenience_methods() = test { - listOf(Any(), null).forEach { any -> - val anyVal = createWithValue(any) - - // Test the test setup first. - assertEquals(any, anyVal.value) - - // Test `isNull`. - assertEquals(any == null, anyVal.isNull().value) - - // Test `isNotNull`. - assertEquals(any != null, anyVal.isNotNull().value) - } - } - - @Test - fun val_generic_extensions() = test { - listOf(Any(), null).forEach { any -> - val anyVal = createWithValue(any) - - // Test the test setup first. - assertEquals(any, anyVal.value) - - // Test `orElse`. - assertEquals(any ?: "default", anyVal.orElse { "default" }.value) - } - - fun testEqNe(a: T, b: T) { - val aVal = createWithValue(a) - val bVal = createWithValue(b) - - // Test the test setup first. - assertEquals(a, aVal.value) - assertEquals(b, bVal.value) - - // Test `eq`. - assertEquals(a == b, (aVal eq b).value) - assertEquals(a == b, (aVal eq bVal).value) - - // Test `ne`. - assertEquals(a != b, (aVal ne b).value) - assertEquals(a != b, (aVal ne bVal).value) - } - - testEqNe(10, 10) - testEqNe(5, 99) - testEqNe("a", "a") - testEqNe("x", "y") - } - - @Test - fun val_comparable_extensions() = test { - fun > comparable_tests(a: T, b: T) { - val aVal = createWithValue(a) - val bVal = createWithValue(b) - - // Test the test setup first. - assertEquals(a, aVal.value) - assertEquals(b, bVal.value) - - // Test `gt`. - assertEquals(a > b, (aVal gt b).value) - assertEquals(a > b, (aVal gt bVal).value) - - // Test `lt`. - assertEquals(a < b, (aVal lt b).value) - assertEquals(a < b, (aVal lt bVal).value) - } - - comparable_tests(10, 10) - comparable_tests(7.0, 5.0) - comparable_tests((5000).toShort(), (7000).toShort()) - } - - @Test - fun val_boolean_extensions() = test { - listOf(true, false).forEach { bool -> - val boolVal = createWithValue(bool) - - // Test the test setup first. - assertEquals(bool, boolVal.value) - - // Test `and`. - assertEquals(bool, (boolVal and trueVal()).value) - assertFalse((boolVal and falseVal()).value) - - // Test `or`. - assertTrue((boolVal or trueVal()).value) - assertEquals(bool, (boolVal or falseVal()).value) - - // Test `xor`. - assertEquals(!bool, (boolVal xor trueVal()).value) - assertEquals(bool, (boolVal xor falseVal()).value) - - // Test `!` (unary not). - assertEquals(!bool, (!boolVal).value) - } - } - - @Test - fun val_string_extensions() = test { - listOf("", " ", "\t\t", "non-empty-non-blank").forEach { string -> - val stringVal = createWithValue(string) - - // Test the test setup first. - assertEquals(string, stringVal.value) - - // Test `isEmpty`. - assertEquals(string.isEmpty(), stringVal.isEmpty().value) - - // Test `isNotEmpty`. - assertEquals(string.isNotEmpty(), stringVal.isNotEmpty().value) - - // Test `isBlank`. - assertEquals(string.isBlank(), stringVal.isBlank().value) - - // Test `isNotBlank`. - assertEquals(string.isNotBlank(), stringVal.isNotBlank().value) - } - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/SimpleValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/SimpleValTests.kt deleted file mode 100644 index ae173468..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/SimpleValTests.kt +++ /dev/null @@ -1,15 +0,0 @@ -package world.phantasmal.observable.value - -class SimpleValTests : RegularValTests, MutableValTests { - override fun createProvider() = object : MutableValTests.Provider { - override val observable = SimpleVal(1) - - override fun emit() { - observable.value += 2 - } - - override fun createValue(): Int = observable.value + 1 - } - - override fun createWithValue(value: T) = SimpleVal(value) -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/ValCreationTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/ValCreationTests.kt deleted file mode 100644 index a9fed412..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/ValCreationTests.kt +++ /dev/null @@ -1,49 +0,0 @@ -package world.phantasmal.observable.value - -import world.phantasmal.observable.test.ObservableTestSuite -import kotlin.test.* - -class ValCreationTests : ObservableTestSuite { - @Test - fun test_value() = test { - assertEquals(7, value(7).value) - } - - @Test - fun test_trueVal() = test { - assertTrue(trueVal().value) - } - - @Test - fun test_falseVal() = test { - assertFalse(falseVal().value) - } - - @Test - fun test_nullVal() = test { - assertNull(nullVal().value) - } - - @Test - fun test_mutableVal_with_initial_value() = test { - val v = mutableVal(17) - - assertEquals(17, v.value) - - v.value = 201 - - assertEquals(201, v.value) - } - - @Test - fun test_mutableVal_with_getter_and_setter() = test { - var x = 17 - val v = mutableVal({ x }, { x = it }) - - assertEquals(17, v.value) - - v.value = 201 - - assertEquals(201, v.value) - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/DependentListValTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/DependentListValTests.kt deleted file mode 100644 index 624f4ae0..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/DependentListValTests.kt +++ /dev/null @@ -1,13 +0,0 @@ -package world.phantasmal.observable.value.list - -class DependentListValTests : ListValTests { - override fun createProvider() = object : ListValTests.Provider { - private val l = SimpleListVal(mutableListOf()) - - override val observable = DependentListVal(l) { l.value.map { 2 * it } } - - override fun addElement() { - l.add(4) - } - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListValDependentValEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListValDependentValEmitsTests.kt deleted file mode 100644 index c5acce9f..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListValDependentValEmitsTests.kt +++ /dev/null @@ -1,25 +0,0 @@ -package world.phantasmal.observable.value.list - -import world.phantasmal.observable.value.SimpleVal - -/** - * In these tests the direct dependency of the [FlatteningDependentListVal] changes. - */ -class FlatteningDependentListValDependentValEmitsTests : ListValTests { - override fun createProvider() = object : ListValTests.Provider { - // The nested val can't change. - private val nestedVal = StaticListVal(emptyList()) - - // The direct dependency of the list under test can change. - private val dependencyVal = SimpleVal>(nestedVal) - - override val observable = - FlatteningDependentListVal(dependencyVal) { dependencyVal.value } - - override fun addElement() { - // Update the direct dependency. - val oldNestedVal: ListVal = dependencyVal.value - dependencyVal.value = StaticListVal(oldNestedVal.value + 4) - } - } -} diff --git a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListValNestedValEmitsTests.kt b/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListValNestedValEmitsTests.kt deleted file mode 100644 index 1edf17f1..00000000 --- a/observable/src/commonTest/kotlin/world/phantasmal/observable/value/list/FlatteningDependentListValNestedValEmitsTests.kt +++ /dev/null @@ -1,24 +0,0 @@ -package world.phantasmal.observable.value.list - -import world.phantasmal.observable.value.StaticVal - -/** - * In these tests the dependency of the [FlatteningDependentListVal]'s direct dependency changes. - */ -class FlatteningDependentListValNestedValEmitsTests : ListValTests { - override fun createProvider() = object : ListValTests.Provider { - // The nested val can change. - private val nestedVal = SimpleListVal(mutableListOf()) - - // The direct dependency of the list under test can't change. - private val dependentVal = StaticVal>(nestedVal) - - override val observable = - FlatteningDependentListVal(dependentVal) { dependentVal.value } - - override fun addElement() { - // Update the nested dependency. - nestedVal.add(4) - } - } -} diff --git a/web/src/main/kotlin/world/phantasmal/web/Main.kt b/web/src/main/kotlin/world/phantasmal/web/Main.kt index c13fcf7c..0f23fc22 100644 --- a/web/src/main/kotlin/world/phantasmal/web/Main.kt +++ b/web/src/main/kotlin/world/phantasmal/web/Main.kt @@ -15,7 +15,7 @@ import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.Disposer import world.phantasmal.core.disposable.TrackedDisposable import world.phantasmal.core.disposable.disposable -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.application.Application import world.phantasmal.web.core.loading.AssetLoader import world.phantasmal.web.core.rendering.DisposableThreeRenderer @@ -90,7 +90,7 @@ private fun createThreeRenderer(canvas: HTMLCanvasElement): DisposableThreeRende private class HistoryApplicationUrl : TrackedDisposable(), ApplicationUrl { private val path: String get() = window.location.pathname - override val url = mutableVal(window.location.hash.substring(1)) + override val url = mutableCell(window.location.hash.substring(1)) private val popStateListener = window.disposableListener("popstate", { url.value = window.location.hash.substring(1) diff --git a/web/src/main/kotlin/world/phantasmal/web/application/controllers/MainContentController.kt b/web/src/main/kotlin/world/phantasmal/web/application/controllers/MainContentController.kt index 911d0575..94080019 100644 --- a/web/src/main/kotlin/world/phantasmal/web/application/controllers/MainContentController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/application/controllers/MainContentController.kt @@ -1,10 +1,10 @@ package world.phantasmal.web.application.controllers -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.stores.UiStore import world.phantasmal.webui.controllers.Controller class MainContentController(uiStore: UiStore) : Controller() { - val tools: Map> = uiStore.toolToActive + val tools: Map> = uiStore.toolToActive } diff --git a/web/src/main/kotlin/world/phantasmal/web/application/controllers/NavigationController.kt b/web/src/main/kotlin/world/phantasmal/web/application/controllers/NavigationController.kt index 85234e78..ed8da885 100644 --- a/web/src/main/kotlin/world/phantasmal/web/application/controllers/NavigationController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/application/controllers/NavigationController.kt @@ -4,19 +4,19 @@ import kotlinx.browser.window import kotlinx.datetime.Clock import kotlinx.datetime.TimeZone import kotlinx.datetime.toLocalDateTime -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.stores.UiStore import world.phantasmal.webui.controllers.Controller import kotlin.math.floor class NavigationController(private val uiStore: UiStore, private val clock: Clock) : Controller() { - private val _internetTime = mutableVal("@") + private val _internetTime = mutableCell("@") private var internetTimeInterval: Int - val tools: Map> = uiStore.toolToActive - val internetTime: Val = _internetTime + val tools: Map> = uiStore.toolToActive + val internetTime: Cell = _internetTime init { internetTimeInterval = window.setInterval(::updateInternetTime, 1000) diff --git a/web/src/main/kotlin/world/phantasmal/web/application/widgets/NavigationWidget.kt b/web/src/main/kotlin/world/phantasmal/web/application/widgets/NavigationWidget.kt index 10d0833e..032741a8 100644 --- a/web/src/main/kotlin/world/phantasmal/web/application/widgets/NavigationWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/application/widgets/NavigationWidget.kt @@ -1,11 +1,12 @@ package world.phantasmal.web.application.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.falseVal -import world.phantasmal.observable.value.list.listVal -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.falseCell +import world.phantasmal.observable.cell.list.listCell import world.phantasmal.web.application.controllers.NavigationController import world.phantasmal.web.core.dom.externalLink +import world.phantasmal.web.core.models.Server import world.phantasmal.webui.dom.Icon import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.icon @@ -29,11 +30,11 @@ class NavigationWidget(private val ctrl: NavigationController) : Widget() { className = "pw-application-navigation-right" val serverSelect = Select( - enabled = falseVal(), + enabled = falseCell(), label = "Server:", - items = listVal("Ephinea"), - selected = value("Ephinea"), - tooltip = value("Only Ephinea is supported at the moment"), + items = listCell(Server.Ephinea.uiName), + selected = cell(Server.Ephinea.uiName), + tooltip = cell("Only ${Server.Ephinea.uiName} is supported at the moment"), ) addChild(serverSelect.label!!) addChild(serverSelect) diff --git a/web/src/main/kotlin/world/phantasmal/web/application/widgets/PwToolButton.kt b/web/src/main/kotlin/world/phantasmal/web/application/widgets/PwToolButton.kt index 050a2bb4..2b73fb3b 100644 --- a/web/src/main/kotlin/world/phantasmal/web/application/widgets/PwToolButton.kt +++ b/web/src/main/kotlin/world/phantasmal/web/application/widgets/PwToolButton.kt @@ -2,8 +2,8 @@ package world.phantasmal.web.application.widgets import org.w3c.dom.Node import world.phantasmal.observable.Observable -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.web.core.PwToolType import world.phantasmal.webui.dom.input import world.phantasmal.webui.dom.label @@ -14,7 +14,7 @@ class PwToolButton( private val tool: PwToolType, private val toggled: Observable, private val onMouseDown: () -> Unit, -) : Control(visible = trueVal(), enabled = trueVal(), tooltip = nullVal()) { +) : Control(visible = trueCell(), enabled = trueCell(), tooltip = nullCell()) { private val inputId = "pw-application-pw-tool-button-${tool.name.toLowerCase()}" override fun Node.createElement() = diff --git a/web/src/main/kotlin/world/phantasmal/web/core/stores/UiStore.kt b/web/src/main/kotlin/world/phantasmal/web/core/stores/UiStore.kt index 41cb47e0..114d588f 100644 --- a/web/src/main/kotlin/world/phantasmal/web/core/stores/UiStore.kt +++ b/web/src/main/kotlin/world/phantasmal/web/core/stores/UiStore.kt @@ -6,17 +6,17 @@ import org.w3c.dom.events.KeyboardEvent import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.Disposer import world.phantasmal.core.disposable.disposable -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.eq -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.eq +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.models.Server import world.phantasmal.webui.dom.disposableListener import world.phantasmal.webui.stores.Store interface ApplicationUrl { - val url: Val + val url: Cell fun pushUrl(url: String) @@ -24,16 +24,16 @@ interface ApplicationUrl { } class UiStore(private val applicationUrl: ApplicationUrl) : Store() { - private val _currentTool: MutableVal + private val _currentTool: MutableCell - private val _path = mutableVal("") - private val _server = mutableVal(Server.Ephinea) + private val _path = mutableCell("") + private val _server = mutableCell(Server.Ephinea) /** * Maps full paths to maps of parameters and their values. In other words we keep track of * parameter values per [applicationUrl]. */ - private val parameters: MutableMap>> = + private val parameters: MutableMap>> = mutableMapOf() private val globalKeyDownHandlers: MutableMap Unit> = mutableMapOf() @@ -55,32 +55,28 @@ class UiStore(private val applicationUrl: ApplicationUrl) : Store() { /** * The tool that is currently visible. */ - val currentTool: Val + val currentTool: Cell /** - * Map of tools to a boolean Val that says whether they are the current tool or not. + * Map of tools to a boolean cell that says whether they are the current tool or not. */ - val toolToActive: Map> + val toolToActive: Map> /** * Application URL without the tool path prefix. */ - val path: Val = _path + val path: Cell = _path /** * The private server we're currently showing data and tools for. */ - val server: Val = _server + val server: Cell = _server init { - _currentTool = mutableVal(defaultTool) + _currentTool = mutableCell(defaultTool) currentTool = _currentTool - toolToActive = tools - .map { tool -> - tool to (currentTool eq tool) - } - .toMap() + toolToActive = tools.associateWith { tool -> currentTool eq tool } addDisposables( window.disposableListener("keydown", ::dispatchGlobalKeyDown), @@ -111,7 +107,7 @@ class UiStore(private val applicationUrl: ApplicationUrl) : Store() { path: String, parameter: String, setInitialValue: (String?) -> Unit, - value: Val, + value: Cell, onChange: (String?) -> Unit, ): Disposable { require(parameter !== FEATURES_PARAM) { @@ -119,7 +115,7 @@ class UiStore(private val applicationUrl: ApplicationUrl) : Store() { } val pathParams = parameters.getOrPut("/${tool.slug}$path", ::mutableMapOf) - val param = pathParams.getOrPut(parameter) { mutableVal(null) } + val param = pathParams.getOrPut(parameter) { mutableCell(null) } setInitialValue(param.value) @@ -142,7 +138,7 @@ class UiStore(private val applicationUrl: ApplicationUrl) : Store() { private fun setParameter( tool: PwToolType, path: String, - parameter: MutableVal, + parameter: MutableCell, value: String?, replaceUrl: Boolean, ) { @@ -194,7 +190,7 @@ class UiStore(private val applicationUrl: ApplicationUrl) : Store() { features.add(feature) } } else { - params.getOrPut(param) { mutableVal(value) }.value = value + params.getOrPut(param) { mutableCell(value) }.value = value } } } @@ -262,6 +258,6 @@ class UiStore(private val applicationUrl: ApplicationUrl) : Store() { companion object { private const val FEATURES_PARAM = "features" private val SLUG_TO_PW_TOOL: Map = - PwToolType.values().map { it.slug to it }.toMap() + PwToolType.values().associateBy { it.slug } } } diff --git a/web/src/main/kotlin/world/phantasmal/web/core/undo/Undo.kt b/web/src/main/kotlin/world/phantasmal/web/core/undo/Undo.kt index 378b4684..4752d8fa 100644 --- a/web/src/main/kotlin/world/phantasmal/web/core/undo/Undo.kt +++ b/web/src/main/kotlin/world/phantasmal/web/core/undo/Undo.kt @@ -1,28 +1,28 @@ package world.phantasmal.web.core.undo -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell import world.phantasmal.web.core.actions.Action interface Undo { - val canUndo: Val - val canRedo: Val + val canUndo: Cell + val canRedo: Cell /** * The first action that will be undone when calling undo(). */ - val firstUndo: Val + val firstUndo: Cell /** * The first action that will be redone when calling redo(). */ - val firstRedo: Val + val firstRedo: Cell /** * True if this undo is at the point in time where the last save happened. See [savePoint]. * If false, it should be safe to leave the application because no changes have happened since * the last save point (either because there were no changes or all changes have been undone). */ - val atSavePoint: Val + val atSavePoint: Cell fun undo(): Boolean fun redo(): Boolean diff --git a/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoManager.kt b/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoManager.kt index f40b0818..1dbc2395 100644 --- a/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoManager.kt +++ b/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoManager.kt @@ -1,25 +1,25 @@ package world.phantasmal.web.core.undo -import world.phantasmal.observable.value.* -import world.phantasmal.observable.value.list.mutableListVal +import world.phantasmal.observable.cell.* +import world.phantasmal.observable.cell.list.mutableListCell import world.phantasmal.web.core.actions.Action class UndoManager { - private val undos = mutableListVal(NopUndo) { arrayOf(it.atSavePoint) } - private val _current = mutableVal(NopUndo) + private val undos = mutableListCell(NopUndo) { arrayOf(it.atSavePoint) } + private val _current = mutableCell(NopUndo) - val current: Val = _current + val current: Cell = _current - val canUndo: Val = current.flatMap { it.canUndo } - val canRedo: Val = current.flatMap { it.canRedo } - val firstUndo: Val = current.flatMap { it.firstUndo } - val firstRedo: Val = current.flatMap { it.firstRedo } + val canUndo: Cell = current.flatMap { it.canUndo } + val canRedo: Cell = current.flatMap { it.canRedo } + val firstUndo: Cell = current.flatMap { it.firstUndo } + val firstRedo: Cell = current.flatMap { it.firstRedo } /** * True if all undos are at the most recent save point. I.e., true if there are no changes to * save. */ - val allAtSavePoint: Val = undos.all { it.atSavePoint.value } + val allAtSavePoint: Cell = undos.all { it.atSavePoint.value } fun addUndo(undo: Undo) { undos.add(undo) @@ -56,11 +56,11 @@ class UndoManager { } private object NopUndo : Undo { - override val canUndo = falseVal() - override val canRedo = falseVal() - override val firstUndo = nullVal() - override val firstRedo = nullVal() - override val atSavePoint = trueVal() + override val canUndo = falseCell() + override val canRedo = falseCell() + override val firstUndo = nullCell() + override val firstRedo = nullCell() + override val atSavePoint = trueCell() override fun undo(): Boolean = false diff --git a/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoStack.kt b/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoStack.kt index 0e1f1dd2..7ca195eb 100644 --- a/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoStack.kt +++ b/web/src/main/kotlin/world/phantasmal/web/core/undo/UndoStack.kt @@ -1,32 +1,32 @@ package world.phantasmal.web.core.undo -import world.phantasmal.observable.value.* -import world.phantasmal.observable.value.list.mutableListVal +import world.phantasmal.observable.cell.* +import world.phantasmal.observable.cell.list.mutableListCell import world.phantasmal.web.core.actions.Action /** * Full-fledged linear undo/redo implementation. */ class UndoStack(manager: UndoManager) : Undo { - private val stack = mutableListVal() + private val stack = mutableListCell() /** * The index where new actions are inserted. If not equal to the [stack]'s size, points to the * action that will be redone when calling [redo]. */ - private val index = mutableVal(0) - private val savePointIndex = mutableVal(0) + private val index = mutableCell(0) + private val savePointIndex = mutableCell(0) private var undoingOrRedoing = false - override val canUndo: Val = index gt 0 + override val canUndo: Cell = index gt 0 - override val canRedo: Val = map(stack, index) { stack, index -> index < stack.size } + override val canRedo: Cell = map(stack, index) { stack, index -> index < stack.size } - override val firstUndo: Val = index.map { stack.value.getOrNull(it - 1) } + override val firstUndo: Cell = index.map { stack.value.getOrNull(it - 1) } - override val firstRedo: Val = index.map { stack.value.getOrNull(it) } + override val firstRedo: Cell = index.map { stack.value.getOrNull(it) } - override val atSavePoint: Val = index eq savePointIndex + override val atSavePoint: Cell = index eq savePointIndex init { manager.addUndo(this) diff --git a/web/src/main/kotlin/world/phantasmal/web/core/widgets/DockWidget.kt b/web/src/main/kotlin/world/phantasmal/web/core/widgets/DockWidget.kt index c327a2d2..17a63a3d 100644 --- a/web/src/main/kotlin/world/phantasmal/web/core/widgets/DockWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/core/widgets/DockWidget.kt @@ -3,8 +3,8 @@ package world.phantasmal.web.core.widgets import kotlinx.coroutines.launch import mu.KotlinLogging import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.web.core.controllers.* import world.phantasmal.web.externals.goldenLayout.GoldenLayout import world.phantasmal.webui.dom.div @@ -14,7 +14,7 @@ import world.phantasmal.webui.widgets.Widget private val logger = KotlinLogging.logger {} class DockWidget( - visible: Val = trueVal(), + visible: Cell = trueCell(), private val ctrl: DockController, private val createWidget: (id: String) -> Widget, ) : Widget(visible) { diff --git a/web/src/main/kotlin/world/phantasmal/web/core/widgets/UnavailableWidget.kt b/web/src/main/kotlin/world/phantasmal/web/core/widgets/UnavailableWidget.kt index e6068cdd..347aa9ed 100644 --- a/web/src/main/kotlin/world/phantasmal/web/core/widgets/UnavailableWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/core/widgets/UnavailableWidget.kt @@ -1,22 +1,22 @@ package world.phantasmal.web.core.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.falseVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.falseCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div import world.phantasmal.webui.widgets.Label import world.phantasmal.webui.widgets.Widget class UnavailableWidget( - visible: Val = trueVal(), + visible: Cell = trueCell(), private val message: String, ) : Widget(visible) { override fun Node.createElement() = div { className = "pw-core-unavailable" - addWidget(Label(enabled = falseVal(), text = message)) + addWidget(Label(enabled = falseCell(), text = message)) } companion object { diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/MethodsForEpisodeController.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/MethodsForEpisodeController.kt index 9aabade9..9ed83f64 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/MethodsForEpisodeController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/MethodsForEpisodeController.kt @@ -2,9 +2,9 @@ package world.phantasmal.web.huntOptimizer.controllers import world.phantasmal.lib.Episode import world.phantasmal.lib.fileFormats.quest.NpcType -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.cell.list.ListCell +import world.phantasmal.observable.cell.list.listCell +import world.phantasmal.observable.cell.list.mutableListCell import world.phantasmal.web.huntOptimizer.models.HuntMethodModel import world.phantasmal.web.huntOptimizer.stores.HuntMethodStore import world.phantasmal.webui.controllers.Column @@ -17,14 +17,14 @@ class MethodsForEpisodeController( private val huntMethodStore: HuntMethodStore, episode: Episode, ) : TableController() { - private val methods = mutableListVal() + private val methods = mutableListCell() private val enemies: List = NpcType.VALUES.filter { it.enemy && it.episode == episode } override val fixedColumns = 2 - override val values: ListVal = methods + override val values: ListCell = methods - override val columns: ListVal> = listVal( + override val columns: ListCell> = listCell( Column( key = METHOD_COL_KEY, title = "Method", diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/OptimizationResultController.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/OptimizationResultController.kt index fe5c3020..1620c73f 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/OptimizationResultController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/OptimizationResultController.kt @@ -1,7 +1,7 @@ package world.phantasmal.web.huntOptimizer.controllers -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.list.ListCell import world.phantasmal.web.huntOptimizer.models.OptimalMethodModel import world.phantasmal.web.huntOptimizer.stores.HuntOptimizerStore import world.phantasmal.webui.controllers.Column @@ -15,11 +15,11 @@ class OptimizationResultController( override val fixedColumns = 4 override val hasFooter = true - override val values: ListVal = - huntOptimizerStore.optimizationResult.mapToListVal { it.optimalMethods } + override val values: ListCell = + huntOptimizerStore.optimizationResult.mapToList { it.optimalMethods } - override val columns: ListVal> = - huntOptimizerStore.optimizationResult.mapToListVal { result -> + override val columns: ListCell> = + huntOptimizerStore.optimizationResult.mapToList { result -> var totalRuns = .0 var totalTime = Duration.ZERO @@ -33,7 +33,7 @@ class OptimizationResultController( key = DIFF_COL, title = "Difficulty", width = 80, - footer = value("Totals:"), + footer = cell("Totals:"), ), Column( key = METHOD_COL, @@ -62,8 +62,8 @@ class OptimizationResultController( width = 60, textAlign = "right", tooltip = { it.runs.toString() }, - footer = value(totalRuns.toRoundedString(1)), - footerTooltip = value(totalRuns.toString()), + footer = cell(totalRuns.toRoundedString(1)), + footerTooltip = cell(totalRuns.toString()), ), Column( key = TOTAL_TIME_COL, @@ -71,8 +71,8 @@ class OptimizationResultController( width = 60, textAlign = "right", tooltip = { it.totalTime.inHours.toString() }, - footer = value(totalTime.inHours.toRoundedString(1)), - footerTooltip = value(totalTime.inHours.toString()), + footer = cell(totalTime.inHours.toRoundedString(1)), + footerTooltip = cell(totalTime.inHours.toString()), ), *Array(result.wantedItems.size) { index -> val wanted = result.wantedItems[index] @@ -86,8 +86,8 @@ class OptimizationResultController( width = 80, textAlign = "right", tooltip = { it.itemTypeIdToCount[wanted.id]?.toString() }, - footer = value(totalCount.toRoundedString(2)), - footerTooltip = value(totalCount.toString()), + footer = cell(totalCount.toRoundedString(2)), + footerTooltip = cell(totalCount.toString()), ) }, ) diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/WantedItemsController.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/WantedItemsController.kt index 63d6ed05..e1b2ead4 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/WantedItemsController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/controllers/WantedItemsController.kt @@ -1,9 +1,9 @@ package world.phantasmal.web.huntOptimizer.controllers -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.huntOptimizer.models.WantedItemModel import world.phantasmal.web.huntOptimizer.stores.HuntOptimizerStore import world.phantasmal.web.shared.dto.ItemType @@ -12,14 +12,14 @@ import world.phantasmal.webui.controllers.Controller class WantedItemsController( private val huntOptimizerStore: HuntOptimizerStore, ) : Controller() { - private val selectableItemsFilter: MutableVal<(ItemType) -> Boolean> = mutableVal { true } + private val selectableItemsFilter: MutableCell<(ItemType) -> Boolean> = mutableCell { true } - // TODO: Use ListVal.filtered with a Val when this is supported. - val selectableItems: Val> = selectableItemsFilter.flatMap { filter -> + // TODO: Use ListCell.filtered with a Cell when this is supported. + val selectableItems: Cell> = selectableItemsFilter.flatMap { filter -> huntOptimizerStore.huntableItems.filtered(filter) } - val wantedItems: ListVal = huntOptimizerStore.wantedItems + val wantedItems: ListCell = huntOptimizerStore.wantedItems fun filterSelectableItems(text: String) { val sanitized = text.trim() diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/HuntMethodModel.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/HuntMethodModel.kt index e79e80ae..534e0d0d 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/HuntMethodModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/HuntMethodModel.kt @@ -2,9 +2,9 @@ package world.phantasmal.web.huntOptimizer.models import world.phantasmal.lib.Episode import world.phantasmal.lib.fileFormats.quest.NpcType -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal -import world.phantasmal.observable.value.orElse +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell +import world.phantasmal.observable.cell.orElse import kotlin.time.Duration class HuntMethodModel( @@ -16,7 +16,7 @@ class HuntMethodModel( */ val defaultTime: Duration, ) { - private val _userTime = mutableVal(null) + private val _userTime = mutableCell(null) val episode: Episode = quest.episode @@ -25,9 +25,9 @@ class HuntMethodModel( /** * The time it takes to complete the quest in hours as specified by the user. */ - val userTime: Val = _userTime + val userTime: Cell = _userTime - val time: Val = userTime.orElse { defaultTime } + val time: Cell = userTime.orElse { defaultTime } fun setUserTime(userTime: Duration?) { _userTime.value = userTime diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/WantedItemModel.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/WantedItemModel.kt index 839dd1c7..8d2bcddd 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/WantedItemModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/models/WantedItemModel.kt @@ -1,13 +1,13 @@ package world.phantasmal.web.huntOptimizer.models -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.shared.dto.ItemType class WantedItemModel(val itemType: ItemType, amount: Int) { - private val _amount = mutableVal(0) + private val _amount = mutableCell(0) - val amount: Val = _amount + val amount: Cell = _amount init { setAmount(amount) diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntMethodStore.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntMethodStore.kt index 1c2b21b6..0c97f678 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntMethodStore.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntMethodStore.kt @@ -5,8 +5,8 @@ import kotlinx.coroutines.launch import kotlinx.coroutines.withContext import world.phantasmal.lib.Episode import world.phantasmal.lib.fileFormats.quest.NpcType -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.mutableListVal +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.mutableListCell import world.phantasmal.web.core.loading.AssetLoader import world.phantasmal.web.core.models.Server import world.phantasmal.web.core.stores.UiStore @@ -26,9 +26,9 @@ class HuntMethodStore( private val assetLoader: AssetLoader, private val huntMethodPersister: HuntMethodPersister, ) : Store() { - private val _methods = mutableListVal { arrayOf(it.time) } + private val _methods = mutableListCell { arrayOf(it.time) } - val methods: ListVal by lazy { + val methods: ListCell by lazy { observe(uiStore.server) { loadMethods(it) } _methods } diff --git a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntOptimizerStore.kt b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntOptimizerStore.kt index e0d94f3a..8920b76a 100644 --- a/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntOptimizerStore.kt +++ b/web/src/main/kotlin/world/phantasmal/web/huntOptimizer/stores/HuntOptimizerStore.kt @@ -7,10 +7,10 @@ import mu.KotlinLogging import world.phantasmal.core.* import world.phantasmal.core.unsafe.UnsafeMap import world.phantasmal.lib.fileFormats.quest.NpcType -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.mutableListVal -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.mutableListCell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.models.Server import world.phantasmal.web.core.stores.EnemyDropTable import world.phantasmal.web.core.stores.ItemDropStore @@ -44,11 +44,11 @@ class HuntOptimizerStore( private val itemTypeStore: ItemTypeStore, private val itemDropStore: ItemDropStore, ) : Store() { - private val _huntableItems = mutableListVal() - private val _wantedItems = mutableListVal { arrayOf(it.amount) } - private val _optimizationResult = mutableVal(OptimizationResultModel(emptyList(), emptyList())) + private val _huntableItems = mutableListCell() + private val _wantedItems = mutableListCell { arrayOf(it.amount) } + private val _optimizationResult = mutableCell(OptimizationResultModel(emptyList(), emptyList())) - val huntableItems: ListVal by lazy { + val huntableItems: ListCell by lazy { observe(uiStore.server) { server -> _huntableItems.clear() @@ -64,12 +64,12 @@ class HuntOptimizerStore( _huntableItems } - val wantedItems: ListVal by lazy { + val wantedItems: ListCell by lazy { observe(uiStore.server) { loadWantedItems(it) } _wantedItems } - val optimizationResult: Val = _optimizationResult + val optimizationResult: Cell = _optimizationResult init { observe(wantedItems) { diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/QuestRunner.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/QuestRunner.kt index dfa07876..5c1aa4f1 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/QuestRunner.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/QuestRunner.kt @@ -1,14 +1,14 @@ package world.phantasmal.web.questEditor -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.falseVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.falseCell /** * Orchestrates everything related to emulating a quest run. Drives a VirtualMachine and * delegates to Debugger. */ class QuestRunner { - val running: Val = falseVal() + val running: Cell = falseCell() fun stop() { // TODO diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/asm/AsmAnalyser.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/asm/AsmAnalyser.kt index 16760e31..9525809e 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/asm/AsmAnalyser.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/asm/AsmAnalyser.kt @@ -11,9 +11,9 @@ import mu.KotlinLogging import org.w3c.dom.Worker import world.phantasmal.observable.ChangeEvent import world.phantasmal.observable.Observable +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.mutableListCell import world.phantasmal.observable.emitter -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.mutableListVal import world.phantasmal.web.shared.JSON_FORMAT import world.phantasmal.web.shared.messages.* import kotlin.coroutines.Continuation @@ -24,7 +24,7 @@ private val logger = KotlinLogging.logger {} class AsmAnalyser { private var inlineStackArgs: Boolean = true private var _mapDesignations = emitter>() - private val _problems = mutableListVal() + private val _problems = mutableListCell() private val worker = Worker("/assembly-worker.js") private var nextRequestId = atomic(0) @@ -35,7 +35,7 @@ class AsmAnalyser { private val inFlightRequests = mutableMapOf>() val mapDesignations: Observable> = _mapDesignations - val problems: ListVal = _problems + val problems: ListCell = _problems init { worker.onmessage = { e -> diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/AsmEditorController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/AsmEditorController.kt index e2a92065..1473c258 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/AsmEditorController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/AsmEditorController.kt @@ -1,27 +1,27 @@ package world.phantasmal.web.questEditor.controllers import world.phantasmal.observable.Observable -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.not -import world.phantasmal.observable.value.or -import world.phantasmal.observable.value.orElse +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.not +import world.phantasmal.observable.cell.or +import world.phantasmal.observable.cell.orElse import world.phantasmal.web.externals.monacoEditor.ITextModel import world.phantasmal.web.externals.monacoEditor.createModel import world.phantasmal.web.questEditor.stores.AsmStore import world.phantasmal.webui.controllers.Controller class AsmEditorController(private val store: AsmStore) : Controller() { - val enabled: Val = store.editingEnabled - val readOnly: Val = !enabled or store.textModel.isNull() + val enabled: Cell = store.editingEnabled + val readOnly: Cell = !enabled or store.textModel.isNull() - val textModel: Val = store.textModel.orElse { EMPTY_MODEL } + val textModel: Cell = store.textModel.orElse { EMPTY_MODEL } val didUndo: Observable = store.didUndo val didRedo: Observable = store.didRedo - val inlineStackArgs: Val = store.inlineStackArgs - val inlineStackArgsEnabled: Val = store.problems.map { it.isEmpty() } - val inlineStackArgsTooltip: Val = + val inlineStackArgs: Cell = store.inlineStackArgs + val inlineStackArgsEnabled: Cell = store.problems.map { it.isEmpty() } + val inlineStackArgsTooltip: Cell = inlineStackArgsEnabled.map { enabled -> buildString { append("Transform arg_push* opcodes to be inline with the opcode the arguments are given to.") diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityInfoController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityInfoController.kt index 3767d804..ad6b3df9 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityInfoController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityInfoController.kt @@ -2,10 +2,10 @@ package world.phantasmal.web.questEditor.controllers import world.phantasmal.core.math.degToRad import world.phantasmal.core.math.radToDeg -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.emptyListVal -import world.phantasmal.observable.value.value -import world.phantasmal.observable.value.zeroIntVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.list.emptyListCell +import world.phantasmal.observable.cell.zeroIntCell import world.phantasmal.web.core.euler import world.phantasmal.web.externals.three.Euler import world.phantasmal.web.externals.three.Vector3 @@ -21,43 +21,43 @@ class EntityInfoController( private val areaStore: AreaStore, private val questEditorStore: QuestEditorStore, ) : Controller() { - val unavailable: Val = questEditorStore.selectedEntity.isNull() - val enabled: Val = questEditorStore.questEditingEnabled + val unavailable: Cell = questEditorStore.selectedEntity.isNull() + val enabled: Cell = questEditorStore.questEditingEnabled - val type: Val = questEditorStore.selectedEntity.map { + val type: Cell = questEditorStore.selectedEntity.map { it?.let { if (it is QuestNpcModel) "NPC" else "Object" } ?: "" } - val name: Val = questEditorStore.selectedEntity.map { it?.type?.simpleName ?: "" } + val name: Cell = questEditorStore.selectedEntity.map { it?.type?.simpleName ?: "" } - val sectionId: Val = questEditorStore.selectedEntity - .flatMap { it?.sectionId ?: zeroIntVal() } + val sectionId: Cell = questEditorStore.selectedEntity + .flatMap { it?.sectionId ?: zeroIntCell() } - val waveId: Val = questEditorStore.selectedEntity + val waveId: Cell = questEditorStore.selectedEntity .flatMap { entity -> if (entity is QuestNpcModel) { entity.wave.map { it.id } } else { - zeroIntVal() + zeroIntCell() } } - val waveHidden: Val = questEditorStore.selectedEntity.map { it !is QuestNpcModel } + val waveHidden: Cell = questEditorStore.selectedEntity.map { it !is QuestNpcModel } - private val pos: Val = + private val pos: Cell = questEditorStore.selectedEntity.flatMap { it?.position ?: DEFAULT_POSITION } - val posX: Val = pos.map { it.x } - val posY: Val = pos.map { it.y } - val posZ: Val = pos.map { it.z } + val posX: Cell = pos.map { it.x } + val posY: Cell = pos.map { it.y } + val posZ: Cell = pos.map { it.z } - private val rot: Val = + private val rot: Cell = questEditorStore.selectedEntity.flatMap { it?.rotation ?: DEFAULT_ROTATION } - val rotX: Val = rot.map { radToDeg(it.x) } - val rotY: Val = rot.map { radToDeg(it.y) } - val rotZ: Val = rot.map { radToDeg(it.z) } + val rotX: Cell = rot.map { radToDeg(it.x) } + val rotY: Cell = rot.map { radToDeg(it.y) } + val rotZ: Cell = rot.map { radToDeg(it.z) } - val props: Val> = - questEditorStore.selectedEntity.flatMap { it?.properties ?: emptyListVal() } + val props: Cell> = + questEditorStore.selectedEntity.flatMap { it?.properties ?: emptyListCell() } fun focused() { questEditorStore.makeMainUndoCurrent() @@ -178,7 +178,7 @@ class EntityInfoController( } companion object { - private val DEFAULT_POSITION = value(Vector3(0.0, 0.0, 0.0)) - private val DEFAULT_ROTATION = value(euler(0.0, 0.0, 0.0)) + private val DEFAULT_POSITION = cell(Vector3(0.0, 0.0, 0.0)) + private val DEFAULT_ROTATION = cell(euler(0.0, 0.0, 0.0)) } } diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityListController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityListController.kt index d78b82c6..b78ef27a 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityListController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EntityListController.kt @@ -1,11 +1,11 @@ package world.phantasmal.web.questEditor.controllers -import world.phantasmal.lib.fileFormats.quest.EntityType import world.phantasmal.lib.Episode +import world.phantasmal.lib.fileFormats.quest.EntityType import world.phantasmal.lib.fileFormats.quest.NpcType import world.phantasmal.lib.fileFormats.quest.ObjectType -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.map +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.map import world.phantasmal.web.questEditor.stores.QuestEditorStore import world.phantasmal.webui.controllers.Controller @@ -13,9 +13,9 @@ class EntityListController(store: QuestEditorStore, private val npcs: Boolean) : @Suppress("UNCHECKED_CAST") private val entityTypes = (if (npcs) NpcType.VALUES else ObjectType.VALUES) as Array - val enabled: Val = store.questEditingEnabled + val enabled: Cell = store.questEditingEnabled - val entities: Val> = + val entities: Cell> = map(store.currentQuest, store.currentArea) { quest, area -> val episode = quest?.episode ?: Episode.I val areaId = area?.id ?: 0 diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EventsController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EventsController.kt index f8c2ca94..f554da7b 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EventsController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/EventsController.kt @@ -1,12 +1,12 @@ package world.phantasmal.web.questEditor.controllers -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.and -import world.phantasmal.observable.value.eq -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.emptyListVal -import world.phantasmal.observable.value.list.flatMapToList -import world.phantasmal.observable.value.list.listVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.and +import world.phantasmal.observable.cell.eq +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.emptyListCell +import world.phantasmal.observable.cell.list.flatMapToList +import world.phantasmal.observable.cell.list.listCell import world.phantasmal.web.questEditor.actions.* import world.phantasmal.web.questEditor.models.QuestEventActionModel import world.phantasmal.web.questEditor.models.QuestEventModel @@ -14,20 +14,20 @@ import world.phantasmal.web.questEditor.stores.QuestEditorStore import world.phantasmal.webui.controllers.Controller class EventsController(private val store: QuestEditorStore) : Controller() { - val unavailable: Val = store.currentQuest.isNull() - val enabled: Val = store.questEditingEnabled - val removeEventEnabled: Val = enabled and store.selectedEvent.isNotNull() + val unavailable: Cell = store.currentQuest.isNull() + val enabled: Cell = store.questEditingEnabled + val removeEventEnabled: Cell = enabled and store.selectedEvent.isNotNull() - val events: ListVal = + val events: ListCell = flatMapToList(store.currentQuest, store.currentArea) { quest, area -> if (quest != null && area != null) { quest.events.filtered { it.areaId == area.id } } else { - emptyListVal() + emptyListCell() } } - val eventActionTypes: ListVal = listVal( + val eventActionTypes: ListCell = listCell( QuestEventActionModel.SpawnNpcs.SHORT_NAME, QuestEventActionModel.Door.Unlock.SHORT_NAME, QuestEventActionModel.Door.Lock.SHORT_NAME, @@ -42,7 +42,7 @@ class EventsController(private val store: QuestEditorStore) : Controller() { store.makeMainUndoCurrent() } - fun isSelected(event: QuestEventModel): Val = + fun isSelected(event: QuestEventModel): Cell = store.selectedEvent eq event fun selectEvent(event: QuestEventModel?) { diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/NpcCountsController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/NpcCountsController.kt index 933d88d4..470e4bf1 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/NpcCountsController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/NpcCountsController.kt @@ -1,17 +1,17 @@ package world.phantasmal.web.questEditor.controllers import world.phantasmal.lib.fileFormats.quest.NpcType -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.emptyListVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.emptyListCell import world.phantasmal.web.questEditor.models.QuestNpcModel import world.phantasmal.web.questEditor.stores.QuestEditorStore import world.phantasmal.webui.controllers.Controller class NpcCountsController(private val store: QuestEditorStore) : Controller() { - val unavailable: Val = store.currentQuest.isNull() + val unavailable: Cell = store.currentQuest.isNull() - val npcCounts: Val> = store.currentQuest - .flatMap { it?.npcs ?: emptyListVal() } + val npcCounts: Cell> = store.currentQuest + .flatMap { it?.npcs ?: emptyListCell() } .map(::countNpcs) fun focused() { diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestEditorToolbarController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestEditorToolbarController.kt index 5fb25e57..cfda9be5 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestEditorToolbarController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestEditorToolbarController.kt @@ -6,7 +6,7 @@ import world.phantasmal.core.* import world.phantasmal.lib.Endianness import world.phantasmal.lib.Episode import world.phantasmal.lib.fileFormats.quest.* -import world.phantasmal.observable.value.* +import world.phantasmal.observable.cell.* import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.files.cursor import world.phantasmal.web.core.files.writeBuffer @@ -30,22 +30,22 @@ class QuestEditorToolbarController( private val areaStore: AreaStore, private val questEditorStore: QuestEditorStore, ) : Controller() { - private val _resultDialogVisible = mutableVal(false) - private val _result = mutableVal?>(null) - private val saving = mutableVal(false) + private val _resultDialogVisible = mutableCell(false) + private val _result = mutableCell?>(null) + private val saving = mutableCell(false) // We mainly disable saving while a save is underway for visual feedback that a save is // happening/has happened. private val savingEnabled = questEditorStore.currentQuest.isNotNull() and !saving - private val _saveAsDialogVisible = mutableVal(false) - private val fileHolder = mutableVal(null) - private val _filename = mutableVal("") - private val _version = mutableVal(Version.BB) + private val _saveAsDialogVisible = mutableCell(false) + private val fileHolder = mutableCell(null) + private val _filename = mutableCell("") + private val _version = mutableCell(Version.BB) // Result - val resultDialogVisible: Val = _resultDialogVisible - val result: Val?> = _result + val resultDialogVisible: Cell = _resultDialogVisible + val result: Cell?> = _result val supportedFileTypes = listOf( FileType( @@ -56,43 +56,43 @@ class QuestEditorToolbarController( // Saving - val saveEnabled: Val = + val saveEnabled: Cell = savingEnabled and questEditorStore.canSaveChanges and UserAgentFeatures.fileSystemApi - val saveTooltip: Val = + val saveTooltip: Cell = if (UserAgentFeatures.fileSystemApi) { questEditorStore.canSaveChanges.map { (if (it) "Save changes" else "No changes to save") + " (Ctrl-S)" } } else { - value("This browser doesn't support saving changes to existing files") + cell("This browser doesn't support saving changes to existing files") } - val saveAsEnabled: Val = savingEnabled - val saveAsDialogVisible: Val = _saveAsDialogVisible + val saveAsEnabled: Cell = savingEnabled + val saveAsDialogVisible: Cell = _saveAsDialogVisible val showSaveAsDialogNameField: Boolean = !UserAgentFeatures.fileSystemApi - val filename: Val = _filename - val version: Val = _version + val filename: Cell = _filename + val version: Cell = _version // Undo - val undoTooltip: Val = questEditorStore.firstUndo.map { action -> + val undoTooltip: Cell = questEditorStore.firstUndo.map { action -> (action?.let { "Undo \"${action.description}\"" } ?: "Nothing to undo") + " (Ctrl-Z)" } - val undoEnabled: Val = questEditorStore.canUndo + val undoEnabled: Cell = questEditorStore.canUndo // Redo - val redoTooltip: Val = questEditorStore.firstRedo.map { action -> + val redoTooltip: Cell = questEditorStore.firstRedo.map { action -> (action?.let { "Redo \"${action.description}\"" } ?: "Nothing to redo") + " (Ctrl-Shift-Z)" } - val redoEnabled: Val = questEditorStore.canRedo + val redoEnabled: Cell = questEditorStore.canRedo // Areas // Ensure the areas list is updated when entities are added or removed (the count in the label // should update). - val areas: Val> = questEditorStore.currentQuest.flatMap { quest -> + val areas: Cell> = questEditorStore.currentQuest.flatMap { quest -> quest?.let { map(quest.entitiesPerArea, quest.areaVariants) { entitiesPerArea, variants -> areaStore.getAreasForEpisode(quest.episode).map { area -> @@ -101,18 +101,18 @@ class QuestEditorToolbarController( AreaAndLabel(area, name + (entityCount?.let { " ($it)" } ?: "")) } } - } ?: value(emptyList()) + } ?: cell(emptyList()) } - val currentArea: Val = map(areas, questEditorStore.currentArea) { areas, area -> + val currentArea: Cell = map(areas, questEditorStore.currentArea) { areas, area -> areas.find { it.area == area } } - val areaSelectEnabled: Val = questEditorStore.currentQuest.isNotNull() + val areaSelectEnabled: Cell = questEditorStore.currentQuest.isNotNull() // Settings - val showCollisionGeometry: Val = questEditorStore.showCollisionGeometry + val showCollisionGeometry: Cell = questEditorStore.showCollisionGeometry init { addDisposables( diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestInfoController.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestInfoController.kt index 41b1dd95..1342f4d0 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestInfoController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/controllers/QuestInfoController.kt @@ -1,23 +1,23 @@ package world.phantasmal.web.questEditor.controllers -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.emptyStringVal -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.emptyStringCell import world.phantasmal.web.questEditor.actions.EditPropertyAction import world.phantasmal.web.questEditor.stores.QuestEditorStore import world.phantasmal.webui.controllers.Controller class QuestInfoController(private val store: QuestEditorStore) : Controller() { - val unavailable: Val = store.currentQuest.isNull() - val enabled: Val = store.questEditingEnabled + val unavailable: Cell = store.currentQuest.isNull() + val enabled: Cell = store.questEditingEnabled - val episode: Val = store.currentQuest.map { it?.episode?.name ?: "" } - val id: Val = store.currentQuest.flatMap { it?.id ?: value(0) } - val name: Val = store.currentQuest.flatMap { it?.name ?: emptyStringVal() } - val shortDescription: Val = - store.currentQuest.flatMap { it?.shortDescription ?: emptyStringVal() } - val longDescription: Val = - store.currentQuest.flatMap { it?.longDescription ?: emptyStringVal() } + val episode: Cell = store.currentQuest.map { it?.episode?.name ?: "" } + val id: Cell = store.currentQuest.flatMap { it?.id ?: cell(0) } + val name: Cell = store.currentQuest.flatMap { it?.name ?: emptyStringCell() } + val shortDescription: Cell = + store.currentQuest.flatMap { it?.shortDescription ?: emptyStringCell() } + val longDescription: Cell = + store.currentQuest.flatMap { it?.longDescription ?: emptyStringCell() } fun focused() { store.makeMainUndoCurrent() diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/AreaVariantModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/AreaVariantModel.kt index e97a9ebc..925a839c 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/AreaVariantModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/AreaVariantModel.kt @@ -1,17 +1,17 @@ package world.phantasmal.web.questEditor.models import world.phantasmal.core.requireNonNegative -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.mutableListVal +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.mutableListCell class AreaVariantModel(val id: Int, val area: AreaModel) { - private val _sections = mutableListVal() + private val _sections = mutableListCell() // Exception for Seaside Area at Night, variant 1. // Phantasmal World 4 and Lost heart breaker use this to have two tower maps. val name: String = if (area.id == 16 && id == 1) "West Tower" else area.name - val sections: ListVal = _sections + val sections: ListCell = _sections init { requireNonNegative(id, "id") diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityModel.kt index fbc2c6ce..559063a0 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityModel.kt @@ -3,10 +3,10 @@ package world.phantasmal.web.questEditor.models import world.phantasmal.core.math.floorMod import world.phantasmal.lib.fileFormats.quest.EntityType import world.phantasmal.lib.fileFormats.quest.QuestEntity -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.listVal -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.listCell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.minus import world.phantasmal.web.core.rendering.conversion.vec3ToEuler import world.phantasmal.web.core.rendering.conversion.vec3ToThree @@ -24,38 +24,38 @@ abstract class QuestEntityModel>( */ val entity: Entity, ) { - private val _sectionId = mutableVal(entity.sectionId.toInt()) - private val _section = mutableVal(null) - private val _sectionInitialized = mutableVal(false) - private val _position = mutableVal(vec3ToThree(entity.position)) - private val _worldPosition = mutableVal(_position.value) - private val _rotation = mutableVal(vec3ToEuler(entity.rotation)) - private val _worldRotation = mutableVal(_rotation.value) + private val _sectionId = mutableCell(entity.sectionId.toInt()) + private val _section = mutableCell(null) + private val _sectionInitialized = mutableCell(false) + private val _position = mutableCell(vec3ToThree(entity.position)) + private val _worldPosition = mutableCell(_position.value) + private val _rotation = mutableCell(vec3ToEuler(entity.rotation)) + private val _worldRotation = mutableCell(_rotation.value) val type: Type get() = entity.type val areaId: Int get() = entity.areaId - val sectionId: Val = _sectionId + val sectionId: Cell = _sectionId - val section: Val = _section - val sectionInitialized: Val = _sectionInitialized + val section: Cell = _section + val sectionInitialized: Cell = _sectionInitialized /** * Section-relative position */ - val position: Val = _position + val position: Cell = _position - val worldPosition: Val = _worldPosition + val worldPosition: Cell = _worldPosition /** * Section-relative rotation */ - val rotation: Val = _rotation + val rotation: Cell = _rotation - val worldRotation: Val = _worldRotation + val worldRotation: Cell = _worldRotation - val properties: ListVal = listVal(*Array(type.properties.size) { + val properties: ListCell = listCell(*Array(type.properties.size) { QuestEntityPropModel(this, type.properties[it]) }) diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityPropModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityPropModel.kt index 4ce6153a..af92cf69 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityPropModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEntityPropModel.kt @@ -5,12 +5,12 @@ import world.phantasmal.lib.fileFormats.ninja.radToAngle import world.phantasmal.lib.fileFormats.quest.EntityProp import world.phantasmal.lib.fileFormats.quest.EntityPropType import world.phantasmal.lib.fileFormats.quest.ObjectType -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.mutableCell class QuestEntityPropModel(private val entity: QuestEntityModel<*, *>, prop: EntityProp) { - private val _value: MutableVal = mutableVal(when (prop.type) { + private val _value: MutableCell = mutableCell(when (prop.type) { EntityPropType.I32 -> entity.entity.data.getInt(prop.offset) EntityPropType.F32 -> entity.entity.data.getFloat(prop.offset) EntityPropType.Angle -> angleToRad(entity.entity.data.getInt(prop.offset)) @@ -48,7 +48,7 @@ class QuestEntityPropModel(private val entity: QuestEntityModel<*, *>, prop: Ent val name: String = prop.name val offset = prop.offset val type: EntityPropType = prop.type - val value: Val = _value + val value: Cell = _value fun setValue(value: Any, propagateToEntity: Boolean = true) { when (type) { diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventActionModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventActionModel.kt index 4845f254..ef85ca94 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventActionModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventActionModel.kt @@ -1,18 +1,18 @@ package world.phantasmal.web.questEditor.models -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell sealed class QuestEventActionModel { abstract val shortName: String class SpawnNpcs(sectionId: Int, appearFlag: Int) : QuestEventActionModel() { - private val _sectionId = mutableVal(sectionId) - private val _appearFlag = mutableVal(appearFlag) + private val _sectionId = mutableCell(sectionId) + private val _appearFlag = mutableCell(appearFlag) override val shortName = SHORT_NAME - val sectionId: Val = _sectionId - val appearFlag: Val = _appearFlag + val sectionId: Cell = _sectionId + val appearFlag: Cell = _appearFlag fun setSectionId(sectionId: Int) { _sectionId.value = sectionId @@ -28,9 +28,9 @@ sealed class QuestEventActionModel { } sealed class Door(doorId: Int) : QuestEventActionModel() { - private val _doorId = mutableVal(doorId) + private val _doorId = mutableCell(doorId) - val doorId: Val = _doorId + val doorId: Cell = _doorId fun setDoorId(doorId: Int) { _doorId.value = doorId @@ -54,10 +54,10 @@ sealed class QuestEventActionModel { } class TriggerEvent(eventId: Int) : QuestEventActionModel() { - private val _eventId = mutableVal(eventId) + private val _eventId = mutableCell(eventId) override val shortName = SHORT_NAME - val eventId: Val = _eventId + val eventId: Cell = _eventId fun setEventId(eventId: Int) { _eventId.value = eventId diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventModel.kt index 4a276cd9..ef152113 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestEventModel.kt @@ -1,10 +1,10 @@ package world.phantasmal.web.questEditor.models -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.SimpleListVal -import world.phantasmal.observable.value.map -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.SimpleListCell +import world.phantasmal.observable.cell.map +import world.phantasmal.observable.cell.mutableCell class QuestEventModel( id: Int, @@ -15,19 +15,19 @@ class QuestEventModel( val unknown: Int, actions: MutableList, ) { - private val _id = mutableVal(id) - private val _sectionId = mutableVal(sectionId) - private val _waveId = mutableVal(waveId) - private val _delay = mutableVal(delay) - private val _actions = SimpleListVal(actions) + private val _id = mutableCell(id) + private val _sectionId = mutableCell(sectionId) + private val _waveId = mutableCell(waveId) + private val _delay = mutableCell(delay) + private val _actions = SimpleListCell(actions) - val id: Val = _id - val sectionId: Val = _sectionId - val wave: Val = map(_waveId, _sectionId) { id, sectionId -> + val id: Cell = _id + val sectionId: Cell = _sectionId + val wave: Cell = map(_waveId, _sectionId) { id, sectionId -> WaveModel(id, areaId, sectionId) } - val delay: Val = _delay - val actions: ListVal = _actions + val delay: Cell = _delay + val actions: ListCell = _actions fun setId(id: Int) { _id.value = id diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestModel.kt index 6b3bfb6c..9641fc5a 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestModel.kt @@ -3,13 +3,13 @@ package world.phantasmal.web.questEditor.models import world.phantasmal.lib.Episode import world.phantasmal.lib.asm.BytecodeIr import world.phantasmal.lib.fileFormats.quest.DatUnknown -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.SimpleListVal -import world.phantasmal.observable.value.list.flatMapToList -import world.phantasmal.observable.value.list.listVal -import world.phantasmal.observable.value.map -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.SimpleListCell +import world.phantasmal.observable.cell.list.flatMapToList +import world.phantasmal.observable.cell.list.listCell +import world.phantasmal.observable.cell.map +import world.phantasmal.observable.cell.mutableCell class QuestModel( id: Int, @@ -30,41 +30,41 @@ class QuestModel( val shopItems: UIntArray, getVariant: (Episode, areaId: Int, variantId: Int) -> AreaVariantModel?, ) { - private val _id = mutableVal(0) - private val _language = mutableVal(0) - private val _name = mutableVal("") - private val _shortDescription = mutableVal("") - private val _longDescription = mutableVal("") - private val _mapDesignations = mutableVal(mapDesignations) - private val _npcs = SimpleListVal(npcs) { arrayOf(it.sectionInitialized, it.wave) } - private val _objects = SimpleListVal(objects) { arrayOf(it.sectionInitialized) } - private val _events = SimpleListVal(events) + private val _id = mutableCell(0) + private val _language = mutableCell(0) + private val _name = mutableCell("") + private val _shortDescription = mutableCell("") + private val _longDescription = mutableCell("") + private val _mapDesignations = mutableCell(mapDesignations) + private val _npcs = SimpleListCell(npcs) { arrayOf(it.sectionInitialized, it.wave) } + private val _objects = SimpleListCell(objects) { arrayOf(it.sectionInitialized) } + private val _events = SimpleListCell(events) - val id: Val = _id - val language: Val = _language - val name: Val = _name - val shortDescription: Val = _shortDescription - val longDescription: Val = _longDescription + val id: Cell = _id + val language: Cell = _language + val name: Cell = _name + val shortDescription: Cell = _shortDescription + val longDescription: Cell = _longDescription /** * Map of area IDs to area variant IDs. One designation per area. */ - val mapDesignations: Val> = _mapDesignations + val mapDesignations: Cell> = _mapDesignations /** * Map of area IDs to entity counts. */ - val entitiesPerArea: Val> + val entitiesPerArea: Cell> /** * One variant per area. */ - val areaVariants: ListVal + val areaVariants: ListCell - val npcs: ListVal = _npcs - val objects: ListVal = _objects + val npcs: ListCell = _npcs + val objects: ListCell = _objects - val events: ListVal = _events + val events: ListCell = _events var bytecodeIr: BytecodeIr = bytecodeIr private set @@ -106,7 +106,7 @@ class QuestModel( } } - listVal(*variants.values.toTypedArray()) + listCell(*variants.values.toTypedArray()) } } diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestNpcModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestNpcModel.kt index 800232dd..f3df2775 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestNpcModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestNpcModel.kt @@ -2,14 +2,14 @@ package world.phantasmal.web.questEditor.models import world.phantasmal.lib.fileFormats.quest.NpcType import world.phantasmal.lib.fileFormats.quest.QuestNpc -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.map -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.map +import world.phantasmal.observable.cell.mutableCell class QuestNpcModel(npc: QuestNpc, waveId: Int) : QuestEntityModel(npc) { - private val _waveId = mutableVal(waveId) + private val _waveId = mutableCell(waveId) - val wave: Val = map(_waveId, sectionId) { id, sectionId -> + val wave: Cell = map(_waveId, sectionId) { id, sectionId -> WaveModel(id, areaId, sectionId) } diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestObjectModel.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestObjectModel.kt index 3e298dd8..13f59525 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestObjectModel.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/models/QuestObjectModel.kt @@ -2,13 +2,13 @@ package world.phantasmal.web.questEditor.models import world.phantasmal.lib.fileFormats.quest.ObjectType import world.phantasmal.lib.fileFormats.quest.QuestObject -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell class QuestObjectModel(obj: QuestObject) : QuestEntityModel(obj) { - private val _model = mutableVal(obj.model) + private val _model = mutableCell(obj.model) - val model: Val = _model + val model: Cell = _model fun setModel(model: Int, propagateToProps: Boolean = true) { _model.value = model diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestEditorMeshManager.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestEditorMeshManager.kt index e3d136f7..eb7df822 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestEditorMeshManager.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestEditorMeshManager.kt @@ -1,6 +1,6 @@ package world.phantasmal.web.questEditor.rendering -import world.phantasmal.observable.value.list.emptyListVal +import world.phantasmal.observable.cell.list.emptyListCell import world.phantasmal.web.questEditor.loading.AreaAssetLoader import world.phantasmal.web.questEditor.loading.EntityAssetLoader import world.phantasmal.web.questEditor.stores.QuestEditorStore @@ -32,7 +32,7 @@ class QuestEditorMeshManager( (wave == null || it.wave.value == wave) } } else { - emptyListVal() + emptyListCell() } ) } @@ -47,7 +47,7 @@ class QuestEditorMeshManager( it.sectionInitialized.value && it.areaId == area.id } } else { - emptyListVal() + emptyListCell() } ) } diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestMeshManager.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestMeshManager.kt index 8bdf3f3e..5f0ce0e2 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestMeshManager.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/QuestMeshManager.kt @@ -6,8 +6,8 @@ import kotlinx.coroutines.launch import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.DisposableSupervisedScope import world.phantasmal.lib.Episode -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.ListChangeEvent +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.ListChangeEvent import world.phantasmal.web.questEditor.loading.AreaAssetLoader import world.phantasmal.web.questEditor.loading.EntityAssetLoader import world.phantasmal.web.questEditor.models.AreaVariantModel @@ -48,7 +48,7 @@ abstract class QuestMeshManager protected constructor( } } - protected fun loadNpcMeshes(npcs: ListVal) { + protected fun loadNpcMeshes(npcs: ListCell) { npcLoadJob?.cancel() npcLoadJob = scope.launch { npcObserver?.dispose() @@ -58,7 +58,7 @@ abstract class QuestMeshManager protected constructor( } } - protected fun loadObjectMeshes(objects: ListVal) { + protected fun loadObjectMeshes(objects: ListCell) { objectLoadJob?.cancel() objectLoadJob = scope.launch { objectObserver?.dispose() diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/input/state/StateContext.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/input/state/StateContext.kt index 79bddc56..cece831a 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/input/state/StateContext.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/rendering/input/state/StateContext.kt @@ -3,7 +3,7 @@ package world.phantasmal.web.questEditor.rendering.input.state import mu.KotlinLogging import world.phantasmal.core.asJsArray import world.phantasmal.lib.fileFormats.ninja.XjObject -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell import world.phantasmal.web.core.dot import world.phantasmal.web.core.minusAssign import world.phantasmal.web.core.plusAssign @@ -34,11 +34,11 @@ class StateContext( */ private var highlightedMesh: Pair>? = null - val devMode: Val = questEditorStore.devMode - val quest: Val = questEditorStore.currentQuest - val area: Val = questEditorStore.currentArea - val wave: Val = questEditorStore.selectedEvent.flatMapNull { it?.wave } - val selectedEntity: Val?> = questEditorStore.selectedEntity + val devMode: Cell = questEditorStore.devMode + val quest: Cell = questEditorStore.currentQuest + val area: Cell = questEditorStore.currentArea + val wave: Cell = questEditorStore.selectedEvent.flatMapNull { it?.wave } + val selectedEntity: Cell?> = questEditorStore.selectedEntity fun setHighlightedEntity(entity: QuestEntityModel<*, *>?) { questEditorStore.setHighlightedEntity(entity) diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/AsmStore.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/AsmStore.kt index 1da2abb5..981e90fc 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/AsmStore.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/AsmStore.kt @@ -8,9 +8,9 @@ import world.phantasmal.core.disposable.disposable import world.phantasmal.lib.asm.assemble import world.phantasmal.lib.asm.disassemble import world.phantasmal.observable.Observable -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.undo.UndoManager import world.phantasmal.web.externals.monacoEditor.* import world.phantasmal.web.questEditor.asm.AsmAnalyser @@ -30,8 +30,8 @@ class AsmStore( private val questEditorStore: QuestEditorStore, private val undoManager: UndoManager, ) : Store() { - private val _inlineStackArgs = mutableVal(true) - private var _textModel = mutableVal(null) + private val _inlineStackArgs = mutableCell(true) + private var _textModel = mutableCell(null) private var setBytecodeIrTimeout: Int? = null @@ -43,16 +43,16 @@ class AsmStore( private val undo = addDisposable(TextModelUndo(undoManager, "Script edits", _textModel)) - val inlineStackArgs: Val = _inlineStackArgs + val inlineStackArgs: Cell = _inlineStackArgs - val textModel: Val = _textModel + val textModel: Cell = _textModel - val editingEnabled: Val = questEditorStore.questEditingEnabled + val editingEnabled: Cell = questEditorStore.questEditingEnabled val didUndo: Observable = undo.didUndo val didRedo: Observable = undo.didRedo - val problems: ListVal = asmAnalyser.problems + val problems: ListCell = asmAnalyser.problems init { observe(questEditorStore.currentQuest) { quest -> diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/QuestEditorStore.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/QuestEditorStore.kt index 2b082b47..2fdb5962 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/QuestEditorStore.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/stores/QuestEditorStore.kt @@ -3,8 +3,8 @@ package world.phantasmal.web.questEditor.stores import kotlinx.coroutines.launch import mu.KotlinLogging import world.phantasmal.lib.Episode -import world.phantasmal.observable.value.* -import world.phantasmal.observable.value.list.emptyListVal +import world.phantasmal.observable.cell.* +import world.phantasmal.observable.cell.list.emptyListCell import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.actions.Action import world.phantasmal.web.core.stores.UiStore @@ -23,21 +23,21 @@ class QuestEditorStore( private val areaStore: AreaStore, private val undoManager: UndoManager, ) : Store() { - private val _devMode = mutableVal(false) - private val _currentQuest = mutableVal(null) - private val _currentArea = mutableVal(null) - private val _selectedEvent = mutableVal(null) - private val _highlightedEntity = mutableVal?>(null) - private val _selectedEntity = mutableVal?>(null) + private val _devMode = mutableCell(false) + private val _currentQuest = mutableCell(null) + private val _currentArea = mutableCell(null) + private val _selectedEvent = mutableCell(null) + private val _highlightedEntity = mutableCell?>(null) + private val _selectedEntity = mutableCell?>(null) private val mainUndo = UndoStack(undoManager) - private val _showCollisionGeometry = mutableVal(true) + private val _showCollisionGeometry = mutableCell(true) - val devMode: Val = _devMode + val devMode: Cell = _devMode private val runner = QuestRunner() - val currentQuest: Val = _currentQuest - val currentArea: Val = _currentArea - val currentAreaVariant: Val = + val currentQuest: Cell = _currentQuest + val currentArea: Cell = _currentArea + val currentAreaVariant: Cell = map(currentArea, currentQuest.flatMapNull { it?.areaVariants }) { area, variants -> if (area != null && variants != null) { variants.find { it.area.id == area.id } ?: area.areaVariants.first() @@ -45,31 +45,31 @@ class QuestEditorStore( null } } - val selectedEvent: Val = _selectedEvent + val selectedEvent: Cell = _selectedEvent /** * The entity the user is currently hovering over. */ - val highlightedEntity: Val?> = _highlightedEntity + val highlightedEntity: Cell?> = _highlightedEntity /** * The entity the user has selected, typically by clicking it. */ - val selectedEntity: Val?> = _selectedEntity + val selectedEntity: Cell?> = _selectedEntity - val questEditingEnabled: Val = currentQuest.isNotNull() and !runner.running + val questEditingEnabled: Cell = currentQuest.isNotNull() and !runner.running - val canUndo: Val = questEditingEnabled and undoManager.canUndo - val firstUndo: Val = undoManager.firstUndo - val canRedo: Val = questEditingEnabled and undoManager.canRedo - val firstRedo: Val = undoManager.firstRedo + val canUndo: Cell = questEditingEnabled and undoManager.canUndo + val firstUndo: Cell = undoManager.firstUndo + val canRedo: Cell = questEditingEnabled and undoManager.canRedo + val firstRedo: Cell = undoManager.firstRedo /** * True if there have been changes since the last save. */ - val canSaveChanges: Val = !undoManager.allAtSavePoint + val canSaveChanges: Cell = !undoManager.allAtSavePoint - val showCollisionGeometry: Val = _showCollisionGeometry + val showCollisionGeometry: Cell = _showCollisionGeometry init { addDisposables( @@ -86,7 +86,7 @@ class QuestEditorStore( } } - observe(currentQuest.flatMap { it?.npcs ?: emptyListVal() }) { npcs -> + observe(currentQuest.flatMap { it?.npcs ?: emptyListCell() }) { npcs -> val selected = selectedEntity.value if (selected is QuestNpcModel && selected !in npcs) { @@ -94,7 +94,7 @@ class QuestEditorStore( } } - observe(currentQuest.flatMap { it?.objects ?: emptyListVal() }) { objects -> + observe(currentQuest.flatMap { it?.objects ?: emptyListCell() }) { objects -> val selected = selectedEntity.value if (selected is QuestObjectModel && selected !in objects) { diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/undo/TextModelUndo.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/undo/TextModelUndo.kt index 01df2a9b..bafea35a 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/undo/TextModelUndo.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/undo/TextModelUndo.kt @@ -4,11 +4,11 @@ import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.TrackedDisposable import world.phantasmal.observable.ChangeEvent import world.phantasmal.observable.Observable +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.eq +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.observable.emitter -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.eq -import world.phantasmal.observable.value.mutableVal import world.phantasmal.web.core.actions.Action import world.phantasmal.web.core.undo.Undo import world.phantasmal.web.core.undo.UndoManager @@ -18,7 +18,7 @@ import world.phantasmal.web.externals.monacoEditor.ITextModel class TextModelUndo( undoManager: UndoManager, private val description: String, - model: Val, + model: Cell, ) : Undo, TrackedDisposable() { private val action = object : Action { override val description: String = this@TextModelUndo.description @@ -35,21 +35,21 @@ class TextModelUndo( private val modelObserver: Disposable private var modelChangeObserver: IDisposable? = null - private val _canUndo: MutableVal = mutableVal(false) - private val _canRedo: MutableVal = mutableVal(false) + private val _canUndo: MutableCell = mutableCell(false) + private val _canRedo: MutableCell = mutableCell(false) private val _didUndo = emitter() private val _didRedo = emitter() - private val currentVersionId = mutableVal(null) - private val savePointVersionId = mutableVal(null) + private val currentVersionId = mutableCell(null) + private val savePointVersionId = mutableCell(null) - override val canUndo: Val = _canUndo - override val canRedo: Val = _canRedo + override val canUndo: Cell = _canUndo + override val canRedo: Cell = _canRedo - override val firstUndo: Val = canUndo.map { if (it) action else null } - override val firstRedo: Val = canRedo.map { if (it) action else null } + override val firstUndo: Cell = canUndo.map { if (it) action else null } + override val firstRedo: Cell = canRedo.map { if (it) action else null } - override val atSavePoint: Val = savePointVersionId eq currentVersionId + override val atSavePoint: Cell = savePointVersionId eq currentVersionId val didUndo: Observable = _didUndo val didRedo: Observable = _didRedo diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EntityInfoWidget.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EntityInfoWidget.kt index 6635ef2e..94b987da 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EntityInfoWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EntityInfoWidget.kt @@ -8,8 +8,8 @@ import world.phantasmal.core.disposable.Disposer import world.phantasmal.core.math.degToRad import world.phantasmal.core.math.radToDeg import world.phantasmal.lib.fileFormats.quest.EntityPropType -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.widgets.UnavailableWidget import world.phantasmal.web.questEditor.controllers.EntityInfoController import world.phantasmal.web.questEditor.models.QuestEntityPropModel @@ -88,11 +88,15 @@ class EntityInfoWidget(private val ctrl: EntityInfoController) : Widget(enabled )) } - private fun Node.createCoordRow(label: String, value: Val, onChange: (Double) -> Unit) { + private fun Node.createCoordRow( + label: String, + value: Cell, + onChange: (Double) -> Unit, + ) { tr { className = COORD_CLASS - val inputValue = mutableVal(value.value) + val inputValue = mutableCell(value.value) var timeout = -1 observe(value) { diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventWidget.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventWidget.kt index 17fedef3..665660ae 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventWidget.kt @@ -3,7 +3,7 @@ package world.phantasmal.web.questEditor.widgets import org.w3c.dom.* import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.Disposer -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.cell import world.phantasmal.web.questEditor.controllers.EventsController import world.phantasmal.web.questEditor.models.QuestEventActionModel import world.phantasmal.web.questEditor.models.QuestEventModel @@ -151,7 +151,7 @@ class EventWidget( addWidget( disposer.add(IntInput( enabled = ctrl.enabled, - tooltip = value("Section"), + tooltip = cell("Section"), value = action.sectionId, onChange = { ctrl.setActionSectionId(event, action, it) }, min = 0, @@ -162,7 +162,7 @@ class EventWidget( addWidget( disposer.add(IntInput( enabled = ctrl.enabled, - tooltip = value("Appear flag"), + tooltip = cell("Appear flag"), value = action.appearFlag, onChange = { ctrl.setActionAppearFlag(event, action, it) }, min = 0, @@ -177,7 +177,7 @@ class EventWidget( addWidget( disposer.add(IntInput( enabled = ctrl.enabled, - tooltip = value("Door"), + tooltip = cell("Door"), value = action.doorId, onChange = { ctrl.setActionDoorId(event, action, it) }, min = 0, @@ -207,7 +207,7 @@ class EventWidget( addWidget( disposer.add(Button( enabled = ctrl.enabled, - tooltip = value("Remove this action from the event"), + tooltip = cell("Remove this action from the event"), iconLeft = Icon.Remove, onClick = { ctrl.removeAction(event, action) } )), diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventsWidget.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventsWidget.kt index 39b5b438..0348190b 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventsWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/EventsWidget.kt @@ -1,7 +1,7 @@ package world.phantasmal.web.questEditor.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.cell import world.phantasmal.web.core.widgets.UnavailableWidget import world.phantasmal.web.questEditor.controllers.EventsController import world.phantasmal.webui.dom.Icon @@ -29,14 +29,14 @@ class EventsWidget(private val ctrl: EventsController) : Widget() { enabled = ctrl.enabled, text = "Add", iconLeft = Icon.Plus, - tooltip = value("Add a new event"), + tooltip = cell("Add a new event"), onClick = { ctrl.addEvent() }, ), Button( enabled = ctrl.removeEventEnabled, text = "Remove", iconLeft = Icon.Remove, - tooltip = value("Remove the selected event"), + tooltip = cell("Remove the selected event"), onClick = { ctrl.removeSelectedEvent() }, ), ) diff --git a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/QuestEditorToolbarWidget.kt b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/QuestEditorToolbarWidget.kt index 051390e1..093ea28e 100644 --- a/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/QuestEditorToolbarWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/questEditor/widgets/QuestEditorToolbarWidget.kt @@ -5,8 +5,8 @@ import org.w3c.dom.Node import org.w3c.dom.events.KeyboardEvent import world.phantasmal.lib.Episode import world.phantasmal.lib.fileFormats.quest.Version -import world.phantasmal.observable.value.list.listVal -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.list.listCell import world.phantasmal.web.questEditor.controllers.QuestEditorToolbarController import world.phantasmal.webui.dom.Icon import world.phantasmal.webui.dom.div @@ -22,13 +22,13 @@ class QuestEditorToolbarWidget(private val ctrl: QuestEditorToolbarController) : Dropdown( text = "New quest", iconLeft = Icon.NewFile, - items = listVal(Episode.I), + items = listCell(Episode.I), itemToString = { "Episode $it" }, onSelect = { scope.launch { ctrl.createNewQuest(it) } }, ), FileButton( text = "Open file...", - tooltip = value("Open a quest file (Ctrl-O)"), + tooltip = cell("Open a quest file (Ctrl-O)"), iconLeft = Icon.File, types = ctrl.supportedFileTypes, multiple = true, @@ -45,7 +45,7 @@ class QuestEditorToolbarWidget(private val ctrl: QuestEditorToolbarController) : text = "Save as...", iconLeft = Icon.Save, enabled = ctrl.saveAsEnabled, - tooltip = value("Save this quest to a new file (Ctrl-Shift-S)"), + tooltip = cell("Save this quest to a new file (Ctrl-Shift-S)"), onClick = { ctrl.saveAs() }, ), Button( @@ -71,7 +71,7 @@ class QuestEditorToolbarWidget(private val ctrl: QuestEditorToolbarController) : ), Checkbox( label = "Simple view", - tooltip = value( + tooltip = cell( "Whether the collision or the render geometry should be shown", ), checked = ctrl.showCollisionGeometry, @@ -82,7 +82,7 @@ class QuestEditorToolbarWidget(private val ctrl: QuestEditorToolbarController) : val saveAsDialog = addDisposable(Dialog( visible = ctrl.saveAsDialogVisible, - title = value("Save As"), + title = cell("Save As"), content = { div { className = "pw-quest-editor-toolbar-save-as" @@ -99,7 +99,7 @@ class QuestEditorToolbarWidget(private val ctrl: QuestEditorToolbarController) : val versionSelect = Select( label = "Version:", - items = listVal(Version.GC, Version.BB), + items = listCell(Version.GC, Version.BB), selected = ctrl.version, itemToString = { when (it) { diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/CharacterClassOptionsController.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/CharacterClassOptionsController.kt index 841e8f2a..3f2696aa 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/CharacterClassOptionsController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/CharacterClassOptionsController.kt @@ -1,18 +1,18 @@ package world.phantasmal.web.viewer.controllers -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.plus +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.plus import world.phantasmal.web.shared.dto.SectionId import world.phantasmal.web.viewer.stores.ViewerStore import world.phantasmal.webui.controllers.Controller class CharacterClassOptionsController(private val store: ViewerStore) : Controller() { val enabled = store.currentCharacterClass.isNotNull() - val currentSectionId: Val = store.currentSectionId - val currentBodyOptions: Val> = store.currentCharacterClass.map { char -> + val currentSectionId: Cell = store.currentSectionId + val currentBodyOptions: Cell> = store.currentCharacterClass.map { char -> if (char == null) emptyList() else (1..char.bodyStyleCount).toList() } - val currentBody: Val = store.currentBody + 1 + val currentBody: Cell = store.currentBody + 1 suspend fun setCurrentSectionId(sectionId: SectionId) { store.setCurrentSectionId(sectionId) diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerController.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerController.kt index 2a7a3986..0797d63a 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerController.kt @@ -1,6 +1,6 @@ package world.phantasmal.web.viewer.controllers -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.controllers.PathAwareTab import world.phantasmal.web.core.controllers.PathAwareTabContainerController @@ -27,10 +27,10 @@ class ViewerController( tabs = listOf(ViewerTab.Mesh, ViewerTab.Texture), ) { val characterClasses: List = CharacterClass.VALUES_LIST - val currentCharacterClass: Val = store.currentCharacterClass + val currentCharacterClass: Cell = store.currentCharacterClass val animations: List = store.animations - val currentAnimation: Val = store.currentAnimation + val currentAnimation: Cell = store.currentAnimation suspend fun setCurrentCharacterClass(char: CharacterClass?) { store.setCurrentCharacterClass(char) diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerToolbarController.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerToolbarController.kt index 822badba..da7321dd 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerToolbarController.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/controllers/ViewerToolbarController.kt @@ -13,8 +13,8 @@ import world.phantasmal.lib.fileFormats.ninja.* import world.phantasmal.lib.fileFormats.parseAfs import world.phantasmal.lib.fileFormats.parseAreaCollisionGeometry import world.phantasmal.lib.fileFormats.parseAreaRenderGeometry -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.files.cursor import world.phantasmal.web.viewer.stores.NinjaGeometry import world.phantasmal.web.viewer.stores.ViewerStore @@ -24,21 +24,21 @@ import world.phantasmal.webui.files.FileHandle private val logger = KotlinLogging.logger {} class ViewerToolbarController(private val store: ViewerStore) : Controller() { - private val _resultDialogVisible = mutableVal(false) - private val _result = mutableVal?>(null) + private val _resultDialogVisible = mutableCell(false) + private val _result = mutableCell?>(null) - val applyTexturesEnabled: Val = store.applyTexturesEnabled - val applyTextures: Val = store.applyTextures - val showSkeletonEnabled: Val = store.showSkeletonEnabled - val showSkeleton: Val = store.showSkeleton - val playAnimation: Val = store.animationPlaying - val frameRate: Val = store.frameRate - val frame: Val = store.frame - val animationControlsEnabled: Val = store.currentNinjaMotion.isNotNull() - val maxFrame: Val = store.currentNinjaMotion.map { "/ ${it?.frameCount ?: 0}" } - val resultDialogVisible: Val = _resultDialogVisible - val result: Val?> = _result - val resultMessage: Val = result.map { + val applyTexturesEnabled: Cell = store.applyTexturesEnabled + val applyTextures: Cell = store.applyTextures + val showSkeletonEnabled: Cell = store.showSkeletonEnabled + val showSkeleton: Cell = store.showSkeleton + val playAnimation: Cell = store.animationPlaying + val frameRate: Cell = store.frameRate + val frame: Cell = store.frame + val animationControlsEnabled: Cell = store.currentNinjaMotion.isNotNull() + val maxFrame: Cell = store.currentNinjaMotion.map { "/ ${it?.frameCount ?: 0}" } + val resultDialogVisible: Cell = _resultDialogVisible + val result: Cell?> = _result + val resultMessage: Cell = result.map { when (it) { is Success, null -> "Encountered some problems while opening files." is Failure -> "An error occurred while opening files." diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/stores/ViewerStore.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/stores/ViewerStore.kt index 2a86bfb1..4713c9c8 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/stores/ViewerStore.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/stores/ViewerStore.kt @@ -9,11 +9,11 @@ import world.phantasmal.lib.fileFormats.ninja.NinjaObject import world.phantasmal.lib.fileFormats.ninja.NjMotion import world.phantasmal.lib.fileFormats.ninja.NjObject import world.phantasmal.lib.fileFormats.ninja.XvrTexture -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.and -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.mutableListVal -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.and +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.mutableListCell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.PwToolType import world.phantasmal.web.core.rendering.conversion.PSO_FRAME_RATE import world.phantasmal.web.core.stores.UiStore @@ -39,53 +39,54 @@ class ViewerStore( uiStore: UiStore, ) : Store() { // Ninja concepts. - private val _currentNinjaGeometry = mutableVal(null) - private val _currentTextures = mutableListVal() - private val _currentNinjaMotion = mutableVal(null) + private val _currentNinjaGeometry = mutableCell(null) + private val _currentTextures = mutableListCell() + private val _currentNinjaMotion = mutableCell(null) // High-level concepts. - private val _currentCharacterClass = mutableVal(CharacterClass.VALUES.random()) - private val _currentSectionId = mutableVal(SectionId.VALUES.random()) + private val _currentCharacterClass = + mutableCell(CharacterClass.VALUES.random()) + private val _currentSectionId = mutableCell(SectionId.VALUES.random()) private val _currentBody = - mutableVal((1.._currentCharacterClass.value!!.bodyStyleCount).random()) - private val _currentAnimation = mutableVal(null) + mutableCell((1.._currentCharacterClass.value!!.bodyStyleCount).random()) + private val _currentAnimation = mutableCell(null) // Settings. - private val _applyTextures = mutableVal(true) - private val _showSkeleton = mutableVal(false) - private val _animationPlaying = mutableVal(true) - private val _frameRate = mutableVal(PSO_FRAME_RATE) - private val _frame = mutableVal(0) + private val _applyTextures = mutableCell(true) + private val _showSkeleton = mutableCell(false) + private val _animationPlaying = mutableCell(true) + private val _frameRate = mutableCell(PSO_FRAME_RATE) + private val _frame = mutableCell(0) // Ninja concepts. - val currentNinjaGeometry: Val = _currentNinjaGeometry - val currentTextures: ListVal = _currentTextures - val currentNinjaMotion: Val = _currentNinjaMotion + val currentNinjaGeometry: Cell = _currentNinjaGeometry + val currentTextures: ListCell = _currentTextures + val currentNinjaMotion: Cell = _currentNinjaMotion // High-level concepts. - val currentCharacterClass: Val = _currentCharacterClass - val currentSectionId: Val = _currentSectionId - val currentBody: Val = _currentBody + val currentCharacterClass: Cell = _currentCharacterClass + val currentSectionId: Cell = _currentSectionId + val currentBody: Cell = _currentBody val animations: List = (0 until 572).map { AnimationModel( "Animation ${it + 1}", "/player/animation/animation_${it.toString().padStart(3, '0')}.njm", ) } - val currentAnimation: Val = _currentAnimation + val currentAnimation: Cell = _currentAnimation // Settings. - val applyTexturesEnabled: Val = _currentNinjaGeometry.map { + val applyTexturesEnabled: Cell = _currentNinjaGeometry.map { it == null || it !is NinjaGeometry.Collision } - val applyTextures: Val = applyTexturesEnabled and _applyTextures - val showSkeletonEnabled: Val = _currentNinjaGeometry.map { + val applyTextures: Cell = applyTexturesEnabled and _applyTextures + val showSkeletonEnabled: Cell = _currentNinjaGeometry.map { it is NinjaGeometry.Object && it.obj is NjObject } - val showSkeleton: Val = showSkeletonEnabled and _showSkeleton - val animationPlaying: Val = _animationPlaying - val frameRate: Val = _frameRate - val frame: Val = _frame + val showSkeleton: Cell = showSkeletonEnabled and _showSkeleton + val animationPlaying: Cell = _animationPlaying + val frameRate: Cell = _frameRate + val frame: Cell = _frame init { for (path in listOf(ViewerUrls.mesh, ViewerUrls.texture)) { diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/CharacterClassOptionsWidget.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/CharacterClassOptionsWidget.kt index bf529741..3d04e13f 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/CharacterClassOptionsWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/CharacterClassOptionsWidget.kt @@ -2,7 +2,7 @@ package world.phantasmal.web.viewer.widgets import kotlinx.coroutines.launch import org.w3c.dom.Node -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.cell import world.phantasmal.web.shared.dto.SectionId import world.phantasmal.web.viewer.controllers.CharacterClassOptionsController import world.phantasmal.webui.dom.div @@ -23,7 +23,7 @@ class CharacterClassOptionsWidget(private val ctrl: CharacterClassOptionsControl enabled = ctrl.enabled, className = "pw-viewer-character-class-options-section-id", label = "Section ID:", - items = value(SectionId.VALUES_LIST), + items = cell(SectionId.VALUES_LIST), selected = ctrl.currentSectionId, onSelect = { sectionId -> scope.launch { ctrl.setCurrentSectionId(sectionId) } diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/SelectionWidget.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/SelectionWidget.kt index f255c5d5..3a407534 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/SelectionWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/SelectionWidget.kt @@ -1,15 +1,15 @@ package world.phantasmal.web.viewer.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.eq +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.eq import world.phantasmal.webui.dom.li import world.phantasmal.webui.dom.ul import world.phantasmal.webui.widgets.Widget class SelectionWidget( private val items: List, - private val selected: Val, + private val selected: Cell, private val onSelect: (T) -> Unit, private val itemToString: (T) -> String, private val borderLeft: Boolean = false, diff --git a/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/ViewerToolbarWidget.kt b/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/ViewerToolbarWidget.kt index 08d133ef..fc3662f2 100644 --- a/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/ViewerToolbarWidget.kt +++ b/web/src/main/kotlin/world/phantasmal/web/viewer/widgets/ViewerToolbarWidget.kt @@ -67,7 +67,7 @@ class ViewerToolbarWidget(private val ctrl: ViewerToolbarController) : Widget() ), Label( enabled = ctrl.animationControlsEnabled, - textVal = ctrl.maxFrame, + textCell = ctrl.maxFrame, ), Button( className = "pw-viewer-toolbar-clear-animation", diff --git a/web/src/test/kotlin/world/phantasmal/web/test/TestApplicationUrl.kt b/web/src/test/kotlin/world/phantasmal/web/test/TestApplicationUrl.kt index d8339c9a..9416fd3c 100644 --- a/web/src/test/kotlin/world/phantasmal/web/test/TestApplicationUrl.kt +++ b/web/src/test/kotlin/world/phantasmal/web/test/TestApplicationUrl.kt @@ -1,14 +1,14 @@ package world.phantasmal.web.test -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.mutableCell import world.phantasmal.web.core.stores.ApplicationUrl class TestApplicationUrl(initialUrl: String) : ApplicationUrl { private val stack = mutableListOf(initialUrl) private var stackIdx = 0 // Points to the current URL entry in the stack. - override val url: MutableVal = mutableVal(initialUrl) + override val url: MutableCell = mutableCell(initialUrl) val historyEntries: Int get() = stackIdx val canGoBack: Boolean get() = stackIdx > 0 diff --git a/webui/src/main/kotlin/world/phantasmal/webui/DisposableContainer.kt b/webui/src/main/kotlin/world/phantasmal/webui/DisposableContainer.kt index 43a3541b..8a6cbaad 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/DisposableContainer.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/DisposableContainer.kt @@ -5,7 +5,7 @@ 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 +import world.phantasmal.observable.cell.Cell abstract class DisposableContainer : TrackedDisposable() { private val disposer = Disposer() @@ -31,7 +31,7 @@ abstract class DisposableContainer : TrackedDisposable() { protected fun observe(observable: Observable, operation: (V1) -> Unit) { addDisposable( - if (observable is Val) { + if (observable is Cell) { observable.observe(callNow = true) { operation(it.value) } } else { observable.observe { operation(it.value) } @@ -40,8 +40,8 @@ abstract class DisposableContainer : TrackedDisposable() { } protected fun observe( - v1: Val, - v2: Val, + v1: Cell, + v2: Cell, operation: (V1, V2) -> Unit, ) { val observer: Observer<*> = { @@ -55,9 +55,9 @@ abstract class DisposableContainer : TrackedDisposable() { } protected fun observe( - v1: Val, - v2: Val, - v3: Val, + v1: Cell, + v2: Cell, + v3: Cell, operation: (V1, V2, V3) -> Unit, ) { val observer: Observer<*> = { @@ -72,10 +72,10 @@ abstract class DisposableContainer : TrackedDisposable() { } protected fun observe( - v1: Val, - v2: Val, - v3: Val, - v4: Val, + v1: Cell, + v2: Cell, + v3: Cell, + v4: Cell, operation: (V1, V2, V3, V4) -> Unit, ) { val observer: Observer<*> = { @@ -91,11 +91,11 @@ abstract class DisposableContainer : TrackedDisposable() { } protected fun observe( - v1: Val, - v2: Val, - v3: Val, - v4: Val, - v5: Val, + v1: Cell, + v2: Cell, + v3: Cell, + v4: Cell, + v5: Cell, operation: (V1, V2, V3, V4, V5) -> Unit, ) { val observer: Observer<*> = { diff --git a/webui/src/main/kotlin/world/phantasmal/webui/controllers/TabContainerController.kt b/webui/src/main/kotlin/world/phantasmal/webui/controllers/TabContainerController.kt index eb8a1bf1..d005a5ca 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/controllers/TabContainerController.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/controllers/TabContainerController.kt @@ -1,17 +1,17 @@ package world.phantasmal.webui.controllers -import world.phantasmal.observable.value.MutableVal -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.mutableVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.MutableCell +import world.phantasmal.observable.cell.mutableCell interface Tab { val title: String } open class TabContainerController(val tabs: List) : Controller() { - private val _activeTab: MutableVal = mutableVal(tabs.firstOrNull()) + private val _activeTab: MutableCell = mutableCell(tabs.firstOrNull()) - val activeTab: Val = _activeTab + val activeTab: Cell = _activeTab open fun setActiveTab(tab: T?, replaceUrl: Boolean = false) { _activeTab.value = tab diff --git a/webui/src/main/kotlin/world/phantasmal/webui/controllers/TableController.kt b/webui/src/main/kotlin/world/phantasmal/webui/controllers/TableController.kt index 3254a244..d6ac82c0 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/controllers/TableController.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/controllers/TableController.kt @@ -1,8 +1,8 @@ package world.phantasmal.webui.controllers -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.nullVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.nullCell class Column( val key: String, @@ -17,8 +17,8 @@ class Column( val headerClassName: String? = null, val className: String? = null, val textAlign: String? = null, - val footer: Val = nullVal(), - val footerTooltip: Val = nullVal(), + val footer: Cell = nullCell(), + val footerTooltip: Cell = nullCell(), ) enum class SortDirection { @@ -40,8 +40,8 @@ abstract class TableController : Controller() { open val fixedColumns: Int = 0 open val hasFooter: Boolean = false - abstract val values: ListVal - abstract val columns: ListVal> + abstract val values: ListCell + abstract val columns: ListCell> open fun sort(sortColumns: List>) { error("Not sortable.") diff --git a/webui/src/main/kotlin/world/phantasmal/webui/dom/Dom.kt b/webui/src/main/kotlin/world/phantasmal/webui/dom/Dom.kt index 4d9c702f..172fa22c 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/dom/Dom.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/dom/Dom.kt @@ -10,9 +10,9 @@ import org.w3c.dom.pointerevents.PointerEvent import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.Disposer import world.phantasmal.core.disposable.disposable -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.ListVal -import world.phantasmal.observable.value.list.ListChangeEvent +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.ListCell +import world.phantasmal.observable.cell.list.ListChangeEvent fun EventTarget.disposableListener( type: String, @@ -147,10 +147,10 @@ fun Node.icon(icon: Icon): HTMLElement { fun bindChildrenTo( parent: Element, - list: Val>, + list: Cell>, createChild: Node.(T, index: Int) -> Node, ): Disposable = - if (list is ListVal) { + if (list is ListCell) { bindChildrenTo(parent, list, createChild) } else { bindChildrenTo(parent, list, createChild, childrenRemoved = { /* Do nothing. */ }) @@ -158,10 +158,10 @@ fun bindChildrenTo( fun bindDisposableChildrenTo( parent: Element, - list: Val>, + list: Cell>, createChild: Node.(T, index: Int) -> Pair, ): Disposable = - if (list is ListVal) { + if (list is ListCell) { bindDisposableChildrenTo(parent, list, createChild) } else { val disposer = Disposer() @@ -187,7 +187,7 @@ fun bindDisposableChildrenTo( fun bindChildrenTo( parent: Element, - list: ListVal, + list: ListCell, createChild: Node.(T, index: Int) -> Node, after: (ListChangeEvent) -> Unit = {}, ): Disposable = @@ -203,7 +203,7 @@ fun bindChildrenTo( fun bindDisposableChildrenTo( parent: Element, - list: ListVal, + list: ListCell, createChild: Node.(T, index: Int) -> Pair, after: (ListChangeEvent) -> Unit = {}, ): Disposable { @@ -231,7 +231,7 @@ fun bindDisposableChildrenTo( private fun bindChildrenTo( parent: Element, - list: Val>, + list: Cell>, createChild: Node.(T, index: Int) -> Node, childrenRemoved: () -> Unit, ): Disposable = @@ -250,7 +250,7 @@ private fun bindChildrenTo( private fun bindChildrenTo( parent: Element, - list: ListVal, + list: ListCell, createChild: Node.(T, index: Int) -> Node, childrenRemoved: (index: Int, count: Int) -> Unit, after: (ListChangeEvent) -> Unit, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/dom/HTMLElementSizeVal.kt b/webui/src/main/kotlin/world/phantasmal/webui/dom/HTMLElementSizeCell.kt similarity index 94% rename from webui/src/main/kotlin/world/phantasmal/webui/dom/HTMLElementSizeVal.kt rename to webui/src/main/kotlin/world/phantasmal/webui/dom/HTMLElementSizeCell.kt index 008e4741..7975aaa6 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/dom/HTMLElementSizeVal.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/dom/HTMLElementSizeCell.kt @@ -5,11 +5,11 @@ import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.disposable import world.phantasmal.core.unsafe.unsafeAssertNotNull import world.phantasmal.observable.Observer -import world.phantasmal.observable.value.AbstractVal +import world.phantasmal.observable.cell.AbstractCell data class Size(val width: Double, val height: Double) -class HTMLElementSizeVal(element: HTMLElement? = null) : AbstractVal() { +class HTMLElementSizeCell(element: HTMLElement? = null) : AbstractCell() { private var resizeObserver: dynamic = null /** diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Button.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Button.kt index 49a6d2e9..b6fa3ad8 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Button.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Button.kt @@ -3,21 +3,21 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.MouseEvent -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.Icon import world.phantasmal.webui.dom.button import world.phantasmal.webui.dom.icon import world.phantasmal.webui.dom.span open class Button( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), private val className: String? = null, private val text: String? = null, - private val textVal: Val? = null, + private val textCell: Cell? = null, private val iconLeft: Icon? = null, private val iconRight: Icon? = null, private val onMouseDown: ((MouseEvent) -> Unit)? = null, @@ -53,8 +53,8 @@ open class Button( span { className = "pw-button-center" - if (textVal != null) { - observe(textVal) { + if (textCell != null) { + observe(textCell) { textContent = it hidden = it.isEmpty() } diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Checkbox.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Checkbox.kt index d4cab2d5..e1dbc26b 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Checkbox.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Checkbox.kt @@ -1,21 +1,21 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.input class Checkbox( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.After, - private val checked: Val? = null, + private val checked: Cell? = null, private val onChange: ((Boolean) -> Unit)? = null, -) : LabelledControl(visible, enabled, tooltip, label, labelVal, preferredLabelPosition) { +) : LabelledControl(visible, enabled, tooltip, label, labelCell, preferredLabelPosition) { override fun Node.createElement() = input { id = labelId diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/ComboBox.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/ComboBox.kt index 82d453d7..388de9c1 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/ComboBox.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/ComboBox.kt @@ -4,30 +4,30 @@ import org.w3c.dom.HTMLInputElement import org.w3c.dom.Node import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.MouseEvent -import world.phantasmal.observable.value.* -import world.phantasmal.observable.value.list.emptyListVal +import world.phantasmal.observable.cell.* +import world.phantasmal.observable.cell.list.emptyListCell import world.phantasmal.webui.dom.* class ComboBox( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), private val className: String? = null, label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - private val items: Val> = emptyListVal(), + private val items: Cell> = emptyListCell(), private val itemToString: (T) -> String = Any::toString, - private val selected: Val = nullVal(), + private val selected: Cell = nullCell(), private val onSelect: (T) -> Unit = {}, private val placeholderText: String? = null, private val filter: (String) -> Unit = {}, -) : LabelledControl(visible, enabled, tooltip, label, labelVal, preferredLabelPosition) { +) : LabelledControl(visible, enabled, tooltip, label, labelCell, preferredLabelPosition) { private lateinit var input: HTMLInputElement private var prevInputValue = "" private lateinit var menu: Menu - private val menuVisible = mutableVal(false) + private val menuVisible = mutableCell(false) override fun Node.createElement() = div { diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Control.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Control.kt index dc761f08..57c54def 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Control.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Control.kt @@ -1,13 +1,13 @@ package world.phantasmal.webui.widgets -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell /** * Represents all widgets that allow for user interaction such as buttons, text inputs, combo boxes, * etc. Controls are typically leaf nodes and thus typically don't have children. */ abstract class Control( - visible: Val, - enabled: Val, - tooltip: Val, + visible: Cell, + enabled: Cell, + tooltip: Cell, ) : Widget(visible, enabled, tooltip) diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Dialog.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Dialog.kt index 37c408ec..0bd0a8f2 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Dialog.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Dialog.kt @@ -7,10 +7,10 @@ import org.w3c.dom.events.Event import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.get import org.w3c.dom.pointerevents.PointerEvent -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.emptyStringVal -import world.phantasmal.observable.value.isEmpty -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.emptyStringCell +import world.phantasmal.observable.cell.isEmpty +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.dom import world.phantasmal.webui.dom.h1 @@ -18,10 +18,10 @@ import world.phantasmal.webui.dom.section // TODO: Use HTML dialog element. open class Dialog( - visible: Val = trueVal(), - enabled: Val = trueVal(), - private val title: Val, - private val description: Val = emptyStringVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + private val title: Cell, + private val description: Cell = emptyStringCell(), private val content: Node.() -> Unit = {}, private val footer: Node.() -> Unit = {}, protected val onDismiss: () -> Unit = {}, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/DoubleInput.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/DoubleInput.kt index 04e3b920..2dec1e3d 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/DoubleInput.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/DoubleInput.kt @@ -1,22 +1,22 @@ package world.phantasmal.webui.widgets import org.w3c.dom.HTMLInputElement -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import kotlin.math.abs import kotlin.math.pow import kotlin.math.round class DoubleInput( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - value: Val = value(0.0), + value: Cell = cell(0.0), onChange: (Double) -> Unit = {}, roundTo: Int = 2, ) : NumberInput( @@ -24,7 +24,7 @@ class DoubleInput( enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, value, onChange, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/DropDown.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/DropDown.kt index 861c2d56..5e149738 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/DropDown.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/DropDown.kt @@ -3,27 +3,27 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.MouseEvent -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.emptyListVal -import world.phantasmal.observable.value.mutableVal -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.emptyListCell +import world.phantasmal.observable.cell.mutableCell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.Icon import world.phantasmal.webui.dom.div class Dropdown( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), private val text: String? = null, private val iconLeft: Icon? = null, - items: Val>? = null, + items: Cell>? = null, private val itemToString: (T) -> String = Any::toString, private val onSelect: (T) -> Unit = {}, ) : Control(visible, enabled, tooltip) { - private val items: Val> = items ?: emptyListVal() + private val items: Cell> = items ?: emptyListCell() - private val menuVisible = mutableVal(false) + private val menuVisible = mutableCell(false) private lateinit var menu: Menu private var justOpened = false diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/DurationInput.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/DurationInput.kt index c787d08b..849e8097 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/DurationInput.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/DurationInput.kt @@ -1,28 +1,28 @@ package world.phantasmal.webui.widgets import org.w3c.dom.HTMLInputElement -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.formatAsHoursAndMinutes import kotlin.time.Duration import kotlin.time.minutes class DurationInput( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - value: Val, + value: Cell, onChange: (Duration) -> Unit = {}, ) : Input( visible, enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, className = "pw-duration-input", value, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/FileButton.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/FileButton.kt index dab61ea6..13a34c90 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/FileButton.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/FileButton.kt @@ -2,27 +2,27 @@ package world.phantasmal.webui.widgets import kotlinx.coroutines.launch import org.w3c.dom.HTMLElement -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.Icon import world.phantasmal.webui.files.FileHandle import world.phantasmal.webui.files.FileType import world.phantasmal.webui.files.showOpenFilePicker class FileButton( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), className: String? = null, text: String? = null, - textVal: Val? = null, + textCell: Cell? = null, iconLeft: Icon? = null, iconRight: Icon? = null, private val types: List = emptyList(), private val multiple: Boolean = false, private val filesSelected: ((List?) -> Unit)? = null, -) : Button(visible, enabled, tooltip, className, text, textVal, iconLeft, iconRight) { +) : Button(visible, enabled, tooltip, className, text, textCell, iconLeft, iconRight) { override fun interceptElement(element: HTMLElement) { element.classList.add("pw-file-button") diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Input.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Input.kt index 737b257d..90136798 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Input.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Input.kt @@ -2,26 +2,26 @@ package world.phantasmal.webui.widgets import org.w3c.dom.HTMLInputElement import org.w3c.dom.Node -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell import world.phantasmal.webui.dom.input import world.phantasmal.webui.dom.span abstract class Input( - visible: Val, - enabled: Val, - tooltip: Val, + visible: Cell, + enabled: Cell, + tooltip: Cell, label: String?, - labelVal: Val?, + labelCell: Cell?, preferredLabelPosition: LabelPosition, private val className: String, - private val value: Val, + private val value: Cell, private val onChange: (T) -> Unit, ) : LabelledControl( visible, enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, ) { private var settingValue = false diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/IntInput.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/IntInput.kt index 9d6f8fb0..29a468cf 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/IntInput.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/IntInput.kt @@ -1,19 +1,19 @@ package world.phantasmal.webui.widgets import org.w3c.dom.HTMLInputElement -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal -import world.phantasmal.observable.value.value +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.cell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell class IntInput( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - value: Val = value(0), + value: Cell = cell(0), onChange: (Int) -> Unit = {}, min: Int? = null, max: Int? = null, @@ -23,7 +23,7 @@ class IntInput( enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, value, onChange, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Label.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Label.kt index a8ed2f68..04718844 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Label.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Label.kt @@ -1,15 +1,15 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.label class Label( - visible: Val = trueVal(), - enabled: Val = trueVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), private val text: String? = null, - private val textVal: Val? = null, + private val textCell: Cell? = null, private val htmlFor: String? = null, ) : Widget(visible, enabled) { override fun Node.createElement() = @@ -17,8 +17,8 @@ class Label( className = "pw-label" this@Label.htmlFor?.let { htmlFor = it } - if (textVal != null) { - text(textVal) + if (textCell != null) { + text(textCell) } else if (text != null) { textContent = text } diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/LabelledControl.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/LabelledControl.kt index ff58f81c..33b4ce47 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/LabelledControl.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/LabelledControl.kt @@ -1,6 +1,6 @@ package world.phantasmal.webui.widgets -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell enum class LabelPosition { Before, @@ -8,20 +8,20 @@ enum class LabelPosition { } abstract class LabelledControl( - visible: Val, - enabled: Val, - tooltip: Val, + visible: Cell, + enabled: Cell, + tooltip: Cell, label: String?, - labelVal: Val?, + labelCell: Cell?, val preferredLabelPosition: LabelPosition, ) : Control(visible, enabled, tooltip) { protected val labelId: String = uniqueId() val label: Label? by lazy { - if (label == null && labelVal == null) { + if (label == null && labelCell == null) { null } else { - Label(visible, enabled, label, labelVal, htmlFor = labelId) + Label(visible, enabled, label, labelCell, htmlFor = labelId) } } } diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/LazyLoader.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/LazyLoader.kt index eb77ef6e..31b9211c 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/LazyLoader.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/LazyLoader.kt @@ -1,13 +1,13 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div class LazyLoader( - visible: Val = trueVal(), - enabled: Val = trueVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), private val createWidget: () -> Widget, ) : Widget(visible, enabled) { private var initialized = false diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Menu.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Menu.kt index 2bc82579..e817dd2d 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Menu.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Menu.kt @@ -6,19 +6,19 @@ import org.w3c.dom.events.Event import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.MouseEvent import world.phantasmal.core.disposable.Disposable -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.emptyListVal -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.emptyListCell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.disposableListener import world.phantasmal.webui.dom.div import world.phantasmal.webui.obj class Menu( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), - private val items: Val> = emptyListVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), + private val items: Cell> = emptyListCell(), private val itemToString: (T) -> String = Any::toString, private val onSelect: (T) -> Unit = {}, private val onCancel: () -> Unit = {}, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/NumberInput.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/NumberInput.kt index 383d33df..fb5e8082 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/NumberInput.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/NumberInput.kt @@ -1,16 +1,16 @@ package world.phantasmal.webui.widgets import org.w3c.dom.HTMLInputElement -import world.phantasmal.observable.value.Val +import world.phantasmal.observable.cell.Cell abstract class NumberInput( - visible: Val, - enabled: Val, - tooltip: Val, + visible: Cell, + enabled: Cell, + tooltip: Cell, label: String?, - labelVal: Val?, + labelCell: Cell?, preferredLabelPosition: LabelPosition, - value: Val, + value: Cell, onChange: (T) -> Unit, private val min: Int?, private val max: Int?, @@ -20,7 +20,7 @@ abstract class NumberInput( enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, className = "pw-number-input", value, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/ResultDialog.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/ResultDialog.kt index 427ca97a..7f94212a 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/ResultDialog.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/ResultDialog.kt @@ -3,9 +3,9 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node import world.phantasmal.core.Failure import world.phantasmal.core.PwResult -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.emptyStringVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.emptyStringCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.li import world.phantasmal.webui.dom.ul @@ -15,10 +15,10 @@ import world.phantasmal.webui.dom.ul * button in the footer which triggers onDismiss. */ class ResultDialog( - visible: Val = trueVal(), - enabled: Val = trueVal(), - result: Val?>, - message: Val = emptyStringVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + result: Cell?>, + message: Cell = emptyStringCell(), onDismiss: () -> Unit = {}, ) : Widget(visible, enabled) { private val dialog = addDisposable( diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Select.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Select.kt index e3b31e55..84c5bf89 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Select.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Select.kt @@ -3,31 +3,31 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node import org.w3c.dom.events.KeyboardEvent import org.w3c.dom.events.MouseEvent -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.list.emptyListVal -import world.phantasmal.observable.value.mutableVal -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.list.emptyListCell +import world.phantasmal.observable.cell.mutableCell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.Icon import world.phantasmal.webui.dom.div class Select( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), private val className: String? = null, label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - private val items: Val> = emptyListVal(), + private val items: Cell> = emptyListCell(), private val itemToString: (T) -> String = Any::toString, - private val selected: Val = nullVal(), + private val selected: Cell = nullCell(), private val onSelect: (T) -> Unit = {}, -) : LabelledControl(visible, enabled, tooltip, label, labelVal, preferredLabelPosition) { - private val buttonText = mutableVal(" ") +) : LabelledControl(visible, enabled, tooltip, label, labelCell, preferredLabelPosition) { + private val buttonText = mutableCell(" ") private lateinit var menu: Menu - private val menuVisible = mutableVal(false) + private val menuVisible = mutableCell(false) private var justOpened = false override fun Node.createElement() = @@ -41,7 +41,7 @@ class Select( addWidget(Button( enabled = enabled, - textVal = buttonText, + textCell = buttonText, iconRight = Icon.TriangleDown, onMouseDown = ::onButtonMouseDown, onMouseUp = { onButtonMouseUp() }, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/TabContainer.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/TabContainer.kt index 756d2877..2ba503cd 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/TabContainer.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/TabContainer.kt @@ -1,17 +1,17 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.eq -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.eq +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.controllers.Tab import world.phantasmal.webui.controllers.TabContainerController import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.span class TabContainer( - visible: Val = trueVal(), - enabled: Val = trueVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), private val ctrl: TabContainerController, private val createWidget: (T) -> Widget, ) : Widget(visible, enabled) { diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Table.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Table.kt index 3fe8a218..062a032e 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Table.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Table.kt @@ -3,15 +3,15 @@ package world.phantasmal.webui.widgets import org.w3c.dom.* import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.Disposer -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.controllers.Column import world.phantasmal.webui.controllers.TableController import world.phantasmal.webui.dom.* class Table( - visible: Val = trueVal(), - enabled: Val = trueVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), private val ctrl: TableController, private val className: String? = null, /** diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextArea.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextArea.kt index 5a324001..d75bcb6b 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextArea.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextArea.kt @@ -1,18 +1,21 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.* +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.emptyStringCell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div import world.phantasmal.webui.dom.textarea class TextArea( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - private val value: Val = emptyStringVal(), + private val value: Cell = emptyStringCell(), private val onChange: ((String) -> Unit)? = null, private val maxLength: Int? = null, private val fontFamily: String? = null, @@ -23,7 +26,7 @@ class TextArea( enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, ) { override fun Node.createElement() = diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextInput.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextInput.kt index bebf9a74..06399db8 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextInput.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/TextInput.kt @@ -1,19 +1,19 @@ package world.phantasmal.webui.widgets import org.w3c.dom.HTMLInputElement -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.emptyStringVal -import world.phantasmal.observable.value.nullVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.emptyStringCell +import world.phantasmal.observable.cell.nullCell +import world.phantasmal.observable.cell.trueCell class TextInput( - visible: Val = trueVal(), - enabled: Val = trueVal(), - tooltip: Val = nullVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), + tooltip: Cell = nullCell(), label: String? = null, - labelVal: Val? = null, + labelCell: Cell? = null, preferredLabelPosition: LabelPosition = LabelPosition.Before, - value: Val = emptyStringVal(), + value: Cell = emptyStringCell(), onChange: (String) -> Unit = {}, private val maxLength: Int? = null, ) : Input( @@ -21,7 +21,7 @@ class TextInput( enabled, tooltip, label, - labelVal, + labelCell, preferredLabelPosition, className = "pw-text-input", value, diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Toolbar.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Toolbar.kt index 662bc9e8..3de61a17 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Toolbar.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Toolbar.kt @@ -1,16 +1,16 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div /** * Takes ownership of the given [children]. */ class Toolbar( - visible: Val = trueVal(), - enabled: Val = trueVal(), + visible: Cell = trueCell(), + enabled: Cell = trueCell(), children: List, ) : Widget(visible, enabled) { private val childWidgets = children diff --git a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Widget.kt b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Widget.kt index 29591ce1..f439af99 100644 --- a/webui/src/main/kotlin/world/phantasmal/webui/widgets/Widget.kt +++ b/webui/src/main/kotlin/world/phantasmal/webui/widgets/Widget.kt @@ -13,7 +13,7 @@ import world.phantasmal.core.disposable.Disposable import world.phantasmal.core.disposable.DisposableSupervisedScope import world.phantasmal.core.disposable.disposable import world.phantasmal.observable.Observable -import world.phantasmal.observable.value.* +import world.phantasmal.observable.cell.* import world.phantasmal.webui.DisposableContainer import world.phantasmal.webui.dom.* @@ -21,17 +21,17 @@ abstract class Widget( /** * By default determines the hidden attribute of its [element]. */ - val visible: Val = trueVal(), + val visible: Cell = trueCell(), /** * By default determines the disabled attribute of its [element] and whether or not the * "pw-disabled" class is added. */ - val enabled: Val = trueVal(), - val tooltip: Val = nullVal(), + val enabled: Cell = trueCell(), + val tooltip: Cell = nullCell(), ) : DisposableContainer() { - private val _ancestorVisible = mutableVal(true) + private val _ancestorVisible = mutableCell(true) private val _children = mutableListOf() - private val _size = HTMLElementSizeVal() + private val _size = HTMLElementSizeCell() private val elementDelegate = lazy { val el = documentFragment().createElement() @@ -77,14 +77,14 @@ abstract class Widget( /** * True if this widget's ancestors are [visible], false otherwise. */ - val ancestorVisible: Val = _ancestorVisible + val ancestorVisible: Cell = _ancestorVisible /** * True if this widget and all of its ancestors are [visible], false otherwise. */ - val selfOrAncestorVisible: Val = visible and ancestorVisible + val selfOrAncestorVisible: Cell = visible and ancestorVisible - val size: Val = _size + val size: Cell = _size val children: List = _children @@ -161,14 +161,14 @@ abstract class Widget( } protected fun Element.bindChildrenTo( - list: Val>, + list: Cell>, createChild: Node.(T, index: Int) -> Node, ) { addDisposable(bindChildrenTo(this, list, createChild)) } protected fun Element.bindDisposableChildrenTo( - list: Val>, + list: Cell>, createChild: Node.(T, index: Int) -> Pair, ) { addDisposable(bindDisposableChildrenTo(this, list, createChild)) @@ -178,7 +178,7 @@ abstract class Widget( * Creates a widget for every element in [list] and adds it as a child. */ protected fun Element.bindChildWidgetsTo( - list: Val>, + list: Cell>, createChild: (T, index: Int) -> Widget, ) { val create: Node.(T, Int) -> Pair = { value: T, index: Int -> diff --git a/webui/src/test/kotlin/world/phantasmal/webui/widgets/WidgetTests.kt b/webui/src/test/kotlin/world/phantasmal/webui/widgets/WidgetTests.kt index 4436faf9..9a625fd4 100644 --- a/webui/src/test/kotlin/world/phantasmal/webui/widgets/WidgetTests.kt +++ b/webui/src/test/kotlin/world/phantasmal/webui/widgets/WidgetTests.kt @@ -1,11 +1,11 @@ package world.phantasmal.webui.widgets import org.w3c.dom.Node -import world.phantasmal.observable.value.Val -import world.phantasmal.observable.value.falseVal -import world.phantasmal.observable.value.list.mutableListVal -import world.phantasmal.observable.value.mutableVal -import world.phantasmal.observable.value.trueVal +import world.phantasmal.observable.cell.Cell +import world.phantasmal.observable.cell.falseCell +import world.phantasmal.observable.cell.list.mutableListCell +import world.phantasmal.observable.cell.mutableCell +import world.phantasmal.observable.cell.trueCell import world.phantasmal.webui.dom.div import world.phantasmal.webui.test.WebuiTestSuite import kotlin.test.Test @@ -43,8 +43,8 @@ class WidgetTests : WebuiTestSuite { @Test fun ancestorVisible_and_selfOrAncestorVisible_update_when_visible_changes() = test { - val parentVisible = mutableVal(true) - val childVisible = mutableVal(true) + val parentVisible = mutableCell(true) + val childVisible = mutableCell(true) val grandChild = DummyWidget() val child = DummyWidget(childVisible, grandChild) val parent = disposer.add(DummyWidget(parentVisible, child)) @@ -81,7 +81,7 @@ class WidgetTests : WebuiTestSuite { @Test fun added_child_widgets_have_ancestorVisible_and_selfOrAncestorVisible_set_correctly() = test { - val parent = disposer.add(DummyWidget(visible = falseVal())) + val parent = disposer.add(DummyWidget(visible = falseCell())) val child = parent.addChild(DummyWidget()) assertTrue(parent.ancestorVisible.value) @@ -92,7 +92,7 @@ class WidgetTests : WebuiTestSuite { @Test fun bindChildWidgetsTo() = test { - val list = mutableListVal("a", "b", "c") + val list = mutableListCell("a", "b", "c") var childDisposals = 0 val parent = object : Widget() { @@ -136,7 +136,7 @@ class WidgetTests : WebuiTestSuite { } private class DummyWidget( - visible: Val = trueVal(), + visible: Cell = trueCell(), private val child: Widget? = null, ) : Widget(visible = visible) { override fun Node.createElement() =