Group
C# Arrays, Structures and Strings
Objective
1. Define a struct for the date of birth, containing day, month, and year.
2. Define another struct for the person, which includes the name and the date of birth (using the previously defined struct).
3. Create an array of persons, allowing space for two persons.
4. Ask the user for the data of two persons, including their name and date of birth.
5. Display the information of the two persons in a readable format.
Write a C# Struct to store two data for a person:
- name and date of birth.
- The date of birth must be another struct consisting of day, month, and year.
Finally, create an array of persons, ask the user for the data of two persons, and display them.
Example C# Exercise
Show C# Code
using System;
class Program
{
// Define the struct for Date of Birth (day, month, year)
struct DateOfBirth
{
public int Day;
public int Month;
public int Year;
}
// Define the struct for Person (name and Date of Birth)
struct Person
{
public string Name;
public DateOfBirth Dob;
}
static void Main()
{
// Create an array to store two persons
Person[] persons = new Person[2];
// Ask the user for the first person's data
Console.WriteLine("Enter data for Person 1:");
persons[0] = GetPersonData();
// Ask the user for the second person's data
Console.WriteLine("Enter data for Person 2:");
persons[1] = GetPersonData();
// Display the information of both persons
DisplayPersonInfo(persons[0]);
DisplayPersonInfo(persons[1]);
}
// Method to get data for a person (name and date of birth)
static Person GetPersonData()
{
Person person = new Person();
// Ask for name
Console.Write("Enter name: ");
person.Name = Console.ReadLine();
// Ask for date of birth (day, month, year)
Console.Write("Enter day of birth: ");
person.Dob.Day = int.Parse(Console.ReadLine());
Console.Write("Enter month of birth: ");
person.Dob.Month = int.Parse(Console.ReadLine());
Console.Write("Enter year of birth: ");
person.Dob.Year = int.Parse(Console.ReadLine());
return person;
}
// Method to display person's information
static void DisplayPersonInfo(Person person)
{
Console.WriteLine($"\nName: {person.Name}");
Console.WriteLine($"Date of Birth: {person.Dob.Day}/{person.Dob.Month}/{person.Dob.Year}");
}
}
Output
Enter data for Person 1:
Enter name: Juan
Enter day of birth: 5
Enter month of birth: 7
Enter year of birth: 1990
Enter data for Person 2:
Enter name: Maria
Enter day of birth: 15
Enter month of birth: 11
Enter year of birth: 1985
Name: Juan
Date of Birth: 5/7/1990
Name: Maria
Date of Birth: 15/11/1985