Kotlin에서 싱글톤 클래스를 만드는 방법은 무엇입니까?
이 기사는 원래 2022년 5월 21일 vtsen.hashnode.dev에 게시되었습니다.
Kotlin에서는 object declaration을 사용하여 싱글톤을 구현할 수 있습니다. 그러나 이 object 키워드를 모른다면 아마도 다음과 같이 할 것입니다.
기존의 싱글톤
class Singleton private constructor() {
companion object {
@Volatile
private lateinit var instance: Singleton
fun getInstance(): Singleton {
synchronized(this) {
if (!::instance.isInitialized) {
instance = Singleton()
}
return instance
}
}
}
fun show() {
println("This is Singleton class!")
}
}
fun run() {
Singleton.getInstance().show()
}
private constructor()
is used so that this can't be created as usual class@Volatile
andsynchronized()
are used to make sure this Singleton creation is thread-safe.
개체 선언 싱글톤
이것은 다음과 같이 단순화될 수 있습니다.
object Singleton {
fun show() {
println("This is Singleton class!")
}
}
fun run() {
Singleton.show()
}
Singleton
is a class and also a singleton instance where you can access the singleton object directly from your code.
생성자 인수 싱글톤
이 객체 선언의 한계는 생성자 매개변수를 전달하여 싱글톤 객체를 생성할 수 없다는 것입니다. 그렇게 하려면 여전히 첫 번째conventional method를 다시 사용해야 합니다.
class Singleton private constructor(private val name: String) {
companion object {
@Volatile
private lateinit var instance: Singleton
fun getInstance(name: String): Singleton {
synchronized(this) {
if (!::instance.isInitialized) {
instance = Singleton(name)
}
return instance
}
}
}
fun show() {
println("This is Singleton $name class!")
}
}
fun run() {
Singleton.getInstance("liang moi").show()
}
결론
저는 개인적으로 간단한 유틸리티 클래스(개체 선언 사용) 및 데이터베이스(인수를 전달해야 하기 때문에 규칙 싱글톤 방법 사용)에 싱글톤을 사용합니다.
또한보십시오
Reference
이 문제에 관하여(Kotlin에서 싱글톤 클래스를 만드는 방법은 무엇입니까?), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://dev.to/vtsen/how-to-create-singleton-class-in-kotlin-5123텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)