geocoder ejemplo android google-geocoder

ejemplo - geocoder android



Servicio no disponible al llamar a geoCoder.getFromLocation() (14)

Sé que a veces el servicio de back-end de Google podría no estar disponible.

Por lo tanto, una solución podría ser repetir hasta que obtenga los datos.

private class getLocationDetails extends AsyncTask<String, Void, String> { @Override protected String doInBackground(String... params) { Log.d("looping", "" + count + ""); count++; double lat = Double.parseDouble(params[0]); double lng = Double.parseDouble(params[1]); List<Address> addresses = null; try { Geocoder gCoder = new Geocoder(ImageAndLocationActivity.this, Locale.getDefault()); addresses = gCoder.getFromLocation(lat, lng, 1); Address addr = addresses.get(0); user_country = addr.getCountryName(); user_city = addr.getLocality(); user_district = addr.getSubAdminArea(); if (user_city == null) { user_city = user_district; } } catch (Exception e) { Log.e("Exception in getLocationDetails - ", e.getMessage()); return null; } return ""; } @Override protected void onPostExecute(String result) { if (result != null) { Log.d("user_city = ", "" + user_city); } else { new getLocationDetails().execute(CurrentLat + "", CurrentLng + ""); } } @Override protected void onPreExecute() { } @Override protected void onProgressUpdate(Void... values) { } }

Pero no puedo obtener la ubicación en absoluto:

LogCat:

02-27 16:29:49.568: D/looping(10966): 110355 02-27 16:29:49.568: E/Exception in getLocationDetails -(10966): Service not Available 02-27 16:29:49.573: D/looping(10966): 110356 02-27 16:29:49.573: E/Exception in getLocationDetails -(10966): Service not Available 02-27 16:29:49.573: D/looping(10966): 110357 02-27 16:29:49.573: E/Exception in getLocationDetails -(10966): Service not Available

y, por supuesto, he agregado todos los permisos necesarios:

<uses-permission android:name="android.permission.INTERNET" />

Estoy intentando esto en Samsung Galaxy Note GT-N7000 (versión 4.0.4)

¿Me falta alguna configuración? relacionado con el dispositivo o la aplicación? O esto generalmente sucede? Si es así, ¿alguna solución mejor para resolver esto?

Gracias


Algunos dispositivos no tienen soporte para Geocoder, por lo que lo que debes hacer es crear tu propio geocodificador.

Básicamente necesita crear una tarea asíncrona para solicitar a google la dirección y tratar la respuesta json.

Usando aquery, hago algo como esto:

public void asyncJson(String address){ address = address.replace(" ", "+"); String url = "http://maps.googleapis.com/maps/api/geocode/json?address="+ address +"&sensor=true"; aq.ajax(url, JSONObject.class, new AjaxCallback<JSONObject>() { @Override public void callback(String url, JSONObject json, AjaxStatus status) { if(json != null){ //here you work with the response json JSONArray results = json.getJSONArray("results"); Toast.makeText(context, results.getJSONObject(1).getString("formatted_address")); }else{ //ajax error, show error code Toast.makeText(aq.getContext(), "Error:" + status.getCode(), Toast.LENGTH_LONG).show(); } } }); }


Estoy usando el código que está arriba (acceso directo a Google Maps) "fusionado" con el código de Geocoder, como se muestra a continuación (Preste especial atención a "intentar capturar"):

... //address is String if (address != null) { new GeocoderTask().execute(address); } ... // An AsyncTask class for accessing the GeoCoding Web Service private class GeocoderTask extends AsyncTask<String, Void, List<Address>> { private LatLng latLng; private MarkerOptions markerOptions; @Override protected List<Address> doInBackground(String... locationName) { // Creating an instance of Geocoder class Geocoder geocoder = new Geocoder(getBaseContext()); List<Address> addresses = null; try { // Getting a maximum of 3 Address that matches the input text addresses = geocoder.getFromLocationName(locationName[0], 3); } catch (IOException e) { e.printStackTrace(); try { addresses = getLocationFromString(locationName[0]); } catch (UnsupportedEncodingException e1) { e1.printStackTrace(); } catch (JSONException e1) { e1.printStackTrace(); } } return addresses; } @Override protected void onPostExecute(List<Address> addresses) { if (addresses == null || addresses.size() == 0) { Toast.makeText(getBaseContext(), "No Location found", Toast.LENGTH_SHORT).show(); return; } // Clears all the existing markers on the map googleMap.clear(); // Adding Markers on Google Map for each matching address for (int i = 0; i < addresses.size(); i++) { Address address = (Address) addresses.get(i); // Creating an instance of GeoPoint, to display in Google Map latLng = new LatLng(address.getLatitude(), address.getLongitude()); String addressText = String.format( "%s, %s", address.getMaxAddressLineIndex() > 0 ? address .getAddressLine(0) : "", address .getCountryName()); markerOptions = new MarkerOptions(); markerOptions.position(latLng); markerOptions.title(addressText); googleMap.addMarker(markerOptions); // Locate the first location if (i == 0) { CameraUpdate center = CameraUpdateFactory.newLatLng(latLng); CameraUpdate zoom = CameraUpdateFactory.zoomTo(13); googleMap.moveCamera(center); googleMap.animateCamera(zoom); } } } } public static LatLng getLocationFromString(String address) throws JSONException { HttpGet httpGet = new HttpGet( "http://maps.google.com/maps/api/geocode/json?address=" + URLEncoder.encode(address, "UTF-8") + "&ka&sensor=false"); HttpClient client = new DefaultHttpClient(); HttpResponse response; StringBuilder stringBuilder = new StringBuilder(); try { response = client.execute(httpGet); HttpEntity entity = response.getEntity(); InputStream stream = entity.getContent(); int b; while ((b = stream.read()) != -1) { stringBuilder.append((char) b); } } catch (ClientProtocolException e) { } catch (IOException e) { } JSONObject jsonObject = new JSONObject(stringBuilder.toString()); double lng = ((JSONArray) jsonObject.get("results")).getJSONObject(0) .getJSONObject("geometry").getJSONObject("location") .getDouble("lng"); double lat = ((JSONArray) jsonObject.get("results")).getJSONObject(0) .getJSONObject("geometry").getJSONObject("location") .getDouble("lat"); return new LatLng(lat, lng); } public static List<Address> getStringFromLocation(double lat, double lng) throws ClientProtocolException, IOException, JSONException { String address = String .format(Locale.ENGLISH, "http://maps.googleapis.com/maps/api/geocode/json?latlng=%1$f,%2$f&sensor=true&language=" + Locale.getDefault().getCountry(), lat, lng); HttpGet httpGet = new HttpGet(address); HttpClient client = new DefaultHttpClient(); HttpResponse response; StringBuilder stringBuilder = new StringBuilder(); List<Address> retList = null; response = client.execute(httpGet); HttpEntity entity = response.getEntity(); InputStream stream = entity.getContent(); int b; while ((b = stream.read()) != -1) { stringBuilder.append((char) b); } JSONObject jsonObject = new JSONObject(stringBuilder.toString()); retList = new ArrayList<Address>(); if ("OK".equalsIgnoreCase(jsonObject.getString("status"))) { JSONArray results = jsonObject.getJSONArray("results"); for (int i = 0; i < results.length(); i++) { JSONObject result = results.getJSONObject(i); String indiStr = result.getString("formatted_address"); Address addr = new Address(Locale.getDefault()); addr.setAddressLine(0, indiStr); retList.add(addr); } } return retList; }

Esto funcionó excelente para mí porque cuando Geocoder no funciona, uso el acceso directo a Google Maps.

¡Aclamaciones!



La mejor solución para este problema es usar la misma clase de Google Geocoder si falla el Geocoder original.

List<Address> addresses = null; Geocoder geocoder = new Geocoder(this); addresses = geocoder.getFromLocation(...); if (addresses == null || addresses.isEmpty()) addresses = MyGeocoder.getFromLocation(...); import android.location.Address; import android.util.Log; import org.apache.http.HttpEntity; import org.apache.http.HttpResponse; import org.apache.http.client.ClientProtocolException; import org.apache.http.client.HttpClient; import org.apache.http.client.methods.HttpGet; import org.apache.http.client.params.AllClientPNames; import org.apache.http.impl.client.DefaultHttpClient; import org.apache.http.util.EntityUtils; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import java.io.IOException; import java.util.ArrayList; import java.util.List; import java.util.Locale; public class MyGeocoder { public static List<Address> getFromLocation(double lat, double lng, int maxResult) { String address = String.format(Locale.ENGLISH, "http://maps.googleapis.com/maps/api/geocode/json?latlng=%1$f,%2$f&sensor=false&language=" + Locale.getDefault().getCountry(), lat, lng); HttpGet httpGet = new HttpGet(address); HttpClient client = new DefaultHttpClient(); client.getParams().setParameter(AllClientPNames.USER_AGENT, "Mozilla/5.0 (Java) Gecko/20081007 java-geocoder"); client.getParams().setIntParameter(AllClientPNames.CONNECTION_TIMEOUT, 5 * 1000); client.getParams().setIntParameter(AllClientPNames.SO_TIMEOUT, 25 * 1000); HttpResponse response; List<Address> retList = null; try { response = client.execute(httpGet); HttpEntity entity = response.getEntity(); String json = EntityUtils.toString(entity, "UTF-8"); JSONObject jsonObject = new JSONObject(json); retList = new ArrayList<Address>(); if ("OK".equalsIgnoreCase(jsonObject.getString("status"))) { JSONArray results = jsonObject.getJSONArray("results"); if (results.length() > 0) { for (int i = 0; i < results.length() && i < maxResult; i++) { JSONObject result = results.getJSONObject(i); //Log.e(MyGeocoder.class.getName(), result.toString()); Address addr = new Address(Locale.getDefault()); // addr.setAddressLine(0, result.getString("formatted_address")); JSONArray components = result.getJSONArray("address_components"); String streetNumber = ""; String route = ""; for (int a = 0; a < components.length(); a++) { JSONObject component = components.getJSONObject(a); JSONArray types = component.getJSONArray("types"); for (int j = 0; j < types.length(); j++) { String type = types.getString(j); if (type.equals("locality")) { addr.setLocality(component.getString("long_name")); } else if (type.equals("street_number")) { streetNumber = component.getString("long_name"); } else if (type.equals("route")) { route = component.getString("long_name"); } } } addr.setAddressLine(0, route + " " + streetNumber); addr.setLatitude(result.getJSONObject("geometry").getJSONObject("location").getDouble("lat")); addr.setLongitude(result.getJSONObject("geometry").getJSONObject("location").getDouble("lng")); retList.add(addr); } } } } catch (ClientProtocolException e) { Log.e(MyGeocoder.class.getName(), "Error calling Google geocode webservice.", e); } catch (IOException e) { Log.e(MyGeocoder.class.getName(), "Error calling Google geocode webservice.", e); } catch (JSONException e) { Log.e(MyGeocoder.class.getName(), "Error parsing Google geocode webservice response.", e); } return retList; } }


La verdadera razón por la que Geocoder no funciona es porque el NetworkLocator fue asesinado en acción. ¿Probablemente por menos memoria o tal vez utilizó el Administrador de tareas para matar todos los servicios?

No estoy seguro, pero esto es una suposición. He visto esto antes El año pasado escribí un mecanismo de reconexión para cargar el NetworkLocator.apk y enlazarlo con el GeocoderService . Creo que este cambio no se ha fusionado con JellyBean, por lo que este problema persiste.

Solo se puede resolver reiniciando. (El NetworkLocationService se carga al arrancar)

Editar: No verá este problema en JBP o KK, este servicio se traslada a la aplicación de tienda de juegos.


Para la siguiente línea

Geocoder gCoder = new Geocoder(context, Locale.getDefault());

Use el Context de su actividad y no use getApplicationContext()


Reinicia el dispositivo y solucionará el problema.


Servicio no disponible - Geocoder Android cuando recibo este error en algunas roms cocinadas, escribí esta biblioteca, espero que pueda ser útil. https://github.com/dnocode/gapis


Solución con acceso directo a google maps:

public static LatLng getLocationFromString(String address) throws JSONException { HttpGet httpGet = new HttpGet( "http://maps.google.com/maps/api/geocode/json?address=" + URLEncoder.encode(address, "UTF-8") + "&ka&sensor=false"); HttpClient client = new DefaultHttpClient(); HttpResponse response; StringBuilder stringBuilder = new StringBuilder(); try { response = client.execute(httpGet); HttpEntity entity = response.getEntity(); InputStream stream = entity.getContent(); int b; while ((b = stream.read()) != -1) { stringBuilder.append((char) b); } } catch (ClientProtocolException e) { } catch (IOException e) { } JSONObject jsonObject = new JSONObject(stringBuilder.toString()); double lng = ((JSONArray) jsonObject.get("results")).getJSONObject(0) .getJSONObject("geometry").getJSONObject("location") .getDouble("lng"); double lat = ((JSONArray) jsonObject.get("results")).getJSONObject(0) .getJSONObject("geometry").getJSONObject("location") .getDouble("lat"); return new LatLng(lat, lng); } public static List<Address> getStringFromLocation(double lat, double lng) throws ClientProtocolException, IOException, JSONException { String address = String .format(Locale.ENGLISH, "http://maps.googleapis.com/maps/api/geocode/json?latlng=%1$f,%2$f&sensor=true&language=" + Locale.getDefault().getCountry(), lat, lng); HttpGet httpGet = new HttpGet(address); HttpClient client = new DefaultHttpClient(); HttpResponse response; StringBuilder stringBuilder = new StringBuilder(); List<Address> retList = null; response = client.execute(httpGet); HttpEntity entity = response.getEntity(); InputStream stream = entity.getContent(); int b; while ((b = stream.read()) != -1) { stringBuilder.append((char) b); } JSONObject jsonObject = new JSONObject(stringBuilder.toString()); retList = new ArrayList<Address>(); if ("OK".equalsIgnoreCase(jsonObject.getString("status"))) { JSONArray results = jsonObject.getJSONArray("results"); for (int i = 0; i < results.length(); i++) { JSONObject result = results.getJSONObject(i); String indiStr = result.getString("formatted_address"); Address addr = new Address(Locale.getDefault()); addr.setAddressLine(0, indiStr); retList.add(addr); } } return retList; }


También tuve problemas con este error. Sucedió cuando actualicé mi dispositivo a Marshmallow recientemente.

Si reinicio, funciona una vez, pero luego fallará, y no funcionará en lo sucesivo.

Creé un AsyncTask como otras personas, que solo devuelve la dirección del primer resultado de la respuesta json.

Para usar el siguiente código, llámalo construido con tu clave api, y utilizas un objeto Location como entrada para ejecutar AsyncTask. Puede importar la ubicación con lo siguiente. import android.location.Location; Deberá obtener la ubicación actual con LocationManager, solicitando una actualización.

new ReverseGeoCodeTask(GOOGLE_API_KEY).execute(location);

Asegúrese de reemplazar la clave api por la suya y también asegúrese de habilitarla en la consola de Google Cloud. Ahí es donde administras todas las API de Google para tu proyecto en particular.

Copie esta clase como clase interna en la actividad en la que necesita la dirección geocodificada inversa.

/** * Reverse geocode request - takes a Location in as parameters, * and does a network request in the background to get the first address in * json response. The address is returned in the onPostExecute so you * can update the UI with it */ private class ReverseGeoCodeTask extends AsyncTask<Location, Void, String>{ private final static String GEOCODE_API_ENDPOINT_BASE = "https://maps.googleapis.com/maps/api/geocode/json?latlng="; private final static String JSON_PROPERTY_RESULTS = "results"; private final static String JSON_PROPERTY_FORMATTED_ADDRESS = "formatted_address"; private final static String JSON_PROPERTY_REQUEST_STATUS = "status"; private final static String STATUS_OK = "OK"; private String apiKey; public ReverseGeoCodeTask(final String apiKey){ this.apiKey = apiKey; } @Override protected String doInBackground(Location... params) { if(apiKey == null){ throw new IllegalStateException("Pass in a geocode api key in the ReverseGeoCoder constructor"); } Location location = params[0]; String googleGeocodeEndpoint = GEOCODE_API_ENDPOINT_BASE + location.getLatitude() + "," + location.getLongitude() + "&key=" + apiKey; Log.d(TAG, "Requesting gecoding endpoint : " + googleGeocodeEndpoint); try { URL url = new URL(googleGeocodeEndpoint); HttpURLConnection urlConnection = (HttpURLConnection) url.openConnection(); InputStream in = new BufferedInputStream(urlConnection.getInputStream()); BufferedReader reader = new BufferedReader(new InputStreamReader(in)); StringBuilder result = new StringBuilder(); String line; while ((line = reader.readLine()) != null) { result.append(line); } JSONObject json = new JSONObject(result.toString()); String requestStatus = json.getString(JSON_PROPERTY_REQUEST_STATUS); if(requestStatus.equals(STATUS_OK)){ JSONArray results = json.getJSONArray(JSON_PROPERTY_RESULTS); if(results.length() > 0){ JSONObject result1 = results.getJSONObject(0); String address = result1.getString(JSON_PROPERTY_FORMATTED_ADDRESS); Log.d(TAG, "First result''s address : " + address ); return address; } else{ Log.d(TAG, "There were no results."); } } else{ Log.w(TAG, "Geocode request status not " + STATUS_OK + ", it was " + requestStatus ); Log.w(TAG, "Did you enable the geocode in the google cloud api console? Is it the right api key?"); } }catch ( IOException | JSONException e){ e.printStackTrace(); } return null; } @Override protected void onPostExecute(String address) { super.onPostExecute(address); if(address != null){ // update the UI here with the address, if its not null originEditText.setText(address); } else{ Log.d(TAG, "Did not find an address, UI not being updated"); } } }


Tuve el mismo error de geocodificador pero no se aplicó ninguno de los anteriores. No ejecutaría uno de mis dispositivos Android. Entonces recordé que había matado accedentmente algún servicio en funcionamiento. La solución fue quitar la batería durante algunos segundos y volver a instalarla. Y funcionó sin cambiar el código :))


Tuve el mismo error, agregue permisos debajo para resolverlo.

<uses-permission android:name="android.permission.ACCESS_LOCATION_EXTRA_COMMANDS" /> <uses-permission android:name="android.permission.INTERNET" />


usa este truco

simplemente edite el proyecto.propiedades

# Project target target=Google Inc.:Google APIs:16

La razón es que la clase Geocoder está presente en el marco central de Android, pero depende del código aportado por las API de Google para funcionar correctamente. Incluso si su AVD incluye las API de Google, su proyecto aún debe construirse en función de ese objetivo de compilación específico.


new Volly_Services(map, "https://maps.googleapis.com/maps/api/place/textsearch/json?query=" + mBinding.loc.getText().toString().trim() + "&key=Ap", getActivity()).vollyPostService().continueWithTask(task - > { mBinding.progressBaar.setVisibility(View.GONE); if (task.getResult() != null) { Log.e("<<<", "" + task.getResult()); JSONObject jsonObject = new JSONObject("" + task.getResult()); if ("OK".equalsIgnoreCase(jsonObject.getString("status"))) { JSONArray results = jsonObject.getJSONArray("results"); if (results.length() > 0) { mBinding.loc.setVisibility(View.GONE); for (int i = 0; i < results.length(); i++) { JSONObject result = results.getJSONObject(i); String indiStr = result.getString("formatted_address"); Address addr = new Address(Locale.getDefault()); addr.setAddressLine(0, indiStr); addr.setLocality(result.getString("name")); JSONObject geometry = result.getJSONObject("geometry").getJSONObject("location"); addr.setLatitude(geometry.getDouble("lat")); addr.setLongitude(geometry.getDouble("lng")); addresses.add(addr); } adapter = new SerchLocationAdapter(getActivity(), addresses); mBinding.serchreg.setAdapter(adapter); } else { Toast.makeText(getActivity(), "No result found", Toast.LENGTH_LONG).show(); } } else { Toast.makeText(getActivity(), "No result found", Toast.LENGTH_LONG).show(); } } else { Log.e("<<<<<<", "" + task.getError().getMessage()); Toast.makeText(getActivity(), task.getError().getMessage(), Toast.LENGTH_LONG).show(); } return null; });