搜尋
首頁後端開發php教程總結領域模型+資料映射器的實例

總結領域模型+資料映射器的實例

Jun 23, 2017 pm 02:35 PM
php數據模型面向領域

/*这里要说明一下 因为本人比较懒 博客中相关文章的内容更多的是对一书中代码的整理和简单注解方便自己日后复习和参考,
对相关内容感兴趣的初学的朋友建议请先阅读原文。此处的内容只能当成一种学习的补充和参考。谢谢!
因原书中领域模型+数据映射器的示例代码是连贯在一起的 所以这里就整理在一起了。
简单介绍一下我的看法,从数据库操作的角度看领域模型主要是操作数据表中的单条记录的而数据映射器是操作整个数据表的数据的。
按原文的解释数据映射器是一个负责将数据库数据映射到对象的类,而领域模型象征着真实世界里项目中的各个参与者,它在数据中通常表现为一条记录。
废话不多说,代码和注解如下:

与领域模型相关的三个数据表结构分别为venue(场所)、space(空间)、event(事件)。
create table  'venue' (
     'id' int(11) not null auto_increment,
     'name' text,
     primary key ('id')
)
create table  'space' (
     'id' int(11) not null auto_increment,
     'venue' int(11) default null,
     'name' text,
     primary key ('id')
)
create table  'event' (
     'id' int(11) not null auto_increment,
     'space' int(11) default null,
     'start' mediumtext,
     'duration' int(11) default null,
     'name' text,
     primary key ('id')
)*///领域模型(这里只建了一个Venue类用于理解)namespace woo\domain;abstract class DomainObject{            //抽象基类private $id;    function __construct ($id=null){$this->id = $id;
    }    function getId(){return $this->id;
    }    //原书没有具体实现,应该是用于获取对象的从属对象的,比如venue(场所)相关的space(空间)对象
    //具体的代码实现中应该从数据库中查询了相关数据并调用了Collection类,下面看到这个类的时候会有一个了解
    //而且这个方法的实现应该放在子类中才对static function getCollection($type){      return array();
    }    function collection(){return self::getCollection(get_class($this));
    }
    
}class Venue extends DomainObject {private $name;private $spaces;    function __construct ($id = null,$name=null){$this->name= $name;$this->spaces = self::getCollection('\\woo\\domain\\space'); //这里应该证明了我上述的猜测parent::__construct($id);
    }    function setSpaces(SpaceCollection $spaces){$this->spaces = $spaces;
    }    function addSpace(Space $space){$this->spaces->add($space);$space->setVenue($this);
    }    function setName($name_s){$this->name = $name_s;$this->markDirty();
    }    function getName(){return $this->name;
    }
}//数据映射器(正如原文的解释数据映射器是一个负责将数据库数据映射到对象的类)namespace  woo\mapper;abstract class Mapper{            //抽象基类abstract static $PDO;        //操作数据库的pdo对象function __construct (){if(!isset(self::$PDO){$dsn = \woo\base\ApplicationRegistry::getDSN();if(is_null($dsn)){throw new \woo\base\AppException("no dns");
            }
            self::$PDO = new \PDO($dsn);
            self::$PDO->setAttribute(\PDO::ATTR_ERRMODE,\PDO::ERRMODE_EXCEPTION);
        }
    }    function createObject($array){                    //将数组创建为上述领域模型中的对象$obj = $this->doCreateObject($array);        //在子类中实现return $obj;
    }    function find($id){                                //通过ID从数据库中获取一条数据并创建为对象$this->selectStmt()->execute(array($id));$array= $this->selectStmt()->fetch();$this->selectStmt()->closeCursor();if(!is_array($array)){return null;
        }if(!isset($array['id'])){return null;
        }$object = $this->createObject($array);return $object;    
    }    function insert(\woo\domain\DomainObject $obj){            //将对象数据插入数据库$this->doInsert($obj);
    }    //需要在子类中实现的各抽象方法abstract function update(\woo\domain\DomainObject $objet);protected abstract function doCreateObject(array $array);protected abstract function selectStmt();protected abstract function doInsert(\woo\domain\DomainObject $object);
}//这里只建立一个VenueMapper类用于理解class VenueMapper extends Mapper {function __construct (){        
        parent::__construct();    //各种sql语句对象    $this->selectStmt = self::$PDO->prepare("select * from venue where id=?");$this->updateStmt = self::$PDO->prepare("update venue set name=?,id=? where id=?");$this->insertStmt = self::$PDO->prepare("insert into venue (name) values(?)");
    }    protected function getCollection(array $raw){        //将Space数组转换成对象return new SpaceCollection($raw,$this);            //这个类的基类在下面            }    protected function doCreateObject (array $array){    //创建对象$obj = new \woo\domain\Venue($array['id']);$obj->setname($array['name']);return $obj;
    }    protected function doInsert(\woo\domain\DomainObject $object){  //将对象插入数据库print 'inserting';debug_print_backtrace();$values = array($object->getName());$this->insertStmt->execute($values);$id = self::$PDO->lastInsertId();$object->setId($id);
    }    function update(\woo\domain\DomainObject $object){        //修改数据库数据print "updation\n";$values = array($object->getName(),$object->getId(),$object->getId());$this->updateStmt->execute($values);
    }    function selectStmt(){                    //返回一个sql语句对象return $this->selectStmt;
    }
    
}/*Iterator接口定义的方法:
rewind()            指向列表开头    
current()            返回当前指针处的元素
key()                返回当前的键(比如,指针的指)
next()                
valid()

下面这个类是处理多行记录的,传递数据库中取出的原始数据和映射器进去,然后通过数据映射器在获取数据时将其创建成对象*/abstract class Collection implements \Iterator{protected $mapper;            //数据映射器protected $total = 0;        //集合元素总数量protected $raw = array();    //原始数据private $result;private $pointer = 0;        //指针private $objects = array();    //对象集合function __construct (array $raw = null,Mapper $mapper= null){if(!is_null($raw)&& !is_null($mapper)){$this->raw = $raw;$this->total = count($raw);
        }$this->mapper = $mapper;
    }    function add(\woo\domain\DmainObject $object){    //这里是直接添加对象$class = $this->targetClass();if(!($object instanceof $class)){throw new Exception("This is a {$class} collection");
        }$this->notifyAccess();$this->objects[$this->total] = $object;$this->total ++;
    }    abstract function targetClass();    //子类中实现用来在插入对象时检查类型的protected function notifyAccess(){    //不知道干嘛的        
    }    private function getRow($num){        //获取集合中的单条数据,就是这里通过数据映射器将数据创建成对象$this->notifyAccess();if($num >= $this->total || $num objects[$num]){return $this->objects[$num];
        }if(isset($this->raw[$num]){$this->objects[$num] = $this->mapper->createObject($this->raw[$num]);return $this->objects[$num];
        }
    }    public function rewind(){            //重置指针$this->pointer = 0;
    }    public function current(){            //获取当前指针对象return $this->getRow($this->pointer);
    }    public function key(){                //获取当前指针return $this->pointer;
    }    public function next(){            //获取当前指针对象,并将指针下移    $row = $this->getRow($this->pointer);if($row){$this->pointer ++}return $row;
    }    public function valid(){        //验证return (!is_null($this->current()));
    }
    
}//子类class VenueColletion extends Collection implements \woo\domain\VenueCollection{function targetClass(){return "\woo\domain\Venue";
    }
}//客户端$mapper = new \woo\mapper\VenueMapper();$venue = $mapper->find(12);print_r($venue);$venue = new \woo\domain\Venue();$venue->setName("the likey lounge-yy");//插入对象到数据库$mapper->insert($venue);//从数据库中读出刚才插入的对象$venue = $mapper->find($venue->getId());print_r($venue);//修改对象$venue->setName("the bibble beer likey lounge-yy");//调用update来更新记录$mapper->update($venue);//再次读出对象数据$venue = $mapper->find($venue->getId());print_r($venue);//结束

 

以上是總結領域模型+資料映射器的實例的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述
本文內容由網友自願投稿,版權歸原作者所有。本站不承擔相應的法律責任。如發現涉嫌抄襲或侵權的內容,請聯絡admin@php.cn
使用數據庫存儲會話的優點是什麼?使用數據庫存儲會話的優點是什麼?Apr 24, 2025 am 12:16 AM

使用數據庫存儲會話的主要優勢包括持久性、可擴展性和安全性。 1.持久性:即使服務器重啟,會話數據也能保持不變。 2.可擴展性:適用於分佈式系統,確保會話數據在多服務器間同步。 3.安全性:數據庫提供加密存儲,保護敏感信息。

您如何在PHP中實現自定義會話處理?您如何在PHP中實現自定義會話處理?Apr 24, 2025 am 12:16 AM

在PHP中實現自定義會話處理可以通過實現SessionHandlerInterface接口來完成。具體步驟包括:1)創建實現SessionHandlerInterface的類,如CustomSessionHandler;2)重寫接口中的方法(如open,close,read,write,destroy,gc)來定義會話數據的生命週期和存儲方式;3)在PHP腳本中註冊自定義會話處理器並啟動會話。這樣可以將數據存儲在MySQL、Redis等介質中,提升性能、安全性和可擴展性。

什麼是會話ID?什麼是會話ID?Apr 24, 2025 am 12:13 AM

SessionID是網絡應用程序中用來跟踪用戶會話狀態的機制。 1.它是一個隨機生成的字符串,用於在用戶與服務器之間的多次交互中保持用戶的身份信息。 2.服務器生成並通過cookie或URL參數發送給客戶端,幫助在用戶的多次請求中識別和關聯這些請求。 3.生成通常使用隨機算法保證唯一性和不可預測性。 4.在實際開發中,可以使用內存數據庫如Redis來存儲session數據,提升性能和安全性。

您如何在無狀態環境(例如API)中處理會議?您如何在無狀態環境(例如API)中處理會議?Apr 24, 2025 am 12:12 AM

在無狀態環境如API中管理會話可以通過使用JWT或cookies來實現。 1.JWT適合無狀態和可擴展性,但大數據時體積大。 2.Cookies更傳統且易實現,但需謹慎配置以確保安全性。

您如何防止與會議有關的跨站點腳本(XSS)攻擊?您如何防止與會議有關的跨站點腳本(XSS)攻擊?Apr 23, 2025 am 12:16 AM

要保護應用免受與會話相關的XSS攻擊,需採取以下措施:1.設置HttpOnly和Secure標誌保護會話cookie。 2.對所有用戶輸入進行輸出編碼。 3.實施內容安全策略(CSP)限制腳本來源。通過這些策略,可以有效防護會話相關的XSS攻擊,確保用戶數據安全。

您如何優化PHP會話性能?您如何優化PHP會話性能?Apr 23, 2025 am 12:13 AM

优化PHP会话性能的方法包括:1.延迟会话启动,2.使用数据库存储会话,3.压缩会话数据,4.管理会话生命周期,5.实现会话共享。这些策略能显著提升应用在高并发环境下的效率。

什麼是session.gc_maxlifetime配置設置?什麼是session.gc_maxlifetime配置設置?Apr 23, 2025 am 12:10 AM

theSession.gc_maxlifetimesettinginphpdeterminesthelifespanofsessiondata,setInSeconds.1)它'sconfiguredinphp.iniorviaini_set().2)abalanceisesneededeededeedeedeededto toavoidperformance andunununununexpectedLogOgouts.3)

您如何在PHP中配置會話名?您如何在PHP中配置會話名?Apr 23, 2025 am 12:08 AM

在PHP中,可以使用session_name()函數配置會話名稱。具體步驟如下:1.使用session_name()函數設置會話名稱,例如session_name("my_session")。 2.在設置會話名稱後,調用session_start()啟動會話。配置會話名稱可以避免多應用間的會話數據衝突,並增強安全性,但需注意會話名稱的唯一性、安全性、長度和設置時機。

See all articles

熱AI工具

Undresser.AI Undress

Undresser.AI Undress

人工智慧驅動的應用程序,用於創建逼真的裸體照片

AI Clothes Remover

AI Clothes Remover

用於從照片中去除衣服的線上人工智慧工具。

Undress AI Tool

Undress AI Tool

免費脫衣圖片

Clothoff.io

Clothoff.io

AI脫衣器

Video Face Swap

Video Face Swap

使用我們完全免費的人工智慧換臉工具,輕鬆在任何影片中換臉!

熱工具

MantisBT

MantisBT

Mantis是一個易於部署的基於Web的缺陷追蹤工具,用於幫助產品缺陷追蹤。它需要PHP、MySQL和一個Web伺服器。請查看我們的演示和託管服務。

EditPlus 中文破解版

EditPlus 中文破解版

體積小,語法高亮,不支援程式碼提示功能

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

強大的PHP整合開發環境

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser是一個安全的瀏覽器環境,安全地進行線上考試。該軟體將任何電腦變成一個安全的工作站。它控制對任何實用工具的訪問,並防止學生使用未經授權的資源。

SublimeText3 Mac版

SublimeText3 Mac版

神級程式碼編輯軟體(SublimeText3)