SlideShare a Scribd company logo
Optimizing Apps for Better
Performance
Elif Boncuk
Software Specialist @ Garanti Teknoloji
#dfist
Who am I?
➢Hacettepe - Computer Engineering (2006 - 2011)
➢Garanti Technology - Mobile Applications Team (2011- )
➢MBA Student @BAU (2014 - )
➢Blogger (2010 - )
➢Photographer
@elifbon_
+ElifBoncuk
www.elifboncuk.wordpress.com
#dfist
Be Faster!
➢Gather Information
➢Gain Insight
➢Take Action
#dfist
4 Major Steps
➢Rendering
➢Compute
➢Memory
➢Battery
#dfist
Rendering
Udacity: Android Performance
#dfist
Rendering...
Udacity: Android Performance
#dfist
Rendering...
MEASURE
EXECUTE
RECORD
LAYOUT
CPU
RASTERIZATION GPU
F
L
O
W
PROBLEM
OVERDRAW
LAYOUTS &
INVALIDATIONS
PROBLEM
#dfist
Rasterization
Udacity: Android Performance
#dfist
Overdraw
➢Overdraw is a term used to describe how many times a pixel on the screen has been redrawn in
a single frame.
Udacity: Android Performance
#dfist
Overdraw...
1. On your mobile device, go to Settings and tapDeveloper Options.
2. In the Hardware accelerated rendering section, select Debug GPU
Overdraw.
3. In the Debug GPU overdraw popup, select Show overdraw areas.
4. Don't panic as your screen turns into a delirium of colors. The coloring
is provided to help you diagnose your app's display behavior.
http://developer.android.com/
#dfist
Overdraw…
5. The colors are hinting at the amount of overdraw on your screen
for each pixel, as follows:
True color: No overdraw
Blue: Overdrawn once
Green: Overdrawn twice
Pink: Overdrawn three times
Red: Overdrawn four or more times
http://developer.android.com/
#dfist
Overdraw…
How?
➢Eliminate unneeded backgrounds and
drawables
➢Define areas will hide portions of view
Best Practices:
➢getWindow().setBackgroundDrawable(null
➢android:background:”@null”
http://developer.android.com/
#dfist
Clipping
➢Clipping is an optimisation which can be defined as Android
framework knows overdraw is a problem and will go out of its
way to avoid drawing UI widgets that may be invisible in the final
image.
➢Canvas.quickReject()
➢Canvas.clipRect()
DRAWABLE
ZONE
Canvas.clipRect()
20dp
20dp 20dp
20dp
Udacity: Android Performance
#dfist
CPU Optimizations
Udacity: Android Performance
#dfist
Hierarchy Viewer
http://developer.android.com/
#dfist
Hierarchy Viewer
Bird's-eye view
Tree Overview
Tree View
View Properties
Nodes
http://developer.android.com/
#dfist
Hierarchy Viewer
Each view in your subtree gets three dots, which
can be green, yellow, or red.
The left dot represents the Draw Process of the
rendering pipeline.
The middle dot represents the Layout Phase.
The right dot represents the Execute Phase.
http://developer.android.com/
#dfist
Hierarchy Viewer
The color of the dots indicates the relative performance of this node
in respect to all other profiled nodes.
Green means the view renders faster than at least half of the
other views.
Yellow means the view renders faster than the bottom half of the
other views.
Red means the view is among the slowest half of views.
http://developer.android.com/
#dfist
Compute
➢Slow Function Performance
Udacity: Android Performance
#dfist
Profiling with Traceview
➢Traceview is a graphical viewer for execution logs that you create by using the Debug class to log
tracing information in your code. Traceview can help you debug your application and profile its
performance.
#dfist
Profiling with Traceview
http://developer.android.com/
#dfist
Batching and Caching
TARGET ARRAY TARGET VALUES
Look at all
that
overhead!
Udacity: Android Performance
#dfist
Blocking the UI Thread
Udacity: Android Performance
#dfist
How to Solve?
Android's single thread model:
1. Do not block the UI thread
2. Do not access the Android UI toolkit
from outside the UI thread
Udacity: Android Performance
#dfist
How to Solve?
public void onClick(View v) {
new Thread(new Runnable() {
public void run() {
final Bitmap bitmap =
loadImageFromNetwork("http://example.com/image.png")
;
mImageView.post(new Runnable() {
public void run() {
mImageView.setImageBitmap(bitmap);
}
});
}
}).start();
}
public void onClick(View v) {
new Thread(new Runnable() {
public void run() {
Bitmap b =
loadImageFromNetwork("http://example.com/image.p
ng");
mImageView.setImageBitmap(b);
}
}).start();
}
#dfist
How to Solve?
public void onClick(View v) {
new DownloadImageTask().execute("http://example.com/image.png");
}
private class DownloadImageTask extends AsyncTask<String, Void, Bitmap> {
/** The system calls this to perform work in a worker thread and
* delivers it the parameters given to AsyncTask.execute() */
protected Bitmap doInBackground(String... urls) {
return loadImageFromNetwork(urls[0]);
}
/** The system calls this to perform work in the UI thread and delivers
* the result from doInBackground() */
protected void onPostExecute(Bitmap result) {
mImageView.setImageBitmap(result);
}
}
#dfist
Analyzing UI Performance with Systrace
➢The Systrace tool allows you to collect and inspect timing information across an entire Android
device, which is called a trace.
Trace.beginSection("Data Structures");
// TODO:
Trace.endSection();
#dfist
Analyzing UI Performance with Systrace
Bad Performance Example
http://developer.android.com/
#dfist
Analyzing UI Performance with Systrace
http://developer.android.com/
#dfist
Memory
Basic Principles of Garbage Collection:
➢Find data objects in a program that cannot be accesed in the future.
➢Reclaim the resources used by those objects.
Udacity: Android Performance
#dfist
Memory Monitor
Memory Monitor reports in real-time how your app allocates memory.
➢ Showing available and used memory in a graph, and garbage collection events over time.
➢ Quickly testing whether app slowness might be related to excessive garbage collection events.
➢ Quickly testing whether app crashes may be related to running out of memory.
Dark blue: Amount of memory that your app is currently using.
Light blue: Available, unallocated memory.
#dfist
Memory Monitor
#dfist
Heap Viewer
Heap Viewer reports in real-time what types of objects your application has allocated, how many, and their sizes
on the heap.
➢ Getting a sense of how your app allocates and frees memory.
➢ Identifying memory leaks.
➢ 5.0+
http://developer.android.com/
#dfist
Heap Viewer
http://developer.android.com/
#dfist
Allocation Tracker
Allocation Tracker records an app's memory allocations and lists all allocated objects for the profiling cycle with their call
stack, size, and allocating code.
➢Identifying where many similar object types, from roughly the same call stack, are allocated and deallocated over a very
short period of time.
➢Finding the places in your code that may contribute to inefficient memory use.
http://developer.android.com/
#dfist
Battery
Udacity: Android Performance
#dfist
Batterystats & Battery Historian
Batterystats collects battery data from your device, and Battery Historian converts that data into an HTML
visualization that you can view in your Browser.
➢Showing you where and how processes are drawing current from the battery.
➢Identifying tasks in your app that could be deferred or even removed to improve battery life.
➢5.0+
#dfist
Batterystats & Battery Historian
http://developer.android.com/
#dfist
Batterystats & Battery Historian
battery_level: When the battery level was recorded and logged.
top: The application running at the top.
wifi_running: Shows that the Wi-Fi network connection was active.
screen: Screen is turned on.
phone_in_call: Recorded when the phone is in a call.
wake_lock: App wakes up, grabs a lock, does small work, then goes back to sleep. running: Shows when the CPU is awake. Check whether it is
awake and asleep when you expect it to be.
wake_reason: The last thing that caused the kernel to wake up. If it's your app, determine whether it was necessary.
mobile_radio: Shows when the radio was on. Starting the radio is battery expensive. Many narrow bars close to each other can indicate opportunities
for batching and other optimizations.
gps: Indicates when the GPS was on. Make sure this is what you expect.
sync: Shows when an app was syncing with a backend.
#dfist
Batterystats & Battery Historian
Battery History: A time series of power-relevant events, such as screen, Wi-Fi, and app launch.
These are also visible through Battery Historian.
Per-PID Stats: How long each process ran.
Statistics since last charge: System-wide statistics, such as cell signal levels and screen
brightness. Provides an overall picture of what's happening with the device. This information is
especially useful to make sure no external events are affecting your experiment.
Estimated power use (mAh) by UID and peripheral: This is currently an extremely rough estimate
and should not be considered experiment data.
Per-app mobile ms per packet: Radio-awake-time divided by packets sent. An efficient app will
transfer all its traffic in batches, so the lower this number the better.
All partial wake locks: All app-held wakelocks, by aggregate duration and count.
#dfist
Batterystats & Battery Historian
Udacity: Android Performance
#dfist
JobScheduler
Google IO 2014: Project Volta
#dfist
JobScheduler
private void pollServer() {
mWakeLockMsg.setText("Polling the server! This day sure went by fast.");
for (int i=0; i<10; i++) {
mWakeLock.acquire();
mWakeLockMsg.append("Connection attempt, take " + i + ":n");
mWakeLockMsg.append(getString(R.string.wakelock_acquired));
// Always check that the network is available before trying to connect. You don't want
// to break things and embarrass yourself.
if (isNetworkConnected()) {
new SimpleDownloadTask().execute();
} else {
mWakeLockMsg.append("No connection on job " + i + "; SAD FACE");
}
}
}
@Override
protected void onPostExecute(String result) {
mWakeLockMsg.append("n" + result + "n");
releaseWakeLock();
}
#dfist
JobScheduler
mServiceComponent = new ComponentName(this,
MyJobService.class);
@Override
public boolean onStartJob(JobParameters params) {
Log.i(LOG_TAG, "Totally and completely working
on job " + params.getJobId());
// First, check the network, and then attempt to
connect.
if (isNetworkConnected()) {
new SimpleDownloadTask() .execute(params);
return true;
} else {
Log.i(LOG_TAG, "No connection on job " +
params.getJobId() + "; sad face");
}
return false;
}
public void pollServer() {
JobScheduler scheduler = (JobScheduler)
getSystemService(Context.JOB_SCHEDULER_SERVICE);
for (int i=0; i<10; i++) {
JobInfo jobInfo = new JobInfo.Builder(i,
mServiceComponent)
.setMinimumLatency(5000) // 5
seconds
.setOverrideDeadline(60000) // 60
seconds (for brevity in the sample)
.setRequiredNetworkType(JobInfo.NETWORK_TYPE_ANY)
// WiFi or data connections
.build();
mWakeLockMsg.append("Scheduling job " + i +
"!n");
scheduler.schedule(jobInfo);
}
}
#dfist
Hunter S. Thompson
“Life should not be a journey to the
grave with the intention of arriving
safely in a pretty and well preserved
body, but rather to skid in broadside in
a cloud of smoke, throughly used up,
totally worn out, and loudly
proclaiming “Wow! What a ride!””
#dfist
Questions?
@elifbon_
+ElifBoncuk
www.elifboncuk.wordpress.com
Thank you!

More Related Content

PPTX
What's new in Android at I/O'16
PPTX
Hack'n Break Android Workshop
PPTX
Optimizing apps for better performance extended
PPTX
Overview of DroidCon UK 2015
PDF
Being Epic: Best Practices for Android Development
PPTX
What's new in android jakarta gdg (2015-08-26)
PDF
Android App development and test environment, Understaing android app structure
PDF
Apps development for Recon HUDs
What's new in Android at I/O'16
Hack'n Break Android Workshop
Optimizing apps for better performance extended
Overview of DroidCon UK 2015
Being Epic: Best Practices for Android Development
What's new in android jakarta gdg (2015-08-26)
Android App development and test environment, Understaing android app structure
Apps development for Recon HUDs

What's hot (20)

PDF
Automated Historical Performance Analysis with kmemtracer
PPTX
Google Glasses Integration with SAP
PPTX
Google Glass, the GDK, and HTML5
PPTX
Design Patterns every Android developer should know
PPTX
Lecture #1 Creating your first android project
PPTX
Visual Testing: The Missing Piece of the Puzzle -- presentation by Gil Tayar
PPTX
DEVIEW2013: Automating Performance Tests for Android Applications
PPTX
Android Programming made easy
PDF
Developer Student Clubs NUK - Flutter for Beginners
PDF
Android Programming Basics
PDF
What's new in android 4.4 - Romain Guy & Chet Haase
PDF
Recap of Android Dev Summit 2018
PDF
Introduction to html5 game programming with ImpactJs
PPTX
Android Fundamentals
PPTX
Android study jams 2021 [collab] [master]
PPT
Android tools
PDF
Visual Component Testing -- w/ Gil Tayar (Applitools) and Gleb Bahmutov (Cyp...
PDF
Devraj_Nataraj_CV_PDF
PDF
Android studio
PPTX
Introduction to android studio 2.0 and data binding library
Automated Historical Performance Analysis with kmemtracer
Google Glasses Integration with SAP
Google Glass, the GDK, and HTML5
Design Patterns every Android developer should know
Lecture #1 Creating your first android project
Visual Testing: The Missing Piece of the Puzzle -- presentation by Gil Tayar
DEVIEW2013: Automating Performance Tests for Android Applications
Android Programming made easy
Developer Student Clubs NUK - Flutter for Beginners
Android Programming Basics
What's new in android 4.4 - Romain Guy & Chet Haase
Recap of Android Dev Summit 2018
Introduction to html5 game programming with ImpactJs
Android Fundamentals
Android study jams 2021 [collab] [master]
Android tools
Visual Component Testing -- w/ Gil Tayar (Applitools) and Gleb Bahmutov (Cyp...
Devraj_Nataraj_CV_PDF
Android studio
Introduction to android studio 2.0 and data binding library
Ad

Viewers also liked (20)

PDF
App indexing api
PDF
Workshop on Search Engine Optimization
PDF
Project Analysis - How to Start Project Develoment
PDF
Workhsop on Logic Building for Programming
PDF
Lecture 04. Mobile App Design
PPTX
Android development session 3 - layout
PDF
Android Udacity Study group 1
PDF
Android development session 4 - Fragments
PDF
Fundamental of android
PDF
Working better together designers &amp; developers
PPTX
Session #8 adding magic to your app
PPTX
Management Innovation
PPTX
Workshop Android for Java Developers
PDF
Lecture 06. iOS Programming. Основи Objective-C
PDF
Android Development Workshop
PDF
Workshop on How to crack interview
PDF
Lecture 08 Xamarin
PPTX
Android design lecture #1
PPTX
Android development session 6 - Google Maps v2
PDF
Workshop on android ui
App indexing api
Workshop on Search Engine Optimization
Project Analysis - How to Start Project Develoment
Workhsop on Logic Building for Programming
Lecture 04. Mobile App Design
Android development session 3 - layout
Android Udacity Study group 1
Android development session 4 - Fragments
Fundamental of android
Working better together designers &amp; developers
Session #8 adding magic to your app
Management Innovation
Workshop Android for Java Developers
Lecture 06. iOS Programming. Основи Objective-C
Android Development Workshop
Workshop on How to crack interview
Lecture 08 Xamarin
Android design lecture #1
Android development session 6 - Google Maps v2
Workshop on android ui
Ad

Similar to Optimizing Apps for Better Performance (20)

PPTX
Android performance
PDF
Profiling tools and Android Performance patterns
PDF
Characterizing and detecting performance bugs for smartphone applications
PPTX
Optimisation and performance in Android
PDF
Pref Presentation (2)
PDF
Unblocking The Main Thread_ Solving ANRs and Frozen Frames.pdf
PDF
Unblocking The Main Thread Solving ANRs and Frozen Frames
PPTX
Android app performance
PDF
Unblocking The Main Thread - Solving ANRs and Frozen Frames
PPTX
Android performance
PDF
High Performance Android Apps Improve Ratings with Speed Optimizations and Te...
PDF
performance optimization: UI
PDF
Power optimization for Android apps
PDF
Android Best Practices - Thoughts from the Trenches
PDF
Performance optimization for Android
PDF
Vulnerabilities and Bugs in Mobile Apps with Quick Tours
PPTX
Android Performance Best Practices
PDF
Thinking cpu & memory - DroidCon Paris 18 june 2013
PPTX
Android Mobile Application Testing: Specific Functional, Performance, Device ...
PDF
Mobile Saturday. Тема 2. Особенности тестирования приложения на Android: Spec...
Android performance
Profiling tools and Android Performance patterns
Characterizing and detecting performance bugs for smartphone applications
Optimisation and performance in Android
Pref Presentation (2)
Unblocking The Main Thread_ Solving ANRs and Frozen Frames.pdf
Unblocking The Main Thread Solving ANRs and Frozen Frames
Android app performance
Unblocking The Main Thread - Solving ANRs and Frozen Frames
Android performance
High Performance Android Apps Improve Ratings with Speed Optimizations and Te...
performance optimization: UI
Power optimization for Android apps
Android Best Practices - Thoughts from the Trenches
Performance optimization for Android
Vulnerabilities and Bugs in Mobile Apps with Quick Tours
Android Performance Best Practices
Thinking cpu & memory - DroidCon Paris 18 june 2013
Android Mobile Application Testing: Specific Functional, Performance, Device ...
Mobile Saturday. Тема 2. Особенности тестирования приложения на Android: Spec...

Recently uploaded (6)

PDF
6-UseCfgfhgfhgfhgfhgfhfhhaseActivity.pdf
PDF
heheheueueyeyeyegehehehhehshMedia-Literacy.pdf
PPTX
ASMS Telecommunication company Profile
DOC
证书学历UoA毕业证,澳大利亚中汇学院毕业证国外大学毕业证
DOC
Camb毕业证学历认证,格罗斯泰斯特主教大学毕业证仿冒文凭毕业证
PDF
Lesson 13- HEREDITY _ pedSAWEREGFVCXZDSASEWFigree.pdf
6-UseCfgfhgfhgfhgfhgfhfhhaseActivity.pdf
heheheueueyeyeyegehehehhehshMedia-Literacy.pdf
ASMS Telecommunication company Profile
证书学历UoA毕业证,澳大利亚中汇学院毕业证国外大学毕业证
Camb毕业证学历认证,格罗斯泰斯特主教大学毕业证仿冒文凭毕业证
Lesson 13- HEREDITY _ pedSAWEREGFVCXZDSASEWFigree.pdf

Optimizing Apps for Better Performance

  • 1. Optimizing Apps for Better Performance Elif Boncuk Software Specialist @ Garanti Teknoloji
  • 2. #dfist Who am I? ➢Hacettepe - Computer Engineering (2006 - 2011) ➢Garanti Technology - Mobile Applications Team (2011- ) ➢MBA Student @BAU (2014 - ) ➢Blogger (2010 - ) ➢Photographer @elifbon_ +ElifBoncuk www.elifboncuk.wordpress.com
  • 9. #dfist Overdraw ➢Overdraw is a term used to describe how many times a pixel on the screen has been redrawn in a single frame. Udacity: Android Performance
  • 10. #dfist Overdraw... 1. On your mobile device, go to Settings and tapDeveloper Options. 2. In the Hardware accelerated rendering section, select Debug GPU Overdraw. 3. In the Debug GPU overdraw popup, select Show overdraw areas. 4. Don't panic as your screen turns into a delirium of colors. The coloring is provided to help you diagnose your app's display behavior. http://developer.android.com/
  • 11. #dfist Overdraw… 5. The colors are hinting at the amount of overdraw on your screen for each pixel, as follows: True color: No overdraw Blue: Overdrawn once Green: Overdrawn twice Pink: Overdrawn three times Red: Overdrawn four or more times http://developer.android.com/
  • 12. #dfist Overdraw… How? ➢Eliminate unneeded backgrounds and drawables ➢Define areas will hide portions of view Best Practices: ➢getWindow().setBackgroundDrawable(null ➢android:background:”@null” http://developer.android.com/
  • 13. #dfist Clipping ➢Clipping is an optimisation which can be defined as Android framework knows overdraw is a problem and will go out of its way to avoid drawing UI widgets that may be invisible in the final image. ➢Canvas.quickReject() ➢Canvas.clipRect() DRAWABLE ZONE Canvas.clipRect() 20dp 20dp 20dp 20dp Udacity: Android Performance
  • 16. #dfist Hierarchy Viewer Bird's-eye view Tree Overview Tree View View Properties Nodes http://developer.android.com/
  • 17. #dfist Hierarchy Viewer Each view in your subtree gets three dots, which can be green, yellow, or red. The left dot represents the Draw Process of the rendering pipeline. The middle dot represents the Layout Phase. The right dot represents the Execute Phase. http://developer.android.com/
  • 18. #dfist Hierarchy Viewer The color of the dots indicates the relative performance of this node in respect to all other profiled nodes. Green means the view renders faster than at least half of the other views. Yellow means the view renders faster than the bottom half of the other views. Red means the view is among the slowest half of views. http://developer.android.com/
  • 20. #dfist Profiling with Traceview ➢Traceview is a graphical viewer for execution logs that you create by using the Debug class to log tracing information in your code. Traceview can help you debug your application and profile its performance.
  • 22. #dfist Batching and Caching TARGET ARRAY TARGET VALUES Look at all that overhead! Udacity: Android Performance
  • 23. #dfist Blocking the UI Thread Udacity: Android Performance
  • 24. #dfist How to Solve? Android's single thread model: 1. Do not block the UI thread 2. Do not access the Android UI toolkit from outside the UI thread Udacity: Android Performance
  • 25. #dfist How to Solve? public void onClick(View v) { new Thread(new Runnable() { public void run() { final Bitmap bitmap = loadImageFromNetwork("http://example.com/image.png") ; mImageView.post(new Runnable() { public void run() { mImageView.setImageBitmap(bitmap); } }); } }).start(); } public void onClick(View v) { new Thread(new Runnable() { public void run() { Bitmap b = loadImageFromNetwork("http://example.com/image.p ng"); mImageView.setImageBitmap(b); } }).start(); }
  • 26. #dfist How to Solve? public void onClick(View v) { new DownloadImageTask().execute("http://example.com/image.png"); } private class DownloadImageTask extends AsyncTask<String, Void, Bitmap> { /** The system calls this to perform work in a worker thread and * delivers it the parameters given to AsyncTask.execute() */ protected Bitmap doInBackground(String... urls) { return loadImageFromNetwork(urls[0]); } /** The system calls this to perform work in the UI thread and delivers * the result from doInBackground() */ protected void onPostExecute(Bitmap result) { mImageView.setImageBitmap(result); } }
  • 27. #dfist Analyzing UI Performance with Systrace ➢The Systrace tool allows you to collect and inspect timing information across an entire Android device, which is called a trace. Trace.beginSection("Data Structures"); // TODO: Trace.endSection();
  • 28. #dfist Analyzing UI Performance with Systrace Bad Performance Example http://developer.android.com/
  • 29. #dfist Analyzing UI Performance with Systrace http://developer.android.com/
  • 30. #dfist Memory Basic Principles of Garbage Collection: ➢Find data objects in a program that cannot be accesed in the future. ➢Reclaim the resources used by those objects. Udacity: Android Performance
  • 31. #dfist Memory Monitor Memory Monitor reports in real-time how your app allocates memory. ➢ Showing available and used memory in a graph, and garbage collection events over time. ➢ Quickly testing whether app slowness might be related to excessive garbage collection events. ➢ Quickly testing whether app crashes may be related to running out of memory. Dark blue: Amount of memory that your app is currently using. Light blue: Available, unallocated memory.
  • 33. #dfist Heap Viewer Heap Viewer reports in real-time what types of objects your application has allocated, how many, and their sizes on the heap. ➢ Getting a sense of how your app allocates and frees memory. ➢ Identifying memory leaks. ➢ 5.0+ http://developer.android.com/
  • 35. #dfist Allocation Tracker Allocation Tracker records an app's memory allocations and lists all allocated objects for the profiling cycle with their call stack, size, and allocating code. ➢Identifying where many similar object types, from roughly the same call stack, are allocated and deallocated over a very short period of time. ➢Finding the places in your code that may contribute to inefficient memory use. http://developer.android.com/
  • 37. #dfist Batterystats & Battery Historian Batterystats collects battery data from your device, and Battery Historian converts that data into an HTML visualization that you can view in your Browser. ➢Showing you where and how processes are drawing current from the battery. ➢Identifying tasks in your app that could be deferred or even removed to improve battery life. ➢5.0+
  • 38. #dfist Batterystats & Battery Historian http://developer.android.com/
  • 39. #dfist Batterystats & Battery Historian battery_level: When the battery level was recorded and logged. top: The application running at the top. wifi_running: Shows that the Wi-Fi network connection was active. screen: Screen is turned on. phone_in_call: Recorded when the phone is in a call. wake_lock: App wakes up, grabs a lock, does small work, then goes back to sleep. running: Shows when the CPU is awake. Check whether it is awake and asleep when you expect it to be. wake_reason: The last thing that caused the kernel to wake up. If it's your app, determine whether it was necessary. mobile_radio: Shows when the radio was on. Starting the radio is battery expensive. Many narrow bars close to each other can indicate opportunities for batching and other optimizations. gps: Indicates when the GPS was on. Make sure this is what you expect. sync: Shows when an app was syncing with a backend.
  • 40. #dfist Batterystats & Battery Historian Battery History: A time series of power-relevant events, such as screen, Wi-Fi, and app launch. These are also visible through Battery Historian. Per-PID Stats: How long each process ran. Statistics since last charge: System-wide statistics, such as cell signal levels and screen brightness. Provides an overall picture of what's happening with the device. This information is especially useful to make sure no external events are affecting your experiment. Estimated power use (mAh) by UID and peripheral: This is currently an extremely rough estimate and should not be considered experiment data. Per-app mobile ms per packet: Radio-awake-time divided by packets sent. An efficient app will transfer all its traffic in batches, so the lower this number the better. All partial wake locks: All app-held wakelocks, by aggregate duration and count.
  • 41. #dfist Batterystats & Battery Historian Udacity: Android Performance
  • 43. #dfist JobScheduler private void pollServer() { mWakeLockMsg.setText("Polling the server! This day sure went by fast."); for (int i=0; i<10; i++) { mWakeLock.acquire(); mWakeLockMsg.append("Connection attempt, take " + i + ":n"); mWakeLockMsg.append(getString(R.string.wakelock_acquired)); // Always check that the network is available before trying to connect. You don't want // to break things and embarrass yourself. if (isNetworkConnected()) { new SimpleDownloadTask().execute(); } else { mWakeLockMsg.append("No connection on job " + i + "; SAD FACE"); } } } @Override protected void onPostExecute(String result) { mWakeLockMsg.append("n" + result + "n"); releaseWakeLock(); }
  • 44. #dfist JobScheduler mServiceComponent = new ComponentName(this, MyJobService.class); @Override public boolean onStartJob(JobParameters params) { Log.i(LOG_TAG, "Totally and completely working on job " + params.getJobId()); // First, check the network, and then attempt to connect. if (isNetworkConnected()) { new SimpleDownloadTask() .execute(params); return true; } else { Log.i(LOG_TAG, "No connection on job " + params.getJobId() + "; sad face"); } return false; } public void pollServer() { JobScheduler scheduler = (JobScheduler) getSystemService(Context.JOB_SCHEDULER_SERVICE); for (int i=0; i<10; i++) { JobInfo jobInfo = new JobInfo.Builder(i, mServiceComponent) .setMinimumLatency(5000) // 5 seconds .setOverrideDeadline(60000) // 60 seconds (for brevity in the sample) .setRequiredNetworkType(JobInfo.NETWORK_TYPE_ANY) // WiFi or data connections .build(); mWakeLockMsg.append("Scheduling job " + i + "!n"); scheduler.schedule(jobInfo); } }
  • 45. #dfist Hunter S. Thompson “Life should not be a journey to the grave with the intention of arriving safely in a pretty and well preserved body, but rather to skid in broadside in a cloud of smoke, throughly used up, totally worn out, and loudly proclaiming “Wow! What a ride!””