tutorial firestore español firebase google-cloud-firestore

firebase - español - ¿Cómo ejecutar una consulta geo "cercana" con firestore?



firestore console (7)

¿La nueva base de datos firestore de firebase admite de forma nativa las consultas geográficas basadas en la ubicación? ¿Es decir, buscar publicaciones dentro de 10 millas o encontrar las 50 publicaciones más cercanas?

Veo que hay algunos proyectos existentes para la base de datos de base de fuego en tiempo real, proyectos como geofire, ¿podrían adaptarse también a firestore?


(Primero, permítame disculparme por todo el código en esta publicación, solo quería que cualquier persona que lea esta respuesta tenga un tiempo fácil para reproducir la funcionalidad).

Para abordar la misma preocupación que tenía el OP, al principio adapté la biblioteca de GeoFire para trabajar con Firestore (puede aprender mucho sobre geomaterial mirando esa biblioteca). Entonces me di cuenta de que realmente no me importaba si las ubicaciones se devolvían en un círculo exacto. Solo quería una forma de conseguir ubicaciones ''cercanas''.

No puedo creer cuánto tiempo tardé en darme cuenta de esto, pero puede realizar una consulta de doble desigualdad en un campo de GeoPoint utilizando una esquina SW y una esquina NE para obtener ubicaciones dentro de un cuadro delimitador alrededor de un punto central.

Así que hice una función de JavaScript como la de abajo (esta es básicamente una versión de JS de la respuesta de Ryan Lee).

/** * Get locations within a bounding box defined by a center point and distance from from the center point to the side of the box; * * @param {Object} area an object that represents the bounding box * around a point in which locations should be retrieved * @param {Object} area.center an object containing the latitude and * longitude of the center point of the bounding box * @param {number} area.center.latitude the latitude of the center point * @param {number} area.center.longitude the longitude of the center point * @param {number} area.radius (in kilometers) the radius of a circle * that is inscribed in the bounding box; * This could also be described as half of the bounding box''s side length. * @return {Promise} a Promise that fulfills with an array of all the * retrieved locations */ function getLocations(area) { // calculate the SW and NE corners of the bounding box to query for const box = utils.boundingBoxCoordinates(area.center, area.radius); // construct the GeoPoints const lesserGeopoint = new GeoPoint(box.swCorner.latitude, box.swCorner.longitude); const greaterGeopoint = new GeoPoint(box.neCorner.latitude, box.neCorner.longitude); // construct the Firestore query let query = firebase.firestore().collection(''myCollection'').where(''location'', ''>'', lesserGeopoint).where(''location'', ''<'', greaterGeopoint); // return a Promise that fulfills with the locations return query.get() .then((snapshot) => { const allLocs = []; // used to hold all the loc data snapshot.forEach((loc) => { // get the data const data = loc.data(); // calculate a distance from the center data.distanceFromCenter = utils.distance(area.center, data.location); // add to the array allLocs.push(data); }); return allLocs; }) .catch((err) => { return new Error(''Error while retrieving events''); }); }

La función anterior también agrega una propiedad .distanceFromCenter a cada parte de los datos de ubicación que se devuelven para que pueda obtener un comportamiento similar a un círculo simplemente comprobando si esa distancia está dentro del rango que desea.

Utilizo dos funciones útiles en la función anterior, así que aquí está el código para esas también. (Todas las funciones de uso a continuación están adaptadas de la biblioteca de GeoFire).

distancia():

/** * Calculates the distance, in kilometers, between two locations, via the * Haversine formula. Note that this is approximate due to the fact that * the Earth''s radius varies between 6356.752 km and 6378.137 km. * * @param {Object} location1 The first location given as .latitude and .longitude * @param {Object} location2 The second location given as .latitude and .longitude * @return {number} The distance, in kilometers, between the inputted locations. */ distance(location1, location2) { const radius = 6371; // Earth''s radius in kilometers const latDelta = degreesToRadians(location2.latitude - location1.latitude); const lonDelta = degreesToRadians(location2.longitude - location1.longitude); const a = (Math.sin(latDelta / 2) * Math.sin(latDelta / 2)) + (Math.cos(degreesToRadians(location1.latitude)) * Math.cos(degreesToRadians(location2.latitude)) * Math.sin(lonDelta / 2) * Math.sin(lonDelta / 2)); const c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a)); return radius * c; }

boundingBoxCoordinates (): (Hay más utils utilizados aquí también que he pegado a continuación).

/** * Calculates the SW and NE corners of a bounding box around a center point for a given radius; * * @param {Object} center The center given as .latitude and .longitude * @param {number} radius The radius of the box (in kilometers) * @return {Object} The SW and NE corners given as .swCorner and .neCorner */ boundingBoxCoordinates(center, radius) { const KM_PER_DEGREE_LATITUDE = 110.574; const latDegrees = radius / KM_PER_DEGREE_LATITUDE; const latitudeNorth = Math.min(90, center.latitude + latDegrees); const latitudeSouth = Math.max(-90, center.latitude - latDegrees); // calculate longitude based on current latitude const longDegsNorth = metersToLongitudeDegrees(radius, latitudeNorth); const longDegsSouth = metersToLongitudeDegrees(radius, latitudeSouth); const longDegs = Math.max(longDegsNorth, longDegsSouth); return { swCorner: { // bottom-left (SW corner) latitude: latitudeSouth, longitude: wrapLongitude(center.longitude - longDegs), }, neCorner: { // top-right (NE corner) latitude: latitudeNorth, longitude: wrapLongitude(center.longitude + longDegs), }, }; }

meterToLongitudeDegrees ():

/** * Calculates the number of degrees a given distance is at a given latitude. * * @param {number} distance The distance to convert. * @param {number} latitude The latitude at which to calculate. * @return {number} The number of degrees the distance corresponds to. */ function metersToLongitudeDegrees(distance, latitude) { const EARTH_EQ_RADIUS = 6378137.0; // this is a super, fancy magic number that the GeoFire lib can explain (maybe) const E2 = 0.00669447819799; const EPSILON = 1e-12; const radians = degreesToRadians(latitude); const num = Math.cos(radians) * EARTH_EQ_RADIUS * Math.PI / 180; const denom = 1 / Math.sqrt(1 - E2 * Math.sin(radians) * Math.sin(radians)); const deltaDeg = num * denom; if (deltaDeg < EPSILON) { return distance > 0 ? 360 : 0; } // else return Math.min(360, distance / deltaDeg); }

envolverLongitud ():

/** * Wraps the longitude to [-180,180]. * * @param {number} longitude The longitude to wrap. * @return {number} longitude The resulting longitude. */ function wrapLongitude(longitude) { if (longitude <= 180 && longitude >= -180) { return longitude; } const adjusted = longitude + 180; if (adjusted > 0) { return (adjusted % 360) - 180; } // else return 180 - (-adjusted % 360); }


A partir de hoy, no hay manera de hacer tal consulta. Hay otras preguntas en SO relacionadas con esto:

¿Hay alguna manera de usar GeoFire con Firestore?

¿Cómo consultar GeoPuntos más cercanos en una colección en Firebase Cloud Firestore?

¿Hay alguna manera de usar GeoFire con Firestore?

En mi proyecto de Android actual, puedo usar https://github.com/drfonfon/android-geohash para agregar un campo de geohash mientras el equipo de Firebase está desarrollando soporte nativo.

El uso de Firebase Realtime Database como se sugiere en otras preguntas significa que no puede filtrar sus resultados por ubicación y otros campos simultáneamente, la razón principal por la que quiero cambiar a Firestore en primer lugar.


Actualmente hay una nueva biblioteca para iOS y Android que permite a los desarrolladores realizar consultas geográficas basadas en la ubicación. La biblioteca se llama GeoFirestore . Ya he implementado esta biblioteca y he encontrado mucha documentación y ningún error. Parece bien probado y una buena opción para usar.


Esto no está completamente probado, pero debería ser una mejora en la respuesta de Ryan Lee.

Mi cálculo es más preciso y luego filtro las respuestas para eliminar los golpes que caen dentro del cuadro delimitador pero fuera del radio

Swift 4

func getDocumentNearBy(latitude: Double, longitude: Double, meters: Double) { let myGeopoint = GeoPoint(latitude:latitude, longitude:longitude ) let r_earth : Double = 6378137 // Radius of earth in Meters // 1 degree lat in m let kLat = (2 * Double.pi / 360) * r_earth let kLon = (2 * Double.pi / 360) * r_earth * __cospi(latitude/180.0) let deltaLat = meters / kLat let deltaLon = meters / kLon let swGeopoint = GeoPoint(latitude: latitude - deltaLat, longitude: longitude - deltaLon) let neGeopoint = GeoPoint(latitude: latitude + deltaLat, longitude: longitude + deltaLon) let docRef : CollectionReference = appDelegate.db.collection("restos") let query = docRef.whereField("location", isGreaterThan: swGeopoint).whereField("location", isLessThan: neGeopoint) query.getDocuments { snapshot, error in guard let snapshot = snapshot else { print("Error fetching snapshot results: /(error!)") return } self.documents = snapshot.documents.filter { (document) in if let location = document.get("location") as? GeoPoint { let myDistance = self.distanceBetween(geoPoint1:myGeopoint,geoPoint2:location) print("myDistance:/(myDistance) distance:/(meters)") return myDistance <= meters } return false } } }

Funciones que miden con precisión la distancia en metros entre 2 geopuntos para filtrar

func distanceBetween(geoPoint1:GeoPoint, geoPoint2:GeoPoint) -> Double{ return distanceBetween(lat1: geoPoint1.latitude, lon1: geoPoint1.longitude, lat2: geoPoint2.latitude, lon2: geoPoint2.longitude) } func distanceBetween(lat1:Double, lon1:Double, lat2:Double, lon2:Double) -> Double{ // generally used geo measurement function let R : Double = 6378.137; // Radius of earth in KM let dLat = lat2 * Double.pi / 180 - lat1 * Double.pi / 180; let dLon = lon2 * Double.pi / 180 - lon1 * Double.pi / 180; let a = sin(dLat/2) * sin(dLat/2) + cos(lat1 * Double.pi / 180) * cos(lat2 * Double.pi / 180) * sin(dLon/2) * sin(dLon/2); let c = 2 * atan2(sqrt(a), sqrt(1-a)); let d = R * c; return d * 1000; // meters }


Esto se puede hacer creando un cuadro delimitador menor que mayor que la consulta. En cuanto a la eficiencia, no puedo hablar de ello.

Tenga en cuenta que se debe revisar la precisión de la compensación de lat / long para ~ 1 milla, pero aquí hay una manera rápida de hacer esto:

Versión SWIFT 3.0

func getDocumentNearBy(latitude: Double, longitude: Double, distance: Double) { // ~1 mile of lat and lon in degrees let lat = 0.0144927536231884 let lon = 0.0181818181818182 let lowerLat = latitude - (lat * distance) let lowerLon = longitude - (lon * distance) let greaterLat = latitude + (lat * distance) let greaterLon = longitude + (lon * distance) let lesserGeopoint = GeoPoint(latitude: lowerLat, longitude: lowerLon) let greaterGeopoint = GeoPoint(latitude: greaterLat, longitude: greaterLon) let docRef = Firestore.firestore().collection("locations") let query = docRef.whereField("location", isGreaterThan: lesserGeopoint).whereField("location", isLessThan: greaterGeopoint) query.getDocuments { snapshot, error in if let error = error { print("Error getting documents: /(error)") } else { for document in snapshot!.documents { print("/(document.documentID) => /(document.data())") } } } } func run() { // Get all locations within 10 miles of Google Headquarters getDocumentNearBy(latitude: 37.422000, longitude: -122.084057, distance: 10) }


Se ha introducido un nuevo proyecto desde que @monkeybonkey primero hace esta pregunta. El proyecto se llama GEOFirestore .

Con esta biblioteca puede realizar consultas como documentos de consulta dentro de un círculo:

const geoQuery = geoFirestore.query({ center: new firebase.firestore.GeoPoint(10.38, 2.41), radius: 10.5 });

Puede instalar GeoFirestore a través de npm. Tendrá que instalar Firebase por separado (ya que es una dependencia entre iguales de GeoFirestore):

$ npm install geofirestore firebase --save


Para dardo

/// /// Checks if these coordinates are valid geo coordinates. /// [latitude] The latitude must be in the range [-90, 90] /// [longitude] The longitude must be in the range [-180, 180] /// returns [true] if these are valid geo coordinates /// bool coordinatesValid(double latitude, double longitude) { return (latitude >= -90 && latitude <= 90 && longitude >= -180 && longitude <= 180); } /// /// Checks if the coordinates of a GeopPoint are valid geo coordinates. /// [latitude] The latitude must be in the range [-90, 90] /// [longitude] The longitude must be in the range [-180, 180] /// returns [true] if these are valid geo coordinates /// bool geoPointValid(GeoPoint point) { return (point.latitude >= -90 && point.latitude <= 90 && point.longitude >= -180 && point.longitude <= 180); } /// /// Wraps the longitude to [-180,180]. /// /// [longitude] The longitude to wrap. /// returns The resulting longitude. /// double wrapLongitude(double longitude) { if (longitude <= 180 && longitude >= -180) { return longitude; } final adjusted = longitude + 180; if (adjusted > 0) { return (adjusted % 360) - 180; } // else return 180 - (-adjusted % 360); } double degreesToRadians(double degrees) { return (degrees * math.pi) / 180; } /// ///Calculates the number of degrees a given distance is at a given latitude. /// [distance] The distance to convert. /// [latitude] The latitude at which to calculate. /// returns the number of degrees the distance corresponds to. double kilometersToLongitudeDegrees(double distance, double latitude) { const EARTH_EQ_RADIUS = 6378137.0; // this is a super, fancy magic number that the GeoFire lib can explain (maybe) const E2 = 0.00669447819799; const EPSILON = 1e-12; final radians = degreesToRadians(latitude); final numerator = math.cos(radians) * EARTH_EQ_RADIUS * math.pi / 180; final denom = 1 / math.sqrt(1 - E2 * math.sin(radians) * math.sin(radians)); final deltaDeg = numerator * denom; if (deltaDeg < EPSILON) { return distance > 0 ? 360.0 : 0.0; } // else return math.min(360.0, distance / deltaDeg); } /// /// Defines the boundingbox for the query based /// on its south-west and north-east corners class GeoBoundingBox { final GeoPoint swCorner; final GeoPoint neCorner; GeoBoundingBox({this.swCorner, this.neCorner}); } /// /// Defines the search area by a circle [center] / [radiusInKilometers] /// Based on the limitations of FireStore we can only search in rectangles /// which means that from this definition a final search square is calculated /// that contains the circle class Area { final GeoPoint center; final double radiusInKilometers; Area(this.center, this.radiusInKilometers): assert(geoPointValid(center)), assert(radiusInKilometers >= 0); factory Area.inMeters(GeoPoint gp, int radiusInMeters) { return new Area(gp, radiusInMeters / 1000.0); } factory Area.inMiles(GeoPoint gp, int radiusMiles) { return new Area(gp, radiusMiles * 1.60934); } /// returns the distance in km of [point] to center double distanceToCenter(GeoPoint point) { return distanceInKilometers(center, point); } } /// ///Calculates the SW and NE corners of a bounding box around a center point for a given radius; /// [area] with the center given as .latitude and .longitude /// and the radius of the box (in kilometers) GeoBoundingBox boundingBoxCoordinates(Area area) { const KM_PER_DEGREE_LATITUDE = 110.574; final latDegrees = area.radiusInKilometers / KM_PER_DEGREE_LATITUDE; final latitudeNorth = math.min(90.0, area.center.latitude + latDegrees); final latitudeSouth = math.max(-90.0, area.center.latitude - latDegrees); // calculate longitude based on current latitude final longDegsNorth = kilometersToLongitudeDegrees(area.radiusInKilometers, latitudeNorth); final longDegsSouth = kilometersToLongitudeDegrees(area.radiusInKilometers, latitudeSouth); final longDegs = math.max(longDegsNorth, longDegsSouth); return new GeoBoundingBox( swCorner: new GeoPoint(latitudeSouth, wrapLongitude(area.center.longitude - longDegs)), neCorner: new GeoPoint(latitudeNorth, wrapLongitude(area.center.longitude + longDegs))); } /// /// Calculates the distance, in kilometers, between two locations, via the /// Haversine formula. Note that this is approximate due to the fact that /// the Earth''s radius varies between 6356.752 km and 6378.137 km. /// [location1] The first location given /// [location2] The second location given /// sreturn the distance, in kilometers, between the two locations. /// double distanceInKilometers(GeoPoint location1, GeoPoint location2) { const radius = 6371; // Earth''s radius in kilometers final latDelta = degreesToRadians(location2.latitude - location1.latitude); final lonDelta = degreesToRadians(location2.longitude - location1.longitude); final a = (math.sin(latDelta / 2) * math.sin(latDelta / 2)) + (math.cos(degreesToRadians(location1.latitude)) * math.cos(degreesToRadians(location2.latitude)) * math.sin(lonDelta / 2) * math.sin(lonDelta / 2)); final c = 2 * math.atan2(math.sqrt(a), math.sqrt(1 - a)); return radius * c; }

Acabo de publicar un paquete Flutter basado en el código JS anterior https://pub.dartlang.org/packages/firestore_helpers