WakeLock 实现概述
当我们使用pm.newWakeLock
创建一个新的唤醒锁时,PowerManager
只需创建一个新的 WakeLock 对象并返回。WakeLock 对象不是 binder 对象,因此不能通过多个进程使用。但是,在该 WakeLock 对象中,它包含一个名为 mToken 的 Binder 对象。
WakeLock(int flags, String tag) {
mFlags = flags;
mTag = tag;
mToken = new Binder();
}
因此,当您在此 WakeLock 对象上调用 acquire 或 release 时,它实际上将该令牌传递给PowerManagerService
.
private void acquireLocked() {
if (!mRefCounted || mCount++ == 0) {
mHandler.removeCallbacks(mReleaser);
try {
mService.acquireWakeLock(mToken, mFlags, mTag, mWorkSource);
} catch (RemoteException e) {
}
mHeld = true;
}
}
查看PowerManagerService
获取或释放唤醒锁时的工作原理将帮助您回答您的问题。
void acquireWakeLockInternal(IBinder lock, int flags, String tag, WorkSource ws,
int uid, int pid) {
synchronized (mLock) {
...
WakeLock wakeLock;
int index = findWakeLockIndexLocked(lock);
if (index >= 0) {
...
// Update existing wake lock. This shouldn't happen but is harmless.
...
} else {
wakeLock = new WakeLock(lock, flags, tag, ws, uid, pid);
try {
lock.linkToDeath(wakeLock, 0);
} catch (RemoteException ex) {
throw new IllegalArgumentException("Wake lock is already dead.");
}
notifyWakeLockAcquiredLocked(wakeLock);
mWakeLocks.add(wakeLock);
}
...
}
...
}
关键语句是lock.linkToDeath(wakeLock, 0);
. 也就是lock
我们之前提到的mToken。wakeLock
如果此活页夹消失,此方法会为通知的接收者 (the) 注册。如果这个 binder 对象意外消失(通常是因为它的宿主进程已被杀死),那么该binderDied
方法将在接收者上调用。
请注意,WakeLock in 与 WakeLock inPowerManagerService
不同PowerManager
,它是IBinder.DeathRecipient
. 所以看看它的binderDied
方法。
@Override
public void binderDied() {
PowerManagerService.this.handleWakeLockDeath(this);
}
将handleWakeLockDeath
释放该唤醒锁。
private void handleWakeLockDeath(WakeLock wakeLock) {
synchronized (mLock) {
...
int index = mWakeLocks.indexOf(wakeLock);
if (index < 0) {
return;
}
mWakeLocks.remove(index);
notifyWakeLockReleasedLocked(wakeLock);
applyWakeLockFlagsOnReleaseLocked(wakeLock);
mDirty |= DIRTY_WAKE_LOCKS;
updatePowerStateLocked();
}
}
所以我认为在你的问题的两种情况下,答案都是不用担心。至少在 Android 4.2(代码来自哪里)中,这是真的。此外,WakeLock 类中有一个 finalize 方法PowerManager
,但这不是您问题的关键。