一.模拟ThinkPHP5.1中的数据库链式操作实例
<?php /** * 模拟ThinkPHP5.1中的数据库链式操作 */ //Db::table()->fileds()->where()->insert(); //Db::table()->fileds()->where()->select(); require 'Insert.php'; class Db { public static function __callStatic($name, $arguments) { return call_user_func_array([(new Insert()),$name],$arguments); } } $insert = Db::table('staff') ->fields('(`name`,`sex`,`age`,`salary`)') ->values("('小影',0,22,3000)") ->insert(); print_r($insert);
运行实例 »
点击 "运行实例" 按钮查看在线实例
Insert类的PHP文件
<?php /** * 插入类 */ class Insert { //保存sql语句的组成部分 // INSERT INTO 表名 (字段名) value (值); private $sql = []; //数据库连接对象 private $pdo = null; //构造方法连接数据库 public function __construct() { //连接数据库并返回PDO对象 $this->pdo = new PDO('mysql:host=127.0.0.1;dbname=php','root','admin'); } //table()方法获取个表名 public function table($table) { $this->sql['table'] = $table; return $this; //返回当前实例对象 } //fileds()获取sql语句的字段列表 public function fields($fields) { $this->sql['fields'] = $fields; return $this; } //获取要插入的数据 public function values($values) { $this->sql['values'] = $values; return $this; } //执行最后操作 public function insert() { //拼装INSERT查询语句 $sql = "INSERT IGNORE {$this->sql['table']} {$this->sql['fields']} VALUE {$this->sql['values']};"; $stmt = $this->pdo->prepare($sql); $stmt->execute(); if($stmt->rowCount()>0){ return '成功添加了'.$stmt->rowCount().'条记录'; }else{ return $stmt->errorInfo().'<br>'.$sql; } } }
运行实例 »
点击 "运行实例" 按钮查看在线实例
问答:
后期静态绑定是在后期运行阶段才能确认方法调用者的技术,通过static来在父类方法中设置,当绑定后方法的调用会跟随调用者来动态读取调用类的方法。期静态绑定主要用于静态继承上下文的环境中,用于动态设置静态方法的调用者。
案例理解
后期静态绑定小案例
<?php /** *static 关键定的用途 *1.定义静态成员 *2.后期静态绑定 * * 后期静态绑定主要用于:静态继承下下文的环境中,用于动态设置静态方法的调用者 */ class One { public static function hello() { return __METHOD__;//返回当前方法名 } public static function world() { return self::hello(); return static::hello(); } } class Two extends One { public static function hello() { return __METHOD__;//返回当前方法名 } } //静态继承上下文执行环境:静态继承 echo One::hello(); echo '<hr>'; echo Two::hello(); echo '<hr>'; echo Two::world(); //代码执行分二个阶段:前期编译阶段,后期运行阶段 //这种在运行阶段才确定方法的调用者的技术就叫后期静态绑定,或叫延迟静态绑定 //可以将static 想像成一个变量:始终指向方法的调用者
运行实例 »
点击 "运行实例" 按钮查看在线实例
总结:
1.学习通过call_user_func_array 方法回调和对象回调.来操作链式查询和插入.
2.学习后期绑定,通过static关键字来设置静态方法,实现方法根据调用者来决定使用哪个类的方法.