后台常驻服务, 有时候需要判断Service是否在运行. 为此封装成一个工具类.
有两种方法:- 使用Android SDK API, 代码如下:
/**
* 判断Service是否正在运行
*
* @param context 上下文
* @param serviceName Service 类全名
* @return true 表示正在运行,false 表示没有运行
*/
public static boolean isServiceRunning(Context context, String serviceName) {
ActivityManager manager = (ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE);
List<ActivityManager.RunningServiceInfo> serviceInfoList = manager.getRunningServices(200);
if (serviceInfoList.size() <= 0) {
return false;
}
for (ActivityManager.RunningServiceInfo info : serviceInfoList) {
if (info.service.getClassName().equals(serviceName)) {
return true;
}
}
return false;
}
- 使用类成员变量, 然后对外提供public static 方法. 代码如下
//在 onCreate()方法或者, onStartCommand()方法中赋值 public class TestService extends Service{ private volatile static TestService service; @Override public void onCreate() { super.onCreate(); //service = this;//这里赋值 } @Override public int onStartCommand(Intent intent, int flags, int startId) { super.onStartCommand(intent, flags, startId); //service = this;//也可以在这里赋值 return START_STICKY; } @Override public void onDestroy() { super.onDestroy(); service = null;//这里断开强引用, 重置为null } /** * 服务是否存活 * * @return true: 存活 */ public static boolean isServiceRunning() { return service != null; } }