Jak mówi błąd, potrzebujesz instancji klasy do użycia $this
. Istnieją co najmniej trzy możliwości:
Uczyń wszystko statycznym
class My_Plugin
{
private static $var = 'foo';
static function foo()
{
return self::$var; // never echo or print in a shortcode!
}
}
add_shortcode( 'baztag', array( 'My_Plugin', 'foo' ) );
Ale to już nie jest prawdziwy OOP, tylko przestrzeń nazw.
Najpierw stwórz prawdziwy obiekt
class My_Plugin
{
private $var = 'foo';
public function foo()
{
return $this->var; // never echo or print in a shortcode!
}
}
$My_Plugin = new My_Plugin;
add_shortcode( 'baztag', array( $My_Plugin, 'foo' ) );
To działa. Ale jeśli ktoś chce zastąpić krótki kod , napotkasz jakieś niejasne problemy .
Dodaj więc metodę, aby zapewnić instancję klasy:
final class My_Plugin
{
private $var = 'foo';
public function __construct()
{
add_filter( 'get_my_plugin_instance', [ $this, 'get_instance' ] );
}
public function get_instance()
{
return $this; // return the object
}
public function foo()
{
return $this->var; // never echo or print in a shortcode!
}
}
add_shortcode( 'baztag', [ new My_Plugin, 'foo' ] );
Teraz, gdy ktoś chce uzyskać instancję obiektu, musi po prostu napisać:
$shortcode_handler = apply_filters( 'get_my_plugin_instance', NULL );
if ( is_a( $shortcode_handler, 'My_Plugin ' ) )
{
// do something with that instance.
}
Stare rozwiązanie: utwórz obiekt w swojej klasie
class My_Plugin
{
private $var = 'foo';
protected static $instance = NULL;
public static function get_instance()
{
// create an object
NULL === self::$instance and self::$instance = new self;
return self::$instance; // return the object
}
public function foo()
{
return $this->var; // never echo or print in a shortcode!
}
}
add_shortcode( 'baztag', array( My_Plugin::get_instance(), 'foo' ) );
static
.