У меня есть UICollectionViewController с ячейкой заголовка, которая должна отображать аннотации на карте. Каждая аннотация - это компания, с которой связана информация, и я хотел бы отобразить список информации об этой компании в ячейках под заголовком (где отображается карта)
Прямо сейчас я могу правильно загрузить и добавить аннотации к своей ячейке заголовка. Но то, что я хотел бы сделать, это на самом деле перезагрузить представление коллекции с соответствующими данными, в зависимости от того, какую аннотацию нажимает пользователь в заголовке карты.
Вот код для моей ячейки заголовка, куда я загружаю MKMapView и добавляю необходимые методы для добавления аннотаций.
class MapHeaderCell: UICollectionViewCell, MKMapViewDelegate {
let mapView: MKMapView = {
let map = MKMapView()
map.mapType = .standard
map.isZoomEnabled = true
map.isScrollEnabled = true
return map
}()
override init(frame: CGRect) {
super.init(frame: frame)
backgroundColor = .green
addSubview(mapView)
mapView.anchor(top: topAnchor, left: leftAnchor, bottom: bottomAnchor, right: rightAnchor, paddingTop: 0, paddingLeft: 0, paddingBottom: 0, paddingRight: 0, width: 0, height: 0)
guard let latitude = UserDefaultConstants().latitude, let longitude = UserDefaultConstants().longitude else {
return
}
let coordinate = CLLocationCoordinate2D(latitude: latitude, longitude: longitude)
let region = MKCoordinateRegion(center: coordinate, span: MKCoordinateSpan(latitudeDelta: 0.01, longitudeDelta: 0.01))
mapView.setRegion(region, animated: false)
}
func addAnnotations(businesses: [Business]) {
for business in businesses {
let annotation = MKPointAnnotation()
annotation.title = business.name
annotation.coordinate = CLLocationCoordinate2D(latitude: business.latitude, longitude: business.longitude)
mapView.addAnnotation(annotation)
}
}
//adds annotation to view.
func mapView(_ mapView: MKMapView, viewFor annotation: MKAnnotation) -> MKAnnotationView? {
guard annotation is MKPointAnnotation else { return nil }
var annotationView = mapView.dequeueReusableAnnotationView(withIdentifier: annotationId)
if annotationView == nil {
annotationView = MKPinAnnotationView(annotation: annotation, reuseIdentifier: annotationId)
annotationView!.canShowCallout = true
} else {
annotationView!.annotation = annotation
}
return annotationView
}
}
В другом классе я на самом деле загружаю данные местного бизнеса, а затем заполняю карту.
class MapCollectionVewController: ListCollectionViewControllerBase {
var coupons = [Coupon]()
var businesses = [Business]()
override func viewDidLoad() {
super.viewDidLoad()
collectionView?.backgroundColor = .white
collectionView?.register(CouponCell.self, forCellWithReuseIdentifier: listCellId)
collectionView?.register(MapHeaderCell.self, forSupplementaryViewOfKind: UICollectionElementKindSectionHeader, withReuseIdentifier: mapHeaderId)
getLocalBusinesses()
}
func collectionView(_ collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, referenceSizeForHeaderInSection section: Int) -> CGSize {
return CGSize(width: view.frame.width, height: 200)
}
//THIS IS WHERE I ADD ANNOTATIONS TO MAP
override func collectionView(_ collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, at indexPath: IndexPath) -> UICollectionReusableView {
let header = collectionView.dequeueReusableSupplementaryView(ofKind: UICollectionElementKindSectionHeader, withReuseIdentifier: mapHeaderId, for: indexPath) as! MapHeaderCell
header.addAnnotations(businesses: businesses)
return header
}
override func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return coupons.count
}
override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: listCellId, for: indexPath) as! CouponCell
cell.coupon = coupons[indexPath.item]
cell.hideFavoritesButton()
return cell
}
fileprivate func getLocalBusinesses() {
guard let latitude = UserDefaultConstants().latitude, let longitude = UserDefaultConstants().longitude else {
print("No latitude/longitude value stored for user")
return
}
let url = ConfigKeys.apiBaseURI + "business/nearby"
let params = ["latitude": latitude, "longitude": longitude]
let apiController = APIController(email: UserDefaultConstants().userEmail, token: UserDefaultConstants().userToken)
apiController.makeRequest(type: .get, url: url, parameters: params) { (success, error, data) in
if !success {
print("error with request: ", error ?? "in getLocalBusiness")
}
guard let data = data else {return}
guard let resultsArray = data["result"] as? [[String : Any]] else {return}
for result in resultsArray {
let business = Business(data: result)
self.businesses.append(business)
}
self.collectionView?.reloadData()
}
}
}
Итак, еще раз: мне нужно иметь возможность загружать бизнес-данные в виде коллекции под видом карты, основываясь на том, на какой аннотации нажимает пользователь. Я прочитал некоторые решения, которые убедили меня, но я не смог решить это.