Swift协议具有惰性属性-无法在不可变值上使用变异getter:'$ 0'是不可变的

问题描述 投票:0回答:1

目标:创建一个协议,该协议允许对符合协议的结构进行延迟计算,然后为这些结构的数组添加属性。计算是密集的,只应执行一次,因此需要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,但这不适用于代码的其他部分。

我是否有可能实现目标?

swift protocols lazy-loading
1个回答
0
投票

您可以从错误消息中看出,$0是不可变的,因此您不能在其上使用变异成员。

因此,您不能直接遍历bars。您可以做的是遍历indices,因为我们知道bars[$0] is是可变的:

print(bars.indices.map { bars[$0].footype }.reduce(0.0, +))
© www.soinside.com 2019 - 2024. All rights reserved.