Monitor & lock Keyword
Locking an object meaning that only one thread can access the object at a time. Other threads have to wait until the Monitor
exits.
BankAccount account = new();
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); // now always 0
public class BankAccount
{
private readonly object _lock = new();
public decimal Balance { get; private set; }
public void Deposit(decimal amount)
{
lock (_lock)
Balance += amount;
}
public void Withdraw(decimal amount)
{
lock (_lock)
Balance -= amount;
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
NOTE
lock
statement is just a syntax sugar for Monitor.Enter(obj)
and Monitor.Exit(obj)
public void Deposit(decimal amount)
{
Monitor.Enter(_lock);
Balance += amount;
Monitor.Exit(_lock);
}
public void Withdraw(decimal amount)
{
Monitor.Enter(_lock);
Balance -= amount;
Monitor.Exit(_lock);
}
2
3
4
5
6
7
8
9
10
11
12
Do Not Lock on Self
Lock on a new object field is always the recommended way. lock(this)
might work only when the locking happens inside the method body. If the containing object was locked outside, such operation might cause a deadlock.
Here, the Transfer method locks on the from
and to
instances. If the BankAccount
class internally uses lock(this)
, this could lead to a deadlock if two threads attempt to transfer money between the same accounts in opposite directions.
public class BankAccount
{
public decimal Balance { get; private set; }
public void Deposit(decimal amount)
{
lock (this)
Balance += amount;
}
public void Withdraw(decimal amount)
{
lock (this)
Balance -= amount;
}
public void Transfer(BankAccount from, BankAccount to, decimal amount)
{
lock (from)
{
lock (to)
{
from.Withdraw(amount);
to.Deposit(amount);
}
}
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
Lock Object .NET 9
.NET 9
introduced a new dedicated Lock
type as a replacement for normal object
field.
Lock
has three kinds of usages to do the same thing as lock
statement
using (_lock.EnterScope) { ... }
lock
on theLock
field just like locking onobject
field._lock.Enter & _lock.Exit
likeMonitor
private readonly Lock _lock = new();
public void Foo() {
// auto dispose
using (_lock.EnterScope()) { }
// or
_lock.Enter();
try {
//
} finally {
_lock.Exit();
}
// or
if (_lock.TryEnter()) {
try {
// Critical section associated with _lock
} finally {
_lock.Exit();
}
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
Conclusion
- Use
lock
as shorthand forMonitor.Enter(obj)
andMonitor.Exit(obj)
- Always lock on a private object field to prevent deadlock.