首先,大概陳述一下架構的關聯,如下所述:
首先會先設計 標準 DAL class (STDAL),放置 getData, delete, update 等 標準常見的功能函數
在來設計程式會用到的各種 DAL ,基本上每一個 Table 都需要有一個 DAL 來實現,後面根據 table 應用、畫面呈現等需求,也可以一個 table 有多個 DAL ,這各觀念類似 View 的概念。
根據 商業邏輯的操作,製作對應的 BLL,像是insert、update 前的資料檢查,這部分會根據商務應用的不同而不同,所以下面不做示範。
在來要有一個 DAL 產生工廠(DALFactory),專門用來協助建立 DAL 的實體,因為 DAL 程式檔案,可能放在另一台主機,或是 不同目錄位置中等等因素,為簡化開發人員的負擔,所以 DAL 建立方式,統一封裝在 DALFactory 裡面
接下來,依照上述建了下述程式:
STDAL.php
1 <?php 2 class STDAL 3 { 4 public $TableName; 5 6 public function __construct() { 7 echo $this->TableName." init STDAL<br>"; 8 } 9 10 public function getData()11 {12 print "select * from ".$this->TableName."<br>";13 }14 15 public function setDB($db)16 {17 echo $db."<br>";18 }19 }20 ?>
STUser.php
1 <?php2 class DAL_STUser extends STDAL3 {4 public function __construct() {5 $this->TableName = "STUser";6 parent::__construct();7 }8 }9 ?>
STDoc.php
1 <?php2 class DAL_STDoc extends STDAL3 {4 public function __construct() {5 $this->TableName = "STDoc";6 parent::__construct();7 }8 }9 ?>
下面 DAL 產生工廠,有運用我在 PHP – 類別初探 中所講的技巧,有興趣可在去看下。
DALFactory.php
1 <?php 2 class DALFactory 3 { 4 private static $db; 5 6 public static function getInstance($prgName) { 7 8 if(!self::$db) { 9 self::$db = $prgName." get DB connection"; 10 }11 $class = "DAL_$prgName";12 $obj = new $class();13 $obj->setDB(self::$db);14 return $obj;15 }16 }17 ?>
上述就已經完成 Data Access Layer 的製作,接下來 我門測試一下,是否正常運作。
test.php
1 <?php2 $prgName = "STUser";3 $obj = DALFactory::getInstance($prgName);4 $obj->getData();5 6 $prgName = "STDoc";7 $obj = DALFactory::getInstance($prgName);8 $obj->getData();9 ?>
測試結果,如下所示:
STUser init STDAL
STUser get DB connection
select * from STUser
STDoc init STDAL
STUser get DB connection
select * from STDoc