加载中…
个人资料
  • 博客等级:
  • 博客积分:
  • 博客访问:
  • 关注人气:
  • 获赠金笔:0支
  • 赠出金笔:0支
  • 荣誉徽章:
正文 字体大小:

Android恢复出厂设置流程分析

(2013-12-03 15:59:53)
分类: android开关机

Android恢复出厂设置流程分析【Android源码解析十】

      最近看恢复出厂的一个问题,以前也查过这方面的流程,所以这里整理一些AP+framework层的流程

      在setting-->备份与重置--->恢复出厂设置--->重置手机--->清除全部内容--->手机关机--->开机--->进行恢复出厂的操作--->开机流程


      Step 1:前面找settings中的布局我就省略了,这部分相对简单一些,直接到清除全部内容这个按钮的操作,

    对应的java类是setting中的MasterClearConfirm.java这个类,

private Button.OnClickListener mFinalClickListener new Button.OnClickListener() {   
  1.   
  2.         public void onClick(View v) {   
  3.             if (Utils.isMonkeyRunning()) {   
  4.                 return;   
  5.             }   
  6.   
  7.             if (mEraseSdCard) {   
  8.                 Intent intent new Intent(ExternalStorageFormatter.FORMAT_AND_FACTORY_RESET);   
  9.                 intent.setComponent(ExternalStorageFormatter.COMPONENT_NAME);   
  10.                 getActivity().startService(intent);   
  11.             else {   
  12.                 getActivity().sendBroadcast(new Intent("android.intent.action.MASTER_CLEAR"));   
  13.                 // Intent handling is asynchronous -- assume it will happen soon.   
  14.             }   
  15.         }   
  16.     };  
private Button.OnClickListener mFinalClickListener = new Button.OnClickListener() {

        public void onClick(View v) {
            if (Utils.isMonkeyRunning()) {
                return;
            }

            if (mEraseSdCard) {
                Intent intent = new Intent(ExternalStorageFormatter.FORMAT_AND_FACTORY_RESET);
                intent.setComponent(ExternalStorageFormatter.COMPONENT_NAME);
                getActivity().startService(intent);
            } else {
                getActivity().sendBroadcast(new Intent("android.intent.action.MASTER_CLEAR"));
                // Intent handling is asynchronous -- assume it will happen soon.
            }
        }
    };

通过上述的代码,可以看出,实际上点击清除全部内容的时候,如果前面勾选上格式哈SD卡,就会执行mEraseSdCard为true里面的逻辑,如果没有勾选,就执行mEraseSdCard=false的逻辑,其实就是发送一个广播,

  1. “android.intent.action.MASTER_CLEAR”  
“android.intent.action.MASTER_CLEAR”


        Step 2:这个广播接受的地方,参见AndroidManifest.xml中的代码,如下:
  1. <</SPAN>receiver android:name="com.android.server.MasterClearReceiver"  
  2.             android:permission="android.permission.MASTER_CLEAR"  
  3.             android:priority="100" >  
  4.             <</SPAN>intent-filter>  
  5.                   
  6.                 <</SPAN>action android:name="android.intent.action.MASTER_CLEAR" />  
  7.   
  8.                   
  9.                 <</SPAN>action android:name="com.google.android.c2dm.intent.RECEIVE" />  
  10.                 <</SPAN>category android:name="android.intent.category.MASTER_CLEAR" />  
  11.             </</SPAN>intent-filter>  
  12.         </</SPAN>receiver>  

            
                

                

                

                
                
            
        
找这个MasterClearReceiver.java这个receiver,下面来看看这个onReceiver()里面做了什么操作:
  1. public void onReceive(final Context context, final Intent intent) {   
  2.         if (intent.getAction().equals(Intent.ACTION_REMOTE_INTENT)) {   
  3.             if (!"google.com".equals(intent.getStringExtra("from"))) {   
  4.                 Slog.w(TAG, "Ignoring master clear request -- not from trusted server.");   
  5.                 return;   
  6.             }   
  7.         }   
  8.   
  9.         Slog.w(TAG, "!!! FACTORY RESET !!!");   
  10.         // The reboot call is blocking, so we need to do it on another thread.   
  11.         Thread thr new Thread("Reboot"{   
  12.             @Override  
  13.             public void run() {   
  14.                 try {   
  15.                     RecoverySystem.rebootWipeUserData(context);   
  16.                     Log.wtf(TAG, "Still running after master clear?!");   
  17.                 catch (IOException e) {   
  18.                     Slog.e(TAG, "Can't perform master clear/factory reset"e);   
  19.                 }   
  20.             }   
  21.         };   
  22.         thr.start();   
  23.      
public void onReceive(final Context context, final Intent intent) {
        if (intent.getAction().equals(Intent.ACTION_REMOTE_INTENT)) {
            if (!"google.com".equals(intent.getStringExtra("from"))) {
                Slog.w(TAG, "Ignoring master clear request -- not from trusted server.");
                return;
            }
        }

        Slog.w(TAG, "!!! FACTORY RESET !!!");
        // The reboot call is blocking, so we need to do it on another thread.
        Thread thr = new Thread("Reboot") {
            @Override
            public void run() {
                try {
                    RecoverySystem.rebootWipeUserData(context);
                    Log.wtf(TAG, "Still running after master clear?!");
                } catch (IOException e) {
                    Slog.e(TAG, "Can't perform master clear/factory reset", e);
                }
            }
        };
        thr.start();
    }

这个里面主要的操作是:RecoverySystem.rebootWipeUserData(context);准备做重启的动作,告诉手机要清除userData的数据;


      Step 3:接着来看看RecoverySystem.rebootWipeUserData()这个方法做了哪些操作:

  1. public static void rebootWipeUserData(Context context) throws IOException {   
  2.         final ConditionVariable condition new ConditionVariable();   
  3.   
  4.         Intent intent new Intent("android.intent.action.MASTER_CLEAR_NOTIFICATION");   
  5.         context.sendOrderedBroadcastAsUser(intent, UserHandle.OWNER,   
  6.                 android.Manifest.permission.MASTER_CLEAR,   
  7.                 new BroadcastReceiver() {   
  8.                     @Override  
  9.                     public void onReceive(Context context, Intent intent) {   
  10.                         condition.open();   
  11.                     }   
  12.                 }, null0nullnull);   
  13.   
  14.         // Block until the ordered broadcast has completed.   
  15.         condition.block();   
  16.   
  17.         bootCommand(context, "--wipe_data\n--locale=" Locale.getDefault().toString());   
  18.      
public static void rebootWipeUserData(Context context) throws IOException {
        final ConditionVariable condition = new ConditionVariable();

        Intent intent = new Intent("android.intent.action.MASTER_CLEAR_NOTIFICATION");
        context.sendOrderedBroadcastAsUser(intent, UserHandle.OWNER,
                android.Manifest.permission.MASTER_CLEAR,
                new BroadcastReceiver() {
                    @Override
                    public void onReceive(Context context, Intent intent) {
                        condition.open();
                    }
                }, null, 0, null, null);

        // Block until the ordered broadcast has completed.
        condition.block();

        bootCommand(context, "--wipe_data\n--locale=" + Locale.getDefault().toString());
    }
这个里面的广播可以先忽略不计,重点来看看bootCommand()这个方法,注意这个参数“--wipe_data\n--locale=”
  1. private static void bootCommand(Context context, String arg) throws IOException {   
  2.         RECOVERY_DIR.mkdirs();  // In case we need it   
  3.         COMMAND_FILE.delete();  // In case it's not writable   
  4.         LOG_FILE.delete();   
  5.   
  6.         FileWriter command new FileWriter(COMMAND_FILE);   
  7.         try {   
  8.             command.write(arg);   
  9.             command.write("\n");   
  10.         finally {   
  11.             command.close();   
  12.         }   
  13.   
  14.         // Having written the command file, go ahead and reboot   
  15.         PowerManager pm (PowerManager) context.getSystemService(Context.POWER_SERVICE);   
  16.         pm.reboot("recovery");   
  17.   
  18.         throw new IOException("Reboot failed (no permissions?)");   
  19.      
private static void bootCommand(Context context, String arg) throws IOException {
        RECOVERY_DIR.mkdirs();  // In case we need it
        COMMAND_FILE.delete();  // In case it's not writable
        LOG_FILE.delete();

        FileWriter command = new FileWriter(COMMAND_FILE);
        try {
            command.write(arg);
            command.write("\n");
        } finally {
            command.close();
        }

        // Having written the command file, go ahead and reboot
        PowerManager pm = (PowerManager) context.getSystemService(Context.POWER_SERVICE);
        pm.reboot("recovery");

        throw new IOException("Reboot failed (no permissions?)");
    }
这个方法的操作大致是“写节点/cache/recovery/command”,把传递过来的字符串写进去;然后调用PowerManager进行重启操作,reboot();


    Step 4:接着我们来看看PowerManager的reboot方法做了哪些操作:

  1. public void reboot(String reason) {   
  2.       try {   
  3.           mService.reboot(falsereason, true);   
  4.       catch (RemoteException e) {   
  5.       }   
  6.    
  public void reboot(String reason) {
        try {
            mService.reboot(false, reason, true);
        } catch (RemoteException e) {
        }
    }

这个调用到了PowerManagerService.java这个类的reboot方法中了:

  1. @Override // Binder call   
  2.     public void reboot(boolean confirm, String reason, boolean wait) {   
  3.         mContext.enforceCallingOrSelfPermission(android.Manifest.permission.REBOOT, null);   
  4.   
  5.         final long ident Binder.clearCallingIdentity();   
  6.         try {   
  7.             shutdownOrRebootInternal(falseconfirm, reason, wait);   
  8.         finally {   
  9.             Binder.restoreCallingIdentity(ident);   
  10.         }   
  11.      
@Override // Binder call
    public void reboot(boolean confirm, String reason, boolean wait) {
        mContext.enforceCallingOrSelfPermission(android.Manifest.permission.REBOOT, null);

        final long ident = Binder.clearCallingIdentity();
        try {
            shutdownOrRebootInternal(false, confirm, reason, wait);
        } finally {
            Binder.restoreCallingIdentity(ident);
        }
    }
重点来看看shutdownOrRebootInternal()这个方法,
  1. private void shutdownOrRebootInternal(final boolean shutdown, final boolean confirm,   
  2.             final String reason, boolean wait) {   
  3.         if (mHandler == null || !mSystemReady) {   
  4.             throw new IllegalStateException("Too early to call shutdown() or reboot()");   
  5.         }   
  6.   
  7.         Runnable runnable new Runnable() {   
  8.             @Override  
  9.             public void run() {   
  10.                 synchronized (this{   
  11.                     if (shutdown) {   
  12.                         ShutdownThread.shutdown(mContext, confirm);   
  13.                     else {   
  14.                         ShutdownThread.reboot(mContext, reason, confirm);   
  15.                     }   
  16.                 }   
  17.             }   
  18.         };   
  19.   
  20.         // ShutdownThread must run on looper capable of displaying the UI.   
  21.         Message msg Message.obtain(mHandler, runnable);   
  22.         msg.setAsynchronous(true);   
  23.         mHandler.sendMessage(msg);   
  24.   
  25.         // PowerManager.reboot() is documented not to return so just wait for the inevitable.   
  26.         if (wait) {   
  27.             synchronized (runnable) {   
  28.                 while (true{   
  29.                     try {   
  30.                         runnable.wait();   
  31.                     catch (InterruptedException e) {   
  32.                     }   
  33.                 }   
  34.             }   
  35.         }   
  36.      
private void shutdownOrRebootInternal(final boolean shutdown, final boolean confirm,
            final String reason, boolean wait) {
        if (mHandler == null || !mSystemReady) {
            throw new IllegalStateException("Too early to call shutdown() or reboot()");
        }

        Runnable runnable = new Runnable() {
            @Override
            public void run() {
                synchronized (this) {
                    if (shutdown) {
                        ShutdownThread.shutdown(mContext, confirm);
                    } else {
                        ShutdownThread.reboot(mContext, reason, confirm);
                    }
                }
            }
        };

        // ShutdownThread must run on a looper capable of displaying the UI.
        Message msg = Message.obtain(mHandler, runnable);
        msg.setAsynchronous(true);
        mHandler.sendMessage(msg);

        // PowerManager.reboot() is documented not to return so just wait for the inevitable.
        if (wait) {
            synchronized (runnable) {
                while (true) {
                    try {
                        runnable.wait();
                    } catch (InterruptedException e) {
                    }
                }
            }
        }
    }
由于传递过来的shutdown为false,所以执行ShutdownThread.reboot(mContext, reason, confirm);reason:recevory

下面调用到ShutdownThread


    Step 5:这个追踪ShutdownThread.reboot()这个方法,这就有点像破案电影,一点一点查找罪犯的难点;

来窥视一下这个类:

  1. public static void reboot(final Context context, String reason, boolean confirm) {   
  2.        mReboot true;   
  3.        mRebootSafeMode false;   
  4.        mRebootReason reason;   
  5.        Log.d(TAG, "reboot");   
  6.        shutdownInner(context, confirm);   
  7.     
 public static void reboot(final Context context, String reason, boolean confirm) {
        mReboot = true;
        mRebootSafeMode = false;
        mRebootReason = reason;
        Log.d(TAG, "reboot");
        shutdownInner(context, confirm);
    }
这个里面做的操作就是给这个变量mRebootReason复制“recevory”,重点调用shutdownInner()这个方法;
  1. static void shutdownInner(final Context context, boolean confirm) {   
  2.         // ensure that only one thread is trying to power down.   
  3.         // any additional calls are just returned   
  4.         synchronized (sIsStartedGuard) {   
  5.             if (sIsStarted) {   
  6.                 Log.d(TAG, "Request to shutdown already running, returning.");   
  7.                 return;   
  8.             }   
  9.         }   
  10.   
  11.         Log.d(TAG, "Notifying thread to start radio shutdown");   
  12.         bConfirmForAnimation confirm;   
  13.         final int longPressBehavior context.getResources().getInteger(   
  14.                 com.android.internal.R.integer.config_longPressOnPowerBehavior);   
  15.         final int resourceId mRebootSafeMode   
  16.             com.android.internal.R.string.reboot_safemode_confirm   
  17.             (longPressBehavior == 2  
  18.                     com.android.internal.R.string.shutdown_confirm_question   
  19.                     com.android.internal.R.string.shutdown_confirm);   
  20.   
  21.         Log.d(TAG, "Notifying thread to start shutdown longPressBehavior=" longPressBehavior);   
  22.   
  23.         if (confirm) {   
  24.             final CloseDialogReceiver closer new CloseDialogReceiver(context);   
  25.             if (sConfirmDialog != null{   
  26.                 sConfirmDialog.dismiss();   
  27.             }   
  28.             if (sConfirmDialog == null{   
  29.                 Log.d(TAG, "PowerOff dialog doesn't exist. Create it first");   
  30.                 sConfirmDialog new AlertDialog.Builder(context)   
  31.                     .setTitle(mRebootSafeMode   
  32.                             com.android.internal.R.string.reboot_safemode_title   
  33.                             com.android.internal.R.string.power_off)   
  34.                     .setMessage(resourceId)   
  35.                     .setPositiveButton(com.android.internal.R.string.yes, new DialogInterface.OnClickListener() {   
  36.                             public void onClick(DialogInterface dialog, int which) {   
  37.                             beginShutdownSequence(context);   
  38.                             if (sConfirmDialog != null{   
  39.                             sConfirmDialog null;   
  40.                             }   
  41.                             }   
  42.                             })   
  43.                 .setNegativeButton(com.android.internal.R.string.no, new DialogInterface.OnClickListener() {   
  44.                         public void onClick(DialogInterface dialog, int which) {   
  45.                         synchronized (sIsStartedGuard) {   
  46.                         sIsStarted false;   
  47.                         }   
  48.                         if (sConfirmDialog != null{   
  49.                         sConfirmDialog null;   
  50.                         }   
  51.                         }   
  52.                         })   
  53.                 .create();   
  54.                 sConfirmDialog.setCancelable(false);//blocking back key   
  55.                 sConfirmDialog.getWindow().setType(WindowManager.LayoutParams.TYPE_KEYGUARD_DIALOG);   
  56.                   
  57.                   
  58.                 sConfirmDialog.getWindow().addFlags(WindowManager.LayoutParams.FLAG_DIM_BEHIND);   
  59.             }   
  60.   
  61.             closer.dialog sConfirmDialog;   
  62.             sConfirmDialog.setOnDismissListener(closer);   
  63.   
  64.             if (!sConfirmDialog.isShowing()) {   
  65.                 sConfirmDialog.show();   
  66.             }   
  67.         else {   
  68.             beginShutdownSequence(context);   
  69.         }   
  70.     }  
static void shutdownInner(final Context context, boolean confirm) {
        // ensure that only one thread is trying to power down.
        // any additional calls are just returned
        synchronized (sIsStartedGuard) {
            if (sIsStarted) {
                Log.d(TAG, "Request to shutdown already running, returning.");
                return;
            }
        }

        Log.d(TAG, "Notifying thread to start radio shutdown");
        bConfirmForAnimation = confirm;
        final int longPressBehavior = context.getResources().getInteger(
                com.android.internal.R.integer.config_longPressOnPowerBehavior);
        final int resourceId = mRebootSafeMode
            ? com.android.internal.R.string.reboot_safemode_confirm
            : (longPressBehavior == 2
                    ? com.android.internal.R.string.shutdown_confirm_question
                    : com.android.internal.R.string.shutdown_confirm);

        Log.d(TAG, "Notifying thread to start shutdown longPressBehavior=" + longPressBehavior);

        if (confirm) {
            final CloseDialogReceiver closer = new CloseDialogReceiver(context);
            if (sConfirmDialog != null) {
                sConfirmDialog.dismiss();
            }
            if (sConfirmDialog == null) {
                Log.d(TAG, "PowerOff dialog doesn't exist. Create it first");
                sConfirmDialog = new AlertDialog.Builder(context)
                    .setTitle(mRebootSafeMode
                            ? com.android.internal.R.string.reboot_safemode_title
                            : com.android.internal.R.string.power_off)
                    .setMessage(resourceId)
                    .setPositiveButton(com.android.internal.R.string.yes, new DialogInterface.OnClickListener() {
                            public void onClick(DialogInterface dialog, int which) {
                            beginShutdownSequence(context);
                            if (sConfirmDialog != null) {
                            sConfirmDialog = null;
                            }
                            }
                            })
                .setNegativeButton(com.android.internal.R.string.no, new DialogInterface.OnClickListener() {
                        public void onClick(DialogInterface dialog, int which) {
                        synchronized (sIsStartedGuard) {
                        sIsStarted = false;
                        }
                        if (sConfirmDialog != null) {
                        sConfirmDialog = null;
                        }
                        }
                        })
                .create();
                sConfirmDialog.setCancelable(false);//blocking back key
                sConfirmDialog.getWindow().setType(WindowManager.LayoutParams.TYPE_KEYGUARD_DIALOG);
                
                
                sConfirmDialog.getWindow().addFlags(WindowManager.LayoutParams.FLAG_DIM_BEHIND);
            }

            closer.dialog = sConfirmDialog;
            sConfirmDialog.setOnDismissListener(closer);

            if (!sConfirmDialog.isShowing()) {
                sConfirmDialog.show();
            }
        } else {
            beginShutdownSequence(context);
        }
    }
看beginShutdownSequence()这个方法吧,重点调用到这个方法里面去了,来瞅瞅这个方法:
  1. private static void beginShutdownSequence(Context context) {   
  2.         synchronized (sIsStartedGuard) {   
  3.             if (sIsStarted) {   
  4.                 Log.e(TAG, "ShutdownThread is already running, returning.");           
  5.                 return;   
  6.             }   
  7.             sIsStarted true;   
  8.         }   
  9.   
  10.         // start the thread that initiates shutdown   
  11.         sInstance.mContext context;   
  12.         sInstance.mPowerManager (PowerManager)context.getSystemService(Context.POWER_SERVICE);   
  13.         sInstance.mHandler new Handler() {   
  14.         };       
  15.   
  16.         bPlayaudio true;   
  17.         if (!bConfirmForAnimation) {   
  18.             if (!sInstance.mPowerManager.isScreenOn()) {   
  19.                 bPlayaudio false;   
  20.             }   
  21.         }   
  22.   
  23.         // throw up an indeterminate system dialog to indicate radio is   
  24.         // shutting down.   
  25.         beginAnimationTime 0;   
  26.         boolean mShutOffAnimation false;   
  27.   
  28.         try {   
  29.             if (mIBootAnim == null{   
  30.                 mIBootAnim MediatekClassFactory.createInstance(IBootAnimExt.class);   
  31.             }   
  32.         catch (Exception e) {   
  33.             e.printStackTrace();   
  34.         }   
  35.   
  36.         int screenTurnOffTime mIBootAnim.getScreenTurnOffTime();   
  37.         mShutOffAnimation mIBootAnim.isCustBootAnim();   
  38.         Log.e(TAG, "mIBootAnim get screenTurnOffTime " screenTurnOffTime);   
  39.   
  40.         String cust SystemProperties.get("ro.operator.optr");   
  41.   
  42.         if (cust != null{   
  43.             if (cust.equals("CUST")) {   
  44.                 mShutOffAnimation true;   
  45.             }   
  46.         }   
  47.   
  48.         synchronized (mEnableAnimatingSync) {   
  49.   
  50.             if(!mEnableAnimating) {   
  51. //                sInstance.mPowerManager.setBacklightBrightness(PowerManager.BRIGHTNESS_DIM);   
  52.             else {   
  53.                 if (mShutOffAnimation) {   
  54.                     Log.e(TAG, "mIBootAnim.isCustBootAnim() is true");   
  55.                     bootanimCust();   
  56.                 else {   
  57.                     pd new ProgressDialog(context);   
  58.                     pd.setTitle(context.getText(com.android.internal.R.string.power_off));   
  59.                     pd.setMessage(context.getText(com.android.internal.R.string.shutdown_progress));   
  60.                     pd.setIndeterminate(true);   
  61.                     pd.setCancelable(false);   
  62.                     pd.getWindow().setType(WindowManager.LayoutParams.TYPE_KEYGUARD_DIALOG);   
  63.                       
  64.                     pd.getWindow().addFlags(WindowManager.LayoutParams.FLAG_DIM_BEHIND);   
  65.                     pd.show();   
  66.                 }   
  67.                 sInstance.mHandler.postDelayed(mDelayDim, screenTurnOffTime );    
  68.             }   
  69.         }   
  70.   
  71.         // make sure we never fall asleep again   
  72.         sInstance.mCpuWakeLock null;   
  73.         try {   
  74.             sInstance.mCpuWakeLock sInstance.mPowerManager.newWakeLock(   
  75.                     。。。 。。。   
  76. }  
private static void beginShutdownSequence(Context context) {
        synchronized (sIsStartedGuard) {
            if (sIsStarted) {
                Log.e(TAG, "ShutdownThread is already running, returning.");            
                return;
            }
            sIsStarted = true;
        }

        // start the thread that initiates shutdown
        sInstance.mContext = context;
        sInstance.mPowerManager = (PowerManager)context.getSystemService(Context.POWER_SERVICE);
        sInstance.mHandler = new Handler() {
        };    

        bPlayaudio = true;
        if (!bConfirmForAnimation) {
            if (!sInstance.mPowerManager.isScreenOn()) {
                bPlayaudio = false;
            }
        }

        // throw up an indeterminate system dialog to indicate radio is
        // shutting down.
        beginAnimationTime = 0;
        boolean mShutOffAnimation = false;

        try {
            if (mIBootAnim == null) {
                mIBootAnim = MediatekClassFactory.createInstance(IBootAnimExt.class);
            }
        } catch (Exception e) {
            e.printStackTrace();
        }

        int screenTurnOffTime = mIBootAnim.getScreenTurnOffTime();
        mShutOffAnimation = mIBootAnim.isCustBootAnim();
        Log.e(TAG, "mIBootAnim get screenTurnOffTime : " + screenTurnOffTime);

        String cust = SystemProperties.get("ro.operator.optr");

        if (cust != null) {
            if (cust.equals("CUST")) {
                mShutOffAnimation = true;
            }
        }

        synchronized (mEnableAnimatingSync) {

            if(!mEnableAnimating) {
//                sInstance.mPowerManager.setBacklightBrightness(PowerManager.BRIGHTNESS_DIM);
            } else {
                if (mShutOffAnimation) {
                    Log.e(TAG, "mIBootAnim.isCustBootAnim() is true");
                    bootanimCust();
                } else {
                    pd = new ProgressDialog(context);
                    pd.setTitle(context.getText(com.android.internal.R.string.power_off));
                    pd.setMessage(context.getText(com.android.internal.R.string.shutdown_progress));
                    pd.setIndeterminate(true);
                    pd.setCancelable(false);
                    pd.getWindow().setType(WindowManager.LayoutParams.TYPE_KEYGUARD_DIALOG);
                    
                    pd.getWindow().addFlags(WindowManager.LayoutParams.FLAG_DIM_BEHIND);
                    pd.show();
                }
                sInstance.mHandler.postDelayed(mDelayDim, screenTurnOffTime ); 
            }
        }

        // make sure we never fall asleep again
        sInstance.mCpuWakeLock = null;
        try {
            sInstance.mCpuWakeLock = sInstance.mPowerManager.newWakeLock(
                    。。。 。。。
}

这段代码有句话会影响关机动画播放不完

“sInstance.mHandler.postDelayed(mDelayDim, screenTurnOffTime ); 


解决办法

    (1)“可以把这个screenTurnOffTime时间乘以2,这个时间看log是5000毫秒,就是5秒,乘以2就是10秒,大概就能播放完全关机动画了。”

    (2)把这句话注释掉,但是有可能会引起问题,导致恢复出厂设置的时候没有进行恢复出厂的操作。目前正在追踪此问题;


这段代码中还有影响关机动画是否走客制化的关机动画,如果ro.operator.optr这个属性配置的是CUST,则会走客制化的关机动画,否则走系统默认的关机动画;

  1. String cust SystemProperties.get("ro.operator.optr");   
  2.   
  3.   
  4.         if (cust != null{   
  5.             if (cust.equals("CUST")) {   
  6.                 mShutOffAnimation true;   
  7.             }   
  8.          
String cust = SystemProperties.get("ro.operator.optr");


        if (cust != null) {
            if (cust.equals("CUST")) {
                mShutOffAnimation = true;
            }
        }


然后重点看 sInstance.start();这个方法,就走到了run()方法里满了;


    Step 6: 来看看ShutDownThread.java这个类的run()方法;

  1. public void run() {   
  2.         checkShutdownFlow();   
  3.         while (mShutdownFlow == IPO_SHUTDOWN_FLOW) {   
  4.             stMgr.saveStates(mContext);   
  5.             stMgr.enterShutdown(mContext);   
  6.             running();   
  7.            
  8.         if (mShutdownFlow != IPO_SHUTDOWN_FLOW) {   
  9.             stMgr.enterShutdown(mContext);   
  10.             running();   
  11.         }   
  12.     }  
public void run() {
        checkShutdownFlow();
        while (mShutdownFlow == IPO_SHUTDOWN_FLOW) {
            stMgr.saveStates(mContext);
            stMgr.enterShutdown(mContext);
            running();
        } 
        if (mShutdownFlow != IPO_SHUTDOWN_FLOW) {
            stMgr.enterShutdown(mContext);
            running();
        }
    }
重点看running()这个方法:

下面这个方法比较长,来分析一下:

  1. public void running() {   
  2.        if(sPreShutdownApi != null){   
  3.            try {   
  4.                sPreShutdownApi.onPowerOff();   
  5.            catch (RemoteException e) {   
  6.                Log.e(TAG, "onPowerOff exception" e.getMessage());   
  7.            }   
  8.        }else{   
  9.            Log.w(TAG, "sPreShutdownApi is null");   
  10.        }   
  11.   
  12.        command SystemProperties.get("sys.ipo.pwrdncap");   
  13.   
  14.        BroadcastReceiver br new BroadcastReceiver() {   
  15.            @Override public void onReceive(Context context, Intent intent) {   
  16.                // We don't allow apps to cancel this, so ignore the result.   
  17.                actionDone();   
  18.            }   
  19.        };   
  20.   
  21.          
  22.        {   
  23.            String reason (mReboot "1" "0"(mRebootReason != null mRebootReason "");   
  24.            SystemProperties.set(SHUTDOWN_ACTION_PROPERTY, reason);   
  25.        }   
  26.   
  27.          
  28.        if (mRebootSafeMode) {   
  29.            SystemProperties.set(REBOOT_SAFEMODE_PROPERTY, "1");   
  30.        }   
  31.   
  32.        Log.i(TAG, "Sending shutdown broadcast...");   
  33.   
  34.        // First send the high-level shut down broadcast.   
  35.        mActionDone false;   
  36.        /// M: 2012-05-20 ALPS00286063 @{   
  37.        mContext.sendBroadcast(new Intent("android.intent.action.ACTION_PRE_SHUTDOWN"));   
  38.        /// @} 2012-05-20   
  39.        mContext.sendOrderedBroadcastAsUser((new Intent()).setAction(Intent.ACTION_SHUTDOWN).putExtra("_mode"mShutdownFlow),   
  40.                UserHandle.ALL, nullbr, mHandler, 0nullnull);   
  41.           
  42.        final long endTime SystemClock.elapsedRealtime() MAX_BROADCAST_TIME;   
  43.        synchronized (mActionDoneSync) {   
  44.            while (!mActionDone) {   
  45.                long delay endTime SystemClock.elapsedRealtime();   
  46.                if (delay <= 0{   
  47.                    Log.w(TAG, "Shutdown broadcast ACTION_SHUTDOWN timed out");   
  48.                    if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {   
  49.                        Log.d(TAG, "change shutdown flow from ipo to normal: ACTION_SHUTDOWN timeout");   
  50.                        mShutdownFlow NORMAL_SHUTDOWN_FLOW;   
  51.                    }   
  52.                    break;   
  53.                }   
  54.                try {   
  55.                    mActionDoneSync.wait(delay);   
  56.                catch (InterruptedException e) {   
  57.                }   
  58.            }   
  59.        }   
  60.   
  61.        // Also send ACTION_SHUTDOWN_IPO in IPO shut down flow   
  62.        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {   
  63.            mActionDone false;   
  64.            mContext.sendOrderedBroadcast(new Intent("android.intent.action.ACTION_SHUTDOWN_IPO"), null,   
  65.                    br, mHandler, 0nullnull);   
  66.            final long endTimeIPO SystemClock.elapsedRealtime() MAX_BROADCAST_TIME;   
  67.            synchronized (mActionDoneSync) {   
  68.                while (!mActionDone) {   
  69.                    long delay endTimeIPO SystemClock.elapsedRealtime();   
  70.                    if (delay <= 0{   
  71.                        Log.w(TAG, "Shutdown broadcast ACTION_SHUTDOWN_IPO timed out");   
  72.                        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {   
  73.                            Log.d(TAG, "change shutdown flow from ipo to normal: ACTION_SHUTDOWN_IPO timeout");   
  74.                            mShutdownFlow NORMAL_SHUTDOWN_FLOW;   
  75.                        }   
  76.                        break;   
  77.                    }   
  78.                    try {   
  79.                        mActionDoneSync.wait(delay);   
  80.                    catch (InterruptedException e) {   
  81.                    }   
  82.                }   
  83.            }   
  84.        }   
  85.   
  86.        if (mShutdownFlow != IPO_SHUTDOWN_FLOW) {   
  87.            // power off auto test, don't modify   
  88.            Log.i(TAG, "Shutting down activity manager...");   
  89.   
  90.            final IActivityManager am =   
  91.                ActivityManagerNative.asInterface(ServiceManager.checkService("activity"));   
  92.            if (am != null{   
  93.                try {   
  94.                    am.shutdown(MAX_BROADCAST_TIME);   
  95.                catch (RemoteException e) {   
  96.                }   
  97.            }   
  98.        }   
  99.   
  100.        // power off auto test, don't modify   
  101.        // Shutdown radios.   
  102.        Log.i(TAG, "Shutting down radios...");   
  103.        shutdownRadios(MAX_RADIO_WAIT_TIME);   
  104.   
  105.        // power off auto test, don't modify   
  106.        Log.i(TAG, "Shutting down MountService...");   
  107.        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) && (command.equals("1")||command.equals("3")) {   
  108.            Log.i(TAG, "bypass MountService!");   
  109.        else {   
  110.            // Shutdown MountService to ensure media is in safe state   
  111.            IMountShutdownObserver observer new IMountShutdownObserver.Stub() {   
  112.                public void onShutDownComplete(int statusCode) throws RemoteException {   
  113.                    Log.w(TAG, "Result code " statusCode from MountService.shutdown");   
  114.                    if (statusCode 0{   
  115.                        mShutdownFlow NORMAL_SHUTDOWN_FLOW;    
  116.                    }   
  117.                    actionDone();   
  118.                }   
  119.            };   
  120.   
  121.               
  122.   
  123.            // Set initial variables and time out time.   
  124.            mActionDone false;   
  125.            final long endShutTime SystemClock.elapsedRealtime() MAX_SHUTDOWN_WAIT_TIME;   
  126.            synchronized (mActionDoneSync) {   
  127.                try {   
  128.                    final IMountService mount IMountService.Stub.asInterface(   
  129.                            ServiceManager.checkService("mount"));   
  130.                    if (mount != null{   
  131.                        mount.shutdown(observer);   
  132.                    else {   
  133.                        Log.w(TAG, "MountService unavailable for shutdown");   
  134.                    }   
  135.                catch (Exception e) {   
  136.                    Log.e(TAG, "Exception during MountService shutdown"e);   
  137.                }   
  138.                while (!mActionDone) {   
  139.                    long delay endShutTime SystemClock.elapsedRealtime();   
  140.                    if (delay <= 0{   
  141.                        Log.w(TAG, "Shutdown wait timed out");   
  142.                        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {   
  143.                            Log.d(TAG, "change shutdown flow from ipo to normal: MountService");   
  144.                            mShutdownFlow NORMAL_SHUTDOWN_FLOW;   
  145.                        }   
  146.                        break;   
  147.                    }   
  148.                    try {   
  149.                        mActionDoneSync.wait(delay);   
  150.                    catch (InterruptedException e) {   
  151.                    }   
  152.                }   
  153.            }   
  154.        }   
  155.   
  156.        // power off auto test, don't modify   
  157.        //mountSerivce ���   
  158.        Log.i(TAG, "MountService shut done...");   
  159.        // [MTK] fix shutdown animation timing issue   
  160.        //==================================================================   
  161.        try {   
  162.            SystemProperties.set("service.shutanim.running","1");   
  163.            Log.i(TAG, "set service.shutanim.running to 1");   
  164.   
  165.        catch (Exception ex) {   
  166.            Log.e(TAG, "Failed to set 'service.shutanim.running' 1).");   
  167.        }   
  168.        //==================================================================   
  169.   
  170.        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {   
  171.            if (SHUTDOWN_VIBRATE_MS 0{   
  172.                // vibrate before shutting down   
  173.                Vibrator vibrator new SystemVibrator();   
  174.                try {   
  175.                    vibrator.vibrate(SHUTDOWN_VIBRATE_MS);   
  176.                catch (Exception e) {   
  177.                    // Failure to vibrate shouldn't interrupt shutdown.  Just log it.   
  178.                    Log.w(TAG, "Failed to vibrate during shutdown."e);   
  179.                }   
  180.   
  181.                // vibrator is asynchronous so we need to wait to avoid shutting down too soon.   
  182.                try {   
  183.                    Thread.sleep(SHUTDOWN_VIBRATE_MS);   
  184.                catch (InterruptedException unused) {   
  185.                }   
  186.            }   
  187.   
  188.            // Shutdown power   
  189.            // power off auto test, don't modify   
  190.            Log.i(TAG, "Performing ipo low-level shutdown...");   
  191.   
  192.            delayForPlayAnimation();   
  193.   
  194.            if (sInstance.mScreenWakeLock != null && sInstance.mScreenWakeLock.isHeld()) {   
  195.                sInstance.mScreenWakeLock.release();   
  196.                sInstance.mScreenWakeLock null;   
  197.            }   
  198.   
  199.            sInstance.mHandler.removeCallbacks(mDelayDim);    
  200.            stMgr.shutdown(mContext);   
  201.            stMgr.finishShutdown(mContext);   
  202.   
  203.            //To void previous UI flick caused by shutdown animation stopping before BKL turning off            
  204.            if (pd != null{   
  205.                pd.dismiss();   
  206.                pd null;   
  207.            else if (beginAnimationTime 0{   
  208.                try {   
  209.                    SystemProperties.set("service.bootanim.exit","1");   
  210.                    Log.i(TAG, "set 'service.bootanim.exit' 1).");   
  211.                catch (Exception ex) {   
  212.                    Log.e(TAG, "Failed to set 'service.bootanim.exit' 1).");   
  213.                    
  214.                //SystemProperties.set("ctl.stop","bootanim");   
  215.            }   
  216.   
  217.            synchronized (sIsStartedGuard) {   
  218.                sIsStarted false;   
  219.            }   
  220.   
  221.            sInstance.mPowerManager.setBacklightBrightnessOff(false);    
  222.            sInstance.mCpuWakeLock.acquire(2000);    
  223.   
  224.            synchronized (mShutdownThreadSync) {   
  225.                try {   
  226.                    mShutdownThreadSync.wait();   
  227.                catch (InterruptedException e) {   
  228.                }   
  229.            }   
  230.        else {   
  231.            rebootOrShutdown(mReboot, mRebootReason);   
  232.        }   
  233.    }  
 public void running() {
        if(sPreShutdownApi != null){
            try {
                sPreShutdownApi.onPowerOff();
            } catch (RemoteException e) {
                Log.e(TAG, "onPowerOff exception" + e.getMessage());
            }
        }else{
            Log.w(TAG, "sPreShutdownApi is null");
        }

        command = SystemProperties.get("sys.ipo.pwrdncap");

        BroadcastReceiver br = new BroadcastReceiver() {
            @Override public void onReceive(Context context, Intent intent) {
                // We don't allow apps to cancel this, so ignore the result.
                actionDone();
            }
        };

        
        {
            String reason = (mReboot ? "1" : "0") + (mRebootReason != null ? mRebootReason : "");
            SystemProperties.set(SHUTDOWN_ACTION_PROPERTY, reason);
        }

        
        if (mRebootSafeMode) {
            SystemProperties.set(REBOOT_SAFEMODE_PROPERTY, "1");
        }

        Log.i(TAG, "Sending shutdown broadcast...");

        // First send the high-level shut down broadcast.
        mActionDone = false;
        /// M: 2012-05-20 ALPS00286063 @{
        mContext.sendBroadcast(new Intent("android.intent.action.ACTION_PRE_SHUTDOWN"));
        /// @} 2012-05-20
        mContext.sendOrderedBroadcastAsUser((new Intent()).setAction(Intent.ACTION_SHUTDOWN).putExtra("_mode", mShutdownFlow),
                UserHandle.ALL, null, br, mHandler, 0, null, null);
        
        final long endTime = SystemClock.elapsedRealtime() + MAX_BROADCAST_TIME;
        synchronized (mActionDoneSync) {
            while (!mActionDone) {
                long delay = endTime - SystemClock.elapsedRealtime();
                if (delay <= 0) {
                    Log.w(TAG, "Shutdown broadcast ACTION_SHUTDOWN timed out");
                    if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {
                        Log.d(TAG, "change shutdown flow from ipo to normal: ACTION_SHUTDOWN timeout");
                        mShutdownFlow = NORMAL_SHUTDOWN_FLOW;
                    }
                    break;
                }
                try {
                    mActionDoneSync.wait(delay);
                } catch (InterruptedException e) {
                }
            }
        }

        // Also send ACTION_SHUTDOWN_IPO in IPO shut down flow
        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {
            mActionDone = false;
            mContext.sendOrderedBroadcast(new Intent("android.intent.action.ACTION_SHUTDOWN_IPO"), null,
                    br, mHandler, 0, null, null);
            final long endTimeIPO = SystemClock.elapsedRealtime() + MAX_BROADCAST_TIME;
            synchronized (mActionDoneSync) {
                while (!mActionDone) {
                    long delay = endTimeIPO - SystemClock.elapsedRealtime();
                    if (delay <= 0) {
                        Log.w(TAG, "Shutdown broadcast ACTION_SHUTDOWN_IPO timed out");
                        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {
                            Log.d(TAG, "change shutdown flow from ipo to normal: ACTION_SHUTDOWN_IPO timeout");
                            mShutdownFlow = NORMAL_SHUTDOWN_FLOW;
                        }
                        break;
                    }
                    try {
                        mActionDoneSync.wait(delay);
                    } catch (InterruptedException e) {
                    }
                }
            }
        }

        if (mShutdownFlow != IPO_SHUTDOWN_FLOW) {
            // power off auto test, don't modify
            Log.i(TAG, "Shutting down activity manager...");

            final IActivityManager am =
                ActivityManagerNative.asInterface(ServiceManager.checkService("activity"));
            if (am != null) {
                try {
                    am.shutdown(MAX_BROADCAST_TIME);
                } catch (RemoteException e) {
                }
            }
        }

        // power off auto test, don't modify
        // Shutdown radios.
        Log.i(TAG, "Shutting down radios...");
        shutdownRadios(MAX_RADIO_WAIT_TIME);

        // power off auto test, don't modify
        Log.i(TAG, "Shutting down MountService...");
        if ( (mShutdownFlow == IPO_SHUTDOWN_FLOW) && (command.equals("1")||command.equals("3")) ) {
            Log.i(TAG, "bypass MountService!");
        } else {
            // Shutdown MountService to ensure media is in a safe state
            IMountShutdownObserver observer = new IMountShutdownObserver.Stub() {
                public void onShutDownComplete(int statusCode) throws RemoteException {
                    Log.w(TAG, "Result code " + statusCode + " from MountService.shutdown");
                    if (statusCode < 0) {
                        mShutdownFlow = NORMAL_SHUTDOWN_FLOW; 
                    }
                    actionDone();
                }
            };

            

            // Set initial variables and time out time.
            mActionDone = false;
            final long endShutTime = SystemClock.elapsedRealtime() + MAX_SHUTDOWN_WAIT_TIME;
            synchronized (mActionDoneSync) {
                try {
                    final IMountService mount = IMountService.Stub.asInterface(
                            ServiceManager.checkService("mount"));
                    if (mount != null) {
                        mount.shutdown(observer);
                    } else {
                        Log.w(TAG, "MountService unavailable for shutdown");
                    }
                } catch (Exception e) {
                    Log.e(TAG, "Exception during MountService shutdown", e);
                }
                while (!mActionDone) {
                    long delay = endShutTime - SystemClock.elapsedRealtime();
                    if (delay <= 0) {
                        Log.w(TAG, "Shutdown wait timed out");
                        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {
                            Log.d(TAG, "change shutdown flow from ipo to normal: MountService");
                            mShutdownFlow = NORMAL_SHUTDOWN_FLOW;
                        }
                        break;
                    }
                    try {
                        mActionDoneSync.wait(delay);
                    } catch (InterruptedException e) {
                    }
                }
            }
        }

        // power off auto test, don't modify
        //mountSerivce ���
        Log.i(TAG, "MountService shut done...");
        // [MTK] fix shutdown animation timing issue
        //==================================================================
        try {
            SystemProperties.set("service.shutanim.running","1");
            Log.i(TAG, "set service.shutanim.running to 1");

        } catch (Exception ex) {
            Log.e(TAG, "Failed to set 'service.shutanim.running' = 1).");
        }
        //==================================================================

        if (mShutdownFlow == IPO_SHUTDOWN_FLOW) {
            if (SHUTDOWN_VIBRATE_MS > 0) {
                // vibrate before shutting down
                Vibrator vibrator = new SystemVibrator();
                try {
                    vibrator.vibrate(SHUTDOWN_VIBRATE_MS);
                } catch (Exception e) {
                    // Failure to vibrate shouldn't interrupt shutdown.  Just log it.
                    Log.w(TAG, "Failed to vibrate during shutdown.", e);
                }

                // vibrator is asynchronous so we need to wait to avoid shutting down too soon.
                try {
                    Thread.sleep(SHUTDOWN_VIBRATE_MS);
                } catch (InterruptedException unused) {
                }
            }

            // Shutdown power
            // power off auto test, don't modify
            Log.i(TAG, "Performing ipo low-level shutdown...");

            delayForPlayAnimation();

            if (sInstance.mScreenWakeLock != null && sInstance.mScreenWakeLock.isHeld()) {
                sInstance.mScreenWakeLock.release();
                sInstance.mScreenWakeLock = null;
            }

            sInstance.mHandler.removeCallbacks(mDelayDim); 
            stMgr.shutdown(mContext);
            stMgr.finishShutdown(mContext);

            //To void previous UI flick caused by shutdown animation stopping before BKL turning off         
            if (pd != null) {
                pd.dismiss();
                pd = null;
            } else if (beginAnimationTime > 0) {
                try {
                    SystemProperties.set("service.bootanim.exit","1");
                    Log.i(TAG, "set 'service.bootanim.exit' = 1).");
                } catch (Exception ex) {
                    Log.e(TAG, "Failed to set 'service.bootanim.exit' = 1).");
                }  
                //SystemProperties.set("ctl.stop","bootanim");
            }

            synchronized (sIsStartedGuard) {
                sIsStarted = false;
            }

            sInstance.mPowerManager.setBacklightBrightnessOff(false); 
            sInstance.mCpuWakeLock.acquire(2000); 

            synchronized (mShutdownThreadSync) {
                try {
                    mShutdownThreadSync.wait();
                } catch (InterruptedException e) {
                }
            }
        } else {
            rebootOrShutdown(mReboot, mRebootReason);
        }
    }
这个方法做了一些列的操作,会关闭一些操作,如:
  1.  shutdownRadios(MAX_RADIO_WAIT_TIME);
  2. mount.shutdown(observer);
  3. stMgr.shutdown(mContext);
重点看  rebootOrShutdown(mReboot, mRebootReason);这个方法;准备重启的方法;


   Step 7:来看看rebootOrShutdown()这个方法:

  1. public static void rebootOrShutdown(boolean reboot, String reason) {   
  2.         if (reboot) {   
  3.             Log.i(TAG, "Rebooting, reason: " reason);   
  4.             if (reason != null&& reason.equals("recovery"{   
  5.                 delayForPlayAnimation();   
  6.             }   
  7.             try {   
  8.                 PowerManagerService.lowLevelReboot(reason);   
  9.             catch (Exception e) {   
  10.                 Log.e(TAG, "Reboot failed, will attempt shutdown instead"e);   
  11.             }   
  12.         else if (SHUTDOWN_VIBRATE_MS 0{   
  13.             // vibrate before shutting down   
  14.             Vibrator vibrator new SystemVibrator();   
  15.             try {   
  16.                 vibrator.vibrate(SHUTDOWN_VIBRATE_MS);   
  17.             catch (Exception e) {   
  18.                 // Failure to vibrate shouldn't interrupt shutdown.  Just log it.   
  19.                 Log.w(TAG, "Failed to vibrate during shutdown."e);   
  20.             }   
  21.   
  22.             // vibrator is asynchronous so we need to wait to avoid shutting down too soon.   
  23.             try {   
  24.                 Thread.sleep(SHUTDOWN_VIBRATE_MS);   
  25.             catch (InterruptedException unused) {   
  26.             }   
  27.         }   
  28.   
  29.         delayForPlayAnimation();   
  30.         // Shutdown power   
  31.         // power off auto test, don't modify   
  32.         Log.i(TAG, "Performing low-level shutdown...");   
  33.         //PowerManagerService.lowLevelShutdown();   
  34.         //add your func: HDMI off   
  35.         //add for MFR   
  36.         try {   
  37.             if (ImHDMI == null)   
  38.                 ImHDMI=MediatekClassFactory.createInstance(IHDMINative.class);   
  39.         catch (Exception e) {   
  40.             e.printStackTrace();               
  41.         }   
  42.         ImHDMI.hdmiPowerEnable(false);   
  43.         try {   
  44.             if (mTvOut == null)   
  45.                 mTvOut =MediatekClassFactory.createInstance(ITVOUTNative.class);   
  46.         catch (Exception e) {   
  47.             e.printStackTrace();               
  48.         }   
  49.   
  50.         mTvOut.tvoutPowerEnable(false);   
  51.         //add your func: HDMI off   
  52.         //unmout data/cache partitions while performing shutdown   
  53.   
  54.         SystemProperties.set("ctl.start""shutdown");   
  55.   
  56.           
  57.         try {   
  58.             Thread.currentThread().sleep(Integer.MAX_VALUE);   
  59.         catch Exception e) {   
  60.             Log.e(TAG, "Shutdown rebootOrShutdown Thread.currentThread().sleep exception!");     
  61.         }   
  62.     }  
public static void rebootOrShutdown(boolean reboot, String reason) {
        if (reboot) {
            Log.i(TAG, "Rebooting, reason: " + reason);
            if ( (reason != null) && reason.equals("recovery") ) {
                delayForPlayAnimation();
            }
            try {
                PowerManagerService.lowLevelReboot(reason);
            } catch (Exception e) {
                Log.e(TAG, "Reboot failed, will attempt shutdown instead", e);
            }
        } else if (SHUTDOWN_VIBRATE_MS > 0) {
            // vibrate before shutting down
            Vibrator vibrator = new SystemVibrator();
            try {
                vibrator.vibrate(SHUTDOWN_VIBRATE_MS);
            } catch (Exception e) {
                // Failure to vibrate shouldn't interrupt shutdown.  Just log it.
                Log.w(TAG, "Failed to vibrate during shutdown.", e);
            }

            // vibrator is asynchronous so we need to wait to avoid shutting down too soon.
            try {
                Thread.sleep(SHUTDOWN_VIBRATE_MS);
            } catch (InterruptedException unused) {
            }
        }

        delayForPlayAnimation();
        // Shutdown power
        // power off auto test, don't modify
        Log.i(TAG, "Performing low-level shutdown...");
        //PowerManagerService.lowLevelShutdown();
        //add your func: HDMI off
        //add for MFR
        try {
            if (ImHDMI == null)
                ImHDMI=MediatekClassFactory.createInstance(IHDMINative.class);
        } catch (Exception e) {
            e.printStackTrace();                    
        }
        ImHDMI.hdmiPowerEnable(false);
        try {
            if (mTvOut == null)
                mTvOut =MediatekClassFactory.createInstance(ITVOUTNative.class);
        } catch (Exception e) {
            e.printStackTrace();                    
        }

        mTvOut.tvoutPowerEnable(false);
        //add your func: HDMI off
        //unmout data/cache partitions while performing shutdown

        SystemProperties.set("ctl.start", "shutdown");

        
        try {
            Thread.currentThread().sleep(Integer.MAX_VALUE);
        } catch ( Exception e) {
            Log.e(TAG, "Shutdown rebootOrShutdown Thread.currentThread().sleep exception!");  
        }
    }
关机震动也在这个方法里面;这个方法重点看PowerManagerService.lowLevelReboot(reason);

  Log.i(TAG, "Rebooting, reason: " + reason);这句log也很重要,可以有助于我们分析代码;


    Step 8:下面来看看PowerManagerServices.java这个类的lowLevelReboot()这个方法:

  1. public static void lowLevelReboot(String reason) throws IOException {   
  2.         nativeReboot(reason);   
  3.     }  
public static void lowLevelReboot(String reason) throws IOException {
        nativeReboot(reason);
    }
这个方法调用到了native里面,后面的操作我就不分析了。。。


大致流程是:

   关机,然后开机,底层判断节点后进入恢复出厂模式,recevory.img释放完全后,进入开机的流程。。。

以后有进展再补充这部分的流程,整个过程大致就是这个样子了,里面的细节有好多没有分析,大家可以自行研究。。。,抛砖引玉的目的达到了。

0

阅读 收藏 喜欢 打印举报/Report
  

新浪BLOG意见反馈留言板 欢迎批评指正

新浪简介 | About Sina | 广告服务 | 联系我们 | 招聘信息 | 网站律师 | SINA English | 产品答疑

新浪公司 版权所有