Group
Dynamic Memory Management in C#
Objective
1. Create an instance of the Queue class.
2. Add several string elements to the queue using the Enqueue method.
3. Display the first element without removing it using the Peek method.
4. Remove elements from the queue using the Dequeue method and display each removed element.
5. Check if the queue is empty after all elements have been dequeued.
In this exercise, you need to create a string queue using the Queue class that already exists in the DotNet platform. The Queue class is an implementation of the queue data structure that follows the FIFO (First In, First Out) principle, where the first element to enter is the first one to exit. The purpose of this exercise is to familiarize yourself with using the Queue class in C# to manage data efficiently.
Example C# Exercise
Show C# Code
using System;
using System.Collections.Generic;
class Program
{
static void Main()
{
// Create a queue to store string elements
Queue queue = new Queue();
// Add elements to the queue using the Enqueue method
queue.Enqueue("Apple");
queue.Enqueue("Banana");
queue.Enqueue("Cherry");
// Display the first element without removing it
Console.WriteLine($"First element (Peek): {queue.Peek()}");
// Remove elements from the queue and display each one
Console.WriteLine($"Dequeued: {queue.Dequeue()}");
Console.WriteLine($"Dequeued: {queue.Dequeue()}");
// Display the first element again after dequeuing some elements
Console.WriteLine($"First element after dequeuing (Peek): {queue.Peek()}");
// Remove the last element
Console.WriteLine($"Dequeued: {queue.Dequeue()}");
// Check if the queue is empty
Console.WriteLine($"Is the queue empty? {queue.Count == 0}");
}
}
Output
First element (Peek): Apple
Dequeued: Apple
Dequeued: Banana
First element after dequeuing (Peek): Cherry
Dequeued: Cherry
Is the queue empty? True