如何使用 PHP7 从静态方法调用特征的非静态方法?
How can I call a trait's non-static method from a static method with PHP7?
trait ClearFolder
{
public function clearFolder($dir)
{
//codes...
}
public function clearInFolder($dir)
{
$this->clearFolder($dir);
mkdir($dir);
}
}
use boot\library\traits\ClearFolder;
class FileCache
{
//codes....
use ClearFolder;
public static function clearAll()
{
//Case1. Uncaught Error: Using $this when not in object...
$this->clearInFolder(self::$storage . '/');
//Case2. Non-static method boot\libr... should not be called statically
self::clearInFolder(self::$storage . '/');
//Case3. Cannot instantiate trait...
$trait = new ClearFolder;
}
}
要在静态方法中使用另一个 class 的非静态方法,我必须使用 new 关键字创建一个实例。但是我不能将 'new' 与特征一起使用。
我使用 'declare (strict_types = 1);' 和'error_reporting(E_ALL);'。
我是否应该静态更改特征的方法并替换使用该特征的所有内容?
如果你想使用特征中的非静态函数,你必须创建一个实例:
trait trait1
{
public function dummy()
{
var_dump("fkt dummy");
}
}
class c1{
use trait1;
public static function static1(){
(new static)->dummy();
}
}
c1::static1(); //string(9) "fkt dummy"
或者你在 trait 中声明你的函数为静态的:
trait trait1
{
public static function dummy()
{
var_dump("fkt dummy");
}
}
class c1{
use trait1;
}
c1::dummy(); //string(9) "fkt dummy"
不太好,但很管用。但是你不应该在没有考虑你的代码设计的情况下使用它。
trait ClearFolder
{
public function clearFolder($dir)
{
//codes...
}
public function clearInFolder($dir)
{
$this->clearFolder($dir);
mkdir($dir);
}
}
use boot\library\traits\ClearFolder;
class FileCache
{
//codes....
use ClearFolder;
public static function clearAll()
{
//Case1. Uncaught Error: Using $this when not in object...
$this->clearInFolder(self::$storage . '/');
//Case2. Non-static method boot\libr... should not be called statically
self::clearInFolder(self::$storage . '/');
//Case3. Cannot instantiate trait...
$trait = new ClearFolder;
}
}
要在静态方法中使用另一个 class 的非静态方法,我必须使用 new 关键字创建一个实例。但是我不能将 'new' 与特征一起使用。
我使用 'declare (strict_types = 1);' 和'error_reporting(E_ALL);'。
我是否应该静态更改特征的方法并替换使用该特征的所有内容?
如果你想使用特征中的非静态函数,你必须创建一个实例:
trait trait1
{
public function dummy()
{
var_dump("fkt dummy");
}
}
class c1{
use trait1;
public static function static1(){
(new static)->dummy();
}
}
c1::static1(); //string(9) "fkt dummy"
或者你在 trait 中声明你的函数为静态的:
trait trait1
{
public static function dummy()
{
var_dump("fkt dummy");
}
}
class c1{
use trait1;
}
c1::dummy(); //string(9) "fkt dummy"
不太好,但很管用。但是你不应该在没有考虑你的代码设计的情况下使用它。