Why Lock?
What is Atomicity
An operation cannot be interrupted is atomic.
- Assignment to reference type
- Direct assignment to value type
- Reads and writes for <=32bit value types on 32bit-platform
- Reads and writes for <=64bit value types on 64bit-platform
Example
An write to a value type property calculates a temporary value and assigns it to the backing field. So there's a gap when you calculate such temporary value so other thread might come in to mess up the operation.
The follwing example demonstrates how a bank account deposit and withdraw 100 times with a same amount simultaneously which not always results a non-zero value.
cs
BankAccount account = new();
// modify the value concurrently
var deposits = Enumerable.Range(1, 100)
.Select(_ => Task.Run(() => account.Deposit(100)));
var withdraws = Enumerable.Range(1, 100)
.Select(_ => Task.Run(() => account.Withdraw(100)));
Task.WaitAll([.. deposits, .. withdraws]);
Console.WriteLine(account.Balance); // not always 0
public class BankAccount
{
public int Balance { get; private set; }
public void Deposit(int amount) { Balance += amount; }
public void Withdraw(int amount) { Balance -= amount; }
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
Solution
- Use
Monitor
orlock
keyword InterLocked
static utils dedicated for integer types, it's more performant thanlock
cspublic class BankAccount { private int _balance; public int Balance { get => _balance; private set => _balance = value; } public void Deposit(int amount) { Interlocked.Add(ref _balance, amount); } public void Withdraw(int amount) { Interlocked.Add(ref _balance, -amount); } }
1
2
3
4
5
6
7
8
9
10
11
12
13
14Mutex
to handle synchronization for threads and processes