隊列是其元素按照先進先出(FIFO)的方式來處理的集合。 隊列使用System.Collections.Generic名稱空間中的泛型類Queue<T>實現。在內部,Queue<T>類使用T類型的數組,這類似List<T>(http://www.cnblogs.com/afei-24/p/68247 ...
隊列是其元素按照先進先出(FIFO)的方式來處理的集合。
隊列使用System.Collections.Generic名稱空間中的泛型類Queue<T>實現。在內部,Queue<T>類使用T類型的數組,這類似List<T>(http://www.cnblogs.com/afei-24/p/6824791.html)類型。隊列實現ICollection和IEnumerable<T>介面,但沒有實現ICollection<T>介面,所以ICollection<T>介面定義的Add()合Remove()方法不能用於隊列。
Enqueue()方法在隊列的一端添加元素,Dequeue()方法在隊列的另一端讀取和刪除元素。再次調用Dequeue(),會刪除隊列的下一個元素:
Queue<T>類的方法和屬性:
在創建隊列時,可以使用與List<T>類似的構造函數,也可以使用構造函數指定容量。
非泛型Queue類的預設構造函數不同,它會創建一個包含32項的空數組
下麵用一個例子演示隊列,使用一個線程將文檔添加到隊列中,用另一個線程從隊列中讀取文檔,並處理:
//存儲在隊列中的元素是Document類型 public class Document { public string Title { get; private set; } public string Content { get; private set; } public Document(string title, string content) { this.Title = title; this.Content = content; } } //DocumentManager類是Queue<Document>外面的一層。用來如何將文檔添加到隊列和從隊列中獲取文檔 public class DocumentManager { private readonly Queue<Document> documentQueue = new Queue<Document>(); //因為多個線程訪問DocumentManager類,所以用lock語句鎖定對隊列的訪問 public void AddDocument(Document doc) { lock (this) { documentQueue.Enqueue(doc); } } public Document GetDocument() { Document doc = null; lock (this) { if (this.IsDocumentAvailable) doc = documentQueue.Dequeue(); } return doc; } public bool IsDocumentAvailable { get { lock (this) { return documentQueue.Count > 0; } } } } //使用ProcessDocuments類在一個單獨的任務中讀取和刪除隊列中的文檔。 public class ProcessDocuments { //能從外部訪問的唯一方法是Start()方法 //在Start()中,實例化一個新任務。創建一個ProcessDocuments對象,調用ProcessDocuments的Run()方法 public static void Start(DocumentManager dm) { Task.Factory.StartNew(new ProcessDocuments(dm).Run); } protected ProcessDocuments(DocumentManager dm) { if (dm == null) throw new ArgumentNullException("dm"); documentManager = dm; } private DocumentManager documentManager; //定義一個無限迴圈,使用DocumentManager類的IsDocumentAvailable屬性確定隊列中是否還有文檔。 protected void Run() { while (true) { if (documentManager.IsDocumentAvailable) { Document doc = documentManager.GetDocument(); if(doc != null) Console.WriteLine("Processing document {0}", doc.Title); } Thread.Sleep(new Random().Next(20)); } } }
客戶端代碼
static void Main() { var dm = new DocumentManager(); ProcessDocuments.Start(dm); ProcessDocuments.Start(dm); // Create documents and add them to the DocumentManager for (int i = 0; i < 1000; i++) { Document doc = new Document("Doc " + i.ToString(), "content"); dm.AddDocument(doc); Console.WriteLine("Added document {0}", doc.Title); Thread.Sleep(new Random().Next(20)); } Console.ReadKey(); }