PHP 之 代理模式
2021-06-07 13:04
标签:代理模式 php 图片代理 代理模式是很好用的,不过我们经常用JS来实现一些图片的懒加载,而且现在有很多继承好的js 对于PHP的,肯定不仅仅限于图片,不过这次的例子还是PHP的图片代理,是可以直接显示图片的,修改下路径就好。 应用情境:1.图片代理,2.远程代理,3.智能指引,4.虚拟代理,5.动态代理 一般是开启多线程。代理对象中一个线程向客户端浏览器加载一个小图片,第二个线程调用大图片加载程序第三个线程,当用户浏览大图还没有加载出来就显示 相应的提示信息 (这个示例没有利用线程) 这样的话就完全将加载图片放在了后台,同样处理其他的业务也是可以借鉴 上代码: 愿法界众生,皆得安乐。 本文出自 “一站式解决方案” 博客,请务必保留此出处http://10725691.blog.51cto.com/10715691/1954719 PHP 之 代理模式 标签:代理模式 php 图片代理 原文地址:http://10725691.blog.51cto.com/10715691/1954719_width;
}
public function getHeight(){
return $this->_height;
}
public function getPath(){
return $this->_path;
}
}
//具体的实体对象 继承抽象类对于接口的重写
//可以直接使用抽象对象的通用属性width,height,path,data
//包括可以直接重新定义接口里的函数
//这是实际的图片对象
class RawImage extends AbstractImage{
public function __construct($path){
$this->_path = $path;
//list() 函数用数组中的元素为一组变量赋值。按照数组的数字索引 依次赋值
//注意,与 array() 类似,list() 实际上是一种语言结构,不是函数。
list($this->_width,$this->_height) = getimagesize($path);
$this->_type = getimagesize($path)[‘mime‘];
//file_get_contents() 函数把整个文件读入一个字符串中。
//和 file() 一样,不同的是 file_get_contents() 把文件读入一个字符串。
//file_get_contents() 函数是用于将文件的内容读入到一个字符串中的首选方法。如果操作系统支持,还会使用内存映射技术来增强性能。
$this->_data = file_get_contents($path);
}
public function dump_type(){
return $this->_type;
}
public function dump(){
return $this->_data;
}
}
//它和实际的图片对象继承同一个抽象接口,基本上就是同样的
//这时候就可以增加很多人性化的功能,与图片无关,与用户体验有关
class ImageProxy extends AbstractImage{
protected $_realImage;
public function __construct($path){
$this->_path = $path;
list($this->_width,$this->_height) = getimagesize($path);
$this->_type = getimagesize($path)[‘mime‘];
//这里就没必要获取图片的真实数据,毕竟很大
}
/**
* Creates a RawImage and exploits its functionalities.
*/
//这里去获取真实图片的所有数据
protected function _lazyLoad(){
if($this->_realImage === null){
$this->_realImage = new RawImage($this->_path);
}
}
public function dump_type(){
return $this->_type;
}
public function dump(){
$this->_lazyLoad();
return $this->_realImage->dump();
}
}
//基本上一个很简单的代理写完了,如何发挥更多的效用,需要好好引进去很多处理思路,但是位置一定是写在代理里面
//下面就是客户端类
class Client{
public function tag(Image $img){
$type=$img->dump_type();
header("content-type:$type");
echo $img->dump();
}
}
$path = ‘d:/image/timg3.jpg‘;
$client = new Client();
$image = new ImageProxy($path);
//$image = new RawImage($path);
$client->tag($image);
?>