我只有在应用程序不在前台时才需要向用户显示通知。这是我的公共类MyFirebaseMessagingService extends
FirebaseMessagingService {
@Override
public void onMessageReceived(RemoteMessage remoteMessage) {
if(applicationInForeground()) {
Map<String, String> data = remoteMessage.getData();
sendNotification(data.get("title"), data.get("detail"));
}
}
需要实施applicationInForeground()
方法
答案 0 :(得分:19)
在Google I / O 2016上,我进行了一次演讲,其中一个主题是Firebase如果您的应用位于前台,将会检测到这些主题。您可以通过为应用中启动的每个活动增加一个计数器来使用ActivityLifecycleCallbacks,然后为每个停止的活动递减计数器。如果计数器是> 1,然后你的应用程序在前台。可以在YouTube here上看到该演讲的相关部分。
答案 1 :(得分:18)
您可以从Android系统服务控制正在运行的应用进程。试试这个:
private boolean applicationInForeground() {
ActivityManager activityManager = (ActivityManager) getSystemService(Context.ACTIVITY_SERVICE);
List<ActivityManager.RunningAppProcessInfo> services = activityManager.getRunningAppProcesses();
boolean isActivityFound = false;
if (services.get(0).processName
.equalsIgnoreCase(getPackageName()) && services.get(0).importance == RunningAppProcessInfo.IMPORTANCE_FOREGROUND) {
isActivityFound = true;
}
return isActivityFound;
}
祝你好运。
答案 2 :(得分:2)
您也可以尝试使用Android's lifecycle components。
public class AppFirebaseMessagingService extends FirebaseMessagingService implements LifecycleObserver {
private boolean isAppInForeground;
@Override
public void onCreate() {
super.onCreate();
ProcessLifecycleOwner.get().getLifecycle().addObserver(this);
}
@Override
public void onDestroy() {
super.onDestroy();
ProcessLifecycleOwner.get().getLifecycle().removeObserver(this);
}
@OnLifecycleEvent(Lifecycle.Event.ON_START)
public void onForegroundStart() {
isAppInForeground = true;
}
@OnLifecycleEvent(Lifecycle.Event.ON_STOP)
public void onForegroundStop() {
isAppInForeground = false;
}
@Override
public void onMessageReceived(RemoteMessage remoteMessage) {
if(isAppInForeground) {
// do foreground stuff on your activities
} else {
// send a notification
}
}
}
答案 3 :(得分:1)
import androidx.lifecycle.Lifecycle
import androidx.lifecycle.LifecycleObserver
import androidx.lifecycle.OnLifecycleEvent
import androidx.lifecycle.ProcessLifecycleOwner
import com.google.firebase.messaging.FirebaseMessagingService
import com.google.firebase.messaging.RemoteMessage
class AppFirebaseMessagingService : FirebaseMessagingService(), LifecycleObserver {
private var isAppInForeground = false
override fun onCreate() {
super.onCreate()
ProcessLifecycleOwner.get().lifecycle.addObserver(this)
}
override fun onDestroy() {
super.onDestroy()
ProcessLifecycleOwner.get().lifecycle.removeObserver(this)
}
@OnLifecycleEvent(Lifecycle.Event.ON_START)
fun onForegroundStart() {
isAppInForeground = true
}
@OnLifecycleEvent(Lifecycle.Event.ON_STOP)
fun onForegroundStop() {
isAppInForeground = false
}
override fun onMessageReceived(remoteMessage: RemoteMessage) {
if (isAppInForeground) {
// do foreground stuff on your activities
} else {
// send a notification
}
}
}