我试图在公共静态函数中使用PHP函数(我已经缩短了一些东西):
class MyClass {
public static function first_function() {
function inside_this() {
$some_var = self::second_function(); // doesnt work inside this function
}
// other code here...
} // End first_function
protected static function second_function() {
// do stuff
} // End second_function
} // End class PayPalDimesale
当我收到错误“无法访问self ::没有类范围有效时”。
如果我在second_function
函数之外调用inside_this
,它可以正常工作:
class MyClass {
public static function first_function() {
function inside_this() {
// some stuff here
}
$some_var = self::second_function(); // this works
} // End first_function
protected static function second_function() {
// do stuff
} // End second_function
} // End class PayPalDimesale
我需要做些什么才能在second_function
函数中使用inside_this
?
答案 0 :(得分:14)
这是因为 PHP中的所有函数都具有全局范围 - 即使它们是在内部定义的,也可以在函数外部调用它们,反之亦然。
所以你必须这样做:
function inside_this() {
$some_var = MyClass::second_function();
}
答案 1 :(得分:3)
适用于PHP 5.4:
<?php
class A
{
public static function f()
{
$inner = function()
{
self::g();
};
$inner();
}
private static function g()
{
echo "g\n";
}
}
A::f();
输出:
g
答案 2 :(得分:0)
尝试将您的第一个功能更改为
public static function first_function() {
$function = function() {
$some_var = self::second_function(); // now will work
};
///To call the function do this
$function();
// other code here...
} // End first_function