java 設(shè)計(jì)模式

  1. 單例模式:確保某一個(gè)類(lèi)只有一個(gè)實(shí)例,而且自行實(shí)例化并向整個(gè)系統(tǒng)提供這個(gè)實(shí)例。
    場(chǎng)景:一些工具類(lèi),RetrofitHelper岖食、EventBus等。
public class Singleton { 
 // 注意要加 volatile舞吭,保證可見(jiàn)性泡垃、有序性 
  private volatile static Singleton instance;
 
  private Singleton() {}
 
  public static Singleton getInstance() {
    if (instance == null) {
      synchronized(Singleton.class) {
        if (instance == null) {
          instance = new Singleton();
        }
      }
    }
    return instance;
  }
  1. 建造者模式:將一個(gè)復(fù)雜對(duì)象的構(gòu)建與它的表示分離,使得同樣的構(gòu)建過(guò)程可以創(chuàng)建不同的展示羡鸥。
    場(chǎng)景:Dialog蔑穴、Retrofit、OkHttp等惧浴。
 class Person {
    var name: String? = null  //名字
    var age = 0               //年齡
    var height = 0.0          //身高
    var weight = 0.0          //體重

    constructor(builder: Builder) {
        name = builder.name
        age = builder.age
        height = builder.height
        weight = builder.weight
    }

    class Builder {
        var name: String? = null  //名字
        var age = 0               //年齡
        var height = 0.0          //身高
        var weight = 0.0          //體重

        fun setName(name: String?): Builder {
            this.name = name
            return this
        }

        fun setAge(age: Int): Builder {
            this.age = age
            return this
        }

        fun setHeight(height: Double): Builder {
            this.height = height
            return this
        }

        fun setWeight(weight: Double): Builder {
            this.weight = weight
            return this
        }

        fun build(): Person {
            return Person(this)
        }
    }
}
  1. 觀察者模式:定義對(duì)象間的一種一對(duì)多的依賴(lài)關(guān)系存和,當(dāng)一個(gè)對(duì)象的狀態(tài)發(fā)送改變時(shí),所有依賴(lài)于它的對(duì)象都能得到通知并被自動(dòng)更新衷旅。
    場(chǎng)景:EventBus捐腿、RxJava等。
// 被觀察者接口
open interface Observable {
    fun addObserver(observer: Observer?)
    fun deleteObserver(observer: Observer?)
    fun notifyObservers(info: String?)
}

// 被觀察者
class LibraryObservable : Observable {
    //觀察者集合
    private val observers: ArrayList<Observer>?

    init {
        observers = ArrayList()
    }

    @Synchronized
    override fun addObserver(observer: Observer?) {
        if (observer == null) {
            throw NullPointerException()
        }
        if (!observers!!.contains(observer)) {
            observers.add(observer)
        }
    }

    @Synchronized
    override fun deleteObserver(observer: Observer?) {
        if (observer == null) {
            throw NullPointerException()
        }
        observers!!.remove(observer)
    }

    override fun notifyObservers(info: String?) {
        if (observers == null || observers.size <= 0) {
            return
        }
        for (observer in observers) {
            observer.update(info)
        }
    }
}

// 觀察者接口
open interface Observer {
    fun update(info: String?)
}

// 觀察者
class StudentObserver : Observer {
    override fun update(info: String?) {
        println(info)
    }
}

fun main() {
    val studentA = StudentObserver()
    val studentB = StudentObserver()
    //被觀察者圖書(shū)館
    val library = LibraryObservable()
    //studentA 和 studentB 在圖書(shū)館登記
    library.addObserver(studentA)
    library.addObserver(studentB)
    //圖書(shū)館有書(shū)了通知
    library.notifyObservers("有新書(shū)到了柿顶!")
}
  1. 責(zé)任鏈設(shè)計(jì)模式:責(zé)任鏈模式是一種對(duì)象的行為模式茄袖。在責(zé)任鏈模式里,很多對(duì)象由每一個(gè)對(duì)象對(duì)其下家的引用而連接起來(lái)形成一條鏈嘁锯。請(qǐng)求在這個(gè)鏈上傳遞宪祥,直到鏈上的某一個(gè)對(duì)象決定處理此請(qǐng)求。發(fā)出這個(gè)請(qǐng)求的客戶(hù)端并不知道鏈上的哪一個(gè)對(duì)象最終處理這個(gè)請(qǐng)求家乘,這使得系統(tǒng)可以在不影響客戶(hù)端的情況下動(dòng)態(tài)地重新組織和分配責(zé)任品山。
    場(chǎng)景:Android事件分發(fā)
// Handler:抽象處理者,聲明一個(gè)請(qǐng)求的處理方法
open interface Handler {
    fun handleRequest(name: String?, days: Int)
}

// 責(zé)任鏈類(lèi)
class HandlerChain : Handler {
    private val handlerList: ArrayList<Handler>

    init {
        handlerList = ArrayList()
    }

    fun addHandler(handler: Handler?): HandlerChain {
        handler?.let{
            handlerList.add(it)
        }
        return this
    }

    override fun handleRequest(name: String?, days: Int) {
        for (handler in handlerList) {
            handler.handleRequest(name, days)
        }
    }
}

// 具體處理者
class PMHandler : Handler {
    override fun handleRequest(name: String?, days: Int) {
        if (days <= 3) {
            println("$name烤低,pm has agreed to your leave approval")
        }
    }
}

class DirectorHandler : Handler {
    override fun handleRequest(name: String?, days: Int) {
        if (days in 4..7) {
            println("$name,director has agreed to your leave approval")
        }
    }
}

class MinisterHandler : Handler {
    override fun handleRequest(name: String?, days: Int) {
        if (days in 8..15) {
            println("$name笆载,minister has agreed to your leave approval")
        }
    }
}

fun main() {
    val handlerChain = HandlerChain()
    handlerChain.addHandler(PMHandler()).addHandler(DirectorHandler()).addHandler(MinisterHandler())
    handlerChain.handleRequest("jack",5)
}
  1. 適配器模式:把一個(gè)類(lèi)的接口轉(zhuǎn)換為客戶(hù)端所期待的另一種接口扑馁,從而使原本因接口不匹配而無(wú)法再一起工作的兩個(gè)類(lèi)能夠在一起工作涯呻。
    場(chǎng)景:ListView與Adapter的應(yīng)用就是典型的適配器模式。
    適配器模式主要分為兩種:類(lèi)適配器 和 對(duì)象適配器腻要。
open interface USB {
    fun isUSB()
}

open interface TypeC {
    fun isTypeC()
}

open class TypeCImpl : TypeC {
    override fun isTypeC() {
        println("typeC 充電口");
    }
}

// 類(lèi)適配器
class Adapter : TypeCImpl(), USB {
    override fun isUSB() {
        super.isTypeC()
    }
}

// 對(duì)象適配器
class AdapterObj(private val typeC: TypeC) : USB {
    override fun isUSB() {
        typeC.isTypeC()
    }
}
  1. 代理模式:為其他對(duì)象提供一種代理以控制這個(gè)對(duì)象的訪問(wèn)复罐。
open interface ISinger {
    fun sing()
}

class Singer : ISinger {
    override fun sing() {
        println(" singing ")
    }
}

// 靜態(tài)代理
class SingerProxy(private val singer: Singer) : ISinger {
    private val mSinger: Singer by lazy {
        singer
    }

    override fun sing() {
        println(" -- static proxy start -- ")
        mSinger.sing()
    }
}

// 動(dòng)態(tài)代理,通過(guò)反射在運(yùn)行時(shí)候生成代理對(duì)象的
class DynamicProxy {

    private val mSinger: Singer by lazy {
        Singer()
    }

    fun getProxy(): Any? {
        return Proxy.newProxyInstance(
            Singer::class.java.classLoader,
            mSinger.javaClass.interfaces
        ) { proxy, method, args ->
            println(" -- dynamic proxy start -- ")
            method!!.invoke(mSinger, *(args ?: arrayOfNulls<Any>(0)))
        }
    }
}

fun main() {
    SingerProxy(Singer()).sing()

    val iSinger = DynamicProxy().getProxy() as ISinger
    iSinger.sing()

}
  1. 策略模式:策略模式定義了一些列的算法雄家,并將每一個(gè)算法封裝起來(lái)效诅,而且使它們還可以相互替換。策略模式讓算法獨(dú)立于使用它的客戶(hù)而獨(dú)立變換趟济。
open interface IStrategy {
    fun doAction()
}

class TweenAnimation:IStrategy{
    override fun doAction() {
        println(" -- 補(bǔ)間動(dòng)畫(huà) -- ")
    }
}

class FrameAnimation:IStrategy{
    override fun doAction() {
        println(" -- 逐幀動(dòng)畫(huà) -- ")
    }
}

class ValueAnimator:IStrategy{
    override fun doAction() {
        println(" -- 屬性動(dòng)畫(huà) -- ")
    }
}
class AnimatorContext {

    private var strategy: IStrategy? = null

    fun setStrategy(strategy: IStrategy?) {
        this.strategy = strategy
    }

    fun doAction() {
        strategy?.doAction()
    }
}

fun main() {
    val context =  AnimatorContext()
    val tweenAnimation = TweenAnimation() as IStrategy
    val frameAnimation = FrameAnimation() as IStrategy
    val valueAnimator = ValueAnimator() as IStrategy

    context.setStrategy(tweenAnimation)
    context.doAction()

    context.setStrategy(frameAnimation)
    context.doAction()

    context.setStrategy(valueAnimator)
    context.doAction()
}
  1. 裝飾模式:裝飾模式是在不必改變?cè)?lèi)和使用繼承的情況下乱投,動(dòng)態(tài)地?cái)U(kuò)展一個(gè)對(duì)象的功能。它是通過(guò)創(chuàng)建一個(gè)包裝對(duì)象顷编,也就是裝飾來(lái)包裹真實(shí)的對(duì)象戚炫。
    裝飾模式與代理模式區(qū)別:代理模式是為了實(shí)現(xiàn)對(duì)象的控制,可能被代理的對(duì)象難以直接獲得或者是不想暴露給客戶(hù)端媳纬,而裝飾者模式是繼承的一種替代方案双肤,在避免創(chuàng)建過(guò)多子類(lèi)的情況下為被裝飾者提供更多的功能。
open interface Component {
    fun operate()
}

class ConcreteComponent : Component {
    override fun operate() {
        println(" -- ConcreteComponent operate -- ")
    }
}

abstract class Decoration : Component {
    private var component: Component ? = null

    fun setComponent(component: Component?) {
        this.component = component
    }

    override fun operate() {
        component?.operate()
    }
}

class ConcreteComponentA : Decoration(){
    override fun operate() {
        println(" -- ConcreteComponentA operate -- ")
        super.operate()
    }
}

class ConcreteComponentB: Decoration(){
    override fun operate() {
        println(" -- ConcreteComponentB operate -- ")
        super.operate()
    }
}

fun main() {
    val component = ConcreteComponent()
    val concreteComponentA = ConcreteComponentA()
    concreteComponentA.setComponent(component);
    concreteComponentA.operate()

    val concreteComponentB =  ConcreteComponentB()
    concreteComponentB.setComponent(component);
    concreteComponentB.operate()

}
  1. 工程模式:工廠模式將目的將創(chuàng)建對(duì)象的具體過(guò)程屏蔽隔離起來(lái)钮惠,從而達(dá)到更高的靈活性茅糜。
    工廠模式可以分為三類(lèi):簡(jiǎn)單工廠模式、工廠方法模式素挽、抽象工廠模式蔑赘。
abstract class ThreadPool {
    fun execute() {
        println(" -- 線程池 --  ")
    }
}

class FixThreadPool : ThreadPool() {
    fun fixThreadExecute() {
        println(" -- 可重用固定線程池 --  ")
    }
}

class SingleThreadPool : ThreadPool() {
    fun singleThreadExecute() {
        println(" -- 單線程化線程池 --  ")
    }
}

// 簡(jiǎn)單工廠模式
class Factory {
    fun createThreadPool(type: String?): ThreadPool? {
        when (type) {
            "fix" -> return FixThreadPool()
            "single" -> return SingleThreadPool()
        }
        return null
    }
}

// 工廠方法模式
open interface IFactoryPool {
    fun createThreadPool(): ThreadPool
}

class FixPoolFactory : IFactoryPool {
    override fun createThreadPool(): ThreadPool {
        return FixThreadPool()
    }
}

class SinglePoolFactory : IFactoryPool {
    override fun createThreadPool(): ThreadPool {
        return SingleThreadPool()
    }
}

// 抽象工廠模式
open interface IThreadPool {
    fun createThreadPool()
}

class CachedThreadPool : IThreadPool {
    override fun createThreadPool() {
        println(" -- 可緩存線程池 create --  ")
    }
}

class ScheduledThreadPool : IThreadPool {
    override fun createThreadPool() {
        println(" -- 周期性線程池 create --  ")
    }
}

open interface IExecutor {
    fun execute()
}

class CachedThreadExecute : IExecutor {
    override fun execute() {
        println(" -- 可緩存線程池 execute --  ")
    }
}

class ScheduledThreadExecute : IExecutor {
    override fun execute() {
        println(" -- 周期性線程池 execute --  ")
    }
}

abstract class AbstractFactory {
    abstract fun createThreadPool(type: String?): IThreadPool?
    abstract fun createExecute(type: String?): IExecutor?
}

class ThreadPoolFactory : AbstractFactory() {
    override fun createThreadPool(type: String?): IThreadPool? {
        when (type) {
            "cached" -> return CachedThreadPool()
            "scheduled" -> return ScheduledThreadPool()
        }
        return null
    }

    override fun createExecute(type: String?): IExecutor? {
        return null
    }
}

class ExecutorFactory : AbstractFactory() {
    override fun createThreadPool(type: String?): IThreadPool? {

        return null
    }

    override fun createExecute(type: String?): IExecutor? {
        when (type) {
            "cached" -> return CachedThreadExecute()
            "scheduled" -> return ScheduledThreadExecute()
        }
        return null
    }
}

object FactoryProducer {
    fun getFactory(type: String): AbstractFactory? {
        when (type) {
            "cached" -> return ThreadPoolFactory()
            "scheduled" -> return ExecutorFactory()
        }
        return null
    }
}

fun main() {

    val factory = Factory()
    val fixThreadPool = factory.createThreadPool("fix")
    fixThreadPool?.let {
        val pool = it as FixThreadPool
        pool.fixThreadExecute()
    }

    val singleThreadPool = factory.createThreadPool("single")
    singleThreadPool?.let {
        val pool = it as SingleThreadPool
        pool.singleThreadExecute()
    }

    val fixPoolFactory = FixPoolFactory().createThreadPool() as FixThreadPool
    fixPoolFactory.fixThreadExecute()
    val singlePoolFactory = SinglePoolFactory().createThreadPool() as SingleThreadPool
    singlePoolFactory.singleThreadExecute()

    val threadPoolFactory = FactoryProducer.getFactory("cached")
    threadPoolFactory?.let {
        val pool =  it.createThreadPool("cached") as CachedThreadPool
        pool.createThreadPool()
    }
    val executorFactory = FactoryProducer.getFactory("scheduled")
    executorFactory?.let {
        val pool =  it.createExecute("scheduled") as ScheduledThreadExecute
        pool.execute()
    }
}
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請(qǐng)聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個(gè)濱河市毁菱,隨后出現(xiàn)的幾起案子米死,更是在濱河造成了極大的恐慌,老刑警劉巖贮庞,帶你破解...
    沈念sama閱讀 206,968評(píng)論 6 482
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件峦筒,死亡現(xiàn)場(chǎng)離奇詭異,居然都是意外死亡窗慎,警方通過(guò)查閱死者的電腦和手機(jī)物喷,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,601評(píng)論 2 382
  • 文/潘曉璐 我一進(jìn)店門(mén),熙熙樓的掌柜王于貴愁眉苦臉地迎上來(lái)遮斥,“玉大人峦失,你說(shuō)我怎么就攤上這事∈趼穑” “怎么了尉辑?”我有些...
    開(kāi)封第一講書(shū)人閱讀 153,220評(píng)論 0 344
  • 文/不壞的土叔 我叫張陵,是天一觀的道長(zhǎng)较屿。 經(jīng)常有香客問(wèn)我隧魄,道長(zhǎng)卓练,這世上最難降的妖魔是什么? 我笑而不...
    開(kāi)封第一講書(shū)人閱讀 55,416評(píng)論 1 279
  • 正文 為了忘掉前任购啄,我火速辦了婚禮襟企,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘狮含。我一直安慰自己顽悼,他們只是感情好,可當(dāng)我...
    茶點(diǎn)故事閱讀 64,425評(píng)論 5 374
  • 文/花漫 我一把揭開(kāi)白布几迄。 她就那樣靜靜地躺著蔚龙,像睡著了一般。 火紅的嫁衣襯著肌膚如雪乓旗。 梳的紋絲不亂的頭發(fā)上府蛇,一...
    開(kāi)封第一講書(shū)人閱讀 49,144評(píng)論 1 285
  • 那天,我揣著相機(jī)與錄音屿愚,去河邊找鬼汇跨。 笑死,一個(gè)胖子當(dāng)著我的面吹牛妆距,可吹牛的內(nèi)容都是我干的穷遂。 我是一名探鬼主播,決...
    沈念sama閱讀 38,432評(píng)論 3 401
  • 文/蒼蘭香墨 我猛地睜開(kāi)眼娱据,長(zhǎng)吁一口氣:“原來(lái)是場(chǎng)噩夢(mèng)啊……” “哼蚪黑!你這毒婦竟也來(lái)了?” 一聲冷哼從身側(cè)響起中剩,我...
    開(kāi)封第一講書(shū)人閱讀 37,088評(píng)論 0 261
  • 序言:老撾萬(wàn)榮一對(duì)情侶失蹤忌穿,失蹤者是張志新(化名)和其女友劉穎,沒(méi)想到半個(gè)月后结啼,有當(dāng)?shù)厝嗽跇?shù)林里發(fā)現(xiàn)了一具尸體掠剑,經(jīng)...
    沈念sama閱讀 43,586評(píng)論 1 300
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡,尸身上長(zhǎng)有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,028評(píng)論 2 325
  • 正文 我和宋清朗相戀三年郊愧,在試婚紗的時(shí)候發(fā)現(xiàn)自己被綠了朴译。 大學(xué)時(shí)的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點(diǎn)故事閱讀 38,137評(píng)論 1 334
  • 序言:一個(gè)原本活蹦亂跳的男人離奇死亡属铁,死狀恐怖眠寿,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情焦蘑,我是刑警寧澤盯拱,帶...
    沈念sama閱讀 33,783評(píng)論 4 324
  • 正文 年R本政府宣布,位于F島的核電站,受9級(jí)特大地震影響坟乾,放射性物質(zhì)發(fā)生泄漏迹辐。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,343評(píng)論 3 307
  • 文/蒙蒙 一甚侣、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧间学,春花似錦殷费、人聲如沸。這莊子的主人今日做“春日...
    開(kāi)封第一講書(shū)人閱讀 30,333評(píng)論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽(yáng)。三九已至嘿悬,卻和暖如春实柠,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背善涨。 一陣腳步聲響...
    開(kāi)封第一講書(shū)人閱讀 31,559評(píng)論 1 262
  • 我被黑心中介騙來(lái)泰國(guó)打工窒盐, 沒(méi)想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留,地道東北人钢拧。 一個(gè)月前我還...
    沈念sama閱讀 45,595評(píng)論 2 355
  • 正文 我出身青樓蟹漓,卻偏偏與公主長(zhǎng)得像,于是被迫代替她去往敵國(guó)和親源内。 傳聞我的和親對(duì)象是個(gè)殘疾皇子葡粒,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 42,901評(píng)論 2 345

推薦閱讀更多精彩內(nèi)容