Отправка оповещения пользователю, когда он находится рядом с конкретным местом
Я разрабатываю приложение, которое должно отправлять уведомления пользователям, когда они находятся на расстоянии 200 м от определенного места.
Мои пользователи водители автомобилей. Когда я использовал Google Geofencing API и тестировал его во время вождения, иногда возникала большая задержка, так как он отправлял мне уведомление после того, как я прошел диапазон.
Я думал о добавлении трекера местоположения каждые 3 секунды и вычисляю расстояние от текущего местоположения пользователя до требуемого местоположения, и если расстояние меньше 200 м, я отправлю уведомление.
Кто-нибудь знает какое-либо другое решение или API, который может с этим справиться?
Здесь GeoFencing
Код
public class MapsActivity extends FragmentActivity implements OnMapReadyCallback, GoogleApiClient.ConnectionCallbacks,
GoogleApiClient.OnConnectionFailedListener,
ResultCallback<Status>{
@BindView(R.id.tvLocation)
MatabTextView tvLocation;
ProgressBar progressBar;
WaveFormView waveFormView;
protected ArrayList<Geofence> mGeofenceList;
protected GoogleApiClient mGoogleApiClient;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_maps);
ButterKnife.bind(this);
waveFormView = (WaveFormView) findViewById(R.id.Wave);
waveFormView.updateAmplitude(0.05f, true);
waveFormView.updateAmplitude(0.1f, true);
waveFormView.updateAmplitude(0.2f, true);
waveFormView.updateAmplitude(0.5f, true);
StrictMode.ThreadPolicy old = StrictMode.getThreadPolicy();
StrictMode.setThreadPolicy(new StrictMode.ThreadPolicy.Builder(old)
.permitDiskWrites()
.build());
StrictMode.setThreadPolicy(old);
progressBar = (ProgressBar) findViewById(R.id.progress);
progressBar.setVisibility(View.VISIBLE);
SupportMapFragment mapFragment = (SupportMapFragment) getSupportFragmentManager()
.findFragmentById(R.id.map);
mapFragment.getMapAsync(this);
mGeofenceList = new ArrayList<Geofence>();
populateGeofenceList();
buildGoogleApiClient();
}
@Override
protected void onStart() {
super.onStart();
if (!mGoogleApiClient.isConnecting() || !mGoogleApiClient.isConnected()) {
mGoogleApiClient.connect();
}
}
public void addGeofencesButtonHandler(View view) {
if (!mGoogleApiClient.isConnected()) {
Toast.makeText(this, "Google API Client not connected!", Toast.LENGTH_SHORT).show();
return;
}
try {
LocationServices.GeofencingApi.addGeofences(
mGoogleApiClient,
getGeofencingRequest(),
getGeofencePendingIntent()
).setResultCallback(this); // Result processed in onResult().
} catch (SecurityException securityException) {
// Catch exception generated if the app does not use ACCESS_FINE_LOCATION permission.
}
}
private GeofencingRequest getGeofencingRequest() {
GeofencingRequest.Builder builder = new GeofencingRequest.Builder();
builder.setInitialTrigger(GeofencingRequest.INITIAL_TRIGGER_ENTER | GeofencingRequest.INITIAL_TRIGGER_EXIT);
builder.addGeofences(mGeofenceList);
return builder.build();
}
private PendingIntent getGeofencePendingIntent() {
Intent intent = new Intent(this, GeofenceTransitionsIntentService.class);
// We use FLAG_UPDATE_CURRENT so that we get the same pending intent back when calling addgeoFences()
return PendingIntent.getService(this, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT);
}
public void onResult(Status status) {
if (status.isSuccess()) {
Toast.makeText(
this,
"Geofences Added",
Toast.LENGTH_SHORT
).show();
} else {
String errorMessage = GeofenceErrorMessages.getErrorString(this,
status.getStatusCode());
}
}
@Override
protected void onStop() {
super.onStop();
if (mGoogleApiClient.isConnecting() || mGoogleApiClient.isConnected()) {
mGoogleApiClient.disconnect();
}
}
@Override
public void onConnected(Bundle connectionHint) {
}
@Override
public void onConnectionFailed(ConnectionResult result) {
// Do something with result.getErrorCode());
Log.d("Geofencing", String.valueOf(result.getErrorCode()));
}
@Override
public void onMapReady(GoogleMap googleMap) {
}
@Override
public void onConnectionSuspended(int cause) {
mGoogleApiClient.connect();
}
protected synchronized void buildGoogleApiClient() {
mGoogleApiClient = new GoogleApiClient.Builder(this)
.addConnectionCallbacks(this)
.addOnConnectionFailedListener(this)
.addApi(LocationServices.API)
.build();
}
public void populateGeofenceList() {
FirebaseDatabase database = FirebaseDatabase.getInstance();
DatabaseReference myRef = database.getReference("roads").child("Name").child("locations");
myRef.addChildEventListener(new ChildEventListener() {
@Override
public void onChildAdded(DataSnapshot dataSnapshot, String s) {
progressBar.setVisibility(View.GONE);
mGeofenceList.add(new Geofence.Builder()
.setRequestId(dataSnapshot.getKey())
.setCircularRegion(
(Double) dataSnapshot.child("lat").getValue(),
(Double) dataSnapshot.child("lang").getValue(),
Constants.GEOFENCE_RADIUS_IN_METERS
)
.setExpirationDuration(Geofence.NEVER_EXPIRE)
.setTransitionTypes(Geofence.GEOFENCE_TRANSITION_ENTER
)
.build());
}
@Override
public void onChildChanged(DataSnapshot dataSnapshot, String s) {
}
@Override
public void onChildRemoved(DataSnapshot dataSnapshot) {
}
@Override
public void onChildMoved(DataSnapshot dataSnapshot, String s) {
}
@Override
public void onCancelled(DatabaseError databaseError) {
}
});
for (Map.Entry<String, LatLng> entry : Constants.LANDMARKS.entrySet()) {
}
}
}
И GeofenceTransitionsIntentService
оказание услуг.
public class GeofenceTransitionsIntentService extends IntentService {
protected static final String TAG = "GeofenceTransitionsIS";
public GeofenceTransitionsIntentService() {
super(TAG); // use TAG to name the IntentService worker thread
}
@Override
protected void onHandleIntent(Intent intent) {
GeofencingEvent event = GeofencingEvent.fromIntent(intent);
String description = getGeofenceTransitionDetails(event);
sendNotification(description);
if (event.hasError()) {
Log.e(TAG, "GeofencingEvent Error: " + event.getErrorCode());
return;
}
}
private static String getGeofenceTransitionDetails(GeofencingEvent event) {
String transitionString =
GeofenceStatusCodes.getStatusCodeString(event.getGeofenceTransition());
List triggeringIDs = new ArrayList();
for (Geofence geofence : event.getTriggeringGeofences()) {
triggeringIDs.add(geofence.getRequestId());
}
return String.format("%s: %s", transitionString, TextUtils.join(", ", triggeringIDs));
}
private void sendNotification(String notificationDetails) {
// Create an explicit content Intent that starts MainActivity.
Intent notificationIntent = new Intent(getApplicationContext(), MapsActivity.class);
// Get a PendingIntent containing the entire back stack.
TaskStackBuilder stackBuilder = TaskStackBuilder.create(this);
stackBuilder.addParentStack(MapsActivity.class).addNextIntent(notificationIntent);
PendingIntent notificationPendingIntent =
stackBuilder.getPendingIntent(0, PendingIntent.FLAG_UPDATE_CURRENT);
// Get a notification builder that's compatible with platform versions >= 4
NotificationCompat.Builder builder = new NotificationCompat.Builder(this);
Uri alarmSound = RingtoneManager.getDefaultUri(RingtoneManager.TYPE_NOTIFICATION);
// Define the notification settings.
builder.setColor(Color.RED)
.setContentTitle(notificationDetails)
.setSound(alarmSound)
.setContentText("Click notification to return to App")
.setContentIntent(notificationPendingIntent)
.setSmallIcon(R.mipmap.ic_launcher)
.setAutoCancel(true);
// Fire and notify the built Notification.
NotificationManager notificationManager =
(NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
notificationManager.notify(0, builder.build());
}
}
1 ответ
Во-первых, если вы не готовы платить Google за использование их API, я настоятельно рекомендую вам использовать библиотеку OSMDroid.
Если вам нужно линейное расстояние (радиус), а не определение местоположения полигонов, геозона является излишним, что дорого обойдется вам в использовании батареи и температуре устройства.
Определить линейное расстояние от позиции вашей цели до желаемого местоположения легко. Вы можете использовать этот код, например:
public double distanceGeoPoints (GeoPoint geoPoint01, GeoPoint geoPoint02) {
double lat1 = geoPoint01.getLatitudeE6()/1E6;
double lng1 = geoPoint01.getLongitudeE6()/1E6;
double lat2 = geoPoint02.getLatitudeE6()/1E6;
double lng2 = geoPoint02.getLongitudeE6()/1E6;
double earthRadius = 3958.75;
double dLat = Math.toRadians(lat2-lat1);
double dLng = Math.toRadians(lng2-lng1);
double a = Math.sin(dLat/2) * Math.sin(dLat/2) +
Math.cos(Math.toRadians(lat1)) * Math.cos(Math.toRadians(lat2)) *
Math.sin(dLng/2) * Math.sin(dLng/2);
double c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1-a));
double dist = earthRadius * c;
int meterConversion = 1609;
double geopointDistance = dist * meterConversion;
return geopointDistance;
}
Это формула Haversine, общепринятая как "достаточно точная для большинства намерений и целей". Вы должны понимать, что Земля - не идеальная сфера, она больше похожа на бейсбол после того, как Большой Паппи многократно использует его для практики ватина.
Из того, что я вижу в вашем приложении, это должно дать вам необходимую точность. Но читайте больше, если вам интересно.