Skip to content

Latest commit

 

History

History
62 lines (46 loc) · 2.03 KB

CodingPatterns.md

File metadata and controls

62 lines (46 loc) · 2.03 KB

Coding Patterns

Contents

Static variables for header-only releases

Note: As of v.10.1.1, this pattern is still used, but it is no longer needed. Method implementations are now in .cpp files, so the more conventional mechanism for initialising static variables would work fine.


Here is a sample of the pattern that we are using:

private:
    static std::shared_ptr<Reporter>& defaultReporter();

public:
    static std::shared_ptr<Reporter> getDefaultReporter();

    static void setDefaultReporter(const std::shared_ptr<Reporter>& reporter);

snippet source | anchor

namespace ApprovalTests
{
    std::shared_ptr<Reporter>& DefaultReporterFactory::defaultReporter()
    {
        static std::shared_ptr<Reporter> reporter = std::make_shared<DiffReporter>();
        return reporter;
    }

    std::shared_ptr<Reporter> DefaultReporterFactory::getDefaultReporter()
    {
        return defaultReporter();
    }

    void
    DefaultReporterFactory::setDefaultReporter(const std::shared_ptr<Reporter>& reporter)
    {
        defaultReporter() = reporter;
    }
}

snippet source | anchor

Note the use of the reference (&) on the return type of the private method, and the addition of a getter and setter method.


Back to User Guide