Group
Dynamic Memory Management in C#
Objective
1. Create a structure named Point3D that holds three properties: X, Y, and Z.
2. Implement a menu that allows the user to:
- Add data for one point.
- Display all the entered points.
- Exit the program.
3. Store the entered points in an ArrayList.
4. Use a loop to keep displaying the menu until the user chooses to exit.
Create a structure named "Point3D" to represent a point in 3D space with coordinates X, Y, and Z.
Example C# Exercise
Show C# Code
using System;
using System.Collections;
class Program
{
// Define a structure to represent a point in 3D space
struct Point3D
{
public double X, Y, Z;
// Constructor to initialize the point with given coordinates
public Point3D(double x, double y, double z)
{
X = x;
Y = y;
Z = z;
}
// Method to display the point in the format (X, Y, Z)
public void Display()
{
Console.WriteLine($"({X}, {Y}, {Z})");
}
}
// Main method to run the program
static void Main()
{
// Create an ArrayList to store points
ArrayList points = new ArrayList();
bool continueRunning = true;
// Program loop that continues until the user chooses to exit
while (continueRunning)
{
// Display the menu to the user
Console.Clear();
Console.WriteLine("Menu:");
Console.WriteLine("1. Add a point");
Console.WriteLine("2. Display all points");
Console.WriteLine("3. Exit");
Console.Write("Choose an option: ");
string option = Console.ReadLine();
// Switch to handle user input
switch (option)
{
case "1":
// Add a point to the ArrayList
Console.WriteLine("Enter the X coordinate:");
double x = Convert.ToDouble(Console.ReadLine());
Console.WriteLine("Enter the Y coordinate:");
double y = Convert.ToDouble(Console.ReadLine());
Console.WriteLine("Enter the Z coordinate:");
double z = Convert.ToDouble(Console.ReadLine());
// Create a new Point3D object and add it to the ArrayList
Point3D newPoint = new Point3D(x, y, z);
points.Add(newPoint);
Console.WriteLine("Point added successfully!");
break;
case "2":
// Display all points stored in the ArrayList
Console.WriteLine("Entered Points:");
if (points.Count == 0)
{
Console.WriteLine("No points entered.");
}
else
{
foreach (Point3D point in points)
{
point.Display(); // Call the Display method to show the point
}
}
break;
case "3":
// Exit the program
continueRunning = false;
break;
default:
Console.WriteLine("Invalid option. Please choose again.");
break;
}
// Pause before showing the menu again
if (continueRunning)
{
Console.WriteLine("Press any key to continue...");
Console.ReadKey();
}
}
}
}
Output
Menu:
1. Add a point
2. Display all points
3. Exit
Choose an option: 1
Enter the X coordinate:
1
Enter the Y coordinate:
2
Enter the Z coordinate:
3
Point added successfully!
Press any key to continue...
Menu:
1. Add a point
2. Display all points
3. Exit
Choose an option: 2
Entered Points:
(1, 2, 3)
Press any key to continue...
Menu:
1. Add a point
2. Display all points
3. Exit
Choose an option: 3