SlideShare a Scribd company logo
Being More Productive with
Kotlin
Brandon Wever
Who am I?
• Mobile Developer at Atomic Robot
(Android/iOS)
• Graduated from NKU with Master’s in
Computer Science Dec 2016
• I like hoppy beer and spicy wings
What is Kotlin?
Kotlin is a statically typed programming language for the JVM,
Android, and for the browser
Kotlin has 100% interoperability with Java
Created by JetBrains for internal projects and open sourced in
2012
Motivation behind Kotlin
Kotlin is a pragmatic programming language for JVM and Android
that combines Object oriented and functional features and is
focused on interoperability, safety, clarity and tooling support
Kotlin works everywhere Java works
Big Companies Using Kotlin
What are Developers Saying?
“It’s really incredible how much we can pare down without sacrificing readability”
- Christina Lee, Pintrest
(https://youtu.be/xRDqDe4rxkM)
“A data point (for Android devs who are Kotlin-curious): @trello is happily using
@kotlin in production nowadays” - Dan Lew, Trello
(https://twitter.com/danlew42/status/809065097339564032)
“Kotlin makes writing math code almost as nice as C++. Properties and operator
overloading offers many possibilities for swizzling & slicing” - Romain Guy, Google
(https://twitter.com/romainguy/status/812454073232453632)
“Today with IntelliJ’s help I upgraded Rounds from Java to Kotlin. It took 12 hours
to go from 5395 lines of .java to 4924 lines of .kt” - Jesse Wilson, Square
(https://twitter.com/jessewilson/status/803122976321400834)
What I want this presentation to be
• I want you to consider trying Kotlin if you haven’t used it
• I want you to use Kotlin more if you have used it
• I want you to find out things Kotlin can do better
• I want you to find out better ways to do things in Kotlin
What I don’t want this presentation to be
• A religious war
Getting Started
After installing Kotlin, using a Intellij IDEA or Android Studio
with an existing Java project configuring Kotlin is as easy as
telling your IDE to Configure Kotlin
Bring up the action
On Mac: Cmd-Shift-A
On Windows: Ctrl-Shift-A
Begin typing “Configure Kotlin”
Getting Started
Getting Started
The easiest way to get started writing Kotlin is to convert Java
Code.
Luckily IntelliJ can do that for us as well.
Bring up the action menu and begin typing “Convert Java to
Kotlin”
Getting Started
Getting Started
Getting Started
Things I Really Like
1. Nullability as a Type
Java:

String str = "test";

str = null;

str.length(); <- BOOM NPE!
Kotlin:

var str: String = "test"

str = null <- Compiler error!
var str: String? = "test"

str = null

str?.length() <- Perfectly OK!
1. Nullability as a Type
Kotlin allows you to show when Objects can or cannot
be null with a ? following the type
Nullable:
var str: String?
Never Null:
var str: String
1. Nullability as a Type
This type safety turns NullPointerExceptions from
Runtime Exceptions and Crashes to Compiler errors
2. Safe Calls
var str: String? = "test"

str = null

str?.length() <- Why is this OK?

This call is considered “safe” the code following a ? will only
execute if the value is not null at the moment of execution
2. Safe Calls
Turns this Java Pattern:

if (outer.inner != null) {

if (outer.inner.deepInner != null) {

outer.inner.deepInner.doSomething();

}

}
Into this concise Kotlin code:

outer.inner?.deepInner?.doSomething()
3. Data Classes
Let’s make a simple Java Object for a server response

public class ServerResponse {



private String message;

private int statusCode;

private String body;



}
3. Data Classes
public class ServerResponse {



private String message;

private int statusCode;

private String body;



public String getMessage() {

return message;

}



public void setMessage(String message) {

this.message = message;

}



public int getStatusCode() {

return statusCode;

}



public void setStatusCode(int statusCode) {

this.statusCode = statusCode;

}



public String getBody() {

return body;

}



public void setBody(String body) {

this.body = body;

}

}
Now let’s add our getters and setters
3. Data Classes
public class ServerResponse {



private String message;

private int statusCode;

private String body;



public String getMessage() {

return message;

}



public void setMessage(String message) {

this.message = message;

}



public int getStatusCode() {

return statusCode;

}



public void setStatusCode(int statusCode) {

this.statusCode = statusCode;

}



public String getBody() {

return body;

}



public void setBody(String body) {

this.body = body;

}



@Override

public boolean equals(Object o) {

if (this == o) return true;

if (o == null || getClass() != o.getClass()) return false;



ServerResponse that = (ServerResponse) o;



if (statusCode != that.statusCode) return false;

if (message != null ? !message.equals(that.message) : that.message != null) return false;

return body != null ? body.equals(that.body) : that.body == null;



}



@Override

public int hashCode() {

int result = message != null ? message.hashCode() : 0;

result = 31 * result + statusCode;

result = 31 * result + (body != null ? body.hashCode() : 0);

return result;

}

}
How about .equals() and .hashCode()?
3. Data Classes
public class ServerResponse {



private String message;

private int statusCode;

private String body;



public ServerResponse(String message, int statusCode, String body) {

this.message = message;

this.statusCode = statusCode;

this.body = body;

}



public class ServerResponseBuilder {

private String message;

private int statusCode;

private String body;



public ServerResponseBuilder setMessage(String message) {

this.message = message;

return this;

}



public ServerResponseBuilder setStatusCode(int statusCode) {

this.statusCode = statusCode;

return this;

}



public ServerResponseBuilder setBody(String body) {

this.body = body;

return this;

}



public ServerResponse createServerResponse() {

return new ServerResponse(message, statusCode, body);

}

}



public String getMessage() {

return message;

}



public void setMessage(String message) {

this.message = message;

}



public int getStatusCode() {

return statusCode;

}



public void setStatusCode(int statusCode) {

this.statusCode = statusCode;

}



public String getBody() {

return body;

}



public void setBody(String body) {

this.body = body;

}



@Override

public boolean equals(Object o) {

if (this == o) return true;

if (o == null || getClass() != o.getClass()) return false;





ServerResponse that = (ServerResponse) o;



if (statusCode != that.statusCode) return false;

if (message != null ? !message.equals(that.message) : that.message != null) return false;

return body != null ? body.equals(that.body) : that.body == null;



}



@Override

public int hashCode() {

int result = message != null ? message.hashCode() : 0;

result = 31 * result + statusCode;

result = 31 * result + (body != null ? body.hashCode() : 0);

return result;

}



@Override

public String toString() {

return "ServerResponse{" +

"message='" + message + ''' +

", statusCode=" + statusCode +

", body='" + body + ''' +

'}';

}

}

How about a Builder just for fun?
3. Data Classes
Do we really need 90+ lines of code for a POJO with 3 properties?
What if we need to add more properties?
Other projects such as Google’s AutoValue will solve this with
annotations, but Kotlin has a built in type to help this all too
common problem
3. Data Classes
data class ServerResponse(var message: String?,

var statusCode: Int,

var body: String?) {
}
Yep, that’s it.
You get .hashCode(), .equals(), and .toString() for free, as well as
generated getters and setters from Java code
3. Data Classes - Proof!
https://gist.github.com/weverb2/9a4a7bccffe4d4b3bdd99f9153e1b00c
3. Data Classes
And what about the Builder?
We’ll see that next :D
4. Named and Default Params
Changing our data class to the following will allow some cool stuff:
data class ServerResponse(var message: String = "Success",

var statusCode: Int = 200,

var body: String = "Body") {



}
This will allow us to create a ServerResponse object like so:
var serverResponse = ServerResponse()
This will create a ServerResponse with the default values we defined
in our constructor
4. Named and Default Params
Let’s do something more interesting than a default constructor.
var serverResponse = ServerResponse()
var copy = serverResponse.copy() // Deep Copy!
With data classes we just got a deep copy for free! But what if we
want to change something?
var serverResponse = ServerResponse()
var changed = serverResponse.copy(statusCode = 404, message = "Not Found”) // :D
Awesome! We get a basic .toBuilder() implementation as well!
4. Named and Default Params
Java Interop Tip!
If you annotate a Kotlin method with default param values like so:
@JvmOverloads

fun example(str: String = "test", number: Int = 12) {

. . .

}
You’ll get the overloaded method signatures available in Java!
5. Extension Functions
Who loves static Util classes? Not me.
With Kotlin we can define extension functions that allow us to add
functionality to objects without subclassing them
5. Extension Functions
Let’s add a new utility to Android’s View class:
fun View.hideKeyboard() {

val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE)
as InputMethodManager


imm.hideSoftInputFromWindow(this.windowToken, 0)

}
There are a couple new things here, let’s go over what this actually
does
5. Extension Functions
fun View.hideKeyboard() {

val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE)
as InputMethodManager


imm.hideSoftInputFromWindow(this.windowToken, 0)

}
Defining a function with View. in front of the function name means
anything that is a View can now call this method
5. Extension Functions
fun View.hideKeyboard() {

val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE)
as InputMethodManager


imm.hideSoftInputFromWindow(this.windowToken, 0)

}
The reserved keyword as will cast the object returned from
getSystemService to InputMethodManager
5. Extension Functions
The Kotlin stdlib takes advantage of extension functions to add
functionality to Java Library objects
6. String Interpolation
fun sayHello(name: String) {

print("Hello $name!")

}
fun printJobTitle(job: JobDetail) {

print("Hello ${job.jobTitle}!")

}
fun printOrNull(nullable: String?) {

print("Hello ${nullable ?: "Whoops!"}!")

}
Using $ allows you to avoid format strings and StringBuilders. You
can execute code inside the string being built with ${}
7. Developer Happiness
Kotlin is fun to write
Bad pun aside, Kotlin is an extremely enjoyable language that makes
mundane tasks a breeze and offers interesting solutions to common
problems we all have, especially while writing Android applications
Kotlin removes a lot of ceremony and worry to allow me to focus on
solving problems rather than fighting my language
7. Developer Happiness
Context Switching:
- From my experience it is very easy to go from Java back to Kotlin
and vice versa
- What is more surprising to me is when switching between a Kotlin
Android and a Swift iOS project requires much less thought switching
due to their similar paradigms
Issues
Pain Points
Static methods and variables are not a feature of Kotlin. You may
use “static like” functionality through companion objects
The generated code that the Kotlin plugin creates from converting
Java to Kotlin can have some minor issues
Parceler requires odd boilerplate code to squash reflection warnings
for data classes (Setting Serialization type to Serialization.BEAN)
Fields with multiple annotations have odd syntax
@field:[Inject Api("scoping")] lateinit var picasso: Picasso
Dex Count
Kotlin does add ~6600 methods to your dex count
Multidex these days is fairly common, and the tooling around it is
much improved
If Multidexing is out of the question for you, I understand, but
Kotlin isn’t just for Android ;)
Build Times
Check out:
https://medium.com/keepsafe-engineering/kotlin-vs-java-compilation-speed-
e6c174b39b5d#.bfk9j4qlh
For an in depth look at build times between Kotlin and Java
Future Goals
JetBrains lists the following goals for Kotlin:
Constant performance improvements for the Kotlin toolchain (this
includes, for example, incremental compilation in Gradle, that is in
the works now)
JavaScript support (including cross-compilation into both JVM and JS
where possible)
Support generating Java 8 byte code with optimized lambdas, etc
(Java 6 will be actively supported as long as Android users need
it).
Questions?
Resources
Kotlin Koans:
http://try.kotlinlang.org/#/Kotlin%20Koans/Introduction/Hello,
%20world!/Task.kt
Free Kotlin Introduction on Caster.io:
https://caster.io/lessons/introduction-to-kotlin/
Kotlin Adoption Stories:
https://www.corda.net/2017/01/10/kotlin/
Kotlin Language Documentation:
https://kotlinlang.org/docs/reference/
Kotlin Slack:
https://kotlinslackin.herokuapp.com/
Contact Me
I’d be happy to talk Kotlin with you!
https://github.com/weverb2
CincyTech Slack @brandon.wever
brandon@madebyatomicrobot.com

More Related Content

PPTX
Legacy Code Kata v3.0
PPTX
Legacy Dependency Kata v2.0
PDF
JVM Dive for mere mortals
PDF
TDC2016POA | Trilha JavaScript - JavaScript Promises na Prática
PDF
Testing in android
PDF
DSR Microservices (Day 1, Part 2)
PDF
Java9 Beyond Modularity - Java 9 más allá de la modularidad
Legacy Code Kata v3.0
Legacy Dependency Kata v2.0
JVM Dive for mere mortals
TDC2016POA | Trilha JavaScript - JavaScript Promises na Prática
Testing in android
DSR Microservices (Day 1, Part 2)
Java9 Beyond Modularity - Java 9 más allá de la modularidad

What's hot (20)

PPTX
Open sourcing the store
PDF
Kogito: cloud native business automation
PDF
DSR Testing (Part 1)
PDF
Leveraging Completable Futures to handle your query results Asynchrhonously
ODP
Realm Mobile Database - An Introduction
PDF
We Are All Testers Now: The Testing Pyramid and Front-End Development
PDF
Android dev toolbox - Shem Magnezi, WeWork
PPTX
Realm database
PDF
Javascript Promises/Q Library
PPTX
Eurosport's Kodakademi #1
PPTX
Transaction
PDF
Asynchronous web apps with the Play Framework 2.0
PPTX
I/O Extended (GDG Bogor) - Sidiq Permana
PDF
What do you mean, Backwards Compatibility?
PDF
PDF
React lecture
PDF
Node.js cluster
PDF
Effective Java with Groovy - How Language Influences Adoption of Good Practices
PDF
Refactoring
PDF
Data Loading Made Easy with Mike Nakhimovich DroidCon Italy 2017
Open sourcing the store
Kogito: cloud native business automation
DSR Testing (Part 1)
Leveraging Completable Futures to handle your query results Asynchrhonously
Realm Mobile Database - An Introduction
We Are All Testers Now: The Testing Pyramid and Front-End Development
Android dev toolbox - Shem Magnezi, WeWork
Realm database
Javascript Promises/Q Library
Eurosport's Kodakademi #1
Transaction
Asynchronous web apps with the Play Framework 2.0
I/O Extended (GDG Bogor) - Sidiq Permana
What do you mean, Backwards Compatibility?
React lecture
Node.js cluster
Effective Java with Groovy - How Language Influences Adoption of Good Practices
Refactoring
Data Loading Made Easy with Mike Nakhimovich DroidCon Italy 2017
Ad

Viewers also liked (20)

PDF
Compact and safely: static DSL on Kotlin
PDF
Functional Reactive Programming with Kotlin on Android - Giorgio Natili - Cod...
PPTX
Introduction to Kotlin: Brief and clear
PDF
Who's More Functional: Kotlin, Groovy, Scala, or Java?
PDF
Kotlin на практике
PPTX
Kotlin
PPT
The Kotlin Programming Language
PDF
Fun with Kotlin
PDF
Kotlin @ CSClub & Yandex
PDF
Kotlin Slides from Devoxx 2011
PPTX
Eval4j @ JVMLS 2014
PDF
Kotlin @ StrangeLoop 2011
PPTX
Flexible Types in Kotlin - JVMLS 2015
PDF
Kotlin @ Devoxx 2011
PDF
Swift and Kotlin Presentation
PDF
JVMLS 2016. Coroutines in Kotlin
PDF
Светлана Исакова «Язык Kotlin»
PDF
Groovy Powered Clean Code
PDF
Metaprogramming with Groovy
PPTX
Groovy on Android
Compact and safely: static DSL on Kotlin
Functional Reactive Programming with Kotlin on Android - Giorgio Natili - Cod...
Introduction to Kotlin: Brief and clear
Who's More Functional: Kotlin, Groovy, Scala, or Java?
Kotlin на практике
Kotlin
The Kotlin Programming Language
Fun with Kotlin
Kotlin @ CSClub & Yandex
Kotlin Slides from Devoxx 2011
Eval4j @ JVMLS 2014
Kotlin @ StrangeLoop 2011
Flexible Types in Kotlin - JVMLS 2015
Kotlin @ Devoxx 2011
Swift and Kotlin Presentation
JVMLS 2016. Coroutines in Kotlin
Светлана Исакова «Язык Kotlin»
Groovy Powered Clean Code
Metaprogramming with Groovy
Groovy on Android
Ad

Similar to Be More Productive with Kotlin (20)

PPTX
Why kotlininandroid
PDF
A quick and fast intro to Kotlin
PDF
Kotlin: A pragmatic language by JetBrains
PDF
Kotlin, smarter development for the jvm
PDF
Develop your next app with kotlin @ AndroidMakersFr 2017
PDF
Kotlin for Android - Vali Iorgu - mRready
PDF
From Java to Kotlin - The first month in practice
PDF
Having Fun with Kotlin Android - DILo Surabaya
PDF
Kotlin for Android devs
PDF
Little Helpers for Android Development with Kotlin
PPTX
Kotlin presentation
PDF
Kotlin what_you_need_to_know-converted event 4 with nigerians
PPTX
K is for Kotlin
PPTX
Intro to kotlin 2018
PPTX
Kotlin: lo Swift di Android (2015)
PDF
Kotlin intro
PPTX
Kotlin Language Features - A Java comparison
PDF
What’s new in Kotlin?
PPTX
Exploring Kotlin language basics for Android App development
PDF
Intro to Kotlin
Why kotlininandroid
A quick and fast intro to Kotlin
Kotlin: A pragmatic language by JetBrains
Kotlin, smarter development for the jvm
Develop your next app with kotlin @ AndroidMakersFr 2017
Kotlin for Android - Vali Iorgu - mRready
From Java to Kotlin - The first month in practice
Having Fun with Kotlin Android - DILo Surabaya
Kotlin for Android devs
Little Helpers for Android Development with Kotlin
Kotlin presentation
Kotlin what_you_need_to_know-converted event 4 with nigerians
K is for Kotlin
Intro to kotlin 2018
Kotlin: lo Swift di Android (2015)
Kotlin intro
Kotlin Language Features - A Java comparison
What’s new in Kotlin?
Exploring Kotlin language basics for Android App development
Intro to Kotlin

Recently uploaded (20)

PDF
Flood Susceptibility Mapping Using Image-Based 2D-CNN Deep Learnin. Overview ...
PDF
System and Network Administration Chapter 2
PDF
Why TechBuilder is the Future of Pickup and Delivery App Development (1).pdf
PDF
SAP S4 Hana Brochure 3 (PTS SYSTEMS AND SOLUTIONS)
PDF
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
PPTX
history of c programming in notes for students .pptx
PPTX
Operating system designcfffgfgggggggvggggggggg
PDF
Wondershare Filmora 15 Crack With Activation Key [2025
PDF
Design an Analysis of Algorithms I-SECS-1021-03
PDF
Which alternative to Crystal Reports is best for small or large businesses.pdf
PDF
Softaken Excel to vCard Converter Software.pdf
PDF
Design an Analysis of Algorithms II-SECS-1021-03
PDF
wealthsignaloriginal-com-DS-text-... (1).pdf
PDF
top salesforce developer skills in 2025.pdf
PDF
Nekopoi APK 2025 free lastest update
PPTX
Essential Infomation Tech presentation.pptx
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 42 Updates Latest 2025
PDF
Adobe Premiere Pro 2025 (v24.5.0.057) Crack free
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 41
PDF
PTS Company Brochure 2025 (1).pdf.......
Flood Susceptibility Mapping Using Image-Based 2D-CNN Deep Learnin. Overview ...
System and Network Administration Chapter 2
Why TechBuilder is the Future of Pickup and Delivery App Development (1).pdf
SAP S4 Hana Brochure 3 (PTS SYSTEMS AND SOLUTIONS)
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
history of c programming in notes for students .pptx
Operating system designcfffgfgggggggvggggggggg
Wondershare Filmora 15 Crack With Activation Key [2025
Design an Analysis of Algorithms I-SECS-1021-03
Which alternative to Crystal Reports is best for small or large businesses.pdf
Softaken Excel to vCard Converter Software.pdf
Design an Analysis of Algorithms II-SECS-1021-03
wealthsignaloriginal-com-DS-text-... (1).pdf
top salesforce developer skills in 2025.pdf
Nekopoi APK 2025 free lastest update
Essential Infomation Tech presentation.pptx
Internet Downloader Manager (IDM) Crack 6.42 Build 42 Updates Latest 2025
Adobe Premiere Pro 2025 (v24.5.0.057) Crack free
Internet Downloader Manager (IDM) Crack 6.42 Build 41
PTS Company Brochure 2025 (1).pdf.......

Be More Productive with Kotlin

  • 1. Being More Productive with Kotlin Brandon Wever
  • 2. Who am I? • Mobile Developer at Atomic Robot (Android/iOS) • Graduated from NKU with Master’s in Computer Science Dec 2016 • I like hoppy beer and spicy wings
  • 3. What is Kotlin? Kotlin is a statically typed programming language for the JVM, Android, and for the browser Kotlin has 100% interoperability with Java Created by JetBrains for internal projects and open sourced in 2012
  • 4. Motivation behind Kotlin Kotlin is a pragmatic programming language for JVM and Android that combines Object oriented and functional features and is focused on interoperability, safety, clarity and tooling support Kotlin works everywhere Java works
  • 6. What are Developers Saying? “It’s really incredible how much we can pare down without sacrificing readability” - Christina Lee, Pintrest (https://youtu.be/xRDqDe4rxkM) “A data point (for Android devs who are Kotlin-curious): @trello is happily using @kotlin in production nowadays” - Dan Lew, Trello (https://twitter.com/danlew42/status/809065097339564032) “Kotlin makes writing math code almost as nice as C++. Properties and operator overloading offers many possibilities for swizzling & slicing” - Romain Guy, Google (https://twitter.com/romainguy/status/812454073232453632) “Today with IntelliJ’s help I upgraded Rounds from Java to Kotlin. It took 12 hours to go from 5395 lines of .java to 4924 lines of .kt” - Jesse Wilson, Square (https://twitter.com/jessewilson/status/803122976321400834)
  • 7. What I want this presentation to be • I want you to consider trying Kotlin if you haven’t used it • I want you to use Kotlin more if you have used it • I want you to find out things Kotlin can do better • I want you to find out better ways to do things in Kotlin
  • 8. What I don’t want this presentation to be • A religious war
  • 9. Getting Started After installing Kotlin, using a Intellij IDEA or Android Studio with an existing Java project configuring Kotlin is as easy as telling your IDE to Configure Kotlin Bring up the action On Mac: Cmd-Shift-A On Windows: Ctrl-Shift-A Begin typing “Configure Kotlin”
  • 11. Getting Started The easiest way to get started writing Kotlin is to convert Java Code. Luckily IntelliJ can do that for us as well. Bring up the action menu and begin typing “Convert Java to Kotlin”
  • 16. 1. Nullability as a Type Java:
 String str = "test";
 str = null;
 str.length(); <- BOOM NPE! Kotlin:
 var str: String = "test"
 str = null <- Compiler error! var str: String? = "test"
 str = null
 str?.length() <- Perfectly OK!
  • 17. 1. Nullability as a Type Kotlin allows you to show when Objects can or cannot be null with a ? following the type Nullable: var str: String? Never Null: var str: String
  • 18. 1. Nullability as a Type This type safety turns NullPointerExceptions from Runtime Exceptions and Crashes to Compiler errors
  • 19. 2. Safe Calls var str: String? = "test"
 str = null
 str?.length() <- Why is this OK?
 This call is considered “safe” the code following a ? will only execute if the value is not null at the moment of execution
  • 20. 2. Safe Calls Turns this Java Pattern:
 if (outer.inner != null) {
 if (outer.inner.deepInner != null) {
 outer.inner.deepInner.doSomething();
 }
 } Into this concise Kotlin code:
 outer.inner?.deepInner?.doSomething()
  • 21. 3. Data Classes Let’s make a simple Java Object for a server response
 public class ServerResponse {
 
 private String message;
 private int statusCode;
 private String body;
 
 }
  • 22. 3. Data Classes public class ServerResponse {
 
 private String message;
 private int statusCode;
 private String body;
 
 public String getMessage() {
 return message;
 }
 
 public void setMessage(String message) {
 this.message = message;
 }
 
 public int getStatusCode() {
 return statusCode;
 }
 
 public void setStatusCode(int statusCode) {
 this.statusCode = statusCode;
 }
 
 public String getBody() {
 return body;
 }
 
 public void setBody(String body) {
 this.body = body;
 }
 } Now let’s add our getters and setters
  • 23. 3. Data Classes public class ServerResponse {
 
 private String message;
 private int statusCode;
 private String body;
 
 public String getMessage() {
 return message;
 }
 
 public void setMessage(String message) {
 this.message = message;
 }
 
 public int getStatusCode() {
 return statusCode;
 }
 
 public void setStatusCode(int statusCode) {
 this.statusCode = statusCode;
 }
 
 public String getBody() {
 return body;
 }
 
 public void setBody(String body) {
 this.body = body;
 }
 
 @Override
 public boolean equals(Object o) {
 if (this == o) return true;
 if (o == null || getClass() != o.getClass()) return false;
 
 ServerResponse that = (ServerResponse) o;
 
 if (statusCode != that.statusCode) return false;
 if (message != null ? !message.equals(that.message) : that.message != null) return false;
 return body != null ? body.equals(that.body) : that.body == null;
 
 }
 
 @Override
 public int hashCode() {
 int result = message != null ? message.hashCode() : 0;
 result = 31 * result + statusCode;
 result = 31 * result + (body != null ? body.hashCode() : 0);
 return result;
 }
 } How about .equals() and .hashCode()?
  • 24. 3. Data Classes public class ServerResponse {
 
 private String message;
 private int statusCode;
 private String body;
 
 public ServerResponse(String message, int statusCode, String body) {
 this.message = message;
 this.statusCode = statusCode;
 this.body = body;
 }
 
 public class ServerResponseBuilder {
 private String message;
 private int statusCode;
 private String body;
 
 public ServerResponseBuilder setMessage(String message) {
 this.message = message;
 return this;
 }
 
 public ServerResponseBuilder setStatusCode(int statusCode) {
 this.statusCode = statusCode;
 return this;
 }
 
 public ServerResponseBuilder setBody(String body) {
 this.body = body;
 return this;
 }
 
 public ServerResponse createServerResponse() {
 return new ServerResponse(message, statusCode, body);
 }
 }
 
 public String getMessage() {
 return message;
 }
 
 public void setMessage(String message) {
 this.message = message;
 }
 
 public int getStatusCode() {
 return statusCode;
 }
 
 public void setStatusCode(int statusCode) {
 this.statusCode = statusCode;
 }
 
 public String getBody() {
 return body;
 }
 
 public void setBody(String body) {
 this.body = body;
 }
 
 @Override
 public boolean equals(Object o) {
 if (this == o) return true;
 if (o == null || getClass() != o.getClass()) return false;
 
 
 ServerResponse that = (ServerResponse) o;
 
 if (statusCode != that.statusCode) return false;
 if (message != null ? !message.equals(that.message) : that.message != null) return false;
 return body != null ? body.equals(that.body) : that.body == null;
 
 }
 
 @Override
 public int hashCode() {
 int result = message != null ? message.hashCode() : 0;
 result = 31 * result + statusCode;
 result = 31 * result + (body != null ? body.hashCode() : 0);
 return result;
 }
 
 @Override
 public String toString() {
 return "ServerResponse{" +
 "message='" + message + ''' +
 ", statusCode=" + statusCode +
 ", body='" + body + ''' +
 '}';
 }
 }
 How about a Builder just for fun?
  • 25. 3. Data Classes Do we really need 90+ lines of code for a POJO with 3 properties? What if we need to add more properties? Other projects such as Google’s AutoValue will solve this with annotations, but Kotlin has a built in type to help this all too common problem
  • 26. 3. Data Classes data class ServerResponse(var message: String?,
 var statusCode: Int,
 var body: String?) { } Yep, that’s it. You get .hashCode(), .equals(), and .toString() for free, as well as generated getters and setters from Java code
  • 27. 3. Data Classes - Proof! https://gist.github.com/weverb2/9a4a7bccffe4d4b3bdd99f9153e1b00c
  • 28. 3. Data Classes And what about the Builder? We’ll see that next :D
  • 29. 4. Named and Default Params Changing our data class to the following will allow some cool stuff: data class ServerResponse(var message: String = "Success",
 var statusCode: Int = 200,
 var body: String = "Body") {
 
 } This will allow us to create a ServerResponse object like so: var serverResponse = ServerResponse() This will create a ServerResponse with the default values we defined in our constructor
  • 30. 4. Named and Default Params Let’s do something more interesting than a default constructor. var serverResponse = ServerResponse() var copy = serverResponse.copy() // Deep Copy! With data classes we just got a deep copy for free! But what if we want to change something? var serverResponse = ServerResponse() var changed = serverResponse.copy(statusCode = 404, message = "Not Found”) // :D Awesome! We get a basic .toBuilder() implementation as well!
  • 31. 4. Named and Default Params Java Interop Tip! If you annotate a Kotlin method with default param values like so: @JvmOverloads
 fun example(str: String = "test", number: Int = 12) {
 . . .
 } You’ll get the overloaded method signatures available in Java!
  • 32. 5. Extension Functions Who loves static Util classes? Not me. With Kotlin we can define extension functions that allow us to add functionality to objects without subclassing them
  • 33. 5. Extension Functions Let’s add a new utility to Android’s View class: fun View.hideKeyboard() {
 val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE) as InputMethodManager 
 imm.hideSoftInputFromWindow(this.windowToken, 0)
 } There are a couple new things here, let’s go over what this actually does
  • 34. 5. Extension Functions fun View.hideKeyboard() {
 val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE) as InputMethodManager 
 imm.hideSoftInputFromWindow(this.windowToken, 0)
 } Defining a function with View. in front of the function name means anything that is a View can now call this method
  • 35. 5. Extension Functions fun View.hideKeyboard() {
 val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE) as InputMethodManager 
 imm.hideSoftInputFromWindow(this.windowToken, 0)
 } The reserved keyword as will cast the object returned from getSystemService to InputMethodManager
  • 36. 5. Extension Functions The Kotlin stdlib takes advantage of extension functions to add functionality to Java Library objects
  • 37. 6. String Interpolation fun sayHello(name: String) {
 print("Hello $name!")
 } fun printJobTitle(job: JobDetail) {
 print("Hello ${job.jobTitle}!")
 } fun printOrNull(nullable: String?) {
 print("Hello ${nullable ?: "Whoops!"}!")
 } Using $ allows you to avoid format strings and StringBuilders. You can execute code inside the string being built with ${}
  • 38. 7. Developer Happiness Kotlin is fun to write Bad pun aside, Kotlin is an extremely enjoyable language that makes mundane tasks a breeze and offers interesting solutions to common problems we all have, especially while writing Android applications Kotlin removes a lot of ceremony and worry to allow me to focus on solving problems rather than fighting my language
  • 39. 7. Developer Happiness Context Switching: - From my experience it is very easy to go from Java back to Kotlin and vice versa - What is more surprising to me is when switching between a Kotlin Android and a Swift iOS project requires much less thought switching due to their similar paradigms
  • 41. Pain Points Static methods and variables are not a feature of Kotlin. You may use “static like” functionality through companion objects The generated code that the Kotlin plugin creates from converting Java to Kotlin can have some minor issues Parceler requires odd boilerplate code to squash reflection warnings for data classes (Setting Serialization type to Serialization.BEAN) Fields with multiple annotations have odd syntax @field:[Inject Api("scoping")] lateinit var picasso: Picasso
  • 42. Dex Count Kotlin does add ~6600 methods to your dex count Multidex these days is fairly common, and the tooling around it is much improved If Multidexing is out of the question for you, I understand, but Kotlin isn’t just for Android ;)
  • 44. Future Goals JetBrains lists the following goals for Kotlin: Constant performance improvements for the Kotlin toolchain (this includes, for example, incremental compilation in Gradle, that is in the works now) JavaScript support (including cross-compilation into both JVM and JS where possible) Support generating Java 8 byte code with optimized lambdas, etc (Java 6 will be actively supported as long as Android users need it).
  • 46. Resources Kotlin Koans: http://try.kotlinlang.org/#/Kotlin%20Koans/Introduction/Hello, %20world!/Task.kt Free Kotlin Introduction on Caster.io: https://caster.io/lessons/introduction-to-kotlin/ Kotlin Adoption Stories: https://www.corda.net/2017/01/10/kotlin/ Kotlin Language Documentation: https://kotlinlang.org/docs/reference/ Kotlin Slack: https://kotlinslackin.herokuapp.com/
  • 47. Contact Me I’d be happy to talk Kotlin with you! https://github.com/weverb2 CincyTech Slack @brandon.wever brandon@madebyatomicrobot.com