本文转载自:http://blog.csdn.net/zhaoxiaoqiang10_/article/details/24408911

Android休眠唤醒机制简介(二)
******************************************************************
作者:sean
日期:2012-11-29
修改历史:2014-1
******************************************************************
接上一节,结合code来分析一下:

具体流程

下面我将分别以两条路线(第一:获得wakelock唤醒锁。第二:系统进入睡眠。)来分别说明各自的流程,让读者对android睡眠唤醒机制有更深入的理解!

第一部分:获得wakelock唤醒锁

比如在应用程序中,当获得wakelock唤醒锁的时候,它首先是调用frameworks/base/core/java/android/os/PowerManager.java类中的public void acquire()方法,而该方法通过android特有的通讯机制,会接着调用到PowerManagerService类中的public void acquireWakeLock。

  1. public void acquire() {
  2. synchronized (mToken) {
  3. acquireLocked();
  4. }
  5. }
  1. private void acquireLocked() {
  2. if (!mRefCounted || mCount++ == 0) {
  3. // Do this even if the wake lock is already thought to be held (mHeld == true)
  4. // because non-reference counted wake locks are not always properly released.
  5. // For example, the keyguard's wake lock might be forcibly released by the
  6. // power manager without the keyguard knowing.  A subsequent call to acquire
  7. // should immediately acquire the wake lock once again despite never having
  8. // been explicitly released by the keyguard.
  9. mHandler.removeCallbacks(mReleaser);
  10. try {
  11. mService.acquireWakeLock(mToken, mFlags, mTag, mPackageName, mWorkSource);
  12. } catch (RemoteException e) {
  13. }
  14. mHeld = true;
  15. }
  16. }
  1. @Override // Binder call
  2. public void acquireWakeLock(IBinder lock, int flags, String tag, String packageName,
  3. WorkSource ws) {
  4. if (lock == null) {
  5. throw new IllegalArgumentException("lock must not be null");
  6. }
  7. if (packageName == null) {
  8. throw new IllegalArgumentException("packageName must not be null");
  9. }
  10. PowerManager.validateWakeLockParameters(flags, tag);
  11. mContext.enforceCallingOrSelfPermission(android.Manifest.permission.WAKE_LOCK, null);
  12. if (ws != null && ws.size() != 0) {
  13. mContext.enforceCallingOrSelfPermission(
  14. android.Manifest.permission.UPDATE_DEVICE_STATS, null);
  15. } else {
  16. ws = null;
  17. }
  18. final int uid = Binder.getCallingUid();
  19. final int pid = Binder.getCallingPid();
  20. final long ident = Binder.clearCallingIdentity();
  21. try {
  22. acquireWakeLockInternal(lock, flags, tag, packageName, ws, uid, pid);
  23. } finally {
  24. Binder.restoreCallingIdentity(ident);
  25. }
  26. }

acquireWakeLockInternal()->updatePowerStateLocked()->updateSuspendBlockerLocked()->

  1. private void updateSuspendBlockerLocked() {
  2. final boolean needWakeLockSuspendBlocker = ((mWakeLockSummary & WAKE_LOCK_CPU) != 0);
  3. final boolean needDisplaySuspendBlocker = needDisplaySuspendBlocker();
  4. // First acquire suspend blockers if needed.
  5. if (needWakeLockSuspendBlocker && !mHoldingWakeLockSuspendBlocker) {
  6. mWakeLockSuspendBlocker.acquire();
  7. mHoldingWakeLockSuspendBlocker = true;
  8. }
  9. if (needDisplaySuspendBlocker && !mHoldingDisplaySuspendBlocker) {
  10. mDisplaySuspendBlocker.acquire();
  11. mHoldingDisplaySuspendBlocker = true;
  12. }
  13. // Then release suspend blockers if needed.
  14. if (!needWakeLockSuspendBlocker && mHoldingWakeLockSuspendBlocker) {
  15. mWakeLockSuspendBlocker.release();
  16. mHoldingWakeLockSuspendBlocker = false;
  17. }
  18. if (!needDisplaySuspendBlocker && mHoldingDisplaySuspendBlocker) {
  19. mDisplaySuspendBlocker.release();
  20. mHoldingDisplaySuspendBlocker = false;
  21. }
  22. }

acquire()是什么函数?需要看一下frameworks/base/services/java/com/android/server/PowerManagerService.java类的构造过程。

  1. public PowerManagerService() {
  2. synchronized (mLock) {
  3. mWakeLockSuspendBlocker = createSuspendBlockerLocked("PowerManagerService.WakeLocks");
  4. mDisplaySuspendBlocker = createSuspendBlockerLocked("PowerManagerService.Display");
  5. mDisplaySuspendBlocker.acquire();
  6. mHoldingDisplaySuspendBlocker = true;
  7. mScreenOnBlocker = new ScreenOnBlockerImpl();
  8. mDisplayBlanker = new DisplayBlankerImpl();
  9. mWakefulness = WAKEFULNESS_AWAKE;
  10. }
  11. nativeInit();
  12. nativeSetPowerState(true, true);
  13. }
  1. private SuspendBlocker createSuspendBlockerLocked(String name) {
  2. SuspendBlocker suspendBlocker = new SuspendBlockerImpl(name);
  3. mSuspendBlockers.add(suspendBlocker);
  4. return suspendBlocker;
  5. }

于是frameworks/base/services/java/com/android/server/PowerManagerService.java类的SuspendBlockerImpl类中的acquire(),便是我们要找的acquire()。

  1. @Override
  2. public void acquire() {
  3. synchronized (this) {
  4. mReferenceCount += 1;
  5. if (mReferenceCount == 1) {
  6. if (DEBUG_SPEW) {
  7. Slog.d(TAG, "Acquiring suspend blocker \"" + mName + "\".");
  8. }
  9. nativeAcquireSuspendBlocker(mName);
  10. }
  11. }
  12. }

而该方法调用了com_android_server_power_PowerManagerService.cpp中的nativeAcquireSuspendBlocker。

  1. static JNINativeMethod gPowerManagerServiceMethods[] = {
  2. /* name, signature, funcPtr */
  3. { "nativeInit", "()V",
  4. (void*) nativeInit },
  5. { "nativeSetPowerState", "(ZZ)V",
  6. (void*) nativeSetPowerState },
  7. { "nativeAcquireSuspendBlocker", "(Ljava/lang/String;)V",
  8. (void*) nativeAcquireSuspendBlocker },
  9. { "nativeReleaseSuspendBlocker", "(Ljava/lang/String;)V",
  10. (void*) nativeReleaseSuspendBlocker },
  11. { "nativeSetInteractive", "(Z)V",
  12. (void*) nativeSetInteractive },
  13. { "nativeSetAutoSuspend", "(Z)V",
  14. (void*) nativeSetAutoSuspend },
  15. };
  1. static void nativeAcquireSuspendBlocker(JNIEnv *env, jclass clazz, jstring nameStr) {
  2. ScopedUtfChars name(env, nameStr);
  3. acquire_wake_lock(PARTIAL_WAKE_LOCK, name.c_str());
  4. }

函数 acquire_wake_lock()的实现在 power.c中,其定义如下:

  1. int
  2. acquire_wake_lock(int lock, const char* id)
  3. {
  4. initialize_fds();
  5. //    ALOGI("acquire_wake_lock lock=%d id='%s'\n", lock, id);
  6. if (g_error) return g_error;
  7. int fd;
  8. if (lock == PARTIAL_WAKE_LOCK) {
  9. fd = g_fds[ACQUIRE_PARTIAL_WAKE_LOCK];
  10. }
  11. else {
  12. return EINVAL;
  13. }
  14. return write(fd, id, strlen(id));
  15. }

到现在为止,我们的代码流程已经走了一大半了,我们一开始介绍的android的上面几层Framework层、JNI层、HAL层都已经介绍了。下面就应该是和kernel层进行交互了。
但是在android/hardware/libhardware_legacy/power/power.c中的acquire_wake_lock()函数似乎没法和kernel层进行通信啊?最后的返回语句return write(fd, id, strlen(id))是一个系统调用,这里就实现了与kernel的交互。
kernel/power/main.c中的power_attr宏很多地方用到:

  1. #define power_attr(_name) \
  2. static struct kobj_attribute _name##_attr = {   \
  3. .attr   = {             \
  4. .name = __stringify(_name), \
  5. .mode = 0644,           \
  6. },                  \
  7. .show   = _name##_show,         \
  8. .store  = _name##_store,        \
  9. }
  1. #ifdef CONFIG_USER_WAKELOCK
  2. power_attr(wake_lock);
  3. power_attr(wake_unlock);
  4. #endif

default y
User-space wake lock api. Write "lockname" or "lockname timeout"
to /sys/power/wake_lock lock and if needed create a wake lock.
Write "lockname" to /sys/power/wake_unlock to unlock a user wake
lock.

  1. #ifdef CONFIG_PM_WAKELOCKS
  2. power_attr(wake_lock);
  3. power_attr(wake_unlock);
  4. #endif

default n
Allow user space to create, activate and deactivate wakeup source
objects with the help of a sysfs-based interface.
宏展开,等价于:

  1. static struct kobj_attribute wake_lock_attr = {
  2. .attr   = {
  3. .name = “wake_lock”,
  4. .mode = 0644,
  5. },
  6. .show   = wake_lock_show,
  7. .store  = wake_lock_store,
  8. }
  1. static struct kobj_attribute wake_unlock_attr = {
  2. .attr   = {
  3. .name = “wake_unlock”,
  4. .mode = 0644,
  5. },
  6. .show   = wake_unlock_show,
  7. .store  = wake_unlock_store,
  8. }

show和store函数的源码位于kernel/power/userwakelock.c。

  1. static struct attribute * g[] = {
  2. &state_attr.attr,
  3. #ifdef CONFIG_PM_TRACE
  4. &pm_trace_attr.attr,
  5. &pm_trace_dev_match_attr.attr,
  6. #endif
  7. #ifdef CONFIG_PM_SLEEP
  8. &pm_async_attr.attr,
  9. &wakeup_count_attr.attr,
  10. #ifdef CONFIG_USER_WAKELOCK
  11. &wake_lock_attr.attr,
  12. &wake_unlock_attr.attr,
  13. #endif
  14. #ifdef CONFIG_PM_AUTOSLEEP
  15. &autosleep_attr.attr,
  16. #endif
  17. #ifdef CONFIG_PM_WAKELOCKS
  18. &wake_lock_attr.attr,
  19. &wake_unlock_attr.attr,
  20. #endif
  21. #ifdef CONFIG_PM_DEBUG
  22. &pm_test_attr.attr,
  23. #endif
  24. #ifdef CONFIG_PM_SLEEP_DEBUG
  25. &pm_print_times_attr.attr,
  26. #endif
  27. #endif
  28. #ifdef CONFIG_FREEZER
  29. &pm_freeze_timeout_attr.attr,
  30. #endif
  31. NULL,
  32. };
  1. static struct attribute_group attr_group = {
  2. .attrs = g,
  3. };

pm_init()->
error = sysfs_create_group(power_kobj, &attr_group);
好了,我们该回到原来我们产生疑问的地方了这时我们还得关注其中的另一个函数acquire_wake_lock()->initialize_fds()。

  1. initialize_fds(void)
  2. {
  3. // XXX: should be this:
  4. //pthread_once(&g_initialized, open_file_descriptors);
  5. // XXX: not this:
  6. if (g_initialized == 0) {
  7. if(open_file_descriptors(NEW_PATHS) < 0)
  8. open_file_descriptors(OLD_PATHS);
  9. g_initialized = 1;
  10. }
  11. }

其实这个函数中最核心的步骤就是open_file_descriptors(NEW_PATHS),顺序打开NEW_PATHS[ ]中的文件:

  1. static int
  2. open_file_descriptors(const char * const paths[])
  3. {
  4. int i;
  5. for (i=0; i<OUR_FD_COUNT; i++) {
  6. int fd = open(paths[i], O_RDWR);
  7. if (fd < 0) {
  8. fprintf(stderr, "fatal error opening \"%s\"\n", paths[i]);
  9. g_error = errno;
  10. return -1;
  11. }
  12. g_fds[i] = fd;
  13. }
  14. g_error = 0;
  15. return 0;
  16. }

  1. const char * const NEW_PATHS[] = {
  2. "/sys/power/wake_lock",
  3. "/sys/power/wake_unlock",
  4. };

总之经过着一系列的步骤后,最终我们将在 return write(fd, id, strlen(id));时调用android/kernel/kernel/power/userwakelock.c 中的 wake_lock_store()函数。

  1. ssize_t wake_lock_store(
  2. struct kobject *kobj, struct kobj_attribute *attr,
  3. const char *buf, size_t n)
  4. {
  5. long timeout;
  6. struct user_wake_lock *l;
  7. mutex_lock(&tree_lock);
  8. l = lookup_wake_lock_name(buf, 1, &timeout);
  9. if (IS_ERR(l)) {
  10. n = PTR_ERR(l);
  11. goto bad_name;
  12. }
  13. if (debug_mask & DEBUG_ACCESS)
  14. pr_info("wake_lock_store: %s, timeout %ld\n", l->name, timeout);
  15. if (timeout)
  16. wake_lock_timeout(&l->wake_lock, timeout);
  17. else
  18. wake_lock(&l->wake_lock);
  19. bad_name:
  20. mutex_unlock(&tree_lock);
  21. return n;
  22. }
  1. struct rb_root user_wake_locks;
  2. static struct user_wake_lock *lookup_wake_lock_name(
  3. const char *buf, int allocate, long *timeoutptr)
  4. {
  5. struct rb_node **p = &user_wake_locks.rb_node;
  6. struct rb_node *parent = NULL;
  7. struct user_wake_lock *l;
  8. int diff;
  9. u64 timeout;
  10. int name_len;
  11. const char *arg;
  12. /* Find length of lock name and start of optional timeout string */
  13. arg = buf;
  14. while (*arg && !isspace(*arg))
  15. arg++;
  16. //lock name的长度
  17. name_len = arg - buf;
  18. if (!name_len)
  19. goto bad_arg;
  20. while (isspace(*arg))
  21. arg++;
  22. /* Process timeout string */
  23. if (timeoutptr && *arg) {
  24. //(char **)&arg存储的是解析string的结束字符
  25. timeout = simple_strtoull(arg, (char **)&arg, 0);
  26. while (isspace(*arg))
  27. arg++;
  28. //如果解析string的结束字符不是’\0’
  29. if (*arg)
  30. goto bad_arg;
  31. /* convert timeout from nanoseconds to jiffies > 0 */
  32. timeout += (NSEC_PER_SEC / HZ) - 1;
  33. //do_div(a,b)的返回值是余数,商保存到a中
  34. do_div(timeout, (NSEC_PER_SEC / HZ));
  35. if (timeout <= 0)
  36. timeout = 1;
  37. *timeoutptr = timeout;
  38. } else if (*arg)
  39. //timeoutptr为NULL
  40. goto bad_arg;
  41. else if (timeoutptr)
  42. //*arg为0,没有timeout
  43. *timeoutptr = 0;
  44. /* Lookup wake lock in rbtree */
  45. //对于一颗空的红黑树,略过while。wake lock按照name从小到大的顺序存储到user_wake_locks红黑树中
  46. while (*p) {
  47. parent = *p;
  48. l = rb_entry(parent, struct user_wake_lock, node);
  49. diff = strncmp(buf, l->name, name_len);
  50. //如果buf是l->name的子串,那么l->name[name_len]就不会为0,但是buf[name_len]会为0
  51. if (!diff && l->name[name_len])
  52. diff = -1;
  53. if (debug_mask & DEBUG_ERROR)
  54. pr_info("lookup_wake_lock_name: compare %.*s %s %d\n",
  55. name_len, buf, l->name, diff);
  56. if (diff < 0)
  57. p = &(*p)->rb_left;
  58. else if (diff > 0)
  59. p = &(*p)->rb_right;
  60. else
  61. return l;
  62. }
  63. /* Allocate and add new wakelock to rbtree */
  64. //allocate为0,表示不需要分配新的wakelock,只在rbtree上查找,找不到就出错了
  65. if (!allocate) {
  66. if (debug_mask & DEBUG_ERROR)
  67. pr_info("lookup_wake_lock_name: %.*s not found\n",
  68. name_len, buf);
  69. return ERR_PTR(-EINVAL);
  70. }
  71. l = kzalloc(sizeof(*l) + name_len + 1, GFP_KERNEL);
  72. if (l == NULL) {
  73. if (debug_mask & DEBUG_FAILURE)
  74. pr_err("lookup_wake_lock_name: failed to allocate "
  75. "memory for %.*s\n", name_len, buf);
  76. return ERR_PTR(-ENOMEM);
  77. }
  78. memcpy(l->name, buf, name_len);
  79. if (debug_mask & DEBUG_NEW)
  80. pr_info("lookup_wake_lock_name: new wake lock %s\n", l->name);
  81. wake_lock_init(&l->wake_lock, WAKE_LOCK_SUSPEND, l->name);
  82. //插入结点,并染成红色
  83. rb_link_node(&l->node, parent, p);
  84. rb_insert_color(&l->node, &user_wake_locks);
  85. return l;
  86. bad_arg:
  87. if (debug_mask & DEBUG_ERROR)
  88. pr_info("lookup_wake_lock_name: wake lock, %.*s, bad arg, %s\n",
  89. name_len, buf, arg);
  90. return ERR_PTR(-EINVAL);
  91. }

wake_lock_store()执行的基本流程为:首先调用lookup_wake_lock_name()来获得指定的唤醒锁,若延迟参数timeout为零的话,就调用 wake_lock()否则就调用wake_lock_timeout(),但不管调用哪个最后都会调用到android/kernel/kernel/power/wakelock.c中的函数static void wake_lock_internal()。

  1. static void wake_lock_internal(
  2. struct wake_lock *lock, long timeout, int has_timeout)
  3. {
  4. int type;
  5. unsigned long irqflags;
  6. long expire_in;
  7. spin_lock_irqsave(&list_lock, irqflags);
  8. type = lock->flags & WAKE_LOCK_TYPE_MASK;
  9. //检查type是否合法
  10. BUG_ON(type >= WAKE_LOCK_TYPE_COUNT);
  11. //检查是否初始化过
  12. BUG_ON(!(lock->flags & WAKE_LOCK_INITIALIZED));
  13. #ifdef CONFIG_WAKELOCK_STAT
  14. if (type == WAKE_LOCK_SUSPEND && wait_for_wakeup) {
  15. if (debug_mask & DEBUG_WAKEUP)
  16. pr_info("wakeup wake lock: %s\n", lock->name);
  17. wait_for_wakeup = 0;
  18. lock->stat.wakeup_count++;
  19. }
  20. if ((lock->flags & WAKE_LOCK_AUTO_EXPIRE) &&
  21. (long)(lock->expires - jiffies) <= 0) {
  22. wake_unlock_stat_locked(lock, 0);
  23. lock->stat.last_time = ktime_get();
  24. }
  25. #endif
  26. if (!(lock->flags & WAKE_LOCK_ACTIVE)) {
  27. lock->flags |= WAKE_LOCK_ACTIVE;
  28. #ifdef CONFIG_WAKELOCK_STAT
  29. lock->stat.last_time = ktime_get();
  30. #endif
  31. }
  32. //从inactive_locks上删除
  33. list_del(&lock->link);
  34. if (has_timeout) {
  35. if (debug_mask & DEBUG_WAKE_LOCK)
  36. pr_info("wake_lock: %s, type %d, timeout %ld.%03lu\n",
  37. lock->name, type, timeout / HZ,
  38. (timeout % HZ) * MSEC_PER_SEC / HZ);
  39. lock->expires = jiffies + timeout;
  40. lock->flags |= WAKE_LOCK_AUTO_EXPIRE;
  41. list_add_tail(&lock->link, &active_wake_locks[type]);
  42. } else {
  43. if (debug_mask & DEBUG_WAKE_LOCK)
  44. pr_info("wake_lock: %s, type %d\n", lock->name, type);
  45. lock->expires = LONG_MAX;
  46. lock->flags &= ~WAKE_LOCK_AUTO_EXPIRE;
  47. list_add(&lock->link, &active_wake_locks[type]);
  48. }
  49. if (type == WAKE_LOCK_SUSPEND) {
  50. current_event_num++;
  51. #ifdef CONFIG_WAKELOCK_STAT
  52. if (lock == &main_wake_lock)
  53. update_sleep_wait_stats_locked(1);
  54. else if (!wake_lock_active(&main_wake_lock))
  55. update_sleep_wait_stats_locked(0);
  56. #endif
  57. if (has_timeout)
  58. expire_in = has_wake_lock_locked(type);
  59. else
  60. expire_in = -1;
  61. if (expire_in > 0) {
  62. if (debug_mask & DEBUG_EXPIRE)
  63. pr_info("wake_lock: %s, start expire timer, "
  64. "%ld\n", lock->name, expire_in);
  65. mod_timer(&expire_timer, jiffies + expire_in);
  66. } else {
  67. if (del_timer(&expire_timer))
  68. if (debug_mask & DEBUG_EXPIRE)
  69. pr_info("wake_lock: %s, stop expire timer\n",
  70. lock->name);
  71. if (expire_in == 0)
  72. queue_work(suspend_work_queue, &suspend_work);
  73. }
  74. }
  75. spin_unlock_irqrestore(&list_lock, irqflags);
  76. }

第二部分:系统进入睡眠

假如现在我们按了PAD上的power睡眠键,经过一些列的事件处理后,它会调用到PowerManager类中的

  1. public void goToSleep(long time) {
  2. try {
  3. mService.goToSleep(time, GO_TO_SLEEP_REASON_USER);
  4. } catch (RemoteException e) {
  5. }
  6. }

而该函数会调用到PowerManagerService类中的public void goToSleep()方法;

  1. @Override // Binder call
  2. public void goToSleep(long eventTime, int reason) {
  3. if (eventTime > SystemClock.uptimeMillis()) {
  4. throw new IllegalArgumentException("event time must not be in the future");
  5. }
  6. mContext.enforceCallingOrSelfPermission(android.Manifest.permission.DEVICE_POWER, null);
  7. final long ident = Binder.clearCallingIdentity();
  8. try {
  9. goToSleepInternal(eventTime, reason);
  10. } finally {
  11. Binder.restoreCallingIdentity(ident);
  12. }
  13. }
  1. private void goToSleepInternal(long eventTime, int reason) {
  2. synchronized (mLock) {
  3. if (goToSleepNoUpdateLocked(eventTime, reason)) {
  4. updatePowerStateLocked();
  5. }
  6. }
  7. }

goToSleepNoUpdateLocked是goToSleep功能的计算者,来决定是否要休眠,而updatePowerStateLocked函数算是功能的执行者,而且这个执行者同时负责执行了很多其他的功能。其实goToSleepNoUpdateLocked并没有真正地让device进行sleep,仅仅只是把PowerManagerService中一些必要的属性进行了赋值,等会在分析updatePowerStateLocked的时候,再给出解释。在PowerManagerService的代码中,有很多的方法的名字中都含有xxxNoUpdateLocked这样的后缀,我觉得这样做大概是因为,都类似于goToSleepNoUpdateLocked方法,并没有真正地执行方法名字所描述的功能,仅仅是更新了一些必要的属性。 所以在Android系统中可以把多个power state属性的多个变化放在一起共同执行的,而真正的功能执行者就是updatePowerStateLocked。

  1. private void updatePowerStateLocked() {
  2. if (!mSystemReady || mDirty == 0) {//如果系统没有准备好,或者power state没有发生任何变化,这个方法可以不用执行的
  3. return;
  4. }
  5. if(!SystemProperties.getBoolean("ro.platform.has.mbxuimode", false)) {
  6. if (isHdmiPlugged()) {
  7. return;
  8. }
  9. }
  10. // Phase 0: Basic state updates.
  11. updateIsPoweredLocked(mDirty);
  12. updateStayOnLocked(mDirty);
  13. // Phase 1: Update wakefulness.
  14. // Loop because the wake lock and user activity computations are influenced
  15. // by changes in wakefulness.
  16. final long now = SystemClock.uptimeMillis();
  17. int dirtyPhase2 = 0;
  18. for (;;) {
  19. int dirtyPhase1 = mDirty;
  20. dirtyPhase2 |= dirtyPhase1;
  21. mDirty = 0;
  22. updateWakeLockSummaryLocked(dirtyPhase1);
  23. updateUserActivitySummaryLocked(now, dirtyPhase1);
  24. if (!updateWakefulnessLocked(dirtyPhase1)) {
  25. break;
  26. }
  27. }
  28. // Phase 2: Update dreams and display power state.
  29. updateDreamLocked(dirtyPhase2);
  30. updateDisplayPowerStateLocked(dirtyPhase2);
  31. // Phase 3: Send notifications, if needed.
  32. if (mDisplayReady) {
  33. sendPendingNotificationsLocked();
  34. }
  35. // Phase 4: Update suspend blocker.
  36. // Because we might release the last suspend blocker here, we need to make sure
  37. // we finished everything else first!
  38. updateSuspendBlockerLocked();
  39. }

对sys/power/state进行读写操作的时候,(linux/kernel/power/main.c)中的state_store()函数会被调用,在该函数中会分成两个分支:
Android特有的earlysuspend: request_suspend_state(state)
Linux标准的suspend: enter_state(state)

 
0

Android休眠唤醒机制简介(二)的更多相关文章

  1. Android休眠唤醒机制简介(一)【转】

    本文转载自:http://blog.csdn.net/zhaoxiaoqiang10_/article/details/24408129 Android休眠唤醒机制简介(一) ************ ...

  2. android 休眠唤醒机制分析(二) — early_suspend

    本文转自:http://blog.csdn.net/g_salamander/article/details/7982170 early_suspend是Android休眠流程的第一阶段即浅度休眠,不 ...

  3. Android休眠唤醒机制

    有四种方式可以引起休眠 ①在wake_unlock()中, 如果发现解锁以后没有任何其他的wake lock了, 就开始休眠 ②在定时器到时间以后, 定时器的回调函数会查看是否有其他的wake loc ...

  4. android 休眠唤醒机制分析(一) — wake_lock

    本文转自:http://blog.csdn.net/g_salamander/article/details/7978772 Android的休眠唤醒主要基于wake_lock机制,只要系统中存在任一 ...

  5. android 休眠唤醒机制分析(一) — wake_lock【转】

    Android的休眠唤醒主要基于wake_lock机制,只要系统中存在任一有效的wake_lock,系统就不能进入深度休眠,但可以进行设备的浅度休眠操作.wake_lock一般在关闭lcd.tp但系统 ...

  6. android 休眠唤醒机制分析(三) — suspend

    本文转自:http://blog.csdn.net/g_salamander/article/details/7988340 前面我们分析了休眠的第一个阶段即浅度休眠,现在我们继续看休眠的第二个阶段 ...

  7. android休眠唤醒驱动流程分析【转】

    转自:http://blog.csdn.net/hanmengaidudu/article/details/11777501 标准linux休眠过程: l        power managemen ...

  8. Android睡眠唤醒机制--Kernel态

    一.简介 Android系统中定义了几种低功耗状态:earlysuspend.suspend.hibernation.       1) earlysuspend: 是一种低功耗的状态,某些设备可以选 ...

  9. Android包管理机制(二)PackageInstaller安装APK

    前言 在本系列上一篇文章Android包管理机制(一)PackageInstaller的初始化中我们学习了PackageInstaller是如何初始化的,这一篇文章我们接着学习PackageInsta ...

随机推荐

  1. 国内外知名IT科技博客

    国内 1.36氪(www.36kr.com): 目前国内做的最风生水起的科技博客,以介绍国内外互联网创业新闻为主的博客网站,自己建立有36Tree互联网创业融投资社区.36氪的名字源于元素周期 表的第 ...

  2. JS——delete

    1.对象属性删除 <script> function fun(){ this.name = 'mm'; } var obj = new fun(); console.log(obj.nam ...

  3. 几种fullpage用法及demo

    jQuery全屏滚动插件fullPage.js https://github.com/alvarotrigo/fullPage.js http://www.dowebok.com/77.html 全屏 ...

  4. (转)分布式文件存储FastDFS(五)FastDFS常用命令总结

    http://blog.csdn.net/xingjiarong/article/details/50561471 1.启动FastDFS tracker: /usr/local/bin/fdfs_t ...

  5. eclipse常用设置之自动格式化

    Eclipse 保存文件时自动格式化代码   很多同学不知道Eclipse有个很有用的功能,就是自动格式源代码的功能,一般大家都是直接Ctrl+Shift+F手动格式化,多浪费时间. 其实Eclips ...

  6. cvpr2016论文

    http://openaccess.thecvf.com/ICCV2017.py http://openaccess.thecvf.com/CVPR2017.py http://www.cv-foun ...

  7. Linux内核中_IO,_IOR,_IOW,_IOWR宏的用法与解析

    ref from : http://blog.csdn.net/zhuxiaoping54532/article/details/49680537 main 在驱动程序里, ioctl() 函数上传送 ...

  8. cf 337 div2 c

    C. Harmony Analysis time limit per test 3 seconds memory limit per test 256 megabytes input standard ...

  9. Spring框架学习之SpringAOP(二)

    AOP概念 AOP(Aspect-Oriented Programming,面向切面编程),AOP是OOP(面向对象编程)的补充和完善 AOP的核心思想就是“将应用程序中的商业逻辑同对其提供支持的通用 ...

  10. mysql登录出现1045错误

    这个问题是在window server 2012上安装mysql之后, 远程访问时出现的1045错误 我新建了一个相同的用户用于远程访问, 密码也相同, 但是还是访问不了 参照链接:https://b ...