2 つのパブリッシャーを組み合わせて、マップ ビューの中心座標を決定しています。パブリッシャーは次の 2 つです。
- によって決定されたユーザの初期位置( が位置更新の送信を開始し
CLLocationManager
た後に報告される最初の位置)。CLLocationManager
- 「現在地の中心地図」ボタンがタップされた場合のユーザーの現在地。
コード内:
class LocationManager: NSObject, ObservableObject {
// The first location reported by the CLLocationManager.
@Published var initialUserCoordinate: CLLocationCoordinate2D?
// The latest location reported by the CLLocationManager.
@Published var currentUserCoordinate: CLLocationCoordinate2D?
// What the current map view center should be.
@Published var coordinate: CLLocationCoordinate2D = CLLocationCoordinate2D(latitude: 42.35843, longitude: -71.05977) // Default coordinate.
// A subject whose `send(_:)` method is being called elsewhere every time the user presses a button to center the map on the user's location.
var centerButtonTappedPublisher: PassthroughSubject<Bool, Never> = PassthroughSubject<Bool, Never>()
// The combined publisher that is where all my troubles lie.
var coordinatePublisher: AnyPublisher<CLLocationCoordinate2D, Never> {
Publishers.CombineLatest($initialUserCoordinate, centerButtonTappedPublisher)
.map { initialCoord, centerButtonTapped in
var latestCoord = initialCoord
if centerButtonTapped {
latestCoord = self.currentUserCoordinate
}
return latestCoord
}
.replaceNil(with: CLLocationCoordinate2D(latitude: 42.35843, longitude: -71.05977))
.eraseToAnyPublisher()
}
private var cancellableSet: Set<AnyCancellable> = []
//... Other irrelevant properties
private override init() {
super.init()
coordinatePublisher
.receive(on: RunLoop.main)
.assign(to: \.coordinate, on: self)
.store(in: &cancellableSet)
//... CLLocationManager set-up
}
}
extension LocationManager: CLLocationManagerDelegate {
//...
func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]) {
// We are only interested in the user's most recent location.
guard let location = locations.last else { return }
let latestCoord = location.coordinate
if initialUserCoordinate == nil {
initialUserCoordinate = latestCoord
}
currentUserCoordinate = latestCoord
}
//...
}
発行者$initialUserCoordinate
とcenterButtonTappedPublisher
の両方が更新を発行しています - 私はこれを確認しました。ただし、結合されたパブリッシャーcoordinatePublisher
は、「現在の場所の中心地図」ボタンがタップされた場合にのみ起動します。initialUserCoordinate
プロパティが最初に設定されたときに発生することはありません。
This question.receive(on: RunLoop.main)
の後に追加することを提案してPublishers.CombineLatest($initialUserCoordinate, centerButtonTappedPublisher)
いますが、これは私にとってはうまくいきません。
私は何を間違っていますか?