Кластер Mapbox iOS работает, но слой стилей окружностей и слой чисел не отображаются / не отражают плотность маркеров кластера
Я использую Mapbox для создания приложения для iOS. Приложение получает запрос к моему API, который возвращает ряд событий, происходящих в пределах ограничительного поля карты в формате JSON.
Раньше я не использовал кластеризацию, поэтому некоторые аннотации карты просто покрывали другие. Я использую этот учебник Mapbox, который создает MGLShapeCollectionFeature
из файла GeoJSON, создает MGLShapeSource
из функции сбора формы, а затем создает маркерный слой как MGLSymbolStyleLayer
круговой слой как MGLCircleStyleLayer
и слой чисел как MGLSymbolStyleLayer
, Слой маркера показывает каждое отдельное событие географически, слой круга и слой чисел объединяются, чтобы представить количество маркеров каждого кластера.
Конечный продукт должен выглядеть аналогично примеру Mapbox:
Это файл GeoJSON, который используется в примере для отображения морских портов кластеризации на карте мира.
Ниже приведен соответствующий код, который пример использует для преобразования указанного GeoJSON в соответствующий источник и слои для заполнения карты:
let url = URL(fileURLWithPath: Bundle.main.path(forResource: "ports", ofType: "geojson")!)
let source = MGLShapeSource(identifier: "clusteredPorts",
url: url,
options: [.clustered: true, .clusterRadius: icon.size.width])
style.addSource(source)
// Use a template image so that we can tint it with the `iconColor` runtime styling property.
style.setImage(icon.withRenderingMode(.alwaysTemplate), forName: "icon")
// Show unclustered features as icons. The `cluster` attribute is built into clustering-enabled
// source features.
let ports = MGLSymbolStyleLayer(identifier: "ports", source: source)
ports.iconImageName = NSExpression(forConstantValue: "icon")
ports.iconColor = NSExpression(forConstantValue: UIColor.darkGray.withAlphaComponent(0.9))
ports.predicate = NSPredicate(format: "cluster != YES")
style.addLayer(ports)
// Color clustered features based on clustered point counts.
let stops = [
20: UIColor.lightGray,
50: UIColor.orange,
100: UIColor.red,
200: UIColor.purple
]
// Show clustered features as circles. The `point_count` attribute is built into
// clustering-enabled source features.
let circlesLayer = MGLCircleStyleLayer(identifier: "clusteredPorts", source: source)
circlesLayer.circleRadius = NSExpression(forConstantValue: NSNumber(value: Double(icon.size.width) / 2))
circlesLayer.circleOpacity = NSExpression(forConstantValue: 0.75)
circlesLayer.circleStrokeColor = NSExpression(forConstantValue: UIColor.white.withAlphaComponent(0.75))
circlesLayer.circleStrokeWidth = NSExpression(forConstantValue: 2)
circlesLayer.circleColor = NSExpression(format: "mgl_step:from:stops:(point_count, %@, %@)", UIColor.lightGray, stops)
circlesLayer.predicate = NSPredicate(format: "cluster == YES")
style.addLayer(circlesLayer)
// Label cluster circles with a layer of text indicating feature count. The value for
// `point_count` is an integer. In order to use that value for the
// `MGLSymbolStyleLayer.text` property, cast it as a string.
let numbersLayer = MGLSymbolStyleLayer(identifier: "clusteredPortsNumbers", source: source)
numbersLayer.textColor = NSExpression(forConstantValue: UIColor.white)
numbersLayer.textFontSize = NSExpression(forConstantValue: NSNumber(value: Double(icon.size.width) / 2))
numbersLayer.iconAllowsOverlap = NSExpression(forConstantValue: true)
numbersLayer.text = NSExpression(format: "CAST(point_count, 'NSString')")
numbersLayer.predicate = NSPredicate(format: "cluster == YES")
style.addLayer(numbersLayer)
Это формат GeoJSON, в котором мои события возвращаются из моего API как. Это форматирование должно быть правильным, так как Mapbox принимает его и создает MGLShapeCollectionFeature
из его данных.
Мой код очень похож на тот, который мы видели в примере с Mapbox. Сначала я создаю файл GeoJSON
//geoJson is my GeoJSON file as [String: Any]
var shapes: MGLShapeCollectionFeature!
if let data = try? JSONSerialization.data(withJSONObject: geoJson, options: .prettyPrinted) {
do {
shapes = try MGLShape(data: data, encoding: String.Encoding.utf8.rawValue) as! MGLShapeCollectionFeature
} catch {
print(error.localizedDescription)
}
}
Я знаю, что этот GeoJSON превращается в MGLShapeCollectionFeature
как приложение будет аварийно завершить работу, а MGLShapeCollectionFeature
созданный успешно создает источник, из которого создаются слои / заполняет карту. Поэтому я создаю MGLShapeSource
из этого MGLShapeCollectionFeature
:
let marker = UIImage(named: "redPin")?.resize(targetSize: CGSize(width: 25, height: 25))
let source = MGLShapeSource(identifier: "clusteredPoints", shape: shapes, options: [.clustered: true, .clusterRadius: 0.5])
self.mapStyle!.addSource(source)
// Use a template image so that we can tint it with the `iconColor` runtime styling property.
self.mapStyle!.setImage(marker!, forName: "marker")
Затем я создаю слои из "источника" и добавляю их в стиль моей карты.
// Show unclustered features as icons. The `cluster` attribute is built into clustering-enabled
// source features.
let events = MGLSymbolStyleLayer(identifier: "events", source: source)
events.iconImageName = NSExpression(forConstantValue: "marker")
events.iconColor = NSExpression(forConstantValue: UIColor.darkGray.withAlphaComponent(0.9))
events.predicate = NSPredicate(format: "cluster != YES")
self.mapStyle!.addLayer(events)
// Color clustered features based on clustered point counts.
let stops = [
5: UIColor.lightGray,
10: UIColor.orange,
20: UIColor.red,
30: UIColor.purple
]
// Show clustered features as circles. The `point_count` attribute is built into
// clustering-enabled source features.
let circlesLayer = MGLCircleStyleLayer(identifier: "clusteredEvents", source: source)
circlesLayer.circleRadius = NSExpression(forConstantValue: NSNumber(value: Double(self.mapStyle!.image(forName: "marker")!.size.width) / 2))
circlesLayer.circleOpacity = NSExpression(forConstantValue: 0.75)
circlesLayer.circleStrokeColor = NSExpression(forConstantValue: UIColor.white.withAlphaComponent(0.75))
circlesLayer.circleStrokeWidth = NSExpression(forConstantValue: 2)
circlesLayer.circleColor = NSExpression(format: "mgl_step:from:stops:(point_count, %@, %@)", UIColor.lightGray, stops)
circlesLayer.predicate = NSPredicate(format: "cluster == YES")
self.mapStyle!.addLayer(circlesLayer)
// Label cluster circles with a layer of text indicating feature count. The value for
// `point_count` is an integer. In order to use that value for the
// `MGLSymbolStyleLayer.text` property, cast it as a string.
let numbersLayer = MGLSymbolStyleLayer(identifier: "clusteredEventsNumbers", source: source)
numbersLayer.textColor = NSExpression(forConstantValue: UIColor.white)
numbersLayer.textFontSize = NSExpression(forConstantValue: NSNumber(value: Double(self.mapStyle!.image(forName: "marker")!.size.width) / 2))
numbersLayer.iconAllowsOverlap = NSExpression(forConstantValue: true)
numbersLayer.text = NSExpression(format: "CAST(point_count, 'NSString')")
numbersLayer.predicate = NSPredicate(format: "cluster == YES")
self.mapStyle!.addLayer(numbersLayer)
Таким образом, код, по сути, точно такой же, просто вводимый GeoJSON отличается. И все же, слой круга и слой чисел не появляются, когда кластеры маркеров событий. Увидеть ниже:
Я знаю, что проблема не в том, что источник примера Mapbox загружается из URL, в то время как источник моей реализации загружается из MGLShapeCollectionFeature
потому что я попытался загрузить порт GeoJSON примера Mapbox как MGLShapeCollectionFeature
и морские порты все еще показывают слои круга / чисел, когда сгруппированы.
1 ответ
Итак, я чувствую себя идиотом.
Проблема была в MGLShapeSource:
MGLShapeSource(identifier: "clusteredPoints", shape: shapes, options: [.clustered: true, .clusterRadius: 0.5])
По какой-то причине я возился с clusterRadius, и он был установлен на 0,5, что, я полагаю, в пунктах. Обратите внимание, что в примере использовалась ширина маркера для определения радиуса кластера.
let source = MGLShapeSource(identifier: "clusteredPorts",
url: url,
options: [.clustered: true, .clusterRadius: icon.size.width])
Я думал, что так как некоторые маркеры исчезали всякий раз, когда они перекрывались с другим маркером, они кластеризовались, но слой кластера не показывался. Они не были кластеризованы, я думаю, что источники фигур просто могут знать, когда они перекрываются с другим, и соответственно исчезнут. То, что они исчезают, не означает, что они сгруппированы.