Exercise
Insects + persistence
Objetive
Create a new version of the "insects" exercise, which should persist the data using some form of storage such as a database or file system.
Example Code
using System;
using System.Collections.Generic;
using System.IO;
class Insect
{
public string Name { get; set; }
public string Color { get; set; }
public double WingSpan { get; set; }
public Insect(string name, string color, double wingSpan)
{
Name = name;
Color = color;
WingSpan = wingSpan;
}
public override string ToString()
{
return $"{Name},{Color},{WingSpan}";
}
}
class InsectDataPersistence
{
private const string FilePath = "insects_data.txt";
public void SaveInsectsToFile(List insects)
{
try
{
using (StreamWriter writer = new StreamWriter(FilePath, false))
{
foreach (var insect in insects)
{
writer.WriteLine(insect.ToString());
}
}
Console.WriteLine("Insect data has been saved to the file.");
}
catch (Exception ex)
{
Console.WriteLine($"Error saving insect data to file: {ex.Message}");
}
}
public List LoadInsectsFromFile()
{
List insects = new List();
try
{
using (StreamReader reader = new StreamReader(FilePath))
{
string line;
while ((line = reader.ReadLine()) != null)
{
var parts = line.Split(',');
insects.Add(new Insect(parts[0], parts[1], double.Parse(parts[2])));
}
}
Console.WriteLine("Insect data has been loaded from the file.");
}
catch (Exception ex)
{
Console.WriteLine($"Error loading insect data from file: {ex.Message}");
}
return insects;
}
}
class Program
{
static void Main(string[] args)
{
List insects = new List
{
new Insect("Dragonfly", "Green", 15.5),
new Insect("Butterfly", "Yellow", 10.2),
new Insect("Bee", "Black and Yellow", 3.1)
};
InsectDataPersistence persistence = new InsectDataPersistence();
persistence.SaveInsectsToFile(insects);
List loadedInsects = persistence.LoadInsectsFromFile();
Console.WriteLine("\nLoaded Insects:");
foreach (var insect in loadedInsects)
{
Console.WriteLine($"Name: {insect.Name}, Color: {insect.Color}, Wing Span: {insect.WingSpan} cm");
}
}
}