在Android应用关闭时推送通知怎么做
时间: 2024-05-16 11:16:12 浏览: 101
要在 Android 应用关闭时推送通知,你可以使用 Firebase Cloud Messaging(FCM)服务。FCM 是一种跨平台消息传递解决方案,可以通过云端发送消息并将它们传递到移动设备和浏览器。
下面是实现步骤:
1. 在 Firebase 控制台中创建一个项目,并将其与你的应用程序关联。
2. 在应用程序中集成 Firebase SDK,并在应用程序中注册 FCM。
3. 创建一个 Service 类来处理后台消息传递,并在 AndroidManifest.xml 文件中声明该服务。
4. 将消息数据包含在推送通知中,以便在用户单击通知时打开应用程序并将用户转到相应的屏幕。
以下是 Service 类的示例代码:
```java
public class MyFirebaseMessagingService extends FirebaseMessagingService {
private static final String TAG = "MyFirebaseMsgService";
@Override
public void onMessageReceived(RemoteMessage remoteMessage) {
Log.d(TAG, "From: " + remoteMessage.getFrom());
// Check if message contains a data payload.
if (remoteMessage.getData().size() > 0) {
Log.d(TAG, "Message data payload: " + remoteMessage.getData());
// Handle the data payload.
// ...
}
// Check if message contains a notification payload.
if (remoteMessage.getNotification() != null) {
Log.d(TAG, "Message Notification Body: " + remoteMessage.getNotification().getBody());
sendNotification(remoteMessage.getNotification().getBody());
}
}
private void sendNotification(String messageBody) {
Intent intent = new Intent(this, MainActivity.class);
intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP);
PendingIntent pendingIntent = PendingIntent.getActivity(this, 0, intent,
PendingIntent.FLAG_ONE_SHOT);
String channelId = getString(R.string.default_notification_channel_id);
Uri defaultSoundUri= RingtoneManager.getDefaultUri(RingtoneManager.TYPE_NOTIFICATION);
NotificationCompat.Builder notificationBuilder =
new NotificationCompat.Builder(this, channelId)
.setSmallIcon(R.drawable.ic_launcher)
.setContentTitle("FCM Message")
.setContentText(messageBody)
.setAutoCancel(true)
.setSound(defaultSoundUri)
.setContentIntent(pendingIntent);
NotificationManager notificationManager =
(NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
// Since android Oreo notification channel is needed.
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
NotificationChannel channel = new NotificationChannel(channelId,
"Channel human readable title",
NotificationManager.IMPORTANCE_DEFAULT);
notificationManager.createNotificationChannel(channel);
}
notificationManager.notify(0, notificationBuilder.build());
}
}
```
你需要在 AndroidManifest.xml 文件中声明该服务:
```xml
<service
android:name=".MyFirebaseMessagingService"
android:exported="false">
<intent-filter>
<action android:name="com.google.firebase.MESSAGING_EVENT" />
</intent-filter>
</service>
```
最后,你需要在 Firebase 控制台中创建一个通知,并在应用程序中将其发送。这样,在 Android 应用关闭时,推送通知将自动发送给用户。
阅读全文