如何确定对变量的引用是在哪个类中启动的(并且当前存在)?
示例:
<?php
class MyClass {
public $array = array(
"this",
"is",
"an",
"array"
);
}
$class = new MyClass();
$arrayReference = &$class->array;
GetClassForVariable($arrayReference); //Should return "MyClass"
?>
我的最佳选择是某种反射,但我还没有找到任何适合这种情况的函数。
编辑:
一个更适合我想要的例子是:
<?php
class API_Module {
public $module;
public $name;
private $methods = array();
public function __construct($module, $name) {
$this->module = $module;
$this->name = $name;
$this->methods["login"] = new API_Method($this, "login", "Login");
}
public function GetMethod($method) {
return $this->methods[$method];
}
public function GetURL() {
return $this->module; //Should return "session"
}
}
class API_Method {
public $method;
public $name;
private $parentReference;
private $variables = array();
public function __construct(&$parentReference, $method, $name) {
$this->parentReference = $parentReference;
$this->method = $method;
$this->name = $name;
$this->variables["myvar"] = new API_Variable($this, "myvar");
}
public function GetURL() {
return $this->GetParentURL() . "/" . $this->method; //Should return "session/login"
}
public function GetVariable($variableName) {
return $this->variables[$variableName];
}
private function GetParentURL() {
// Need to reference the class parent here
return $this->parentReference->GetURL();
}
}
class API_Variable {
public $name;
private $parentReference;
public function __construct(&$parentReference, $name) {
$this->parentReference = $parentReference;
$this->name = $name;
}
public function GetURL() {
return $this->GetParentURL() . "/" . $this->name; //Should return "session/login/myvar"
}
private function GetParentURL() {
// Need to reference the class parent here
return $this->parentReference->GetURL();
}
}
$sessionModule = new API_Module("session", "Session");
var_dump($sessionModule->GetMethod("login")->GetVariable("myvar")->GetURL()); //Should return "session/login/myvar"
?>
现在,这很好,但我希望能够在每个子变量中不使用$parentReference
的情况下完成。这可能不可能,但我很想知道是不是。
例如:
$class = new MyClass();
$arrayReference = &$class->array;
GetClassForVariable($arrayReference); //Should return "MyClass"
找出别名CCD_ 2最初引用的变量在PHP中是不可能的。没有可用于解析别名的函数。
此外,$class->array
本身只是一个变量。因此,您还需要根据值找出它是在哪个类中定义的。这也是不可能的,类似于PHP不提供任何解析变量别名的内容,它也不提供任何关于变量定义的信息。
简而言之,PHP没有可用的ReflectionVariable
类;)我想知道这是否可能。
get_class()函数应该可以工作:
http://php.net/manual/en/function.get-class.php
我同意GRoNGoR的观点,即不需要获取实例化对象的属性的父类。相反,您可以在访问属性之前只获取类的名称。例如:
$class = new MyClass();
$parent_class = get_class($class); // returns "MyClass"
$arrayReference = &$class->array;
当您有对象实例并且可以很容易地从中获取父类时,不确定为什么需要该属性的父类。