我正在编写一个devel模块(所以请不要“你不应该这样做”评论)。
我的框架已经使用__autoload(),所以我无法使用它。我也想避免使用eval()和编写临时文件。有没有办法在飞行中创建儿童课程?
就像,我可以使用__call()和使用__get()/ __set()的属性创建方法,但我更喜欢动态创建子类。比如,TableUsers在使用'users'表时作为Table的子类,以确保类中的属性匹配表中的字段。
答案 0 :(得分:1)
对于这个实现,我将从目标用法开始:
include "table.creator:///user_table/TableUsers/id";
$ut = new TableUsers();
注意这应该从不用于生产代码,但它对原型设计非常有用。
首先定义一个流包装器:
class TableMaker_StreamWrapper {
protected $_pos = 0;
protected $_data;
protected $_stat;
/**
* Opens the script file and converts markup.
*/
public function stream_open($path, $mode, $options, &$opened_path)
{
// break path into table name, class name and primary key
$parts = parse_url($path);
$dir = $parts["path"];
list($garbage, $tableName, $className, $primaryKey) = explode("/", $dir, 4);
$this->_data = '<?php class '.$className.' extends MyBaseClass {'.
' protected $primaryKey = "'.$primaryKey.'";'.
'}';
return true;
}
public function url_stat()
{
return $this->_stat;
}
public function stream_read($count)
{
$ret = substr($this->_data, $this->_pos, $count);
$this->_pos += strlen($ret);
return $ret;
}
public function stream_tell()
{
return $this->_pos;
}
public function stream_eof()
{
return $this->_pos >= strlen($this->_data);
}
public function stream_stat()
{
return $this->_stat;
}
public function stream_seek($offset, $whence)
{
switch ($whence) {
case SEEK_SET:
if ($offset < strlen($this->_data) && $offset >= 0) {
$this->_pos = $offset;
return true;
} else {
return false;
}
break;
case SEEK_CUR:
if ($offset >= 0) {
$this->_pos += $offset;
return true;
} else {
return false;
}
break;
case SEEK_END:
if (strlen($this->_data) + $offset >= 0) {
$this->_pos = strlen($this->_data) + $offset;
return true;
} else {
return false;
}
break;
default:
return false;
}
}
}
然后在我们的代码中,我们必须像这样注册流包装器。
stream_register_wrapper("table.creator", "TableMaker_StreamWrapper");
然后当你想围绕一个类创建一个表包装器,但是......
include("table.creator:///my_table/MyTableClass/id");
然后你就能够new MyTableClass
为你的内心做好准备。
如果你想要额外的语法糖,你可以创建一个像这样的小工厂函数。
function get_table($tableName, $className, $pk= "id"){
if (!class_exists($className)){
require("table.creator":///".$tableName."/".$className."/".$pk);
}
return new $className();
}
然后你可以说。
$table = get_table("users", "UserTable");
希望这有帮助