I have the following code and wonder whether it is thread safe. I only lock when I add or remove items from the collection but do not lock when I iterate over the collection. Locking while iterating would severely impact performance because the collection potentially contains hundreds of thousands of items. Any advice what to do to make this thread safe?
Thanks
public class Item
{
public string DataPoint { get; private set; }
public Item(string dataPoint)
{
DataPoint = dataPoint;
}
}
public class Test
{
private List<Item> _items;
private readonly object myListLock = new object();
public Test()
{
_items = new List<Item>();
}
public void Subscribe(Item item)
{
lock (myListLock)
{
if (!_items.Contains(item))
{
_items.Add(item);
}
}
}
public void Unsubscribe(Item item)
{
lock (myListLock)
{
if (_items.Contains(item))
{
_items.Remove(item);
}
}
}
public void Iterate()
{
foreach (var item in _items)
{
var dp = item.DataPoint;
}
}
}
EDIT
I was curious and again profiled performance between an iteration that is not locked vs iterating inside the lock on the myListLock
and the performance overhead of locking the iteration over 10 million items was actually quite minimal.
No, it isn't thread safe, because the collection could be modified while you look inside it... What you could do:
so you duplicate the collection inside a
lock
before cycling on it. This clearly will use memory (because you have to duplicate theList<>
) (ConcurrentBag<>.GetEnumerator()
does nearly exactly this)Note that this works only if
Item
is thread safe (for example because it is immutable)