DesignPattern_Bridge
摘錄自:設計模式與遊戲完美開發
十年磨一劍,作者将設計模式理論巧妙地融入到實踐中,以一個遊戲的完整實作呈現設計模式的應用及經驗的傳承 《軒轅劍》之父——蔡明宏、資深遊戲制作人——李佳澤、Product Evangelist at Unity Technologies——Kelvin Lo、信仁軟體設計創辦人—— 賴信仁、資深3D遊戲美術——劉明恺 聯合推薦全書采用了整合式的項目教學,即以一個遊戲的範例來應用23種設計模式的實作貫穿全書,讓讀者學習到整個遊戲開發的全過程和作者想要傳承的經驗,并以淺顯易懂的比喻來解析難以了解的設計模式,讓想深入了解此領域的讀者更加容易上手。
源碼注釋及命名有所更改,個人感覺會比原版更好了解
- 橋梁模式:将抽象化與實作化脫耦,使得二者可以獨立的變化,也就是說将他們之間的強關聯變成弱關聯,也就是指在一個軟體系統的抽象化和實作化之間使用組合/聚合關系而不是繼承關系,進而使兩者可以獨立的變化。
using UnityEngine;
using System.Collections;
namespace DesignPattern_Bridge
{
// 抽象操作者基類
public abstract class Implementor
{
public abstract void OperationImp();
}
//操作者1以及先關操作
public class ConcreteImplementor1 : Implementor
{
public ConcreteImplementor1(){}
public override void OperationImp()
{
Debug.Log("執行Concrete1Implementor.OperationImp");
}
}
//操作者2以及先關操作
public class ConcreteImplementor2 : Implementor
{
public ConcreteImplementor2(){}
public override void OperationImp()
{
Debug.Log("執行Concrete2Implementor.OperationImp");
}
}
// 擴充操作基類
public abstract class Abstraction
{
private Implementor m_Imp = null;
public void SetImplementor( Implementor Imp )
{
m_Imp = Imp;
}
public virtual void Operation()
{
if( m_Imp!=null)
m_Imp.OperationImp();
}
}
// 擴充操作1
public class RefinedAbstraction1 : Abstraction
{
public RefinedAbstraction1(){}
public override void Operation()
{
Debug.Log("物件RefinedAbstraction1");
base.Operation();
}
}
// 擴充操作2
public class RefinedAbstraction2 : Abstraction
{
public RefinedAbstraction2(){}
public override void Operation()
{
Debug.Log("物件RefinedAbstraction2");
base.Operation();
}
}
}
using UnityEngine;
using System.Collections;
using DesignPattern_Bridge;
public class BridgeTest : MonoBehaviour
{
void Start()
{
UnitTest();
}
//
void UnitTest()
{
// 生成擴充操作1
Abstraction theAbstraction = new RefinedAbstraction1();
// 設定相關操作1
theAbstraction.SetImplementor(new ConcreteImplementor1());
theAbstraction.Operation();
// 設定相關操作2
theAbstraction.SetImplementor(new ConcreteImplementor2());
theAbstraction.Operation();
// 生成擴充操作2
theAbstraction = new RefinedAbstraction2();
// 設定相關操作1
theAbstraction.SetImplementor(new ConcreteImplementor1());
theAbstraction.Operation();
// 設定相關操作2
theAbstraction.SetImplementor(new ConcreteImplementor2());
theAbstraction.Operation();
}
}