1

我有可以拖放到其他视图之上的视图(比如说类别)。为了检测我在哪个类别视图之上,我将它们的帧存储在一个帧数组中,这发生在它们的不可见叠加层的 onAppear 中。(这基于教程中的 Paul Hudsons 实现)。

这一切都很好,除了当这些视图的位置发生变化时,例如在设备方向或 iPad 上调整窗口大小时。这当然不会触发 onAppear,因此帧不再匹配。

HStack() {
ForEach(categories) { category in
    ZStack {
        Circle()
        Rectangle()
            .foregroundColor(.clear)
            .overlay(
                GeometryReader { geo in
                    Color.clear
                        .onAppear {
                            categoryFrames[index(for: category)] = geo.frame(in: .global)
                        }
                }
            )
        }
    }
}

因此,欢迎任何想法如何更新这些实例中的帧或如何以不同的方式观察它们。

4

2 回答 2

2

可以使用视图首选项在刷新期间动态读取视图帧,因此您不必关心方向,因为每次重绘视图时都有实际帧。

这是一个方法草案。

为视图偏好键引入模型:

struct ItemRec: Equatable {
    let i: Int        // item index
    let p: CGRect     // item position frame
}

struct ItemPositionsKey: PreferenceKey {
    typealias Value = [ItemRec]
    static var defaultValue = Value()
    static func reduce(value: inout Value, nextValue: () -> Value) {
        value.append(contentsOf: nextValue())
    }
}

现在你的代码(假设@State private var categoryFrames = [Int, CGRect]()

HStack() {
ForEach(categories) { category in
    ZStack {
        Circle()
        Rectangle()
            .foregroundColor(.clear)
            .background(        // << prefer background to avoid any side effect
                GeometryReader { geo in
                    Color.clear.preference(key: ItemPositionsKey.self,
                        value: [ItemRec(i: index(for: category), p: geo.frame(in: .global))])
                }
            )
        }
    }
    .onPreferenceChange(ItemPositionsKey.self) {
        // actually you can use this listener at any this view hierarchy level
        // and possibly use directly w/o categoryFrames state
        for item in $0 {
           categoryFrames[item.i] = item.p
        }
    }

}
于 2020-08-03T03:54:17.260 回答
0

我遇到了类似的问题,这篇文章启发了我寻找解决方案。所以也许这对其他人有用。onChange只需将您所做的相同分配给修改器,并将其设置为在更改onAppear时触发。geo.size

HStack() {
ForEach(categories) { category in
    ZStack {
        Circle()
        Rectangle()
            .foregroundColor(.clear)
            .overlay(
                GeometryReader { geo in
                    Color.clear
                        .onAppear {
                            categoryFrames[index(for: category)] = geo.frame(in: .global)
                        }
                        .onChange(of: geo.size) { _ in
                            categoryFrames[index(for: category)] = geo.frame(in: .global)
                        }
                }
            )
        }
    }
}
于 2022-01-25T10:44:16.070 回答