Utils class in Kotlin

后端 未结 3 1284
暖寄归人
暖寄归人 2021-01-01 09:34

In Java, we can create an utilities class like this:

final class Utils {
    public static boolean foo() {
        return false;
    }
}

Bu

相关标签:
3条回答
  • 2021-01-01 09:46

    You'd need to use @JvmStatic for that:

    In Kotlin:

    object Utils {
        @JvmStatic
        fun foo(): Boolean = true
    }
    
    val test = Utils.foo()
    

    In Java:

    final boolean test = Utils.foo()
    
    0 讨论(0)
  • 2021-01-01 09:54

    Note that the util class you used in Java was the only way to supply additional functions there, for anything that did not belong to a particular type or object. Using object for that in Kotlin does not make any sense. It isn't a singleton, right?

    The second approach you mentioned is rather the way to go for utility functions. Internally such functions get translated to static ones and as you can see they become the static util classes in Java you are searching for, as you can't have standalone functions in Java without a class or enum. In Kotlin itself however they are just functions.

    Some even count utility classes to the anti-patterns. Functions on the other hand make totally sense without a class or object whose name hasn't so much meaning anyway.

    0 讨论(0)
  • 2021-01-01 09:56

    The last solution you've proposed is actually quite idiomatic in Kotlin - there's no need to scope your function inside anything, top level functions are just fine to use for utilities, in fact, that's what most of the standard library consists of.

    You've used the @JvmName annotation the right way too, that's exactly how you're supposed to make these top level functions easily callable for Java users.

    Note that you only need @JvmMultifileClass if you are putting your top level functions in different files but still want them to end up grouped in the same class file (again, only for Java users). If you only have one file, or you're giving different names per file, you don't need this annotation.


    If for some reason you want the same Utils.foo() syntax in both Java and Kotlin, the solution with an object and then @JvmStatic per method is the way to do that, as already shown by @marianosimone in this answer.

    0 讨论(0)
提交回复
热议问题