6

我有一个服务正在多个活动中使用/绑定(我仔细编写了它,以便一个活动在另一个绑定之前取消绑定它,在 onPause/onResume 中)。但是,我注意到服务中的成员不会坚持....

活动一:

private void bindService() {
    // Bind to QueueService
    Intent queueIntent = new Intent(this, QueueService.class);
    bindService(queueIntent, mConnection, Context.BIND_AUTO_CREATE);
}

...

bindService();

...

mService.addItems(downloads);     // the initial test adds 16 of them

活动二:

bindService();                             // a different one than activity 1
int dlSize = mService.getQueue().size();   // always returns 0 (wrong)

服务代码:

public class QueueService extends Service {
    private ArrayList<DownloadItem> downloadItems = new ArrayList<DownloadItem();

    // omitted binders, constructor, etc

    public ArrayList<DownloadItem> addItems(ArrayList<DownloadItem> itemsToAdd) {
        downloadItems.addAll(itemsToAdd);
        return downloadItems;
    }

    public ArrayList<DownloadItem> getQueue() {
        return downloadItems;
    }
}

在更改一件事后——将服务的 downloadItems 变量变为静态变量——一切正常。但不得不这样做让我担心;我以前从未以这种方式使用过单例。这是使用其中之一的正确方法吗?

4

2 回答 2

7

事实证明 Nospherus 是正确的。我需要做的就是startService()在我的电话旁边打一个电话bindService(),一切都很好。

因为多次startService()调用不会多次调用构造函数,所以它们正是我所需要的。(这对我来说非常懒惰,但它现在有效。我不确定如何检查已启动(而非绑定)的服务。)我的代码现在看起来像这样:

Intent queueIntent = new Intent(getApplicationContext(), QueueService.class);
bindService(queueIntent, mConnection, Context.BIND_AUTO_CREATE);
startService(queueIntent);

另请参阅将服务绑定到 Android 中的活动

于 2013-05-03T20:46:40.547 回答
0

默认情况下服务总是单例

在给定时间只能存在一个服务实例。如果服务正在运行,那么您将无法创建该服务的另一个实例。时期。

绑定多个Activity

您可以将服务绑定到 n 个活动。每个绑定独立工作。当您从一个活动移动到另一个活动时,只有当服务处于活动Activity1状态时,您所做的更改才会持续存在。Activity2

在此处输入图像描述

那么为什么这些变化不会在我的情况下持续存在?
要理解这一点,我们应该知道服务的生命周期

服务的生命周期

服务存在于onCreate()和之间onDestroy()

案例一:案例二:
在此处输入图像描述 在此处输入图像描述

于 2019-04-06T11:38:22.620 回答