david-swift 1c50b3b923 Make lists dynamic
Make one @State always reference the same value
This is important when views with closures appear after the first render
2024-01-01 16:08:17 +01:00

95 lines
2.2 KiB
Swift

//
// State.swift
// Adwaita
//
// Created by david-swift on 06.08.23.
//
import Foundation
/// A property wrapper for properties in a view that should be stored throughout view updates.
@propertyWrapper
public struct State<Value>: StateProtocol {
// swiftlint:disable force_cast
/// Access the stored value. This updates the views when being changed.
public var wrappedValue: Value {
get {
content.storage.value as! Value
}
nonmutating set {
content.storage.value = newValue
Self.updateViews()
}
}
// swiftlint:enable force_cast
/// Get the value as a binding using the `$` prefix.
public var projectedValue: Binding<Value> {
.init {
wrappedValue
} set: { newValue in
self.wrappedValue = newValue
}
}
/// The stored value.
public let content: State<Any>.Content
/// The value with an erased type.
public var value: Any {
get {
wrappedValue
}
nonmutating set {
if let newValue = newValue as? Value {
content.storage.value = newValue
}
}
}
/// Initialize a property representing a state in the view.
/// - Parameters:
/// - wrappedValue: The wrapped value.
public init(wrappedValue: Value) {
content = .init(storage: .init(value: wrappedValue))
}
/// A class storing the state's content.
public class Content {
/// The storage.
public var storage: Storage
/// Initialize the content.
/// - Parameter storage: The storage.
public init(storage: Storage) {
self.storage = storage
}
}
/// A class storing the value.
public class Storage {
/// The stored value.
public var value: Any
/// Initialize the storage.
/// - Parameters:
/// - value: The value.
public init(value: Any) {
self.value = value
}
}
/// Update all of the views.
public static func updateViews() {
for handler in GTUIApp.updateHandlers {
handler()
}
}
}