目标:创建一个协议,该协议允许延迟计算符合协议的结构的属性,然后为这些结构的数组添加属性。计算是密集型的,只应执行一次,因此是lazy
的要求。
因此,经过大量阅读(例如:Swift Struct with Lazy, private property conforming to Protocol)和反复试验(请不要将其标记为重复,除非它确实解决了这种情况),然后我想出了一些可行的方法:
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
}
}
在操场上进行测试:
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 { $0.footype }.reduce(0.0, +))
这给了我以下错误:
不能在不可变值上使用变异getter:'$ 0'是不可变的
找到了有关此错误的很多信息,但仍无法解决。一种方法是使用class
而不是struct
,但这不适用于代码的其他部分。
我可能要实现什么目标?
答案 0 :(得分:4)
从错误消息中可以看出,$0
是不可变的,因此不能在其上使用变异成员。
因此,您不能直接迭代bars
。您可以做的是遍历其indices
,因为我们知道bars[$0]
是可变的:
print(bars.indices.map { bars[$0].footype }.reduce(0.0, +))