Function pointer to singleton class instance function

689 Views Asked by At

What I'm trying to do is create a function pointer to a single class instance function. I want to do this so I can do something like this:

C->member_method();

instead of:

Config::inst()->member_method();

but I'm not sure how to go about it. Here is my singleton class:

class Config {
private:
    Config() {}

    static Config* m_instance;

public:
    ~Config() {}

    static Config* inst() {
        if (m_instance == nullptr) {
            m_instance = new Config;
        }
        return m_instance;
    }

    bool load();
};

Thanks in advance

2

There are 2 best solutions below

1
On BEST ANSWER

Simply create a normal class without static methods, ditch the singleton pattern aside, and create an instance.

The burden of singleton pattern usually outweigh any benefit.

1
On

Use a static class method for a facade, to let you use your preferred syntax:

class Config {

    // The declarations you already have, then:

public:

    static void member_method()
    {
        inst()->member_method_impl();
    }
private:
    void member_method_impl();
};

Then, simply invoke:

Config::member_method();

If you just want to use a class pointer-like syntax, you don't need to declare anything. Just use:

auto C=Config::inst();

then:

C->member_method();