mirror of
https://github.com/Steffo99/better-tee.git
synced 2024-11-23 07:44:19 +00:00
75 lines
1.8 KiB
C#
75 lines
1.8 KiB
C#
|
// Net 4.X has ConcurrentQueue, but ConcurrentQueue has no TryDequeueAll method,
|
|||
|
// which makes SafeQueue twice as fast for the send thread.
|
|||
|
//
|
|||
|
// uMMORPG 450 CCU
|
|||
|
// SafeQueue: 900-1440ms latency
|
|||
|
// ConcurrentQueue: 2000ms latency
|
|||
|
//
|
|||
|
// It's also noticeable in the LoadTest project, which hardly handles 300 CCU
|
|||
|
// with ConcurrentQueue!
|
|||
|
using System.Collections.Generic;
|
|||
|
|
|||
|
namespace Telepathy
|
|||
|
{
|
|||
|
public class SafeQueue<T>
|
|||
|
{
|
|||
|
readonly Queue<T> queue = new Queue<T>();
|
|||
|
|
|||
|
// for statistics. don't call Count and assume that it's the same after the
|
|||
|
// call.
|
|||
|
public int Count
|
|||
|
{
|
|||
|
get
|
|||
|
{
|
|||
|
lock(queue)
|
|||
|
{
|
|||
|
return queue.Count;
|
|||
|
}
|
|||
|
}
|
|||
|
}
|
|||
|
|
|||
|
public void Enqueue(T item)
|
|||
|
{
|
|||
|
lock(queue)
|
|||
|
{
|
|||
|
queue.Enqueue(item);
|
|||
|
}
|
|||
|
}
|
|||
|
|
|||
|
// can't check .Count before doing Dequeue because it might change inbetween,
|
|||
|
// so we need a TryDequeue
|
|||
|
public bool TryDequeue(out T result)
|
|||
|
{
|
|||
|
lock(queue)
|
|||
|
{
|
|||
|
result = default;
|
|||
|
if (queue.Count > 0)
|
|||
|
{
|
|||
|
result = queue.Dequeue();
|
|||
|
return true;
|
|||
|
}
|
|||
|
return false;
|
|||
|
}
|
|||
|
}
|
|||
|
|
|||
|
// for when we want to dequeue and remove all of them at once without
|
|||
|
// locking every single TryDequeue.
|
|||
|
public bool TryDequeueAll(out T[] result)
|
|||
|
{
|
|||
|
lock(queue)
|
|||
|
{
|
|||
|
result = queue.ToArray();
|
|||
|
queue.Clear();
|
|||
|
return result.Length > 0;
|
|||
|
}
|
|||
|
}
|
|||
|
|
|||
|
public void Clear()
|
|||
|
{
|
|||
|
lock(queue)
|
|||
|
{
|
|||
|
queue.Clear();
|
|||
|
}
|
|||
|
}
|
|||
|
}
|
|||
|
}
|