作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我知道 State 包装器是为 View 而设计的,但如果可能的话,我想尝试构建和测试一些代码,我的目标只是为了学习目的,
我的代码有两个大问题!
import SwiftUI
var state: State<T> where T: StringProtocol = State(get: { state }, set: { newValue in state = newValue })
struct ContentView: View {
var body: some View {
Text(state)
}
}
import SwiftUI
var state2: String = String() { didSet { print(state2) } }
var binding: Binding = Binding.init(get: { state2 }, set: { newValue in state2 = newValue })
struct ContentView: View {
var body: some View {
TextField("Enter your text", text: binding)
}
}
import SwiftUI
var state: State<String> = State.init(initialValue: "Hello") { didSet { print(state.wrappedValue) } }
var binding: Binding = Binding.init(get: { state.wrappedValue }, set: { newValue in state = State(wrappedValue: newValue) })
struct ContentView: View {
var body: some View {
Text(state) // <<: Here is the issue!
TextField("Enter your text", text: binding)
}
}
最佳答案
即使您在 View 外创建了一个 State 包装器, View 如何知道何时刷新其主体?
如果没有通知 View 的方法,您的代码将执行与以下相同的操作:
struct ContentView: View {
var body: some View {
Text("Hello")
}
}
您接下来可以做什么取决于您想要实现的目标。
CurrentValueSubject
:
var state = CurrentValueSubject<String, Never>("state1")
它存储当前值并充当发布者。
struct ContentView: View {
var body: some View {
Text(state.value)
.onAppear {
DispatchQueue.main.asyncAfter(deadline: .now() + 2) {
state.value = "state2"
}
}
}
}
答案是:没什么。 View 被绘制一次,即使
state
更改, View 将不会被重新绘制。
var state = CurrentValueSubject<String, Never>("state1")
struct ContentView: View {
@State var internalState = ""
var body: some View {
Text(internalState)
.onAppear {
DispatchQueue.main.asyncAfter(deadline: .now() + 2) {
state.value = "state2"
}
}
.onReceive(state) {
internalState = $0
}
}
}
但这既不优雅也不干净。在这些情况下,我们可能应该使用
@State
:
struct ContentView: View {
@State var state = "state1"
var body: some View {
Text(state)
.onAppear {
DispatchQueue.main.asyncAfter(deadline: .now() + 2) {
state = "state2"
}
}
}
}
总而言之,如果您需要刷新 View ,只需使用原生 SwiftUI 属性包装器(如
@State
)。如果您需要在 View 之外声明状态值,请使用
ObservableObject
+
@Published
.
关于swift - 如何在 SwiftUI 中的 View 之外制作 State 包装器?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/66568811/
我是一名优秀的程序员,十分优秀!