Author Archives: Wijnand
Google I/O keynote 2018
Pre-keynote game: g.co/worlddraw
10.00 Sundar Pichai
Recap of 2017 and looking ahead.
Opening of Google AI centres around the world. Keeping on developing machine learning and AI:
- Publishing a paper on medical use of machine learning later in the day.
- GBoard morse code available later today too.
- Introducing GMail “smart compose”, rolling out this month.
- Photos: “Suggested actions.”
- Using T(ensor) PU 3.0, 8x more powerful than 2.0 from last year.
- Wavenet: adding 6 new voices.
10.30 Scott Huffman – Google Assistant
Google Assistant on over 500M devices. Supports 30 languages. The aim to get more natural conversations.
- No need to say “Hey Google” with every query: Continued conversation.
- Multiple actions.
- Improving family experience: Pretty please.
10.35 Lilian Rincon
Visual conversation with Google Assistant.
- Smart displays
- Food pick-up & delivery
- Assistant in Navigation in Google Maps.
10.40 Sundar Pichai
AI to help set up a booking system, e.g. making an hair appointment. Google Assistant will call an actual salon and make the appointment for you. Google Duplex.
Working hard to give users back time.
Android Dashboard: Show you where (which app) you spend your time.
New Google news.
10.50 Trystan Upstill – Google News
Keep up with the news you care about
- Briefing: top stories for you. The more you use it, the better it gets.
- Switch to “headlines” for news from around the globe.
- Google Material Theme.
- Newscasts
Understand the full story
- Full coverage: Using temporal co-locality. Everyone has access to the same information. Using trusted resources.
Enjoy and support the sources you love.
- Newsstand
- Subscribe with Google: Access paid content everywhere. Rolling out in the coming weeks.
Rolling out Google News on Android this week.
11.00 Dave Burke – Android
Ten years since the first Android phone.
Android P
- AI at the core of the OS
- Intelligence
- Adaptive battery
- Adaptive brightness
- App Actions: actions.xml
- Slices
- Simplicity
- M(achine) L(earning) Kit in FireBase: cross-platform.
- Navigation update.
- Simplified volume control
- Rotation: New rotation button on tab bar.
- Digital wellbeing – Sameer Samat
- Dashboard
- App Timer: Set time limits on apps.
- Do Not Disturb improvements: Hide notifications.
- Shush: Turn over phone to enter DND
- Starred contacts
- Wind Down
- Intelligence
Android P Beta available today: android.com/beta.
11.20 Jen Fitzpatrick – Google Maps
- ML to extract new addresses from Street View + satellite images.
- New tab: “For you”, personal recommendations.
- “Your match” score: ML to help analyse your ratings and comparing to the new recommended place.
- Create a shortlist.
11.30 Aparna Chennapraganda – AI in camera
Walking navigation AR using VPS: Visual Positioning System.
Google Lens
- Recognise images.
- Integrated directly into the camera app.
- 3 new features:
- Smart text selections: Recognise words
- Style match
- Real-time results
11.40 John Krafcik – Waymo
Fully self-driving cars. Driverless transportation service, starting in Phoenix, AZ this year.
Mission: Building a better driver.
Dmitri Dolgov
Explaining where AI can help self-driving cars. Using TensorFlow and TPUs to train neural networks.
- Perception: Using deepnet (ML) to classify objects.
- Prediction: Behaviour prediction, e.g. a car running a red light.
- Learn new skills: Apply a filter to drive in snow.
11.50 Jen Fitzpatrick
Closing notes:
Keep building good things (for everyone).
Separating Domain Model and Application Model
Let’s take a simple retail app as an example. The app has the following (partial) domain model:
It can be quite tempting to use a domain model as an application model (as in the “M” in MVC). Your application obviously needs to use the data presented in the domain model. At first, it may seem logical to access this data directly, e.g. for showing a product name on a product details page. There are several problems with this approach though.
The domain model may be too verbose for your application’s needs. Let’s say you don’t care about the image details, but only want the URL. The app may also want to check to see if a product has an image associated with it before trying to display it. To solve this, the Product
and Image
objects above can be combined into one, like below.
Another benefit is that you keep things DRY. The validation logic is not repeated in various classes (think different Presenters in the MVP pattern).
To facilitate the conversion from domain model to app model, you could introduce a converter class. Something like the below.
- public class ModelConverter {
- public AppProduct convertProduct(DomainProduct product) {
- // Imagine a nice implementation here...
- return appProduct;
- }
- }
During conversion you can also do some more data validation to make sure your app doesn’t break when back-end data is incomplete. In this example, for instance, you shouldn’t rely on the image
always being populated in the Product
object.
All in all, separating your domain model from your application model will help you build a more stable app, trim data floating around and reduce code duplication (by centralising data validation).
Certificate pinning with OkHttp
A while back I wrote about “Using SSL right on Android“. If you are using OkHttp and/or Retrofit, this should be quite simple to implement. You can use the CertificatePinner class when building your OkHttpClient instance.
Example:
- CertificatePinner certificatePinner = new CertificatePinner.Builder()
- .add("example.com", "your_pin")
- .build();
- new OkHttpClient.Builder()
- .certificatePinner(certificatePinner)
- .build();
More details about HTTPS and certificate pinning with OkHttp can be found on their Wiki, as well as a full example.
DroidCon UK 2015 day 2
9.00 Keynote – Android for Java Developers
Speaker: Chet Haase
Or “Avoiding the Tragedy of the Commons”.
Ten articles on medium.com with tips for developing Android apps when coming from a Java backend background. First in the series: “Developing for Android: Introduction“.
Allocations, Android performance workshops.
“… dive deep into graphics and UI performance topics.”
IntDef
“Denotes that the annotated element of integer type, represents a logical type and that its value should be one of the explicitly named constants.”
Alternative for enums.
10.00 Staying alive, online and offline
Speaker: Erik Hellman
Tips about handling offline in your app.
Slides will be posted online later.
11.00 Beautiful Typography on Android
Speaker Lisa Wray
Video: YouTube
Fontbinding
A full example of custom fonts in XML using data binding and including font caching.
Use spans, when using HTML text consider replacing default spans with your own.
Audience suggestion: Java Ropes.
“A rope is a high performance replacement for Strings.”
12.00 Prototyping your Android app, the (U)X-factor
Speaker: Wiebe Elsinga
Video: YouTube
Prototype definition: Visualisation of an idea.
Uses of prototypes
- Raise new questions OR answer existing ones.
- Explore alternatives.
- Fail early and cheaply.
“Fake it until you make it.”
Who will make the prototype? Create it with the whole team.
Good prototypes are Quick, Cheap, Minimal and Testable.
How to create a prototype?
1. Plan
- Define user stories (1 or 2 sentences each).
- Identify tasks.
- Create user flow diagram.
- Sketch rough interface screens.
2. Build
- Using UI stencils or
- Showing paper or
- Templates (Sketch, Adobe Illustrator, etc) or
- In the cloud (Marvel app) or
- With motion
3. Test
- Several prototypes
- Choose the right users
4. Refine
- Discuss results
- Integrate findings
5. Repeat.
13.45 Meaningful motion
Speakers: Nick Butcher and Benjamin Weiss
View Property Animator
Simple animations, since API 16. Use ViewCompat for backward compatibility.
- someView.animate().alpha(1f)
ObjectAnimator
Animate all the things, since Honeycomb. Choreographed animations.
When no getter/setter exist, use the Property class.
For colors, set the evaluator to ArgbEvaluator.
Interpolators
Easing in and out.
- AnimationUtils.loadInterpolator()
Circular reveal
- Animator reveal = ViewAnimationsUtils.createCircularReveal();
Transitions
Move from scene A to scene B.
Transition and TransitionManager classes.
- ChangeBounds: Animate size and position of an object.
- Fade
- AutoTransition: Fade in, ChangeBound and Fade out.
Window content transitions
Entering and exiting (Activities).
- Slide
- Explode
Can be added programmatically or declared in XML.
- Bundle bundle = ActivityOptionsCompat.makeScenTransitionAnimation().toBumdle();
- ActivityCompat.startActivity(... bundle);
Use android:transitionGroup=”true” to treat the View as a single animation target.
Shared element transitions
Since Lollipop, use AppCompat.
Animated Vector Drawables
“This class uses ObjectAnimator and AnimatorSet to animate the properties of a VectorDrawable to create an animated drawable.”
https://developer.android.com/reference/android/graphics/drawable/AnimatedVectorDrawable.html
Sample Apps
14.45 Physics UI
Speakers: Filipe Abrantes and Will Bailey
Slides: https://github.com/fabrantes/physicsui
Help making animations consistent.
Rebound
“Rebound is a java library that models spring dynamics. Rebound spring models can be used to create animations that feel natural by introducing real world physics to your application.”
An interesting paper from Microsoft “The Magic of UI Physics“.
15.45 Microservices is our BFF: why SoundCloud stopped using its own public API for its mobile clients
Speaker: Duana Stanley
Public API development is slowed down because it needs consensus. Some parts of a private API are not needed or wanted in the public API. A public API needs to be future-proof.
To overcome the issue create a “presentation” API, which is another layer. Break API up in micro services.
The result was BFF: Backend For Frontend. Provide a framework to make it like “scripting”.
“App+backend together build better APIs”
16.45 Make Believe
Speaker: Shanee Nishry
VR Hardware
- Morpheus – Sony
- Oculus Rift – Facebook
- GearVR – Samsung
- Vive – Valve
- Etc…
Cardboard devices as cheap alternative.
Loads of interesting peripherals.
Own section for Cardboard in the Google Playstore.
How does VR work?
- Visual immersion
- Tracking
- Input (Interaction)
Challenges in VR
- Latency and performance.
- Tracking.
- Comfort and design.
Technical requirements
- High resolution.
- Wide field of view.
- No motion blur.
- Low motion-to-photon latency.
- Stable high frame rate, 90, 120+.
Vulkan: Low overhead graphics and compute API.
Beware of people’s real-life fears, think about vertigo, claustrophobia, etc.
Project Tango: “Project Tango technology gives a mobile device the ability to navigate the physical world similar to how we do as humans.”
- Motion tracking
- Depth perception
- Area learning
Other
Facebook Infer: “A static analyzer for Java, C and Objective-C”.
DroidCon UK 2015 day 1
9.00 Keynote: The long road
Speaker: Sandro Mancuso
Inspirational talk about how to find the job that will be the next step in your career.
Your personal career goals can be very different from a career within a company.
10.30 RxJava – Get Reactive
Speakers: Pascal Welsch and Wolfram Rittmeyer
RxJava
Beware of backpressure (items emitted too fast) discussed on Wiki as well. Possible solutions:
- Throttle
- Buffer
- Request(n) upstream items
Testing: Use TestSubscriber.
RxAndroid
RxJava bindings for Android.
RxBinding
RxJava binding APIs for Android’s UI widgets.
Type and make network request handling, i.e. type and search. Add the following:
- .throttleLast(100, MS) – Emit the most recent items emitted by an Observable within periodic time intervals.
- .debounce(200, MS) – Only emit an item from the source Observable after a particular timespan has passed without the Observable emitting any other items.
- .onBackPressureLatest() – Is there are still too many, take latest input.
RxLifecycle
Lifecycle handling APIs for Android apps using RxJava.
Other recommendations
- Mosby – A Model-View-Presenter library for modern Android apps.
- Nucleus – Nucleus is a simple Android library, which utilizes the Model-View-Presenter pattern to properly connect background tasks with visual parts of an application.
11.30 Gradle (performance)
Speaker: Etienne Studer
Gradle is more than just building. It can also be used for releasing, documentation, etc.
- gradle build --rerun-tasks
Rerun tasks even if they are up to date.
Performance improvements:
- Incremental build feature. Define inputs and outputs for custom tasks.
- Continuous build feature, faster compilation.
- gradle test -t
(Relies on inputs and outputs being defined.)
MOOC: Gradle for Android and Java.
12.30 Land’s End: Creating the flagship mobile VR adventure
Speaker: Peter Pashley
Getting started: Install Unity! and the Oculus SDK.
Nausea
- Frame rate
- Texture
- Don’t highlight lack of positional tracking (Don’t put objects close to user so they won’t try to step / look around it.)
- Acceleration is bad!
Input
- Gamepad (Reminds user of the world they are not in.)
- Gear VR
- “Gaze” (Look points)
Things that didn’t work
- Moving things on rails or predefined paths. Limits the user’s freedom.
- Buttons. Too easy, too little player reward.
- Unconstrained exploration. Take a wrong route, takes a long time to get back.
- Path hinting. Focus becomes on following the path and not exploring.
- Levitating huge objects. Obstructs points of reference and makes players motion sick.
Lookpoints
- Focussing, aim and hold.
- Motion, knowing where you’re going to stop moving.
- Placement, not too many near each other.
14.15 ClassyShark Attack
Speaker: Boris Farber
Fast decompiling/debugging for Android APKs.
Ctrl + s – Save Java file.
Supports 5 binary formats
- Jar
- Dex
- APK
- Manifest
- Java class
Project site: https://github.com/googlesamples/android-classyshark
15.15 $N tips for building better apps.
Speaker: Wojtek Kalicinski
Stop running your code
Don’t cram too much into Application.onCreate(). ContentProviders and BroadcastReceivers can cause the method to be invoked.
Solutions:
- Defer work, lazy load.
- Stop Services.
- Disable BroadcastReceivers.
Permissions
- Use ContentProviders to share files and/or get rid of permissions.
- Use Intents to get rid of even more.
- Runtime permissions. <uses-permission-sdk23>
- AccountPicker.newChooseAccountIntent()
Low memory devices
ActivityManager.isLowRamDevice(), available in M, use
- android:extractNativeLibs="false"
Native library cannot be compressed and need to be zipaligned (zipalign -p). Write a small bash script to repackage .so when APK is built.
Accessibility
Accessibility is important, you get a bonus for it.
- Settings > Accessibility -> Talkback
- Add android:contentDescription tags. Set it to something meaningful. (For decorative elements, set to @null.)
- onTouchListener, don’t insert click logic, use View.performClick()
Bonus: No extra work when integrating with the accessibility assistent.
16.15 Democamp Community Demos
- Lumi Social News – Tinder for news.
- SendTo – Send messages, text, links, etc to your own devices.
- Myntra – Fashion / Shopping app. Preloading content for fast user experience.
- Infinity Loop – Game
- Sharp SVG lib
- Lunchbreak (Belgium only) – Order lunch online
- UI testing in your browser – ??
- Frisbee GDG – All GDG content in one place.
17.15 Keynote: Managing Expectations: A Manager’s Guide for Managing to Manage Unmanageable Teams Manageably
Speaker: Chet Haase
Hilarious talk about management.
Other
- Lands of Ruin – Lands of Ruin is a tabletop game where tablets replace classic rulebooks, character cards, stat sheets, and pen-and-paper calculations.
- Land’s End – Mobile VR game.
- Vysor – Lets you view and control your Android on your computer. Easy peasy.
Using SSL right on Android
General information
There is no out of the box solution from Google to use stronger encryption for the communication between your Android client and a server.
Google provides some information on how to use SSL on the Android developer website titled “Security with HTTPS and SSL“. This site contains two warnings you should not forget.
- Do not use a TrustManager that does nothing.
- Replacing the HostnameVerifier can be very dangerous.
A reason to use a TrustManager that does nothing could be for local or Alpha testing where you don’t have a valid SSL certificate on the server. Another could be to give QA the option to debug network traffic. If for some reason you do use a TrustManager that does nothing, make sure this implementation can never make it to a production version of the application. One way to do that is only include the empty TrustManager in one of the (testing) application flavors.
If you do want to use a custom HostnameVerifier, use composition to reuse the system’s default HostnameVerifier. This way you can add your own verification and still benefit from the default verification. You should apply the same when building your own TrustManager, that way your validation is never worse than the default system validation.
Pinning certificates
One way to make the encryption stronger is by using pinned certificates. This will help your application protect itself from fraudulently issued certificates. I will explore two ways of pinning a certificate. One is including the actual certificate, the other is to use SPKI or Subject Public Key Info.
Getting the server certificate
Before getting started with either method for pinning a certificate, you need to get hold of the server certificate. The easiest way to optain that would be to ask your system administrator. If that is not possible, you could use OpenSSL or FireFox to just save it from the browser. For more details, see “How to save a remote server SSL certificate locally as a file” on SuperUser.com.
Including the certificate
Start by including the certificate file (as raw resource) in your APK.
After this, implement your own TrustManager that uses the following pseudo-code to analyse the received certificate.
Get the key from the bundled certificate.
- FileInputStream fis = new FileInputStream("path_to_pem");
- CertificateFactory cf = CertificateFactory.getInstance("X.509");
- java.security.cert.Certificate c = cf.generateCertificate(fis);
- System.out.println(c.toString());
- // will get you the public key object you can compare against.
- RSAPublicKey pk = (RSAPublicKey) c.getPublicKey();
- System.out.println(pk.toString());
- String s = new BigInteger(1, pk.getEncoded()).toString(16);
- System.out.println(s);
Get the server key.
- // that gets the public key provided by the server out of the chain.
- RSAPublicKey pubkey = (RSAPublicKey) chain[0].getPublicKey();
Compare the two keys.
- // Where pk is the one loaded from your app file space.
- pubkey.equals(pk);
SPKI
An alternative approach to bundling the certificate with your application is to use the Subject Public Key Info method. This will just store the certificate’s fingerprint instead of a whole file.
To generate the fingerprint for your certificate, follow the instructions in “Appendix A” of the “Public Key Pinning Extension for HTTP” document, example:
- openssl x509 -noout -in certificate.pem -pubkey | \
- openssl asn1parse -noout -inform pem -out public.key
- openssl dgst -sha256 -binary public.key | openssl enc -base64
You can calculate the same fingerprint in Java using the snippet below:
- // Assume the 'certificate' is a X509Certificate.
- MessageDigest digest = MessageDigest.getInstance("SHA-256");
- byte[] encodedKey = certificate.getPublicKey().getEncoded();
- byte[] hash = digest.digest(encodedKey);
- String fingerprint = Base64.encodeToString(hash, Base64.NO_WRAP);
Notes
SSL certificates can be invalidated for various reasons (they expire, get compromised, etc). Because of this you should consider showing a message to the user when pinning a certificate fails.
To avoid your app breaking when a certificate gets invalidated, you can keep a list of valid public keys. Start with the first in the list, if that doesn’t work fall back to the next public key in the list.
Update or change a certificate before the previous one expires. Unless the certificate is compromised, the public key will most likely stay the same. (If you use the same private key/CSR.)
Droidcon UK – day 2
9.00 What’s new in Android
Company: Google, Speaker: Chet Haase
New Nexus 6 and 9 devices. Android Studio 1.0 Beta.
Material design: Tangible surface, easy ways of branding, meaningful motion, adaptive design. Also see the design documentation.
UI toolkit: New theme (material), theme colours (all assets are greyscale and can be tinted), dynamic colors (pallet API). New (material) widgets: RecyclerView, (Stacker)GridView, CardView.
Graphics: Real-time shadows relative to light source (60fps), outlines for Views. Render thread.
Material animations: Activity and Fragment transitions. Animation curves. Animated reveal. Animated vector Drawable.
System changes: Document-centric apps, new (material) Notifications, heads-up Notifications. Notifications on lock-screen.
Media: OpenGL ES 3.0, Android extension pack, Camera & Audio: raw input, MediaSession, MediaBrowser.
ART is now the runtime for L.
Project Volta: optimising battery usage. New service: BatteryStats. Use Historian (on Github) to analyse results.
10.00 Papercraft
Company: Google, Speakers: Chris Banes, Nick Butcher, Slides on G+.
Reasons behind Material Design:
- Providing a coherent cross-platform experience.
- A more flexible design system for Android.
- A rational approach to visual, interaction and motion design.
Tangible surfaces
UI as digital paper. Adding z-depth, signifying UI element importance.
Z = Elevation + TranslationZ.
New “stateListAnimator” XML-attribute.
Extend the ViewOutlineProvider class to create any clipping.
Print-like design
Refined typography, using typography to provide the app structure. Typographic scale provides the standard scales.
There is a new TextAppearance.AppCompat style.
Using bold colours, take the brand colour and use the complementary as accent.
Styling using:
- colorPrimary
- colorPrimaryDark
- colorAccent
Theme.AppCompat provides the tinting as well (API 7+).
Content can provide colours. To generate the colours, use the Palette class:
- Palette.generate(bitmap)
The palette generation takes roughly 30ms, so run it on a separate thread.
Meaningful motion
To enable Activity transitions, add “android:windowContentTranstion” attribute to your theme. Next, Define a shared element. And finally, start the Activity.
Asymmetric motion, user initiates motion. To create this, use the RippleDrawable (“ripple” XML-tag).
Circular Reveal, use ViewAminationUtils.createCircularReveal(…).
Adaptive design
Making apps looks good on various screen sizes.
Think in Keylines, Increments, blocks.
New more flexible Toolbar (based off Actionbar).
Add “Toolbar” XML-tag in your layouts. Also available in AppCompat.
12.00 How to Build a One Man Band
Speaker: Nicoll Hunt
You’ll need: Time, money, skillz.
Stop wasting time on unrelated things. Use self-funding and/or crowd funding (like kickstarter). Work with your limitations, accept them, don’t try to fight them. Learn to deal with criticism.
13.45 Graphical Magic – Styling Android
Speaker: Mark Allison, Blog: blog.stylingandroid.com
Increasing performance by reducing GPU overdraw. Turn “GPU Overdraw” on in device developer settings to see trouble areas. Flatten any Views with transparent backgrounds. Hook into the “onPreDraw” method.
Use the ColorMatrix class to manipulate colour information. Use a paint Shader to apply effects on text, the same way you can create outlines (a.k.a image masks).
Applying blur effects with RenderScript. To avoid artefacts, add a margin and crop it off later.
Don’t forget to recycle() any temp Bitmaps.
14.35 Rx-Fy all the things!
Company: Novoda, Speaker: Benjamin Augustin
Reactive Extensions Java project: RxJava on Github.
Important Operators/methods to remember:
- map
- flatMap
- onErrorResumeNext()
To perform multiple operations / create a pipeline, chain multiple of the above Operators.
Novoda working on a set of RxJava tools for Android.
RxAndroid – Collection of tools for Android created by SoundCloud.
For a quick intro into RxJava, have a look at the RxJava workshop in the Novoda workshops repo.
15.45 “Project Volta”
Or “Getting By With Less Than 1.21 Gigawatts”
Company: Commonsware, Speaker: Mark Murphy
Discussing the new JobScheduler class. All slides can be found at commonsware.com/presos/droidconUK2014.
BatteryHistorian is a python script hosted on the Google Github.
16.35 Deep Dive into the Gradle-based Android Build System
Company: Gradleware, Speaker: Etienne Studer
The Gradle DSL configuration is mapped to the AppExtension object.
When creating your own tasks, make sure to define inputs and outputs so the task can be skipped when there is no change.
Enable Gradle daemon on your local machine to cut down VM warm-up times.
17.30 Closing Ceremony
Droidcon UK – Day 1
9.00 Barcamp planning
Getting all sessions in for the day’s talks. At the end of the day there will also be an “Appcamp” to demo applications to the audience.
10.30 AIDE – Android Wear app with AIDE
Company: appfour GmbH, Speakers: Hans Kratz, Dr. Dennis Strein, Website: www.android-ide.com.
AIDE = Android Integrated Development Environment.
Applications that are “Wear enabled” contain the Wear APK inside the phone APK.
AIDE uses Gradle to package Wear. To enable Wear, add the following to your build dependencies:
- wearApp project(':wearable')
Google also has a lot of information on how to create wearable apps.
The presentation was followed by a live demo of how to use AIDE on a device.
11.10 Modern Testing Technologies
(or how to avoid getting murdered in your sleep by a death goblin.)
Speaker: Mr Death Goblin a.k.a. Zan Markan
Follow SOLID principles to increase your chances to catch a goblin.
Good tools for this include: Dagger (DI/IoC), Mockito (mocking), Calabash, Robotium, etc. Start using the tools before you write a single line of code.
When your project grows, allow for refactoring. Split up too big methods, classes, etc. The tests should be there to help you achieve that and keep things working.
Use CI tools, like Travis, to automatically test / build your project.
How to deal with legacy projects? Start by covering new features with tests. Cover any code related to bug fixing with tests. Little by little the coverage will get better and better.
12.05 TDD Coverage
Tools: GUnit (Unit tests), Robolectric, Mockito (Mocking), Emma (for coverage).
Performance testing with a monkey that visits every Activity, combine this with TraceView for profiling to measure memory usage, CPU, etc.
Testing the manifest: Use Robolectric to get a shadow application, fetch the package manager, check what service, receivers, etc are registered and verify that they exist.
12.45 Simple persistence with cupboard
Company: LittleRobots, Speaker: Hugo Visser, Project home: bitbucket.org/qbusict/cupboard
SQLite powered, using field names (from Models) to match columns. Simple usage example
- cupboard().withDatabase(db).put(person)
14.20 Calligraphy – Fonts in styling
Company: YoYo, Speaker: Chris Jenkins, Project home: github.com/chrisjenx/Calligraphy
Simplifying using custom fonts on Android.
Example usage:
- <TextView ... fontPath="fonts/your_font.ttf">
15.55 Y U No craftsman!?
Company: Novoda, Speakers: Paul Blundell and Xavi Rieau
Ways to create better code / be a better craftsman.
Pair programming, best coding practices, code reviews. Care about CI, show build status (i.e. on a big screen in the office). Run static analysis reports. Test!
To make things more fun: CI Game (Jenkins plugin), creates a monthly leaderboard.
Use the latest tools with your work.
Be “agile”, build features the way they make sense. Believe in YAGNI (you ain’t gonna need it), don’t over-engineer.
Make your app awesome:
- Get off the main thread.
- Use Strict Mode (both in code and dev options).
- Use “GPU Profiling” (under dev options).
- Use “Show Overdraw”
- Polish the app. (Lots of tips in the Android docs.)
- Animate all the things.
- Listen to (user) feedback.
- Measure the data.
- Follow the guidelines.
- Add debug screen(s) for QA and yourself.
- Proper versioning.
- Hexagonal architecture.
16.30 Democamp
Showcasing the following applications
- SkyScanner
- DoneDeal
- VelociCaptor
- ???
- Clue
- See Speak
- Hey Order
- Islamic prayer times
- Kites
- Stay.com
- ???
- E-reader Open Source app
17.30 Practicing Practical Best Practices – for Software Development Practitioners
Company: Google, Speaker: Chet Haase – Process Methodologist
“Practices Make Perfection”
Traditional best practices: Code comments, Naming conventions, Simplicity, Portability. Continuous Integration, Testing, Process.
Laws of software quality:
- errors = (more code)^2 = e = mc^2
- The more bugs, the less quality.
The path to better quality software: higher quality, less bugs, fewer code.
Android reverse engineering
Often I am quite curious to see how an app is built and what tools the use under the hood. What libraries do they use, what clever tricks are used, etc, etc. Some companies will blog about this on their corporate site, others don’t. An easy way to figure things out is by reverse engineering the application.
Getting data off the phone
The first thing you need to do is get the application from your phone to your computer.
To do this, you can use the APK Extractor app.
“This application will extracts APK which is installed on android device and copy to SD card.”
From there it is a matter getting the data from the SD card. I normally just use adb pull. Have a look at the adb documentation for more details.
Decompiling
Once you have de application on your computer, there are various tools you can use to reverse engineer it.
The first step though, is to unpack the APK. Luckily this is really easy, as an APK is just a ZIP file. Extract it with your favorite ZIP-tool.
At this point all extracted data is mostly represented in binary form. Opening the AndroidManifest.xml for instance, won’t give you much information yet. This is where the various tools come in.
To “decode resources to nearly original form” you can use apktool. To decompile an application using apktool, run:
- apktool d name_of_apk.apk
For any additional options, have a look at the apktool documentation.
Decompiling using apktool will result in a new folder with the same name as the APK. This folder will contain all decoded data. If you open up the AndroidManifest.xml file from there, you’ll see it is now in a human-readable format. All code is decompiled to smali. Smali is disassembled code from the dex format used by Dalvik. It seems to follow the same package and class naming as the original Java code. If you want to learn more about smali, have a look at the links in the answer to “What’s the best way to learn Smali” on Stackoverflow.
If you don’t want to change any code and just want to learn about the application’s inner workings, you can make your life a little easier by using a combination of two other tools: dex2jar and jd-gui.
As the name says, dex2jar will convert a .dex file to a jar. This, again, is a fairly simple process. Running the command below will generate name_of_apk.jar.
- d2j-dex2jar name_of_apk.apk
To explore the jar, open it in JD GUI. The dex2jar process does not guarantee to be able to convert everything. Sometimes you will find conversion errors in the exported code. These are indicated by a line starting with “// ERROR //”, followed by the smali code.
Recompiling
After decompiling, you can make changes to the code, recompile the application and install it on your device.
Make any modifications you want to the code and recompile using
- apktool b folder_of_decoded_apk
Next, sign the new application. Google has great instructions on how to sign an application, so I won’t repeat that here.
To install the new application on your phone, run
- adb install -r name_of_apk.apk
You will have to uninstall the original version first before you can install your modified one. This is because the version you created is signed with a different certificate.
Word to the wise
Make sure you are not breaking any laws when using reverse engineering. In some countries it is legal, in others it is illegal.
When reverse engineering is legal in the country you live in, make sure the software’s (or application’s) Terms and Conditions don’t explicitly forbid you to reverse engineer.
Even when the above hurdles are overcome, make sure to not blatantly copy and paste someone else’s code.