Swift 惰性协议 属性 - 不能对不可变值使用变异 getter:'$0' 是不可变的
Swift protocol with lazy property - Cannot use mutating getter on immutable value: '$0' is immutable
目标:创建一个协议,允许对符合协议的结构进行延迟计算 属性,然后为这些结构的数组添加属性。计算量很大,应该只执行一次,因此需要 lazy
。
所以,经过大量阅读(例如:)和反复试验(请不要将此标记为重复,除非它确实解决了这个确切的案例),我想出了一些东西有效:
import Foundation
protocol Foo {
var footype: Double { mutating get }
func calculateFoo() -> Double
}
struct Bar: Foo {
private lazy var _footype: Double = {
let value = calculateFoo()
return value
}()
var footype: Double {
mutating get {
return _footype
}
}
func calculateFoo() -> Double {
print("calc")
return 3.453
}
}
在 Playground 中对此进行测试:
var bar = Bar()
print(bar.footype)
print(bar.footype)
输出为:
calc
3.453
3.453
到目前为止,还不错。
现在,我想创建一个 Bar
数组并添加 footype
属性:
var bar1 = Bar()
var bar2 = Bar()
var bar3 = Bar()
var bars = [bar1, bar2, bar3]
print(bars.map { [=16=].footype }.reduce(0.0, +))
这给了我以下错误:
Cannot use mutating getter on immutable value: '[=22=]' is immutable
找到了很多关于这个错误的信息,但我不知道如何解决它。一种方法是使用 class
而不是 struct
,但这不适用于代码的其他部分。
这可能是我想要实现的目标吗?
从错误消息中可以看出,[=11=]
是不可变的,因此您不能在其上使用可变成员。
因此,您不能直接遍历 bars
。您可以做的是遍历其 indices
,因为我们知道 bars[[=14=]]
是 可变的:
print(bars.indices.map { bars[[=10=]].footype }.reduce(0.0, +))
目标:创建一个协议,允许对符合协议的结构进行延迟计算 属性,然后为这些结构的数组添加属性。计算量很大,应该只执行一次,因此需要 lazy
。
所以,经过大量阅读(例如:
import Foundation
protocol Foo {
var footype: Double { mutating get }
func calculateFoo() -> Double
}
struct Bar: Foo {
private lazy var _footype: Double = {
let value = calculateFoo()
return value
}()
var footype: Double {
mutating get {
return _footype
}
}
func calculateFoo() -> Double {
print("calc")
return 3.453
}
}
在 Playground 中对此进行测试:
var bar = Bar()
print(bar.footype)
print(bar.footype)
输出为:
calc
3.453
3.453
到目前为止,还不错。
现在,我想创建一个 Bar
数组并添加 footype
属性:
var bar1 = Bar()
var bar2 = Bar()
var bar3 = Bar()
var bars = [bar1, bar2, bar3]
print(bars.map { [=16=].footype }.reduce(0.0, +))
这给了我以下错误:
Cannot use mutating getter on immutable value: '[=22=]' is immutable
找到了很多关于这个错误的信息,但我不知道如何解决它。一种方法是使用 class
而不是 struct
,但这不适用于代码的其他部分。
这可能是我想要实现的目标吗?
从错误消息中可以看出,[=11=]
是不可变的,因此您不能在其上使用可变成员。
因此,您不能直接遍历 bars
。您可以做的是遍历其 indices
,因为我们知道 bars[[=14=]]
是 可变的:
print(bars.indices.map { bars[[=10=]].footype }.reduce(0.0, +))