谁能告诉我如何在用户关闭服务时保持服务始终运行或重新启动?当我清除内存时,我已经看到 facebook 服务重新启动。我不想制作 ForegroundServices。
问问题
30902 次
2 回答
29
您应该创建一个粘性服务。在此处阅读更多相关信息。
您可以通过在 onStartCommand 中返回 START_STICKY 来执行此操作。
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
Log.i("LocalService", "Received start id " + startId + ": " + intent);
// We want this service to continue running until it is explicitly
// stopped, so return sticky.
return START_STICKY;
}
另请阅读有关application:persistent的内容,即“应用程序是否应始终保持运行”。这更麻烦 - 系统会尽量不杀死你的应用程序,这会影响系统中的其他应用程序,你应该小心使用它。
于 2012-08-18T09:41:31.190 回答
8
我从我之前在应用程序中使用的服务中复制了这个。
重要的是不要更新任何 UI。因为您在服务中没有用户界面。这也适用于 Toasts。
祝你好运
public class nasserservice extends Service {
private static long UPDATE_INTERVAL = 1*5*1000; //default
private static Timer timer = new Timer();
@Override
public IBinder onBind(Intent intent) {
// TODO Auto-generated method stub
return null;
}
@Override
public void onCreate(){
super.onCreate();
_startService();
}
private void _startService()
{
timer.scheduleAtFixedRate(
new TimerTask() {
public void run() {
doServiceWork();
}
}, 1000,UPDATE_INTERVAL);
Log.i(getClass().getSimpleName(), "FileScannerService Timer started....");
}
private void doServiceWork()
{
//do something wotever you want
//like reading file or getting data from network
try {
}
catch (Exception e) {
}
}
private void _shutdownService()
{
if (timer != null) timer.cancel();
Log.i(getClass().getSimpleName(), "Timer stopped...");
}
@Override
public void onDestroy()
{
super.onDestroy();
_shutdownService();
// if (MAIN_ACTIVITY != null) Log.d(getClass().getSimpleName(), "FileScannerService stopped");
}
}
于 2012-08-18T07:12:53.550 回答