(精华)2020年6月27日 C#类库 任务队列帮助类

using System;
using System.Collections.Concurrent;
using System.Threading;
using System.Threading.Tasks;

namespace Core.Util
{
    /// 
    /// 任务队列
    /// 
    public class TaskQueue
    {
        #region 构造函数

        /// 
        /// 默认队列
        /// 注:默认间隔时间1ms
        /// 
        public TaskQueue()
        {
            _timeSpan = TimeSpan.Zero;
            Start();
        }

        /// 
        /// 间隔任务队列
        /// 注:每个任务之间间隔一段时间
        /// 
        /// 间隔时间
        public TaskQueue(TimeSpan timeSpan)
        {
            _timeSpan = timeSpan;
            Start();
        }

        #endregion

        #region 私有成员
        Semaphore _semaphore { get; } = new Semaphore(0, int.MaxValue); //Semaphore是一个线程同步的辅助类,允许访问的线程数
        private void Start()
        {
            Task.Factory.StartNew(() =>
            {
                while (_isRun)
                {
                    try
                    {
                        _semaphore.WaitOne();
                        bool success = _taskList.TryDequeue(out Action task);
                        if (success)
                        {
                            task?.Invoke();
                        }

                        if (_timeSpan != TimeSpan.Zero)
                            Thread.Sleep(_timeSpan);
                    }
                    catch (Exception ex)
                    {
                        HandleException?.Invoke(ex);
                    }
                }
            }, TaskCreationOptions.LongRunning);
        }
        private bool _isRun { get; set; } = true;
        private TimeSpan _timeSpan { get; set; }
        private ConcurrentQueue<Action> _taskList { get; } = new ConcurrentQueue<Action>();

        #endregion

        #region 外部接口

        public void Stop()
        {
            _isRun = false;
        }

        public void Enqueue(Action task)
        {
            _taskList.Enqueue(task);
            _semaphore.Release();
        }

        public Action<Exception> HandleException { get; set; }

        #endregion
    }
}

你可能感兴趣的:(#,C#类库/扩展方法,c#,asp.net,后端)