Group
Dynamic Memory Management in C#
Objective
1. Create an ArrayList to store a collection of string values.
2. Add multiple string elements to the list.
3. Display all the stored items.
4. Insert a new string at the second position in the list.
5. Display the updated list to confirm the insertion.
In this exercise, you need to create a string list using the ArrayList class that already exists in the .NET platform. The ArrayList class allows storing items of any data type, making it a flexible data structure for managing dynamic collections. Once the list is created, you will need to display all the items stored in the list using a loop or an appropriate method for displaying.
Then, you will be asked to insert a new item in the second position of the list, which will change the arrangement of the items. After performing the insertion, you will need to display all the items in the list again to verify that the insertion was done correctly and that the list has been updated.
This exercise will help you get familiar with the ArrayList class in .NET and learn how to handle data collections efficiently in C#, as well as perform basic operations like inserting, removing, and displaying items in the list.
Example C# Exercise
Show C# Code
using System;
using System.Collections; // Import the ArrayList namespace
class Program
{
static void Main()
{
// Create an ArrayList to store string values
ArrayList stringList = new ArrayList();
// Add multiple string elements to the list
stringList.Add("Apple");
stringList.Add("Banana");
stringList.Add("Cherry");
stringList.Add("Date");
// Display the initial list contents
Console.WriteLine("Initial List:");
foreach (string item in stringList)
{
Console.WriteLine(item);
}
// Insert a new item at the second position (index 1)
stringList.Insert(1, "Blueberry");
// Display the updated list contents
Console.WriteLine("\nUpdated List After Insertion:");
foreach (string item in stringList)
{
Console.WriteLine(item);
}
}
}
Output
/Initial List:
Apple
Banana
Cherry
Date
//Updated List After Insertion:
Apple
Blueberry
Banana
Cherry