我有以下脚本
myclass.php
<?php
$myarray = array('firstval','secondval');
class littleclass {
private $myvalue;
public function __construct() {
$myvalue = "INIT!";
}
public function setvalue() {
$myvalue = $myarray[0]; //ERROR: $myarray does not exist inside the class
}
}
?>
有没有办法通过简单的声明使 $myarray 在小类中可用?如果可能的话,我不想将它作为参数传递给构造函数。
此外,我希望你实际上可以以某种方式使全局变量对 php 类可见,但这是我第一次遇到这个问题,所以我真的不知道。
在
global $myarray
函数的开头包含 setvalue()
。public function setvalue() {
global $myarray;
$myvalue = $myarray[0];
}
更新:
正如评论中指出的,这是不好的做法,应该避免。
更好的解决方案是这样的:https://stackoverflow.com/a/17094513/3407923。
在类中,您可以使用任何全局变量
$GLOBALS['varName'];
构造一个新的单例类,用于存储和访问要使用的变量。
$GLOBALS['myarray'] = array('firstval','secondval');
在课堂上你可能会使用 $GLOBALS['myarray']。
为什么不直接使用 getter 和 setter 来实现这个目的?
<?php
$oLittleclass = new littleclass ;
$oLittleclass->myarray = array('firstval','secondval');
echo "firstval: " . $oLittleclass->firstval . " secondval: " . $oLittleclass->secondval ;
class littleclass
{
private $myvalue ;
private $aMyarray ;
public function __construct() {
$myvalue = "INIT!";
}
public function __set( $key, $value )
{
switch( $key )
{
case "myarray" :
$this->aMyarray = $value ;
break ;
}
}
public function __get( $key )
{
switch( $key )
{
case "firstval" :
return $this->aMyarray[0] ;
break ;
case "secondval" :
return $this->aMyarray[1] ;
break ;
}
}
}
?>