Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Cannot access self:: when no class scope is active

I am trying to use a PHP function from within a public static function like so (I've shortened things a bit):

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

That's when I get the error "Cannot access self:: when no class scope is active".

If I call second_function outside of the inside_this function, it works fine:

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

What do I need to do to be able to use second_function from within the inside_this function?

like image 511
MultiDev Avatar asked Jun 29 '12 01:06

MultiDev


2 Answers

That is because All functions in PHP have the global scope - they can be called outside a function even if they were defined inside and vice versa.

So you have to do:

 function inside_this() {    
   $some_var = MyClass::second_function(); 
 }     
like image 120
xdazz Avatar answered Nov 17 '22 05:11

xdazz


Works with PHP 5.4:

<?php
class A
{
  public static function f()
  {
    $inner = function()
    {
      self::g();
    };

    $inner();
  }

  private static function g()
  {
    echo "g\n";
  }
}

A::f();

Output:

g
like image 3
Matthew Avatar answered Nov 17 '22 04:11

Matthew