$data
在构造函数中将变量声明为全局变量:
function __construct() {
global $c;
global $data;
$data = array("name"=>$c['name'],
"family"=>$c['family']);
}
然后,它也将在其他功能中可见。
请注意,强烈建议不要广泛使用全局变量,请考虑重新设计您的类以使用带有 getter+setter 的类变量。
更合适的方法是使用
class testObject
{
private $data;
function __construct(array $c)
{
$this->data = array(
"name"=>$c['name'],
"family"=>$c['family']
);
}
function showInfo()
{
print_r($this->data);
}
// getter: if you need to access data from outside this class
function getData()
{
return $this->data;
}
}
此外,请考虑将数据字段分成单独的类变量,如下所示。然后你就有了一个典型的、干净的数据类。
class testObject
{
private $name;
private $family;
function __construct($name, $family)
{
$this->name = $name;
$this->family = $family;
}
function showInfo()
{
print("name: " . $this->name . ", family: " . $this->family);
}
// getters
function getName()
{
return $this->name;
}
function getFamily()
{
return $this->family;
}
}
您甚至可以使用全局变量中的数据构造此对象,$c
直到将其从代码中排除:
new testObject($c['name'], $c['family'])