Я делаю библиотеку Android для показа запланированных уведомлений. Например, выбросить уведомление на следующей неделе в 16:00.
Мне нужен регистр запланированных уведомлений, который еще не отображался, поэтому я могу отменить их, если захочу. Поэтому, когда я планирую новое уведомление, я сохраняю его в SharedPreferences . Затем я запускаю BroadcastReceiver , который будет исключен, когда придет время. В этот момент получатель отменяет регистрацию уведомления в SharedPreferences.
Это прекрасно работает, когда приложение не запущено. Но когда приложение работает, эти изменения, сделанные получателем, не затрагиваются в работающем приложении, поэтому я никогда не регистрирую, что уведомление было показано.
Вот мой пример кода активности:
public class MainActivity extends AppCompatActivity {
NotificationJSONStorage storage;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
storage = new NotificationJSONStorage(context,
"notifications");
// show notification in the next 10 seconds
Calendar calendar = Calendar.getInstance();
calendar.add(Calendar.SECOND, 10);
sendNotification(getApplicationContext(), calendar.getTimeInMillis(), ...);
}
public int sendNotification(Context context, long dateTriggerMilliseconds, ...) {
// create a unique notification id
int id = UUID.randomUUID().hashCode();
// Create an explicit intent for an Activity in your app
Intent intent = new Intent(context, DelayedNotificationReceiver.class);
// pass data to the receiver
intent.putExtra("notification_id", id);
...
// Set the Activity to start in a new, empty task
intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
PendingIntent pendingIntent = PendingIntent.getBroadcast(context,
id, intent, PendingIntent.FLAG_UPDATE_CURRENT);
AlarmManager alarm = (AlarmManager)context.getSystemService(Context.ALARM_SERVICE);
alarm.set(AlarmManager.RTC_WAKEUP, dateTriggerMilliseconds, pendingIntent);
// adds the notification id to shared preferences
try {
storage.addScheduledNotification(id);
} catch (JSONException e) {
e.printStackTrace();
}
return id;
}
}
Вот мой код BroadcastReceiver:
public class DelayedNotificationReceiver extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
// receive custom data from intent
int id = intent.getIntExtra("notification_id", -1);
...
try {
Intent launchIntent = new Intent(context, Class.forName("my.launcher.class"));
PendingIntent pendingIntent = PendingIntent.getActivity(context, id, launchIntent,
PendingIntent.FLAG_UPDATE_CURRENT);
// build the notification
NotificationCompat.Builder builder = new NotificationCompat.Builder(context, channelId)
...;
// show the notification
NotificationManagerCompat.from(context)
.notify(id, builder.build());
// removes the notification id from shared preferences
NotificationJSONStorage storage = new NotificationJSONStorage(context,
"notifications");
storage.removeScheduledNotification(id);
} catch (ClassNotFoundException e) {
e.printStackTrace();
} catch (JSONException e) {
e.printStackTrace();
}
}
} * * тысяча двадцать-один
Это класс, предназначенный для сохранения и чтения данных уведомлений из SharedPreferences:
public class NotificationJSONStorage {
private final String SCHEDULED_NOTIFICATIONS_KEY = "scheduled_notifications";
private Context context;
private JSONObject jsonRoot;
private String preferencesNamespace;
public NotificationJSONStorage(Context context, String preferencesNamespace) {
this.context = context;
this.preferencesNamespace = preferencesNamespace;
}
public void addScheduledNotification(int id) throws JSONException {
JSONObject root = getJsonRoot();
// do stuff with json root
...
// persist it
save(SCHEDULED_NOTIFICATIONS_KEY);
}
public boolean removeScheduledNotification(int id) throws JSONException {
JSONObject root = getJsonRoot();
// do stuff with json root
...
// persist it
save(SCHEDULED_NOTIFICATIONS_KEY);
return result;
}
public JSONObject load(String key) throws JSONException {
SharedPreferences preferences = context.getSharedPreferences(preferencesNamespace,
Context.MODE_PRIVATE);
String raw = preferences.getString(key, null);
JSONObject root = null;
if (raw != null && !raw.isEmpty()) {
root = new JSONObject(raw);
} else {
root = new JSONObject();
}
return root;
}
public void save(String key) {
String out = getJsonRoot().toString();
// write to shared preferences
SharedPreferences preferences = context.getSharedPreferences(preferencesNamespace,
Context.MODE_PRIVATE);
preferences.edit()
.putString(key, out)
.apply();
}
public JSONObject getJsonRoot() {
if (jsonRoot == null) {
try {
jsonRoot = load(SCHEDULED_NOTIFICATIONS_KEY);
} catch (JSONException e) {
e.printStackTrace();
}
}
return jsonRoot;
}
}
Это манифест андроида основной деятельности:
<?xml version="1.0" encoding="utf-8"?>
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:roundIcon="@mipmap/ic_launcher_round"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
Это манифест Android модуля уведомления:
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.l33tbit.androidnotifications">
<uses-permission android:name="android.permission.SET_ALARM"/>
<uses-permission android:name="android.permission.GET_TASKS"/>
<application>
<receiver android:name=".DelayedNotificationReceiver"/>
</application>
Есть идеи?