Android performance optimization: battery life

Android performance optimization: battery life

Google recently released an online course on Android performance optimization on Udacity, which introduces how to optimize performance from the aspects of rendering, computing, memory, and power. These courses are a refinement and supplement of the Android performance optimization classic course previously released by Google on Youtube.

Below are the study notes for the power chapter. Some of the content overlaps with the previous performance optimization examples. Everyone is welcome to study and communicate together!
1) Understanding Battery Drain

The power consumption of each hardware module of a mobile phone is different. Some modules consume a lot of power, while some modules consume relatively less power.

The calculation and statistics of power consumption is a troublesome and contradictory task, and recording power consumption itself is also a waste of power. The only feasible solution is to use a third-party power monitoring device to obtain the real power consumption.

When the device is in standby mode, it consumes very little power. For example, N5 can be in standby mode for nearly a month when the airplane mode is turned on. However, when the screen is turned on, the hardware modules need to start working, which consumes a lot of power.

After using WakeLock or JobScheduler to wake up the device to process a scheduled task, be sure to return the device to its original state in a timely manner. Each time you wake up the cellular signal for data transmission, it consumes a lot of power, which is more power-consuming than WiFi and other operations.


2) Battery Historian

Battery Historian is a new API introduced in Android 5.0. You can get the battery consumption information on the device through the following command:

  1. $ adb shell dumpsys batterystats > xxx.txt //Get the power consumption information of the entire device  
  2. $ adb shell dumpsys batterystats > com. package .name > xxx.txt //Get the power consumption information related to the specified app  

After getting the raw power consumption data, we need to convert the data information into a more readable HTML file through a python script written by Google:

  1. $ python historian.py xxx.txt > xxx.html

Open this converted HTML file, and you can see the list data similar to that generated by TraceView. The amount of data here is very large, so I will not expand it here.


3)Track Battery Status & Battery Manager

We can get the current charging status of the phone through the following code:

  1. // It is very easy to subscribe to changes to the battery state, but you can get the current  
  2. // state by simply passing null in as your receiver. Nifty, isn't that?  
  3. IntentFilter filter = new IntentFilter(Intent.ACTION_BATTERY_CHANGED);
  4. Intent batteryStatus = this .registerReceiver( null , filter);
  5. int chargePlug = batteryStatus.getIntExtra(BatteryManager.EXTRA_PLUGGED, - 1 );
  6. boolean acCharge = (chargePlug == BatteryManager.BATTERY_PLUGGED_AC);
  7. if (acCharge) {
  8. Log.v(LOG_TAG,“The phone is charging!”);
  9. }

The above example demonstrates how to immediately obtain the charging status of a mobile phone. After obtaining the charging status information, we can optimize some of the code in a targeted manner. For example, we can determine that only when the current mobile phone is in AC charging state will some power-consuming operations be performed.

  1. /**
  2. * This method checks for power by comparing the current battery state against all possible
  3. * plugged in states. In this case, a device may be considered plugged in either by USB, AC, or
  4. * wireless charge. (Wireless charge was introduced in API Level 17.)
  5. */  
  6. private   boolean checkForPower() {
  7. // It is very easy to subscribe to changes to the battery state, but you can get the current  
  8. // state by simply passing null in as your receiver. Nifty, isn't that?  
  9. IntentFilter filter = new IntentFilter(Intent.ACTION_BATTERY_CHANGED);
  10. Intent batteryStatus = this .registerReceiver( null , filter);
  11.  
  12. // There are currently three ways a device can be plugged in. We should check them all.  
  13. int chargePlug = batteryStatus.getIntExtra(BatteryManager.EXTRA_PLUGGED, - 1 );
  14. boolean usbCharge = (chargePlug == BatteryManager.BATTERY_PLUGGED_USB);
  15. boolean acCharge = (chargePlug == BatteryManager.BATTERY_PLUGGED_AC);
  16. boolean wirelessCharge = false ;
  17. if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN_MR1) {
  18. wirelessCharge = (chargePlug == BatteryManager.BATTERY_PLUGGED_WIRELESS);
  19. }
  20. return (usbCharge || acCharge || wirelessCharge);
  21. }

4) Wakelock and Battery Drain

Efficiently retaining more power and constantly urging users to use your app will consume power, which is a contradictory choice. However, we can use some better ways to balance the two.

Suppose your phone is loaded with a lot of social apps. Even when the phone is in standby mode, it will often be woken up by these apps to check and synchronize new data information. Android will constantly shut down various hardware to extend the standby time of the phone. First, the screen will gradually dim until it turns off, and then the CPU will go to sleep. All these operations are to save precious power resources. But even in this sleep state, most applications will still try to work, and they will constantly wake up the phone. One of the simplest ways to wake up the phone is to use the PowerManager.WakeLock API to keep the CPU working and prevent the screen from dimming and turning off. This allows the phone to be woken up, perform work, and then go back to sleep. Knowing how to acquire WakeLock is simple, but releasing WakeLock in time is also very important. Improper use of WakeLock can lead to serious errors. For example, the data return time of a network request is uncertain, resulting in a wait of 1 hour for something that should only take 10 seconds, which will waste power. This is why it is critical to use the wakelock.acquice() method with a timeout parameter.

But just setting a timeout is not enough to solve the problem. For example, how long is the appropriate timeout? When should I retry? To solve the above problems, the right way may be to use an inaccurate timer. Usually, we set a time to perform an operation, but it may be better to modify this time dynamically. For example, if there is another program that needs to wake up 5 minutes later than the time you set, it can only wait until then, and the two tasks can be bundled together and performed at the same time. This is the core working principle of the inaccurate timer. We can customize the scheduled tasks, but if the system detects a better time, it can postpone your task to save power consumption.

This is exactly what the JobScheduler API does. It will combine the ideal wake-up time based on the current situation and tasks, such as waiting until it is charging or connected to WiFi, or concentrating tasks together. We can implement many free scheduling algorithms through this API.
5) Network and Battery Drain

The following content comes from the efficient download section of the official Training document about the power consumption of mobile phone (Radio) cellular signals.

Normally, when using 3G mobile network to transmit data, there are three states of power consumption:

Full power: The highest energy state, the mobile network connection is activated, allowing the device to operate at maximum data rate.
Low power: An intermediate state that consumes about 50% of the power of the Full power state.
Standby: The latest state, no data connection needs to be transmitted, and the power consumption is minimal.

The following figure is a typical diagram of a 3G Radio State Machine

In short, in order to reduce power consumption, it is best to execute network requests in batches under cellular mobile networks and try to avoid frequent intervals of network requests.

Through the Battery Historian we learned earlier, we can get the power consumption data of the device. If the power consumption of the mobile cellular network (Mobile Radio) in the data shows the following situation, with small intervals and frequent intermittent occurrences, it means that the power consumption performance is very poor:

After optimization, if the following diagram is displayed, it means that the power consumption performance is good:

In addition, under WiFi connection, the power consumption of network transmission is much less than that of mobile network. You should try to reduce data transmission under mobile network and transmit data more under WiFi environment.

So how can we cache tasks and execute them in batches? This is where Job Scheduler comes in.
6) Using Job Scheduler

When using Job Scheduler, all the application needs to do is to determine which tasks are not urgent and can be handed over to Job Scheduler for processing. Job Scheduler centrally processes the received tasks, selects the appropriate time and the appropriate network, and then executes them together.

Here is a brief example of using Job Scheduler. You need to have a JobService first:

  1. public   class MyJobService extends JobService {
  2. private   static   final String LOG_TAG = "MyJobService" ;
  3.  
  4. @Override  
  5. public   void onCreate() {
  6. super .onCreate();
  7. Log.i(LOG_TAG, "MyJobService created" );
  8. }
  9.  
  10. @Override  
  11. public   void onDestroy() {
  12. super .onDestroy();
  13. Log.i(LOG_TAG, "MyJobService destroyed" );
  14. }
  15.  
  16. @Override  
  17. public   boolean onStartJob(JobParameters params) {
  18. // This is where you would implement all of the logic for your job. Note that this runs  
  19. // on the main thread, so you will want to use a separate thread for asynchronous work  
  20. // (as we demonstrate below to establish a network connection).  
  21. // If you use a separate thread, return true to indicate that you need a "reschedule" to  
  22. // return to the job at some point in the future to finish processing the work. Otherwise,  
  23. // return false when finished.  
  24. Log.i(LOG_TAG, "Totally and completely working on job " + params.getJobId());
  25. // First, check the network, and then attempt to connect.  
  26. if (isNetworkConnected()) {
  27. new SimpleDownloadTask() .execute(params);
  28. return   true ;
  29. } else {
  30. Log.i(LOG_TAG, "No connection on job " + params.getJobId() + "; sad face" );
  31. }
  32. return   false ;
  33. }
  34.  
  35. @Override  
  36. public   boolean onStopJob(JobParameters params) {
  37. // Called if the job must be stopped before jobFinished() has been called. This may  
  38. // happen if the requirements are no longer being met, such as the user no longer  
  39. // connecting to WiFi, or the device no longer being idle. Use this callback to resolve  
  40. // anything that may cause your application to misbehave from the job being halted.  
  41. // Return true if the job should be rescheduled based on the retry criteria specified  
  42. // when the job was created or return false to drop the job. Regardless of the value  
  43. // returned, your job must stop executing.  
  44. Log.i(LOG_TAG, "Whelp, something changed, so I'm calling it on job " + params.getJobId());
  45. return   false ;
  46. }
  47.  
  48. /**
  49. * Determines if the device is currently online.
  50. */  
  51. private   boolean isNetworkConnected() {
  52. ConnectivityManager connectivityManager =
  53. (ConnectivityManager) getSystemService(Context.CONNECTIVITY_SERVICE);
  54. NetworkInfo networkInfo = connectivityManager.getActiveNetworkInfo();
  55. return (networkInfo != null && networkInfo.isConnected());
  56. }
  57.  
  58. /**
  59. * Uses AsyncTask to create a task away from the main UI thread. This task creates a
  60. * HTTPUrlConnection, and then downloads the contents of the webpage as an InputStream.
  61. * The InputStream is then converted to a String, which is logged by the
  62. * onPostExecute() method.
  63. */  
  64. private   class SimpleDownloadTask extends AsyncTask<JobParameters, Void, String> {
  65.  
  66. protected JobParameters mJobParam;
  67.  
  68. @Override  
  69. protected String doInBackground(JobParameters... params) {
  70. // cache system provided job requirements  
  71. mJobParam = params[ 0 ];
  72. try {
  73. InputStream is = null ;
  74. // Only display the first 50 characters of the retrieved web page content.  
  75. int len ​​= 50 ;
  76.  
  77. URL url = new URL( "https://www.google.com" );
  78. HttpURLConnection conn = (HttpURLConnection) url.openConnection();
  79. conn.setReadTimeout( 10000 ); //10sec  
  80. conn.setConnectTimeout( 15000 ); //15sec  
  81. conn.setRequestMethod( "GET" );
  82. //Starts the query  
  83. conn.connect();
  84. int response = conn.getResponseCode();
  85. Log.d(LOG_TAG, "The response is: " + response);
  86. is = conn.getInputStream();
  87.  
  88. // Convert the input stream to a string  
  89. Reader reader = null ;
  90. reader = new InputStreamReader(is, "UTF-8" );
  91. char [] buffer = new   char [len];
  92. reader.read(buffer);
  93. return   new String(buffer);
  94.  
  95. } catch (IOException e) {
  96. return   "Unable to retrieve web page." ;
  97. }
  98. }
  99.  
  100. @Override  
  101. protected   void onPostExecute(String result) {
  102. jobFinished(mJobParam, false );
  103. Log.i(LOG_TAG, result);
  104. }
  105. }
  106. }

Then simulate triggering N tasks by clicking Button and handing them over to JobService for processing

  1. public   class FreeTheWakelockActivity extends ActionBarActivity {
  2. public   static   final String LOG_TAG = "FreeTheWakelockActivity" ;
  3.  
  4. TextView mWakeLockMsg;
  5. ComponentName mServiceComponent;
  6.  
  7. @Override  
  8. protected   void onCreate(Bundle savedInstanceState) {
  9. super .onCreate(savedInstanceState);
  10. setContentView(R.layout.activity_wakelock);
  11.  
  12. mWakeLockMsg = (TextView) findViewById(R.id.wakelock_txt);
  13. mServiceComponent = new ComponentName( this , MyJobService. class );
  14. Intent startServiceIntent = new Intent( this , MyJobService. class );
  15. startService(startServiceIntent);
  16.  
  17. Button theButtonThatWakelocks = (Button) findViewById(R.id.wakelock_poll);
  18. theButtonThatWakelocks.setText(R.string.poll_server_button);
  19.  
  20. theButtonThatWakelocks.setOnClickListener( new View.OnClickListener() {
  21. @Override  
  22. public   void onClick(View v) {
  23. pollServer();
  24. }
  25. });
  26. }
  27.  
  28. /**
  29. * This method polls the server via the JobScheduler API. By scheduling the job with this API,
  30. * your app can be confident it will execute, but without the need for a wake lock. Rather, the
  31. * API will take your network jobs and execute them in batch to best take advantage of the
  32. * initial network connection cost.
  33. *
  34. * The JobScheduler API works through a background service. In this sample, we have
  35. * a simple service in MyJobService to get you started. The job is scheduled here in
  36. * the activity, but the job itself is executed in MyJobService in the startJob() method. For
  37. * example, to poll your server, you would create the network connection, send your GET
  38. * request, and then process the response all in MyJobService. This allows the JobScheduler API
  39. * to invoke your logic without needed to restart your activity.
  40. *
  41. * For brevity in the sample, we are scheduling the same job several times in quick succession,
  42. * but again, try to consider similar tasks occurring over time in your application that can
  43. * afford to wait and may benefit from batching.
  44. */  
  45. public   void pollServer() {
  46. JobScheduler scheduler = (JobScheduler) getSystemService(Context.JOB_SCHEDULER_SERVICE);
  47. for ( int i= 0 ; i< 10 ; i++) {
  48. JobInfo jobInfo = new JobInfo.Builder(i, mServiceComponent)
  49. .setMinimumLatency( 5000 ) // 5 seconds  
  50. .setOverrideDeadline( 60000 ) // 60 seconds (for brevity in the sample)  
  51. .setRequiredNetworkType(JobInfo.NETWORK_TYPE_ANY) // WiFi or data connections  
  52. .build();
  53.  
  54. mWakeLockMsg.append( "Scheduling job " + i + "!\n" );
  55. scheduler.schedule(jobInfo);
  56. }
  57. }
  58. }

<<:  Android Training - Managing your app's memory

>>:  How to efficiently learn and master new technologies

Recommend

How to achieve explosive growth in users?

Internet practitioners always have to face three ...

Breaking the Flattery Growth Camp 01

Resource introduction of Breaking the Flattery Gr...

Have you reached these four levels of coding?

[[234603]] As a software development engineer, co...

5 tips for brand advertising and marketing!

What kind of advertising is considered a "go...

Look! Baidu Information Stream OCPC, have you put it on?

Unstable conversion effect? Is the cost of lead a...

B station promotion and fan-attracting skills

In summer, I believe it is not uncommon for every...

Will the Spring Festival marketing war “save” the festive atmosphere?

On the morning of the second day of the Lunar New...

Foldable phones: A gimmick or the beginning of the end for tablets?

The birth of iPhone in 2017 ushered in a new roun...

Case Analysis|Review of Himalaya FM's "66 Membership Day" event

1. Activity Background 1. Market conditions Pay a...

Introduction to vivo App Store CPD Promotion Platform

CPD Promotion Platform Introduction The vivo App ...

Ankang SEO Training: How to optimize the entire site to achieve good results?

How to better optimize the entire site is a quest...