जैसा कि त्रुटि कहती है कि आपको उपयोग करने के लिए कक्षा के एक उदाहरण की आवश्यकता है $this
। कम से कम तीन संभावनाएँ हैं:
सब कुछ स्थिर कर दो
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' ) );
लेकिन यह वास्तविक ओओपी नहीं है, बस नामकरण है।
पहले एक वास्तविक वस्तु बनाएं
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' ) );
यह काम। लेकिन आप कुछ अस्पष्ट समस्याओं में भाग लेते हैं यदि कोई शोर्ट को बदलना चाहता है।
इसलिए वर्ग उदाहरण प्रदान करने के लिए एक विधि जोड़ें:
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' ] );
अब, जब कोई वस्तु प्राप्त करना चाहता है, तो उसे लिखना होगा:
$shortcode_handler = apply_filters( 'get_my_plugin_instance', NULL );
if ( is_a( $shortcode_handler, 'My_Plugin ' ) )
{
// do something with that instance.
}
पुराना समाधान: अपनी कक्षा में वस्तु बनाएं
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
।