- 浏览: 676370 次
- 性别:
- 来自: 上海
文章分类
最新评论
-
qinshubao152:
参考:http://www.see-source.com/bl ...
关于android USB Host 串口编程 -
q328965539:
哥们 我做的数据也都是错误的啊····我怎么可以知道自己otg ...
关于android USB Host 串口编程 -
hgkmail:
好文
android中跨进程通讯的4种方式 -
cczscq:
楼主,我这里有个问题!我这里有个自己制作的font.ttf,这 ...
android字体的工作原理 -
blueice1986:
既然springMVC比struts好那么多的话那struts ...
为什么有了Struts 还要Spring MVC
转 https://blog.csdn.net/github_33304260/article/details/80343514
前言
kotlin是啥?这里就不用多说了,想必看这篇文章的童鞋肯定是有所了解的。
那么这篇文章你可以收获什么?
答:本文主要通过本人如何从java转战到kotlin并应用在实际项目中的个人经历,给大家提供一些学习思路、学习方法以及一些学习资料和个人总结。
前提:你的项目(包含个人项目)即将开始用到kotlin(没有项目作为依托你会缺少十足的动力,而且缺少应用场景乘热打铁那也是白学)
建议:建议没有切换kotlin的小伙伴快来转战kotlin吧!最近一段时间搞了kotlin之后发现写起来确实比java爽多了,语法非常精简,而且据统计现已有30%安卓项目使用了kotlin,所以小伙伴们行动起来吧,这必定是大势所趋,可千万别被淘汰了啊
入门
俗话说万事开头难,不过我们先把Kotlin语法学习一遍,你就会发现so easy,而且语言思想都是相通的
第一步:学习语法
当然是去官网学习喽:http://kotlinlang.org/docs/reference/
如下图:
不过英文吃力的小伙伴可以去菜鸟教程网站学习
地址:http://www.runoob.com/kotlin/kotlin-tutorial.html
如下图:
内容与官网一致。
不过不能光看,一定要写,就算照着抄也要多写,尽量在学习时候多和java语法做对比,会印象深刻。
如下图,本人的练习代码:
第二步:对比学习
大家可以参考下面的链接进行学习:
from-java-to-kotlin : https://github.com/MindorksOpenSource/from-java-to-kotlin
from-java-to-kotlin中给出了我们常用的语法对比
如图:
第三步:Demo练习
通过上面的学习我们此刻已经熟悉了kotlin的基本语法,可以来尝试写一个万年历的Demo。
1、新建工程
我们新建一个工程,点击Include kotlin support
如图:
我们看一下Include kotlin support都帮我们做了什么事情
首先module中gradle文件
如图:
比我们之前的工程多了下面两个引用和一个依赖:
// 使用Kotlin插件
apply plugin: 'kotlin-android'
// 使用Kotlin Android扩展插件
apply plugin: 'kotlin-android-extensions'
dependencies {
//...
//添加Kotlin 标准库
compile "org.jetbrains.kotlin:kotlin-stdlib-jre7:$kotlin_version"
//...
}
1
2
3
4
5
6
7
8
9
10
11
知识点: kotlin-android-extensions相当于DataBinding,同样的目的为了偷懒不用写findViewByIdAndroid 开发必备。
我们再看一下project中的gradle文件
如图:
比我们之前的工程多了Kotlin编译插件:
// 添加了Kotlin编译插件
classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"
1
2
2、Demo说明
该项目使用MVP模式,里面用到了Retrofit2+RxJava2,然后使用了聚合的万年历接口,Demo非常简单便于初学者快速掌握。
Demo使用展示:
工程目录结构如图:
3、Activity
看下布局文件非常简单,我们可以在activity里面直接将控件的id当成变量来使用
<?xml version="1.0" encoding="utf-8"?>
<android.support.constraint.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
....">
<DatePicker
android:id="@+id/dataPicker"
.... />
<Button
android:id="@+id/selectButton"
.... />
<TextView
android:id="@+id/titleTextView"
.... />
<TextView
android:id="@+id/contentTextView"
....
/>
</android.support.constraint.ConstraintLayout>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
selectButton.setOnClickListener {
titleTextView.visibility = View.GONE
selectButton.visibility = View.GONE
contentTextView.visibility = View.GONE
dataPicker.visibility = View.VISIBLE
}
....
....
}
1
2
3
4
5
6
7
8
9
10
11
12
13
注意:直接使用id作为变量的时候,要在Module的gradle里面加入扩展,才能使用,不然会报错
apply plugin: 'kotlin-android-extensions'
1
这个上面已经说过,我们创建工程的时候如果选中Include kotlin support怎会自动在gradle中生成。
4、Retrofit+RxJava
Retrofit结合RxJava能快捷的使用网络请求。
创建Service接口,Kotlin的类型是写在后面
interface RetrofitService {
/**
* 获取当天详细信息
* @param date 日期
*/
@GET("calendar/day")
fun calenderDay(
@Query("date") date: String,
@Query("key") key: String
): Observable<CalentarDayBean>
/**
* 获取近期假期
* @param date 日期
*/
@GET("calendar/month")
fun calenderMonth(
@Query("date") date: String
): Observable<CalentarMonthBean>
/**
* 获取当年假期列表
* @param date 日期
*/
@GET("calendar/year")
fun calenderYear(
@Query("date") date: String
): Observable<CalentarYearBean>
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
创建Retrofit,Kotlin的class并不支持static变量,所以需要使用companion object来声明static变量,其实这个变量也不是真正的static变量,而是一个伴生对象
伴生对象可以实现静态调用,通过类名.属性名或者类名.方法名进行调用
class RetrofitUtil {
companion object {
/**
* 创建Retrofit
*/
fun create(url: String): Retrofit {
//日志显示级别
val level: HttpLoggingInterceptor.Level = HttpLoggingInterceptor.Level.BODY
//新建log拦截器
val loggingInterceptor: HttpLoggingInterceptor = HttpLoggingInterceptor(HttpLoggingInterceptor.Logger {
message -> Logger.e("OkHttp: " + message)
})
loggingInterceptor.level = level
// okHttpClientBuilder
val okHttpClientBuilder = OkHttpClient().newBuilder()
okHttpClientBuilder.connectTimeout(60, TimeUnit.SECONDS)
okHttpClientBuilder.readTimeout(10, TimeUnit.SECONDS)
//OkHttp进行添加拦截器loggingInterceptor
//okHttpClientBuilder.addInterceptor(loggingInterceptor)
return Retrofit.Builder()
.baseUrl(url)
.client(okHttpClientBuilder.build())
.addConverterFactory(GsonConverterFactory.create())
.addCallAdapterFactory(RxJava2CallAdapterFactory.create())
.build()
}
val retrofitService: RetrofitService = RetrofitUtil.getService(Constants.REQUEST_BASE_URL, RetrofitService::class.java)
/**
* 获取ServiceApi
*/
fun <T> getService(url: String, service: Class<T>): T {
return create(url).create(service)
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
通过伴生对象,结合Retrofit结合RxJava 我们直接就可以调用接口了
RetrofitUtil
.retrofitService
.calenderDay(date,"933dc930886c8c0717607f9f8bae0b48")
.subscribeOn(Schedulers.io())
.observeOn(AndroidSchedulers.mainThread())
.subscribe({ result ->
view?.showDayCalentarData(result)
Logger.e(result.toString())
}, { error ->
view?.showError(error.message.toString())
Logger.e(error.message.toString())
})
1
2
3
4
5
6
7
8
9
10
11
12
5、使用对象声明
在写项目的时候,一般会将常量统一写到一个类里面,然后设置静态变量,由于在Kotlin中不存在静态变量,所有就有对象声明的存在,对象声明比较常用的地方就是在这里,对象声明用Objcet关键字表示。
object Constants {
val REQUEST_BASE_URL = "http://v.juhe.cn/"
val KEY = "1be865c0e67e3"
}
1
2
3
4
5
6
使用的时候直接类名加.加变量名,如Constants.REQUEST_BASE_URL
6、使用数据类
Kotlin有专门的数据类,就是用data修饰的类
首先我们先看一下json数据:
{
"reason":"Success",
"result":{
"data":{
"date":"2018-4-4",
"weekday":"星期三",
"animalsYear":"狗",
"suit":"订盟.纳采.冠笄.拆卸.修造.动土.安床.入殓.除服.成服.移柩.安葬.破土.启攒.造仓.",
"avoid":"作灶.开光.嫁娶.开市.入宅.",
"year-month":"2018-4",
"lunar":"二月十九",
"lunarYear":"戊戌年"
}
},
"error_code":0
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
再来看一下我的数据类:
data class CalentarDayBean(
val reason: String,
val result: CalentarDayResult,
val error_code: Int
)
data class CalentarDayResult(
val data: CalentarDayData
)
data class CalentarDayData(
val date: String,
val weekday: String,
val animalsYear: String,
val suit: String,
val avoid: String,
val yearMonth: String,
val holiday: String,
val lunar: String,
val lunarYear: String,
val desc: String
)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
就是如此方便
7、MVP
kotlin的MVP和java原理一模一样我先定义了IBaseModel和IBaseView
IBaseModel
interface IBaseModel<T> {
fun onDestroy()
fun attachView(view: T)
}
1
2
3
4
5
6
IBaseView
interface IBaseView {
fun showLoading()
fun hideLoading()
fun showMessage(message: String)
fun killMyself()
}
1
2
3
4
5
6
7
8
9
10
11
然后完成ICalentarContract,这个类似合同类的接口把P和V的所有方法全部写在一起,看起来代码格外清楚
interface ICalentarContract {
/**
* 对于经常使用的关于UI的方法可以定义到IBaseView中,如显示隐藏进度条,和显示文字消息
*/
interface View : IBaseView {
fun showDayCalentarData(calentarDayBean: CalentarDayBean)
fun showError(errorMsg: String)
}
/**
* Model层定义接口,外部只需关心Model返回的数据,无需关心内部细节,如是否使用缓存
*/
interface Model : IBaseModel<ICalentarContract.View> {
fun getDayCalentarData(date: String)
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
然后activity去实现ICalentarContract.View,presenter去实现ICalentarContract.Model
class CalentarDatePresenter : ICalentarContract.Model {
....
}
1
2
3
class MainActivity : AppCompatActivity(), ICalentarContract.View {
...
}
1
2
3
so easy~~~ 到这里我们的Demo就完成了,可以尽情玩乐。
项目地址:待上传。。。。。。。。。。。。。
好了,到这里我们基本掌握了Kotlin在安卓中的应用,那么接下来就需要去学习一下kotlin设计模式以及一些进阶知识~
进阶
一、Kotlin设计模式
本文只列出几个常用的设计模式
1、观察者模式( observer pattern )
Example
interface TextChangedListener {
fun onTextChanged(newText: String)
}
class PrintingTextChangedListener : TextChangedListener {
override fun onTextChanged(newText: String) = println("Text is changed to: $newText")
}
class TextView {
var listener: TextChangedListener? = null
var text: String by Delegates.observable("") { prop, old, new ->
listener?.onTextChanged(new)
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Usage
val textView = TextView()
textView.listener = PrintingTextChangedListener()
textView.text = "Lorem ipsum"
textView.text = "dolor sit amet"
1
2
3
4
Output
Text is changed to: Lorem ipsum
Text is changed to: dolor sit amet
1
2
2、策略模式( strategy pattern )
Example
class Printer(val stringFormatterStrategy: (String) -> String) {
fun printString(string: String) = println(stringFormatterStrategy.invoke(string))
}
val lowerCaseFormatter: (String) -> String = { it.toLowerCase() }
val upperCaseFormatter = { it: String -> it.toUpperCase() }
1
2
3
4
5
6
7
Usage
val lowerCasePrinter = Printer(lowerCaseFormatter)
lowerCasePrinter.printString("LOREM ipsum DOLOR sit amet")
val upperCasePrinter = Printer(upperCaseFormatter)
upperCasePrinter.printString("LOREM ipsum DOLOR sit amet")
val prefixPrinter = Printer({ "Prefix: " + it })
prefixPrinter.printString("LOREM ipsum DOLOR sit amet")
1
2
3
4
5
6
7
8
Output
lorem ipsum dolor sit amet
LOREM IPSUM DOLOR SIT AMET
Prefix: LOREM ipsum DOLOR sit amet
1
2
3
3、单例模式(singleton pattern)
Example
class Singletone private constructor() {
init {
println("Initializing with object: $this")
}
companion object {
val getInstance =SingletonHolder.holder
}
private object SingletonHolder {
val holder = Singletone()
}
fun print() = println("Printing with object: $this")
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Usage
Singletone.getInstance.print()
Singletone.getInstance.print()
1
2
Output
Initializing with object: advance.Singletone@266474c2
Printing with object: advance.Singletone@266474c2
Printing with object: advance.Singletone@266474c2
1
2
3
4、工厂模式(Factory Method)
Example
interface Currency {
val code: String
}
class Euro(override val code: String = "EUR") : Currency
class UnitedStatesDollar(override val code: String = "USD") : Currency
enum class Country {
UnitedStates, Spain, UK, Greece
}
class CurrencyFactory {
fun currencyForCountry(country: Country): Currency? {
when (country) {
Country.Spain, Country.Greece -> return Euro()
Country.UnitedStates -> return UnitedStatesDollar()
else -> return null
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
Usage
val noCurrencyCode = "No Currency Code Available"
val greeceCode = CurrencyFactory().currencyForCountry(Country.Greece)?.code() ?: noCurrencyCode
println("Greece currency: $greeceCode")
val usCode = CurrencyFactory().currencyForCountry(Country.UnitedStates)?.code() ?: noCurrencyCode
println("US currency: $usCode")
val ukCode = CurrencyFactory().currencyForCountry(Country.UK)?.code() ?: noCurrencyCode
println("UK currency: $ukCode")
1
2
3
4
5
6
7
8
9
10
Output
Greece currency: EUR
US currency: USD
UK currency: No Currency Code Available
1
2
3
5、代理模式(Protection Proxy)
Example
interface File {
fun read(name: String)
}
class NormalFile : File {
override fun read(name: String) = println("Reading file: $name")
}
//Proxy:
class SecuredFile : File {
val normalFile = NormalFile()
var password: String = ""
override fun read(name: String) {
if (password == "secret") {
println("Password is correct: $password")
normalFile.read(name)
} else {
println("Incorrect password. Access denied!")
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
Usage
val securedFile = SecuredFile()
securedFile.read("readme.md")
securedFile.password = "secret"
securedFile.read("readme.md")
1
2
3
4
5
Output
Incorrect password. Access denied!
Password is correct: secret
Reading file: readme.md
1
2
3
6、建造者模式(builder pattern)
Example
// Let's assume that Dialog class is provided by external library.
// We have only access to Dialog public interface which cannot be changed.
class Dialog() {
fun showTitle() = println("showing title")
fun setTitle(text: String) = println("setting title text $text")
fun setTitleColor(color: String) = println("setting title color $color")
fun showMessage() = println("showing message")
fun setMessage(text: String) = println("setting message $text")
fun setMessageColor(color: String) = println("setting message color $color")
fun showImage(bitmapBytes: ByteArray) = println("showing image with size ${bitmapBytes.size}")
fun show() = println("showing dialog $this")
}
//Builder:
class DialogBuilder() {
constructor(init: DialogBuilder.() -> Unit) : this() {
init()
}
private var titleHolder: TextView? = null
private var messageHolder: TextView? = null
private var imageHolder: File? = null
fun title(init: TextView.() -> Unit) {
titleHolder = TextView().apply { init() }
}
fun message(init: TextView.() -> Unit) {
messageHolder = TextView().apply { init() }
}
fun image(init: () -> File) {
imageHolder = init()
}
fun build(): Dialog {
val dialog = Dialog()
titleHolder?.apply {
dialog.setTitle(text)
dialog.setTitleColor(color)
dialog.showTitle()
}
messageHolder?.apply {
dialog.setMessage(text)
dialog.setMessageColor(color)
dialog.showMessage()
}
imageHolder?.apply {
dialog.showImage(readBytes())
}
return dialog
}
class TextView {
var text: String = ""
var color: String = "#00000"
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
Usage
//Function that creates dialog builder and builds Dialog
fun dialog(init: DialogBuilder.() -> Unit): Dialog {
return DialogBuilder(init).build()
}
val dialog: Dialog = dialog {
title {
text = "Dialog Title"
}
message {
text = "Dialog Message"
color = "#333333"
}
image {
File.createTempFile("image", "jpg")
}
}
dialog.show()
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
Output
setting title text Dialog Title
setting title color #00000
showing title
setting message Dialog Message
setting message color #333333
showing message
showing image with size 0
showing dialog Dialog@5f184fc6
1
2
3
4
5
6
7
8
2、相关书籍
个人认为还是需要找一本书籍好好地阅读一遍,一下提供了相关书籍可以选择适合自己的。
NO.1
《Kotlin for Android Developers》
Kotlin是编写Android应用程序的新官方语言,多亏了这本书,你很快就能写出代码。直奔主题,实用和完整的例子,它将在开发Android应用程序的同时展示你的语言。学习Kotlin并开始使用这个强大而现代的语言再次享受Android开发。
NO.2
《Kotlin开发快速入门与实战》
学习本书之前不需要具备任何的计算机专业背景,任何有志于APP开发的读者都能利用本书从头学起。
资深软件开发工程师根据Kotlin最新版本撰写,系统讲解Kotlin开发技巧和项目实战。全书共分为7章,内容层次清晰,难度循序渐进。希望通过阅读本书,能够让你成为一个全栈工程师。
NO.3
《疯狂Kotlin讲义》
本书尤其适合从Java转Kotlin的读者,对于没有Java功底的读者,可忽略“对比”部分,直接学习本书也可掌握Kotlin编程。
本书对Kotlin的解读十分系统、全面,超过Kotlin官方文档本身覆盖的内容。本书很多地方都会结合Java字节码进行深入解读,比如对Kotlin扩展的解读,对Kotlin主、次构造器的解读,这种解读目的不止于教会读者简单地掌握Kotlin的用法,而是力求让读者深入理解Kotlin,且更好地理解Java。
NO.4
《Kotlin实战》
本书主要面向有一定Java 经验的开发者。
本书将从语言的基本特性开始,逐渐覆盖其更多的高级特性,尤其注重讲解如何将 Koltin 集成到已有 Java 工程实践及其背后的原理。本书分为两个部分。第一部分讲解如何开始使用 Kotlin 现有的库和API,包括基本语法、扩展函数和扩展属性、数据类和伴生对象、lambda 表达式,以及数据类型系统(着重讲解了可空性和集合的概念)。第二部分教你如何使用 Kotlin 构建自己的 API,以及一些深层次特性——约定和委托属性、高阶函数、泛型、注解和反射,以及领域特定语言的构建。
本书适合广大移动开发者及入门学习者,尤其是紧跟主流趋势的前沿探索者。
NO.5
《揭秘Kotlin编程原理》
本书深入介绍Kotlin面向对象设计的语法特性及其背后的实现方式。
在本书中,读者不仅能清晰地了解Kotlin的语法、高级特性,还能真正地掌握Kotlin背后的实现机制和设计哲学,形成对Kotlin语言既直观、又深刻的认识——在此基础上,读者能准确、快速地上手实践,大大提升自己的移动开发能力。
Kotlin的这些特性和实现机制,可以帮助开发者扫清开发道路上的一些障碍,让开发变得更加简单!本书是一本值得拥有,能切实帮助读者加薪提职的好书!
项目
学习一门语言最快的方式就是看其如何在实际项目中运用,有了上面的基础和进阶,下面我们看一些开源项目:
1.Kotlin-for-Android-Developers(★1676)
介绍:这个项目其实是Kotlin-for-Android-Developers这本书的配套代码,如果你是kotlin的初学者,那么这绝对是你学习kotlin的不二之选。项目通过一个天气的例子很好的展示了kotlin带来的强大功能,比如网络数据的请求,数据的缓存设计,数据库的操作,各种扩展函数的妙用等等。
地址:https://github.com/antoniolg/Kotlin-for-Android-Developers
2.Bandhook-Kotlin (★1494)
介绍:Kotlin版本的音乐播放器,数据来源于LastFm。
地址:https://github.com/antoniolg/Bandhook-Kotlin
3.GankClient-Kotlin (★1216)
介绍:gank.io kotlin实现的干货集中营Android客户端,风格采用了Material Design。
地址:https://github.com/githubwing/GankClient-Kotlin
4.PoiShuhui-Kotlin(★897)
介绍:一个用Kotlin写的简单漫画APP。
地址:https://github.com/wuapnjie/PoiShuhui-Kotlin
5.Eyepetizer-in-Kotlin(★1167)
介绍:Kotlin版本的Eyepetizer客户端
地址:https://github.com/LRH1993/Eyepetizer-in-Kotlin
6.Tucao(★792)
介绍:Kotlin版本的吐槽客户端
地址:https://github.com/blackbbc/Tucao
资源
一、重要资源
Kotlin 官网
https://kotlinlang.org/docs/reference/
Kotlin 官方网站是学习 Kotlin 好去处。在参考部分,你可以找到该语言的所有概念和功能的深入解析文档。在教程部分有关于设置工作环境并使用编译器的实用分步指南。
这里还有个 Kotlin 编译器,是一个浏览器 APP,你可以在上面尝试使用这门语言。它能加载许多示例,包括 Koans 课程 — 这是目前熟悉 Kotlin 语法的最好方式。
Kotlin 官博
https://blog.jetbrains.com/kotlin/
Kotlin 的官方博客由 JetBrains 的一位作者负责。你可以在这里找到所有与 Kotlin 相关的新闻、更新、教程、使用技巧等的内容。
在 Android 上开始使用 Kotlin
https://developer.android.com/kotlin/get-started.html
一篇很牛叉的文章,向我们展示了如何使用 Kotlin 编写和运行 Android 应用程序的测试
从 Java 到 Kotlin
https://github.com/MindorksOpenSource/from-java-to-kotlin
实用的快速提醒列表工具包含了一些简短的代码块,藉由这个来帮助你快速找到通用 Java 操作符、功能以及声明的 Kotlin 替代方案。
Kotlin 教学插件
https://blog.jetbrains.com/kotlin/2016/03/kotlin-educational-plugin/
用于 IntelliJ IDEa 的插件,可让你在本地离线环境下使用 Koans 课程。
Kotlin on GitHub
https://github.com/jetbrains/kotlin
Kotlin 于 2012 年开源,你可以对该语言进行贡献。
Kotlin Android 模板
https://github.com/nekocode/Kotlin-Android-Template
Android 项目模板,使其非常容易设置稳定的 Kotlin 工作区,并快速引导你开发应用程序。
不可错过的 Kotlin 资源列表
https://github.com/KotlinBy/awesome-kotlin
这是一个比较完整的 Kotlin 资源列表,包括各种实用链接、书籍、库、框架和视频等。该列表的组织结构非常好,kotlin.link 也提供了一个风格化的版本。
kotlin设计模式
https://github.com/dbacinski/Design-Patterns-In-Kotlin
DariuszBaciński 创建了一个 GitHub repo,其中有在 Kotlin 中实现的常见设计模式,也有用其他语言编写的类似项目,包括 Java,Swift,Java 和 PHP,如果你是其中一项语言的使用者,可以用它们作为参考点。
二、视频资源
Kotlin 介绍
https://www.youtube.com/watch?v=X1RVYt2QKQE
来自 Google I / O 2017 的演讲,大会首次向人们介绍 Kotlin,并提出了改进工作流程的想法。它涵盖了许多基础知识,并展示了一些很酷的 Kotlin 技巧。
明日胜于今,我用 Kotlin
https://www.youtube.com/watch?v=fPzxfeDJDzY
Google I / O 2017 大会关于 Kotlin 的第二个演讲。这个演讲涵盖了更多高级话题,如设计模式,最佳实践和其他常见规则。 演讲也揭示了在生产中使用 Kotlin 的意义,以及在工作中采用新兴语言将面临的挑战。
Peter Sommerhoff 教你学 Kotlin
https://www.youtube.com/playlist?list=PLpg00ti3ApRweIhdOI4VCFFStx4uXC__u
这是一个免费的 Kotlin 课程,适合初学者,前面介绍了从变量到条件循环和函数的所有基础知识,后面会深入到更高级的主题,如 Kotlin 中的面向对象以及像 lambda 表达式的功能编程。
使用 Kotlin&Gradle 更好地开发 Android
https://www.youtube.com/watch?v=_DaZQ374Chc
这个讲座从 2016 年开始,它介绍了现实世界中的编程语言功能,你将了解到 Kotlin 是如何适应 Android 工作流程中存在的工具。
使用 Kotlin&Gradle 更好地开发 Android
https://www.youtube.com/watch?v=ZlQhmkp_jyk
一个 8 分钟的浓缩教程,让你快速了解 Kotlin 的主要功能,如变量声明、Lambdas、扩展功能等等。
Jake Wharton:用 Kotlin 进行 Android 开发
https://www.youtube.com/watch?v=A2LukgT2mKc&t
关于 Kotlin 的介绍,演讲向我们解释了新语言是如何改进 Android 生态系统的,并展示了许多炫酷的方式,我们可以使用智能的 Kotlin 语法来获得优势。
前言
kotlin是啥?这里就不用多说了,想必看这篇文章的童鞋肯定是有所了解的。
那么这篇文章你可以收获什么?
答:本文主要通过本人如何从java转战到kotlin并应用在实际项目中的个人经历,给大家提供一些学习思路、学习方法以及一些学习资料和个人总结。
前提:你的项目(包含个人项目)即将开始用到kotlin(没有项目作为依托你会缺少十足的动力,而且缺少应用场景乘热打铁那也是白学)
建议:建议没有切换kotlin的小伙伴快来转战kotlin吧!最近一段时间搞了kotlin之后发现写起来确实比java爽多了,语法非常精简,而且据统计现已有30%安卓项目使用了kotlin,所以小伙伴们行动起来吧,这必定是大势所趋,可千万别被淘汰了啊
入门
俗话说万事开头难,不过我们先把Kotlin语法学习一遍,你就会发现so easy,而且语言思想都是相通的
第一步:学习语法
当然是去官网学习喽:http://kotlinlang.org/docs/reference/
如下图:
不过英文吃力的小伙伴可以去菜鸟教程网站学习
地址:http://www.runoob.com/kotlin/kotlin-tutorial.html
如下图:
内容与官网一致。
不过不能光看,一定要写,就算照着抄也要多写,尽量在学习时候多和java语法做对比,会印象深刻。
如下图,本人的练习代码:
第二步:对比学习
大家可以参考下面的链接进行学习:
from-java-to-kotlin : https://github.com/MindorksOpenSource/from-java-to-kotlin
from-java-to-kotlin中给出了我们常用的语法对比
如图:
第三步:Demo练习
通过上面的学习我们此刻已经熟悉了kotlin的基本语法,可以来尝试写一个万年历的Demo。
1、新建工程
我们新建一个工程,点击Include kotlin support
如图:
我们看一下Include kotlin support都帮我们做了什么事情
首先module中gradle文件
如图:
比我们之前的工程多了下面两个引用和一个依赖:
// 使用Kotlin插件
apply plugin: 'kotlin-android'
// 使用Kotlin Android扩展插件
apply plugin: 'kotlin-android-extensions'
dependencies {
//...
//添加Kotlin 标准库
compile "org.jetbrains.kotlin:kotlin-stdlib-jre7:$kotlin_version"
//...
}
1
2
3
4
5
6
7
8
9
10
11
知识点: kotlin-android-extensions相当于DataBinding,同样的目的为了偷懒不用写findViewByIdAndroid 开发必备。
我们再看一下project中的gradle文件
如图:
比我们之前的工程多了Kotlin编译插件:
// 添加了Kotlin编译插件
classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"
1
2
2、Demo说明
该项目使用MVP模式,里面用到了Retrofit2+RxJava2,然后使用了聚合的万年历接口,Demo非常简单便于初学者快速掌握。
Demo使用展示:
工程目录结构如图:
3、Activity
看下布局文件非常简单,我们可以在activity里面直接将控件的id当成变量来使用
<?xml version="1.0" encoding="utf-8"?>
<android.support.constraint.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
....">
<DatePicker
android:id="@+id/dataPicker"
.... />
<Button
android:id="@+id/selectButton"
.... />
<TextView
android:id="@+id/titleTextView"
.... />
<TextView
android:id="@+id/contentTextView"
....
/>
</android.support.constraint.ConstraintLayout>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
selectButton.setOnClickListener {
titleTextView.visibility = View.GONE
selectButton.visibility = View.GONE
contentTextView.visibility = View.GONE
dataPicker.visibility = View.VISIBLE
}
....
....
}
1
2
3
4
5
6
7
8
9
10
11
12
13
注意:直接使用id作为变量的时候,要在Module的gradle里面加入扩展,才能使用,不然会报错
apply plugin: 'kotlin-android-extensions'
1
这个上面已经说过,我们创建工程的时候如果选中Include kotlin support怎会自动在gradle中生成。
4、Retrofit+RxJava
Retrofit结合RxJava能快捷的使用网络请求。
创建Service接口,Kotlin的类型是写在后面
interface RetrofitService {
/**
* 获取当天详细信息
* @param date 日期
*/
@GET("calendar/day")
fun calenderDay(
@Query("date") date: String,
@Query("key") key: String
): Observable<CalentarDayBean>
/**
* 获取近期假期
* @param date 日期
*/
@GET("calendar/month")
fun calenderMonth(
@Query("date") date: String
): Observable<CalentarMonthBean>
/**
* 获取当年假期列表
* @param date 日期
*/
@GET("calendar/year")
fun calenderYear(
@Query("date") date: String
): Observable<CalentarYearBean>
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
创建Retrofit,Kotlin的class并不支持static变量,所以需要使用companion object来声明static变量,其实这个变量也不是真正的static变量,而是一个伴生对象
伴生对象可以实现静态调用,通过类名.属性名或者类名.方法名进行调用
class RetrofitUtil {
companion object {
/**
* 创建Retrofit
*/
fun create(url: String): Retrofit {
//日志显示级别
val level: HttpLoggingInterceptor.Level = HttpLoggingInterceptor.Level.BODY
//新建log拦截器
val loggingInterceptor: HttpLoggingInterceptor = HttpLoggingInterceptor(HttpLoggingInterceptor.Logger {
message -> Logger.e("OkHttp: " + message)
})
loggingInterceptor.level = level
// okHttpClientBuilder
val okHttpClientBuilder = OkHttpClient().newBuilder()
okHttpClientBuilder.connectTimeout(60, TimeUnit.SECONDS)
okHttpClientBuilder.readTimeout(10, TimeUnit.SECONDS)
//OkHttp进行添加拦截器loggingInterceptor
//okHttpClientBuilder.addInterceptor(loggingInterceptor)
return Retrofit.Builder()
.baseUrl(url)
.client(okHttpClientBuilder.build())
.addConverterFactory(GsonConverterFactory.create())
.addCallAdapterFactory(RxJava2CallAdapterFactory.create())
.build()
}
val retrofitService: RetrofitService = RetrofitUtil.getService(Constants.REQUEST_BASE_URL, RetrofitService::class.java)
/**
* 获取ServiceApi
*/
fun <T> getService(url: String, service: Class<T>): T {
return create(url).create(service)
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
通过伴生对象,结合Retrofit结合RxJava 我们直接就可以调用接口了
RetrofitUtil
.retrofitService
.calenderDay(date,"933dc930886c8c0717607f9f8bae0b48")
.subscribeOn(Schedulers.io())
.observeOn(AndroidSchedulers.mainThread())
.subscribe({ result ->
view?.showDayCalentarData(result)
Logger.e(result.toString())
}, { error ->
view?.showError(error.message.toString())
Logger.e(error.message.toString())
})
1
2
3
4
5
6
7
8
9
10
11
12
5、使用对象声明
在写项目的时候,一般会将常量统一写到一个类里面,然后设置静态变量,由于在Kotlin中不存在静态变量,所有就有对象声明的存在,对象声明比较常用的地方就是在这里,对象声明用Objcet关键字表示。
object Constants {
val REQUEST_BASE_URL = "http://v.juhe.cn/"
val KEY = "1be865c0e67e3"
}
1
2
3
4
5
6
使用的时候直接类名加.加变量名,如Constants.REQUEST_BASE_URL
6、使用数据类
Kotlin有专门的数据类,就是用data修饰的类
首先我们先看一下json数据:
{
"reason":"Success",
"result":{
"data":{
"date":"2018-4-4",
"weekday":"星期三",
"animalsYear":"狗",
"suit":"订盟.纳采.冠笄.拆卸.修造.动土.安床.入殓.除服.成服.移柩.安葬.破土.启攒.造仓.",
"avoid":"作灶.开光.嫁娶.开市.入宅.",
"year-month":"2018-4",
"lunar":"二月十九",
"lunarYear":"戊戌年"
}
},
"error_code":0
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
再来看一下我的数据类:
data class CalentarDayBean(
val reason: String,
val result: CalentarDayResult,
val error_code: Int
)
data class CalentarDayResult(
val data: CalentarDayData
)
data class CalentarDayData(
val date: String,
val weekday: String,
val animalsYear: String,
val suit: String,
val avoid: String,
val yearMonth: String,
val holiday: String,
val lunar: String,
val lunarYear: String,
val desc: String
)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
就是如此方便
7、MVP
kotlin的MVP和java原理一模一样我先定义了IBaseModel和IBaseView
IBaseModel
interface IBaseModel<T> {
fun onDestroy()
fun attachView(view: T)
}
1
2
3
4
5
6
IBaseView
interface IBaseView {
fun showLoading()
fun hideLoading()
fun showMessage(message: String)
fun killMyself()
}
1
2
3
4
5
6
7
8
9
10
11
然后完成ICalentarContract,这个类似合同类的接口把P和V的所有方法全部写在一起,看起来代码格外清楚
interface ICalentarContract {
/**
* 对于经常使用的关于UI的方法可以定义到IBaseView中,如显示隐藏进度条,和显示文字消息
*/
interface View : IBaseView {
fun showDayCalentarData(calentarDayBean: CalentarDayBean)
fun showError(errorMsg: String)
}
/**
* Model层定义接口,外部只需关心Model返回的数据,无需关心内部细节,如是否使用缓存
*/
interface Model : IBaseModel<ICalentarContract.View> {
fun getDayCalentarData(date: String)
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
然后activity去实现ICalentarContract.View,presenter去实现ICalentarContract.Model
class CalentarDatePresenter : ICalentarContract.Model {
....
}
1
2
3
class MainActivity : AppCompatActivity(), ICalentarContract.View {
...
}
1
2
3
so easy~~~ 到这里我们的Demo就完成了,可以尽情玩乐。
项目地址:待上传。。。。。。。。。。。。。
好了,到这里我们基本掌握了Kotlin在安卓中的应用,那么接下来就需要去学习一下kotlin设计模式以及一些进阶知识~
进阶
一、Kotlin设计模式
本文只列出几个常用的设计模式
1、观察者模式( observer pattern )
Example
interface TextChangedListener {
fun onTextChanged(newText: String)
}
class PrintingTextChangedListener : TextChangedListener {
override fun onTextChanged(newText: String) = println("Text is changed to: $newText")
}
class TextView {
var listener: TextChangedListener? = null
var text: String by Delegates.observable("") { prop, old, new ->
listener?.onTextChanged(new)
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Usage
val textView = TextView()
textView.listener = PrintingTextChangedListener()
textView.text = "Lorem ipsum"
textView.text = "dolor sit amet"
1
2
3
4
Output
Text is changed to: Lorem ipsum
Text is changed to: dolor sit amet
1
2
2、策略模式( strategy pattern )
Example
class Printer(val stringFormatterStrategy: (String) -> String) {
fun printString(string: String) = println(stringFormatterStrategy.invoke(string))
}
val lowerCaseFormatter: (String) -> String = { it.toLowerCase() }
val upperCaseFormatter = { it: String -> it.toUpperCase() }
1
2
3
4
5
6
7
Usage
val lowerCasePrinter = Printer(lowerCaseFormatter)
lowerCasePrinter.printString("LOREM ipsum DOLOR sit amet")
val upperCasePrinter = Printer(upperCaseFormatter)
upperCasePrinter.printString("LOREM ipsum DOLOR sit amet")
val prefixPrinter = Printer({ "Prefix: " + it })
prefixPrinter.printString("LOREM ipsum DOLOR sit amet")
1
2
3
4
5
6
7
8
Output
lorem ipsum dolor sit amet
LOREM IPSUM DOLOR SIT AMET
Prefix: LOREM ipsum DOLOR sit amet
1
2
3
3、单例模式(singleton pattern)
Example
class Singletone private constructor() {
init {
println("Initializing with object: $this")
}
companion object {
val getInstance =SingletonHolder.holder
}
private object SingletonHolder {
val holder = Singletone()
}
fun print() = println("Printing with object: $this")
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Usage
Singletone.getInstance.print()
Singletone.getInstance.print()
1
2
Output
Initializing with object: advance.Singletone@266474c2
Printing with object: advance.Singletone@266474c2
Printing with object: advance.Singletone@266474c2
1
2
3
4、工厂模式(Factory Method)
Example
interface Currency {
val code: String
}
class Euro(override val code: String = "EUR") : Currency
class UnitedStatesDollar(override val code: String = "USD") : Currency
enum class Country {
UnitedStates, Spain, UK, Greece
}
class CurrencyFactory {
fun currencyForCountry(country: Country): Currency? {
when (country) {
Country.Spain, Country.Greece -> return Euro()
Country.UnitedStates -> return UnitedStatesDollar()
else -> return null
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
Usage
val noCurrencyCode = "No Currency Code Available"
val greeceCode = CurrencyFactory().currencyForCountry(Country.Greece)?.code() ?: noCurrencyCode
println("Greece currency: $greeceCode")
val usCode = CurrencyFactory().currencyForCountry(Country.UnitedStates)?.code() ?: noCurrencyCode
println("US currency: $usCode")
val ukCode = CurrencyFactory().currencyForCountry(Country.UK)?.code() ?: noCurrencyCode
println("UK currency: $ukCode")
1
2
3
4
5
6
7
8
9
10
Output
Greece currency: EUR
US currency: USD
UK currency: No Currency Code Available
1
2
3
5、代理模式(Protection Proxy)
Example
interface File {
fun read(name: String)
}
class NormalFile : File {
override fun read(name: String) = println("Reading file: $name")
}
//Proxy:
class SecuredFile : File {
val normalFile = NormalFile()
var password: String = ""
override fun read(name: String) {
if (password == "secret") {
println("Password is correct: $password")
normalFile.read(name)
} else {
println("Incorrect password. Access denied!")
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
Usage
val securedFile = SecuredFile()
securedFile.read("readme.md")
securedFile.password = "secret"
securedFile.read("readme.md")
1
2
3
4
5
Output
Incorrect password. Access denied!
Password is correct: secret
Reading file: readme.md
1
2
3
6、建造者模式(builder pattern)
Example
// Let's assume that Dialog class is provided by external library.
// We have only access to Dialog public interface which cannot be changed.
class Dialog() {
fun showTitle() = println("showing title")
fun setTitle(text: String) = println("setting title text $text")
fun setTitleColor(color: String) = println("setting title color $color")
fun showMessage() = println("showing message")
fun setMessage(text: String) = println("setting message $text")
fun setMessageColor(color: String) = println("setting message color $color")
fun showImage(bitmapBytes: ByteArray) = println("showing image with size ${bitmapBytes.size}")
fun show() = println("showing dialog $this")
}
//Builder:
class DialogBuilder() {
constructor(init: DialogBuilder.() -> Unit) : this() {
init()
}
private var titleHolder: TextView? = null
private var messageHolder: TextView? = null
private var imageHolder: File? = null
fun title(init: TextView.() -> Unit) {
titleHolder = TextView().apply { init() }
}
fun message(init: TextView.() -> Unit) {
messageHolder = TextView().apply { init() }
}
fun image(init: () -> File) {
imageHolder = init()
}
fun build(): Dialog {
val dialog = Dialog()
titleHolder?.apply {
dialog.setTitle(text)
dialog.setTitleColor(color)
dialog.showTitle()
}
messageHolder?.apply {
dialog.setMessage(text)
dialog.setMessageColor(color)
dialog.showMessage()
}
imageHolder?.apply {
dialog.showImage(readBytes())
}
return dialog
}
class TextView {
var text: String = ""
var color: String = "#00000"
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
Usage
//Function that creates dialog builder and builds Dialog
fun dialog(init: DialogBuilder.() -> Unit): Dialog {
return DialogBuilder(init).build()
}
val dialog: Dialog = dialog {
title {
text = "Dialog Title"
}
message {
text = "Dialog Message"
color = "#333333"
}
image {
File.createTempFile("image", "jpg")
}
}
dialog.show()
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
Output
setting title text Dialog Title
setting title color #00000
showing title
setting message Dialog Message
setting message color #333333
showing message
showing image with size 0
showing dialog Dialog@5f184fc6
1
2
3
4
5
6
7
8
2、相关书籍
个人认为还是需要找一本书籍好好地阅读一遍,一下提供了相关书籍可以选择适合自己的。
NO.1
《Kotlin for Android Developers》
Kotlin是编写Android应用程序的新官方语言,多亏了这本书,你很快就能写出代码。直奔主题,实用和完整的例子,它将在开发Android应用程序的同时展示你的语言。学习Kotlin并开始使用这个强大而现代的语言再次享受Android开发。
NO.2
《Kotlin开发快速入门与实战》
学习本书之前不需要具备任何的计算机专业背景,任何有志于APP开发的读者都能利用本书从头学起。
资深软件开发工程师根据Kotlin最新版本撰写,系统讲解Kotlin开发技巧和项目实战。全书共分为7章,内容层次清晰,难度循序渐进。希望通过阅读本书,能够让你成为一个全栈工程师。
NO.3
《疯狂Kotlin讲义》
本书尤其适合从Java转Kotlin的读者,对于没有Java功底的读者,可忽略“对比”部分,直接学习本书也可掌握Kotlin编程。
本书对Kotlin的解读十分系统、全面,超过Kotlin官方文档本身覆盖的内容。本书很多地方都会结合Java字节码进行深入解读,比如对Kotlin扩展的解读,对Kotlin主、次构造器的解读,这种解读目的不止于教会读者简单地掌握Kotlin的用法,而是力求让读者深入理解Kotlin,且更好地理解Java。
NO.4
《Kotlin实战》
本书主要面向有一定Java 经验的开发者。
本书将从语言的基本特性开始,逐渐覆盖其更多的高级特性,尤其注重讲解如何将 Koltin 集成到已有 Java 工程实践及其背后的原理。本书分为两个部分。第一部分讲解如何开始使用 Kotlin 现有的库和API,包括基本语法、扩展函数和扩展属性、数据类和伴生对象、lambda 表达式,以及数据类型系统(着重讲解了可空性和集合的概念)。第二部分教你如何使用 Kotlin 构建自己的 API,以及一些深层次特性——约定和委托属性、高阶函数、泛型、注解和反射,以及领域特定语言的构建。
本书适合广大移动开发者及入门学习者,尤其是紧跟主流趋势的前沿探索者。
NO.5
《揭秘Kotlin编程原理》
本书深入介绍Kotlin面向对象设计的语法特性及其背后的实现方式。
在本书中,读者不仅能清晰地了解Kotlin的语法、高级特性,还能真正地掌握Kotlin背后的实现机制和设计哲学,形成对Kotlin语言既直观、又深刻的认识——在此基础上,读者能准确、快速地上手实践,大大提升自己的移动开发能力。
Kotlin的这些特性和实现机制,可以帮助开发者扫清开发道路上的一些障碍,让开发变得更加简单!本书是一本值得拥有,能切实帮助读者加薪提职的好书!
项目
学习一门语言最快的方式就是看其如何在实际项目中运用,有了上面的基础和进阶,下面我们看一些开源项目:
1.Kotlin-for-Android-Developers(★1676)
介绍:这个项目其实是Kotlin-for-Android-Developers这本书的配套代码,如果你是kotlin的初学者,那么这绝对是你学习kotlin的不二之选。项目通过一个天气的例子很好的展示了kotlin带来的强大功能,比如网络数据的请求,数据的缓存设计,数据库的操作,各种扩展函数的妙用等等。
地址:https://github.com/antoniolg/Kotlin-for-Android-Developers
2.Bandhook-Kotlin (★1494)
介绍:Kotlin版本的音乐播放器,数据来源于LastFm。
地址:https://github.com/antoniolg/Bandhook-Kotlin
3.GankClient-Kotlin (★1216)
介绍:gank.io kotlin实现的干货集中营Android客户端,风格采用了Material Design。
地址:https://github.com/githubwing/GankClient-Kotlin
4.PoiShuhui-Kotlin(★897)
介绍:一个用Kotlin写的简单漫画APP。
地址:https://github.com/wuapnjie/PoiShuhui-Kotlin
5.Eyepetizer-in-Kotlin(★1167)
介绍:Kotlin版本的Eyepetizer客户端
地址:https://github.com/LRH1993/Eyepetizer-in-Kotlin
6.Tucao(★792)
介绍:Kotlin版本的吐槽客户端
地址:https://github.com/blackbbc/Tucao
资源
一、重要资源
Kotlin 官网
https://kotlinlang.org/docs/reference/
Kotlin 官方网站是学习 Kotlin 好去处。在参考部分,你可以找到该语言的所有概念和功能的深入解析文档。在教程部分有关于设置工作环境并使用编译器的实用分步指南。
这里还有个 Kotlin 编译器,是一个浏览器 APP,你可以在上面尝试使用这门语言。它能加载许多示例,包括 Koans 课程 — 这是目前熟悉 Kotlin 语法的最好方式。
Kotlin 官博
https://blog.jetbrains.com/kotlin/
Kotlin 的官方博客由 JetBrains 的一位作者负责。你可以在这里找到所有与 Kotlin 相关的新闻、更新、教程、使用技巧等的内容。
在 Android 上开始使用 Kotlin
https://developer.android.com/kotlin/get-started.html
一篇很牛叉的文章,向我们展示了如何使用 Kotlin 编写和运行 Android 应用程序的测试
从 Java 到 Kotlin
https://github.com/MindorksOpenSource/from-java-to-kotlin
实用的快速提醒列表工具包含了一些简短的代码块,藉由这个来帮助你快速找到通用 Java 操作符、功能以及声明的 Kotlin 替代方案。
Kotlin 教学插件
https://blog.jetbrains.com/kotlin/2016/03/kotlin-educational-plugin/
用于 IntelliJ IDEa 的插件,可让你在本地离线环境下使用 Koans 课程。
Kotlin on GitHub
https://github.com/jetbrains/kotlin
Kotlin 于 2012 年开源,你可以对该语言进行贡献。
Kotlin Android 模板
https://github.com/nekocode/Kotlin-Android-Template
Android 项目模板,使其非常容易设置稳定的 Kotlin 工作区,并快速引导你开发应用程序。
不可错过的 Kotlin 资源列表
https://github.com/KotlinBy/awesome-kotlin
这是一个比较完整的 Kotlin 资源列表,包括各种实用链接、书籍、库、框架和视频等。该列表的组织结构非常好,kotlin.link 也提供了一个风格化的版本。
kotlin设计模式
https://github.com/dbacinski/Design-Patterns-In-Kotlin
DariuszBaciński 创建了一个 GitHub repo,其中有在 Kotlin 中实现的常见设计模式,也有用其他语言编写的类似项目,包括 Java,Swift,Java 和 PHP,如果你是其中一项语言的使用者,可以用它们作为参考点。
二、视频资源
Kotlin 介绍
https://www.youtube.com/watch?v=X1RVYt2QKQE
来自 Google I / O 2017 的演讲,大会首次向人们介绍 Kotlin,并提出了改进工作流程的想法。它涵盖了许多基础知识,并展示了一些很酷的 Kotlin 技巧。
明日胜于今,我用 Kotlin
https://www.youtube.com/watch?v=fPzxfeDJDzY
Google I / O 2017 大会关于 Kotlin 的第二个演讲。这个演讲涵盖了更多高级话题,如设计模式,最佳实践和其他常见规则。 演讲也揭示了在生产中使用 Kotlin 的意义,以及在工作中采用新兴语言将面临的挑战。
Peter Sommerhoff 教你学 Kotlin
https://www.youtube.com/playlist?list=PLpg00ti3ApRweIhdOI4VCFFStx4uXC__u
这是一个免费的 Kotlin 课程,适合初学者,前面介绍了从变量到条件循环和函数的所有基础知识,后面会深入到更高级的主题,如 Kotlin 中的面向对象以及像 lambda 表达式的功能编程。
使用 Kotlin&Gradle 更好地开发 Android
https://www.youtube.com/watch?v=_DaZQ374Chc
这个讲座从 2016 年开始,它介绍了现实世界中的编程语言功能,你将了解到 Kotlin 是如何适应 Android 工作流程中存在的工具。
使用 Kotlin&Gradle 更好地开发 Android
https://www.youtube.com/watch?v=ZlQhmkp_jyk
一个 8 分钟的浓缩教程,让你快速了解 Kotlin 的主要功能,如变量声明、Lambdas、扩展功能等等。
Jake Wharton:用 Kotlin 进行 Android 开发
https://www.youtube.com/watch?v=A2LukgT2mKc&t
关于 Kotlin 的介绍,演讲向我们解释了新语言是如何改进 Android 生态系统的,并展示了许多炫酷的方式,我们可以使用智能的 Kotlin 语法来获得优势。
发表评论
-
AndroidStudio无法执行Java的main函数
2021-03-25 10:10 731FAILURE: Build failed with an e ... -
最近github经常打不开解决办法
2021-03-23 21:43 2https://zhuanlan.zhihu.com/p/15 ... -
android studio 各个历史版本下载
2021-03-15 16:51 1624android studio 各个历史版本下载 https: ... -
pod install 的历程
2021-01-27 09:34 366公司ios项目拉下来执行有报错,建议执行pod install ... -
Android Studio Database Inspector 使用
2021-01-22 15:24 554转:https://segmentfault.com/a/ ... -
Flutter upgrade升级一直停留在 Running pub upgrade...
2020-10-26 10:15 1060win10 下配置 最后用国内镜像解决了。方法: 1、计算机 ... -
什么是MVVM模式的架构?
2020-10-20 12:14 487转自:https://www.jianshu.com/p/a8 ... -
原生开发、H5开发和混合开发的优缺点
2020-06-04 15:20 515目前市场上主流的APP分为三种:原生APP、Web APP( ... -
flutter填坑——解决ListView添加在Scaffold上默认的的top-padding
2020-01-11 15:09 613解决方法 把ListView用MediaQuery.remo ... -
Flutter开发环境搭建——Ubuntu
2019-09-02 18:10 447配置完做下记录 准备,加快下载速度 由于在国内访问Flutt ... -
原 android view相对于根布局的坐标获取
2019-05-10 11:09 923一张图就看懂了,附件 -
认识一下 Emoji
2019-03-26 15:07 638https://www.cnblogs.com/plokmju ... -
ubuntu批量修改文件名字(换动画资源必用)
2019-03-23 15:28 830for file_old in `ls | grep 原来的 ... -
ubuntu连接android设备(附最简单方法)
2019-03-14 10:35 904新买的手机IQOO后,连不上adb,显示数字加null,所以看 ... -
解决 Configure build 下载慢的问题(亲测有效)
2019-03-09 23:11 3103在build.gradle 文件加入下面代码即可 buil ... -
记录下ubuntu下studio安装flutter
2019-03-09 11:37 1290一、安装Flutter的SDK及环境配置 1、访问官网,下载S ... -
Flutter与React Native
2019-03-06 17:58 946Flutter 与React Native 对比 [关于性 ... -
论开发框架的选择MVP,RxFlux2,Rxjava,Dagger2或在不需要
2018-08-31 10:23 990为什么要使用框架 使用框架,是为了提高生产效率。 框架就是 ... -
不继承RxAppCompatActivity的情况下使用RxLifeCycle
2018-08-29 10:07 2062在Android中使用Rxjava时可能会在页面退出时出现内存 ... -
RXJava2内存泄露处理
2018-08-24 17:36 3282内存泄露处理 基本代码: private final Co ...
相关推荐
《Kotlin学习书籍(中文)》是一套专为中文学习者设计的教程,旨在帮助开发者深入理解和掌握Kotlin编程语言,特别是其在Android开发中的应用。这套资源包含了两本PDF电子书:《Kotlin in Chinese》和《Kotlin for ...
根据提供的文件信息,“kotlin学习视频.txt”,我们可以推断出这份文档主要包含了关于Kotlin编程语言的学习资源。接下来,我们将围绕这份文档的标题、描述、标签以及部分内容来展开相关的知识点介绍。 ### Kotlin...
kotlin学习kotlin学习
本资源“Android-kotlin学习demorxkotlinrxjava2.0mvp”显然是一个针对Android平台上使用Kotlin进行开发的学习示例,包含了RxJava 2.0和MVP(Model-View-Presenter)模式的应用。下面将详细讲解这些知识点。 1. **...
在你提供的资料中,"本人kotlin学习资料"显然是一份关于Kotlin编程的学习资源,可能包括教程、代码示例、最佳实践等内容。 Kotlin的主要特点包括: 1. **空安全**:Kotlin通过在编译时强制检查空值,减少了因空...
**Kotlin学习手册电子书合集** 本合集是一份全面的Kotlin编程语言学习资源,旨在帮助开发者深入了解并熟练掌握Kotlin。Kotlin是一种现代的、面向对象的、静态类型的编程语言,由JetBrains公司开发,主要用于Android...
这份文档的作用在于为学习者提供了一个全面而系统的Kotlin学习规划与资源指南。通过这份文档,学习者可以清晰地了解Kotlin学习的整体框架和各个阶段的学习重点,从而有针对性地展开学习。 首先,文档明确了Kotlin...
“kotlin学习pdf中英双语”这个资源包含两份PDF文档,分别是“Kotlin官方参考文档中文版.pdf”和“kotlin-for-android-developers-zh.pdf”。这两份文档都是关于Kotlin编程语言的教程,适合初学者入门学习。 1. **...
本"Android Kotlin学习简单使用Demo"旨在通过实际的项目案例,帮助开发者快速掌握Kotlin在Android应用中的基本应用,包括viewpager、tablayout、fragment以及XUtils网络请求的集成。 首先,我们来看`viewpager+...
### Android Kotlin 学习教程 #### Introduction 本教程旨在为初学者及有一定经验的开发者提供一个全面、系统的学习路径,帮助大家掌握Kotlin语言及其在Android开发中的应用。Kotlin是一种现代、简洁、功能强大的...
【Kotlin学习资料自用】 Kotlin是一种现代的、面向对象的编程语言,由JetBrains公司开发,主要用于Android应用开发,但也可应用于Web、服务器端和桌面应用等平台。Kotlin的设计目标是提供简洁、安全、可空安全以及...
接下来,我们将深入分析谷歌提供的Kotlin学习文档,提取并详细解释文档中所涉及的关键知识点。 首先,文档的开头提到了谷歌在Android Studio 3.0版本中默认集成了Kotlin插件,并强调了Kotlin在设计上的优越性,认为...
《Kotlin学习入门》这篇文档是为初学者设计的,旨在帮助那些刚刚接触或打算学习Kotlin编程语言的人快速上手。Kotlin是由JetBrains公司开发的一种现代、静态类型的编程语言,它在2017年被Google宣布为Android开发的...
【Kotlin学习Demo详解】 Kotlin,一种由JetBrains公司开发的现代编程语言,自2016年发布以来,已经在Android开发领域取得了显著的地位。它以其简洁、安全和面向表达性的特性,深受开发者喜爱。这个"Kotlin学习demo...
这个"Kotlin学习教程及文档"包含了丰富的资源,适合想要深入理解和掌握Kotlin语言的初学者和有经验的开发者。 首先,让我们从基础开始,Kotlin的语法设计旨在减少程序员的常见错误,如空指针异常。它引入了可空类型...
《Kotlin学习手册》 Kotlin是一种现代的、面向对象的编程语言,主要设计用于Java虚拟机(JVM)和Android应用开发。本手册集合了四份珍贵的学习资源,旨在帮助开发者深入理解和掌握Kotlin语言。 1. **book.pdf**:...
**Kotlin学习Demo** 在当前的移动应用开发领域,Kotlin已经成为了Android开发者的首选语言之一,这得益于其简洁的语法、强大的功能以及与Java的无缝集成。本篇将深入探讨Kotlin的魅力,并通过"Kotlin学习Demo"的...
【Kotlin学习资料详解】 Kotlin,一种由JetBrains公司开发的现代静态类型编程语言,以其简洁、安全和富有表达力的语法深受开发者喜爱。它不仅适用于Android开发,还可以用于服务器端、Web开发以及JavaScript等多...
【Kotlin学习参考笔记】 Kotlin是一种现代、静态类型的编程语言,主要面向Java虚拟机(JVM)和JavaScript运行环境,同时也支持Android平台。由JetBrains公司开发,它旨在提高开发者的生产力,提供简洁、易读性强的...