美文网首页
有关kotlin

有关kotlin

作者: 34sir | 来源:发表于2017-08-12 16:23 被阅读19次
    image.png

    kotlin:


    image.png

    2.getter setter

    java :

     public class Person{
         private int id;
         private String name;
         //瞅啥瞅,省略掉的是 getter 和 setter!
         ...
     }
    

    kotlin:

    data class Person(val id: Int, val name: String)
    

    3.空指针

    java中常需要如下判空:

     if(x != null) x.y();
    
     Person person = findPersonFromCacheOrCreate();
     if(person!=null)
     person.setName("橘右京");
    

    kotlin:String 表示一个不可为 null 的字符串类型,如果返回null代码即会报错

      fun findPersonFromCacheOrCreate(): String{
         ...
     }
    

    String 已经确定是不会为空,一定有值;而 String?则是未知的,也许有值,也许是空。在使用对象的属性和方法的时候,String 类型的对象可以毫无顾忌的直接使用,而 String?类型需要你先做非空判断。

      fun demo() {
        val string1: String = "string1"
        val string2: String? = null
        val string3: String? = "string3"
    
        println(string1.length)    //7
        println(string2?.length)   //null 不会报空 注意string2后面的"?",等于判空如果不加编辑器会提醒报错    
        println(string3?.length)   //7
    }
    

    尽管 string2 是一个空对象,也并没有因为我调用了它的属性/方法就报空指针。而你所需要做的,仅仅是加一个"?"(等于判空)。

    4.Smart Cast

    java:不够聪明,不建议强转但有些情况不可避免

     if(view instanceof ViewGroup){
         ((ViewGroup) view).addView(child);
     }
    

    kotlin:

     if(view is ViewGroup){
         view.addView(child) // 现在 Kotlin 已经知道 view 是 ViewGroup 类型了!
     }
    

    5.方法可扩展

    判别是否为空字符串:
    java:

     public class StringUtils{
         public static boolean notEmpty(String str){
             return !"".equals(str);
         }
         public static boolean isEmpty(String str){
             return "".equals(str);
         }
     }
    

    kotlin:添加String的拓展方法

    fun String.isEmpty():boolean{
         return this=="";
    }
    

    6.替代butterknife

    7.SharedPreferences 持久化

    如同读写内存一样简单直接:

     var name by Preference(context, "name", "橘右京", "sp_name")
     ...
     Log.d(TAG, name) // 第一次读取,只能读取到默认值,那就是 橘右京
     name = "不知火舞"
     Log.d(TAG, name) // 这里输出的就是 不知火舞 啦
    

    8.一个关键字实现单例

    object Log {
        fun i(string: String) {
            println(string)
        }
    }
    
    fun main(args: Array<String>) {
        Log.i("test")
    }
    

    问题

    1.需要理解函数式编程,学习成本相对较高
    2.代码混淆时需注意一些坑
    3.Android library 不建议使用kotlin 会有额外的大小以及编译异常的问题

    总结

    根据项目实际情况考虑引入kotlin的可行性,可以由浅入深,比如先从JavaBean入手 。以上内容可能不太全面,感兴趣的可以在以下参考资料中继续了解。

    参考资料

    帖子:
    http://www.jianshu.com/p/8a1fce6fa93a
    https://zhuanlan.zhihu.com/p/24900005
    文档:
    https://github.com/huanglizhuo/kotlin-in-chinese
    项目:
    https://github.com/githubwing/GankClient-Kotlin
    https://github.com/antoniolg/Bandhook-Kotlin

    相关文章

      网友评论

          本文标题:有关kotlin

          本文链接:https://www.haomeiwen.com/subject/xydjrxtx.html