-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathProgram.cs
61 lines (50 loc) · 1.55 KB
/
Program.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
namespace DesignPatterns.SingletonDoubleCheckLocking;
class ThreadSafeSingleton
{
private static ThreadSafeSingleton _instance;
private static readonly object _lock = new object();
private ThreadSafeSingleton() { }
public static ThreadSafeSingleton Instance
{
get
{
if (_instance != null)
{
return _instance;
}
lock (_lock)
{
if (_instance == null)
{
_instance = new ThreadSafeSingleton();
}
}
return _instance;
}
}
}
class App
{
public static void Main()
{
Console.WriteLine("Thread-safe Singleton example is starting...\n");
// Creating two separate threads to test the singleton instance
Thread thread1 = new Thread(() =>
{
ThreadSafeSingleton instance1 = ThreadSafeSingleton.Instance;
Console.WriteLine($"Thread 1 - Instance ID: {instance1.GetHashCode()}");
});
Thread thread2 = new Thread(() =>
{
ThreadSafeSingleton instance2 = ThreadSafeSingleton.Instance;
Console.WriteLine($"Thread 2 - Instance ID: {instance2.GetHashCode()}");
});
// Start both threads
thread1.Start();
thread2.Start();
// Wait for both threads to complete
thread1.Join();
thread2.Join();
Console.WriteLine("\nChecking if the same instance was used...");
}
}