Passed
Pull Request — master (#12)
by Marwan
02:32
created

Singleton   A

Complexity

Total Complexity 8

Size/Duplication

Total Lines 65
Duplicated Lines 0 %

Test Coverage

Coverage 100%

Importance

Changes 1
Bugs 0 Features 0
Metric Value
wmc 8
eloc 11
c 1
b 0
f 0
dl 0
loc 65
ccs 16
cts 16
cp 1
rs 10

6 Methods

Rating   Name   Duplication   Size   Complexity  
A __wakeup() 0 3 1
A __construct() 0 2 1
A __clone() 0 3 1
A destroyInstance() 0 4 2
A getInstance() 0 7 2
A __sleep() 0 3 1
1
<?php
2
3
/**
4
 * @author Marwan Al-Soltany <[email protected]>
5
 * @copyright Marwan Al-Soltany 2020
6
 * For the full copyright and license information, please view
7
 * the LICENSE file that was distributed with this source code.
8
 */
9
10
declare(strict_types=1);
11
12
namespace MAKS\AmqpAgent\Helper;
13
14
use MAKS\AmqpAgent\Exception\SingletonViolationException;
15
16
/**
17
 * An abstract class implementing the fundamental functionality of a singleton.
18
 * @since 1.0.0
19
 */
20
abstract class Singleton
21
{
22
    /**
23
     * Each sub-class of the Singleton stores its own instance here.
24
     * @var array
25
     */
26
    private static $instances = [];
27
28
29
    /**
30
     * Can't be private if we want to allow sub-classing.
31
     */
32 1
    protected function __construct()
33
    {
34
        //
35 1
    }
36
37
    /**
38
     * Cloning is not permitted for singletons.
39
     */
40 1
    public function __clone()
41
    {
42 1
        throw new SingletonViolationException("Bad call. Cannot clone a singleton!");
43
    }
44
45
    /**
46
     * Serialization is not permitted for singletons.
47
     */
48 1
    public function __sleep()
49
    {
50 1
        throw new SingletonViolationException("Bad call. Cannot serialize a singleton!");
51
    }
52
53
    /**
54
     * Unserialization is not permitted for singletons.
55
     */
56 1
    public function __wakeup()
57
    {
58 1
        throw new SingletonViolationException("Bad call. Cannot unserialize a singleton!");
59
    }
60
61
62
    /**
63
     * The method used to get the singleton's instance.
64
     * @return self
65
     */
66 11
    public static function getInstance()
67
    {
68 11
        $subclass = static::class;
69 11
        if (!isset(self::$instances[$subclass])) {
70 4
            self::$instances[$subclass] = new static();
71
        }
72 11
        return self::$instances[$subclass];
73
    }
74
75
76
    /**
77
     * Destroys the singleton's instance it was called on.
78
     * @param self &$object The instance it was called on.
79
     * @return void
80
     */
81 1
    public function destroyInstance(&$object)
82
    {
83 1
        if (is_subclass_of($object, __CLASS__)) {
84 1
            $object = null;
85
        }
86 1
    }
87
}
88