可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
An android mobile actually does know quite well where it is - but is there a way of retrieving the country by something like a country code?
No need of knowing the exact GPS position - the country is sufficient
I first thought of using the time zone, but actually I need more information than that since it makes a difference if the location is New York or Lima.
The background of the question: I have an application that uses temperature values, and I\'d like to set the default unit either to Celsius or Fahrenheit, depending on whether the location is US or outside
回答1:
This will get the country code:
String locale = context.getResources().getConfiguration().locale.getCountry();
can also replace getCountry() with getISO3Country() to get a 3 letter ISO code for the country. This will get the country name:
String locale = context.getResources().getConfiguration().locale.getDisplayCountry();
This seems easier than the other methods and rely upon the localisation settings on the phone, so if a US user is abroad they probably still want Fahrenheit and this will work :)
回答2:
/**
* Get ISO 3166-1 alpha-2 country code for this device (or null if not available)
* @param context Context reference to get the TelephonyManager instance from
* @return country code or null
*/
public static String getUserCountry(Context context) {
try {
final TelephonyManager tm = (TelephonyManager) context.getSystemService(Context.TELEPHONY_SERVICE);
final String simCountry = tm.getSimCountryIso();
if (simCountry != null && simCountry.length() == 2) { // SIM country code is available
return simCountry.toLowerCase(Locale.US);
}
else if (tm.getPhoneType() != TelephonyManager.PHONE_TYPE_CDMA) { // device is not 3G (would be unreliable)
String networkCountry = tm.getNetworkCountryIso();
if (networkCountry != null && networkCountry.length() == 2) { // network country code is available
return networkCountry.toLowerCase(Locale.US);
}
}
}
catch (Exception e) { }
return null;
}
回答3:
Actually I just found out that there is even one more way of getting a country code, using the getSimCountryIso() method of TelephoneManager
:
TelephonyManager tm = (TelephonyManager)getSystemService(Context.TELEPHONY_SERVICE);
String countryCode = tm.getSimCountryIso();
Since it is the sim code it also should not change when traveling to other countries.
回答4:
Use this link http://ip-api.com/json ,this will provide all the information as json. From this json you can get the country easily. This site works using your current IP,it automatically detects the IP and sendback details.
Docs http://ip-api.com/docs/api:json Hope it helps.
Example json
{
\"status\": \"success\",
\"country\": \"United States\",
\"countryCode\": \"US\",
\"region\": \"CA\",
\"regionName\": \"California\",
\"city\": \"San Francisco\",
\"zip\": \"94105\",
\"lat\": \"37.7898\",
\"lon\": \"-122.3942\",
\"timezone\": \"America/Los_Angeles\",
\"isp\": \"Wikimedia Foundation\",
\"org\": \"Wikimedia Foundation\",
\"as\": \"AS14907 Wikimedia US network\",
\"query\": \"208.80.152.201\"
}
note : As this is a 3rd party solution, only use if others didn\'t work.
回答5:
First, get the LocationManager. Then, call LocationManager.getLastKnownPosition
. Then create a GeoCoder and call GeoCoder.getFromLocation
. Do this is in a separate thread!! This will give you a list of Address
objects. Call Address.getCountryName
and you got it.
Keep in mind that the last known position can be a bit stale, so if the user just crossed the border, you may not know about it for a while.
回答6:
You could use getNetworkCountryIso()
from TelephonyManager
to get the country the phone is currently in (although apparently this is unreliable on CDMA networks).
回答7:
Here is a complete solution based on the LocationManager and as fallbacks the TelephonyManager and the Network Provider\'s locations. I used the above answer from @Marco W. for the fallback part(great answer as itself!).
Note: the code contains PreferencesManager, this is a helper class that saves and loads data from SharedPrefrences. I\'m using it to save the country to S\"P, I\'m only getting the country if it is empty. For my product I don\'t really care for all the edge cases(user travels abroad and so on).
public static String getCountry(Context context) {
String country = PreferencesManager.getInstance(context).getString(COUNTRY);
if (country != null) {
return country;
}
LocationManager locationManager = (LocationManager) PiplApp.getInstance().getSystemService(Context.LOCATION_SERVICE);
if (locationManager != null) {
Location location = locationManager
.getLastKnownLocation(LocationManager.GPS_PROVIDER);
if (location == null) {
location = locationManager
.getLastKnownLocation(LocationManager.NETWORK_PROVIDER);
}
else {
Geocoder gcd = new Geocoder(context, Locale.getDefault());
List<Address> addresses;
try {
addresses = gcd.getFromLocation(location.getLatitude(),
location.getLongitude(), 1);
if (addresses != null && !addresses.isEmpty()) {
country = addresses.get(0).getCountryName();
if (country != null) {
PreferencesManager.getInstance(context).putString(COUNTRY, country);
return country;
}
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
country = getCountryBasedOnSimCardOrNetwork(context);
if (country != null) {
PreferencesManager.getInstance(context).putString(COUNTRY, country);
return country;
}
return null;
}
/**
* Get ISO 3166-1 alpha-2 country code for this device (or null if not available)
*
* @param context Context reference to get the TelephonyManager instance from
* @return country code or null
*/
private static String getCountryBasedOnSimCardOrNetwork(Context context) {
try {
final TelephonyManager tm = (TelephonyManager) context.getSystemService(Context.TELEPHONY_SERVICE);
final String simCountry = tm.getSimCountryIso();
if (simCountry != null && simCountry.length() == 2) { // SIM country code is available
return simCountry.toLowerCase(Locale.US);
} else if (tm.getPhoneType() != TelephonyManager.PHONE_TYPE_CDMA) { // device is not 3G (would be unreliable)
String networkCountry = tm.getNetworkCountryIso();
if (networkCountry != null && networkCountry.length() == 2) { // network country code is available
return networkCountry.toLowerCase(Locale.US);
}
}
} catch (Exception e) {
}
return null;
}
回答8:
String locale = context.getResources().getConfiguration().locale.getCountry();
Is deprecated. Use this instead:
Locale locale;
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {
locale = context.getResources().getConfiguration().getLocales().get(0);
} else {
locale = context.getResources().getConfiguration().locale;
}
回答9:
Using GPS with latitude and longitude, we can get the Country code.
If we use telephony, it won\'t work if we are not using sim card and in locale, based on language, it show the country code in wrong way.
MainActivity.java:
GPSTracker gpsTrack;
public static double latitude = 0;
public static double longitude = 0;
gpsTrack = new GPSTracker(TabHomeActivity.this);
if (gpsTrack.canGetLocation()) {
latitude = gpsParty.getLatitude();
longitude = gpsParty.getLongitude();
Log.e(\"GPSLat\", \"\" + latitude);
Log.e(\"GPSLong\", \"\" + longitude);
} else {
gpsTrack.showSettingsAlert();
Log.e(\"ShowAlert\", \"ShowAlert\");
}
countryCode = getAddress(TabHomeActivity.this, latitude, longitude);
Log.e(\"countryCode\", \"\"+countryCode);
public String getAddress(Context ctx, double latitude, double longitude) {
String region_code = null;
try {
Geocoder geocoder = new Geocoder(ctx, Locale.getDefault());
List<Address> addresses = geocoder.getFromLocation(latitude, longitude, 1);
if (addresses.size() > 0) {
Address address = addresses.get(0);
region_code = address.getCountryCode();
}
} catch (IOException e) {
Log.e(\"tag\", e.getMessage());
}
return region_code;
}
GPSTracker.java:
import android.app.AlertDialog;
import android.app.Service;
import android.content.Context;
import android.content.DialogInterface;
import android.content.Intent;
import android.location.Location;
import android.location.LocationListener;
import android.location.LocationManager;
import android.os.Bundle;
import android.os.IBinder;
import android.provider.Settings;
import android.util.Log;
public class GPSTracker extends Service implements LocationListener {
private final Context mContext;
// flag for GPS status
boolean isGPSEnabled = false;
// flag for network status
boolean isNetworkEnabled = false;
// flag for GPS status
boolean canGetLocation = false;
Location location; // location
double latitude; // latitude
double longitude; // longitude
// The minimum distance to change Updates in meters
private static final long MIN_DISTANCE_CHANGE_FOR_UPDATES = 10; // 10 meters
// The minimum time between updates in milliseconds
private static final long MIN_TIME_BW_UPDATES = 1000 * 60 * 1; // 1 minute
// Declaring a Location Manager
protected LocationManager locationManager;
public GPSTracker(Context context) {
this.mContext = context;
getLocation();
}
public Location getLocation() {
try {
locationManager = (LocationManager) mContext
.getSystemService(LOCATION_SERVICE);
// getting GPS status
isGPSEnabled = locationManager
.isProviderEnabled(LocationManager.GPS_PROVIDER);
// getting network status
isNetworkEnabled = locationManager
.isProviderEnabled(LocationManager.NETWORK_PROVIDER);
if (!isGPSEnabled && !isNetworkEnabled) {
// no network provider is enabled
} else {
this.canGetLocation = true;
// First get location from Network Provider
if (isNetworkEnabled) {
locationManager.requestLocationUpdates(
LocationManager.NETWORK_PROVIDER,
MIN_TIME_BW_UPDATES,
MIN_DISTANCE_CHANGE_FOR_UPDATES, this);
Log.d(\"Network\", \"Network\");
if (locationManager != null) {
location = locationManager
.getLastKnownLocation(LocationManager.NETWORK_PROVIDER);
if (location != null) {
latitude = location.getLatitude();
longitude = location.getLongitude();
}
}
}
// if GPS Enabled get lat/long using GPS Services
if (isGPSEnabled) {
if (location == null) {
locationManager.requestLocationUpdates(
LocationManager.GPS_PROVIDER,
MIN_TIME_BW_UPDATES,
MIN_DISTANCE_CHANGE_FOR_UPDATES, this);
Log.d(\"GPS Enabled\", \"GPS Enabled\");
if (locationManager != null) {
location = locationManager
.getLastKnownLocation(LocationManager.GPS_PROVIDER);
if (location != null) {
latitude = location.getLatitude();
longitude = location.getLongitude();
}
}
}
}
}
} catch (Exception e) {
e.printStackTrace();
}
return location;
}
/**
* Stop using GPS listener
* Calling this function will stop using GPS in your app
* */
public void stopUsingGPS(){
if(locationManager != null){
locationManager.removeUpdates(GPSTracker.this);
}
}
/**
* Function to get latitude
* */
public double getLatitude(){
if(location != null){
latitude = location.getLatitude();
}
// return latitude
return latitude;
}
/**
* Function to get longitude
* */
public double getLongitude(){
if(location != null){
longitude = location.getLongitude();
}
// return longitude
return longitude;
}
/**
* Function to check GPS/wifi enabled
* @return boolean
* */
public boolean canGetLocation() {
return this.canGetLocation;
}
public void showSettingsAlert() {
final AlertDialog.Builder builder = new AlertDialog.Builder(mContext);
builder.setMessage(\"Your GPS seems to be disabled, do you want to enable it?\")
.setCancelable(false)
.setPositiveButton(\"Yes\", new DialogInterface.OnClickListener() {
public void onClick(@SuppressWarnings(\"unused\") final DialogInterface dialog, @SuppressWarnings(\"unused\") final int id) {
mContext.startActivity(new Intent(android.provider.Settings.ACTION_LOCATION_SOURCE_SETTINGS));
}
})
.setNegativeButton(\"No\", new DialogInterface.OnClickListener() {
public void onClick(final DialogInterface dialog, @SuppressWarnings(\"unused\") final int id) {
dialog.cancel();
}
});
final AlertDialog alert = builder.create();
alert.show();
}
@Override
public void onLocationChanged(Location location) {
}
@Override
public void onProviderDisabled(String provider) {
}
@Override
public void onProviderEnabled(String provider) {
}
@Override
public void onStatusChanged(String provider, int status, Bundle extras) {
}
@Override
public IBinder onBind(Intent arg0) {
return null;
}
}
Log:
E/countryCode: IN
Edit: Use Fused Location Provider to get latitude and longitude update for better result.
回答10:
For some devices, if the default language is set different (an indian can set English (US)) then
context.getResources().getConfiguration().locale.getDisplayCountry();
will give wrong value .So this method is non reliable
Also, getNetworkCountryIso() method of TelephonyManager will not work on devices which don\'t have SIM card (WIFI tablets).
If a device doesn\'t have SIM then we can use Time Zone to get the country. For countries like India, this method will work
sample code used to check the country is India or not
(Time zone id : asia/calcutta)
private void checkCountry() {
TelephonyManager telMgr = (TelephonyManager) getSystemService(Context.TELEPHONY_SERVICE);
if (telMgr == null)
return;
int simState = telMgr.getSimState();
switch (simState) {
//if sim is not available then country is find out using timezone id
case TelephonyManager.SIM_STATE_ABSENT:
TimeZone tz = TimeZone.getDefault();
String timeZoneId = tz.getID();
if (timeZoneId.equalsIgnoreCase(Constants.INDIA_TIME_ZONE_ID)) {
//do something
} else {
//do something
}
break;
//if sim is available then telephony manager network country info is used
case TelephonyManager.SIM_STATE_READY:
TelephonyManager tm = (TelephonyManager) this.getSystemService(Context.TELEPHONY_SERVICE);
if (tm != null) {
String countryCodeValue = tm.getNetworkCountryIso();
//check if the network country code is \"in\"
if (countryCodeValue.equalsIgnoreCase(Constants.NETWORK_INDIA_CODE)) {
//do something
}
else {
//do something
}
}
break;
}
}
回答11:
I used GEOIP db and created a function. You can consume this link directly
http://jamhubsoftware.com/geoip/getcountry.php
{\"country\":[\"India\"],\"isoCode\":[\"IN\"],\"names\":[{\"de\":\"Indien\",\"en\":\"India\",\"es\":\"India\",\"fr\":\"Inde\",\"ja\":\"\\u30a4\\u30f3\\u30c9\",\"pt-BR\":\"\\u00cdndia\",\"ru\":\"\\u0418\\u043d\\u0434\\u0438\\u044f\",\"zh-CN\":\"\\u5370\\u5ea6\"}]}
you can download autoload.php and .mmdb file from https://dev.maxmind.com/geoip/geoip2/geolite2/
ini_set(\'display_errors\', 1);
ini_set(\'display_startup_errors\', 1);
error_reporting(E_ALL);
$ip_address = $_SERVER[\'REMOTE_ADDR\'];
//$ip_address = \'3.255.255.255\';
require_once \'vendor/autoload.php\';
use GeoIp2\\Database\\Reader;
// This creates the Reader object, which should be reused across
// lookups.
$reader = new Reader(\'/var/www/html/geoip/GeoLite2-City.mmdb\');
// Replace \"city\" with the appropriate method for your database, e.g.,
// \"country\".
$record = $reader->city($ip_address);
//print($record->country->isoCode . \"\\n\"); // \'US\'
//print($record->country->name . \"\\n\"); // \'United States\'
$rows[\'country\'][] = $record->country->name;
$rows[\'isoCode\'][] = $record->country->isoCode;
$rows[\'names\'][] = $record->country->names;
print json_encode($rows);
//print($record->country->names[\'zh-CN\'] . \"\\n\"); // \'美国\'
//
//print($record->mostSpecificSubdivision->name . \"\\n\"); // \'Minnesota\'
//print($record->mostSpecificSubdivision->isoCode . \"\\n\"); // \'MN\'
//
//print($record->city->name . \"\\n\"); // \'Minneapolis\'
//
//print($record->postal->code . \"\\n\"); // \'55455\'
//
//print($record->location->latitude . \"\\n\"); // 44.9733
//print($record->location->longitude . \"\\n\"); // -93.2323
?>