代理模式
也叫做委托模式,为其它对象提供一种代理以控制对这个对象的访问
代理模式的几种类型:
1,远程代理,也就是为了一个对象在不同地址空间提供局部代表。隐藏一个对象存在于不同地址空间的事实。
2,虚拟代理,根据需要来创建开销很大的对象,通过它来存放实例化需要很长时间的真实对象。
3,安全代理,用来控制真实对象的访问对象。
4,智能指引,当调用真实对象的时候,代理处理一些事情。
数据库读写分离(PDO方式,测试数据为之前适配器模式建的user表)
目录结构
|proxy #项目根目录
|--Think #核心类库
|----Database #数据操作类库
|------readerDB.php #读数据库类
|------writerDb.php #写程序类库
|----main #核心类库
|------Loder.php #自动加载类
|------proxy.php #代理类
|--index.php #单一的入口文件
代码实践
读数据库类 Think/Database/readerDB.php (数据库操作类,使用了単例模式)
<?php
namespace Think\Database;
class readerDB{
private static $_instance; //私有化属性存放实例
private static $conn; //用于存放连接读数据库句柄
private function __construct($host, $user, $passwd, $dbname) {
//链接数据库
self::$conn = new \PDO("mysql:host={$host}; dbname={$dbname}", $user, $passwd);
}
private function __clone() {
// TODO: Implement __clone() method.
}
public function getInstance($host, $user, $passwd, $dbname) {
//如果不是当前类的实例,那么实例化当前类创建新实例
if(!self::$_instance instanceof self){
self::$_instance = new self($host, $user, $passwd, $dbname);
}
return self::$_instance;
}
//查询单条记录
public function query($sql) {
return self::$conn->query($sql)->fetch();
}
}
写数据库类 Think/Database/wirterDB.php
<?php
namespace Think\Database;
class wirterDB{
private static $_instance; //私有化属性存放实例
private static $conn; //用于存放连接读数据库句柄
private function __construct($host, $user, $passwd, $dbname) {
//链接数据库
self::$conn = new \PDO("mysql:host={$host}; dbname={$dbname}", $user, $passwd);
}
private function __clone() {
// TODO: Implement __clone() method.
}
public function getInstance($host, $user, $passwd, $dbname) {
//如果不是当前类的实例,那么实例化当前类创建新实例
if(!self::$_instance instanceof self){
self::$_instance = new self($host, $user, $passwd, $dbname);
}
return self::$_instance;
}
//写数据
public function exec($sql) {
return self::$conn->exec($sql);
}
}
代理类 Think/proxy.php
<?php
/**
* 代理类
*/
namespace Think;
use Think\Database\readerDB;
use Think\Database\wirterDB;
class proxy{
protected $reader;
protected $wirter;
public function __construct() {
$this->reader = readerDB::getInstance('127.0.0.1','root','123456','test');
$this->wirter = wirterDB::getInstance('127.0.0.2','root','123456','test');
}
public function query($sql) {
if(substr($sql, 0, 6) == 'select'){
echo '读操作'.PHP_EOL;
return $this->reader->query($sql);
}else{
echo '写操作'.PHP_EOL;
return $this->wirter->exec($sql);
}
}
}
自动加载类 Think/Loder.php
<?php
namespace Think;
class Loder{
static function autoload($class){
require BASEDIR . '/' .str_replace('\\','/',$class) . '.php';
}
}
入口文件 index.php
<?php
define('BASEDIR',__DIR__);
include BASEDIR . '/Think/Loder.php';
spl_autoload_register('\\Think\\Loder::autoload');
$db = new \Think\proxy();
$test = $db->query("select * from user where id = 1");
print_r($test);
输出
读操作
Array
(
[id] => 1
[0] => 1
[name] => Mask
[1] => Mask
[passwd] => 827ccb0eea8a706c4c34a16891f84e7b
[2] => 827ccb0eea8a706c4c34a16891f84e7b
[created_time] => 1528851788
[3] => 1528851788
)
上一篇 php设计模式之原型模式
下一篇 php设计模式之外观模式
网友评论