我有一个包含许多按钮的视图,如果用户点击一个按钮,则视图模型需要使用增加的值来更新当前的按钮。
class ProductVM: ObservableObject {
@Published var product : Product
init(product: Product) {
self.product = product
}
public func increaseAmount() {
var myInt = Int(self.product.amount) ?? 0
myInt += 1
self.product.amount = String(myInt)
print(myInt)
print("...")
}
}
问题是myInt
每次只有1,并且值无法更新。
我如何更新该值并将其保存在当前模型中,以便视图知道其增加了?!!
struct singleButtonView: View {
@ObservedObject var productVM : ProductVM
func updatePos(){
self.productVM.increaseAmount()
}
}
我用
来称呼它singleButtonView(productVM: ProductVM(product: product))
答案 0 :(得分:1)
嵌套的ObservableObjects
需要手动更新。这是一个示例,看起来像这样:
class Product: ObservableObject, Identifiable, Codable {
let id: Int
let name: String
let prize: Double
@Published var amount: Int = 0
enum CodingKeys: String, CodingKey {
case id
case name
case prize
case amount
}
init() {
self.id = 0
self.name = "name"
self.prize = 0
}
init(id: Int, name: String, prize: Double) {
self.id = id
self.name = name
self.prize = prize
}
required init(from decoder: Decoder) throws {
let values = try decoder.container(keyedBy: CodingKeys.self)
id = try values.decode(Int.self, forKey: .id)
name = try values.decode(String.self, forKey: .name)
prize = try values.decode(Double.self, forKey: .prize)
amount = try values.decode(Int.self, forKey: .amount)
}
func encode(to encoder: Encoder) throws {
var container = encoder.container(keyedBy: CodingKeys.self)
try container.encode(id, forKey: .id)
try container.encode(name, forKey: .name)
try container.encode(prize, forKey: .prize)
try container.encode(amount, forKey: .amount)
}
}
class ProductVM: ObservableObject {
@Published var product: Product
var cancelable: AnyCancellable? = nil
init(product: Product) {
self.product = product
self.cancelable = product.objectWillChange.sink(receiveValue: {
self.objectWillChange.send()
})
}
public func increaseAmount() {
self.product.amount += 1
}
}
struct ContentView: View {
@ObservedObject var productVM = ProductVM(product: Product())
var body: some View {
VStack {
Button(action: {
self.productVM.increaseAmount()
}) {
Text("Add")
}
Text("\(self.productVM.product.amount)")
}
}
}
我希望这会有所帮助! Credits