Grupo
Matrices, estructuras y cadenas de C#
Objectivo
1. Implemente una estructura para almacenar la fecha, la descripción, el nivel de importancia y la categoría de cada tarea.
2. Cree una matriz de tareas con capacidad para hasta 2000 registros.
3. Implemente operaciones para agregar nuevas tareas, ver tareas entre fechas específicas, buscar tareas por descripción o categoría, actualizar y eliminar registros, ordenar tareas y buscar duplicados.
4. Asegúrese de que la fecha ingresada sea correcta y gestione adecuadamente los errores de entrada del usuario.
5. Proporcione una interfaz de usuario clara e interactiva para la gestión de tareas.
Escriba un programa en C# que pueda almacenar hasta 2000 tareas pendientes. Para cada tarea, debe contener los siguientes datos: Fecha (un conjunto de 3 datos: día, mes y año), Descripción de la tarea, Nivel de importancia (1 a 10) y Categoría.
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
class Program
{
// Define a struct to hold information about a task
struct Task
{
public int Day; // Day of the task
public int Month; // Month of the task
public int Year; // Year of the task
public string Description; // Description of the task
public int Importance; // Importance level (1 to 10)
public string Category; // Category of the task
}
static void Main()
{
Task[] tasks = new Task[2000]; // Array to store up to 2000 tasks
int taskCount = 0; // Counter for the number of tasks entered
while (true)
{
Console.Clear();
Console.WriteLine("1 - Add New Task");
Console.WriteLine("2 - Show Tasks Between Dates");
Console.WriteLine("3 - Find Tasks by Description or Category");
Console.WriteLine("4 - Update Task Record");
Console.WriteLine("5 - Delete Tasks Between Two Positions");
Console.WriteLine("6 - Sort Tasks by Date and Description");
Console.WriteLine("7 - Find Duplicates by Description");
Console.WriteLine("Q - Quit");
Console.Write("Choose an option: ");
string choice = Console.ReadLine();
if (choice == "1") // Add a new task
{
if (taskCount >= 2000)
{
Console.WriteLine("The task list is full. Cannot add more tasks.");
Console.ReadKey();
continue;
}
// Get task details from the user
Task newTask;
Console.Write("Enter task day (1 to 31): ");
newTask.Day = int.Parse(Console.ReadLine());
// Validate day
while (newTask.Day < 1 || newTask.Day > 31)
{
Console.Write("Invalid day. Enter task day (1 to 31): ");
newTask.Day = int.Parse(Console.ReadLine());
}
Console.Write("Enter task month (1 to 12): ");
newTask.Month = int.Parse(Console.ReadLine());
// Validate month
while (newTask.Month < 1 || newTask.Month > 12)
{
Console.Write("Invalid month. Enter task month (1 to 12): ");
newTask.Month = int.Parse(Console.ReadLine());
}
Console.Write("Enter task year (1000 to 3000): ");
newTask.Year = int.Parse(Console.ReadLine());
// Validate year
while (newTask.Year < 1000 || newTask.Year > 3000)
{
Console.Write("Invalid year. Enter task year (1000 to 3000): ");
newTask.Year = int.Parse(Console.ReadLine());
}
Console.Write("Enter task description: ");
newTask.Description = Console.ReadLine();
Console.Write("Enter task importance level (1 to 10): ");
newTask.Importance = int.Parse(Console.ReadLine());
// Validate importance level
while (newTask.Importance < 1 || newTask.Importance > 10)
{
Console.Write("Invalid importance level. Enter task importance (1 to 10): ");
newTask.Importance = int.Parse(Console.ReadLine());
}
Console.Write("Enter task category: ");
newTask.Category = Console.ReadLine();
tasks[taskCount] = newTask; // Store the task in the array
taskCount++; // Increment task count
Console.WriteLine("Task added successfully!");
Console.ReadKey();
}
else if (choice == "2") // Show tasks between two dates
{
Console.Write("Enter start day (or press Enter for today): ");
string startDay = Console.ReadLine();
int startDayVal = startDay == "" ? DateTime.Now.Day : int.Parse(startDay);
Console.Write("Enter start month (or press Enter for this month): ");
string startMonth = Console.ReadLine();
int startMonthVal = startMonth == "" ? DateTime.Now.Month : int.Parse(startMonth);
Console.Write("Enter start year (or press Enter for this year): ");
string startYear = Console.ReadLine();
int startYearVal = startYear == "" ? DateTime.Now.Year : int.Parse(startYear);
Console.Write("Enter end day (or press Enter for today): ");
string endDay = Console.ReadLine();
int endDayVal = endDay == "" ? DateTime.Now.Day : int.Parse(endDay);
Console.Write("Enter end month (or press Enter for this month): ");
string endMonth = Console.ReadLine();
int endMonthVal = endMonth == "" ? DateTime.Now.Month : int.Parse(endMonth);
Console.Write("Enter end year (or press Enter for this year): ");
string endYear = Console.ReadLine();
int endYearVal = endYear == "" ? DateTime.Now.Year : int.Parse(endYear);
DateTime startDate = new DateTime(startYearVal, startMonthVal, startDayVal);
DateTime endDate = new DateTime(endYearVal, endMonthVal, endDayVal);
Console.WriteLine("Tasks between the specified dates:");
for (int i = 0; i < taskCount; i++)
{
DateTime taskDate = new DateTime(tasks[i].Year, tasks[i].Month, tasks[i].Day);
if (taskDate >= startDate && taskDate <= endDate)
{
Console.WriteLine($"{i + 1} - {tasks[i].Day}/{tasks[i].Month}/{tasks[i].Year} - {tasks[i].Description} - {tasks[i].Category} - {tasks[i].Importance}");
}
}
Console.ReadKey();
}
else if (choice == "3") // Find tasks by description or category
{
Console.Write("Enter text to search in description or category: ");
string searchText = Console.ReadLine().ToLower();
bool found = false;
for (int i = 0; i < taskCount; i++)
{
if (tasks[i].Description.ToLower().Contains(searchText) || tasks[i].Category.ToLower().Contains(searchText))
{
Console.WriteLine($"{i + 1} - {tasks[i].Day}/{tasks[i].Month}/{tasks[i].Year} - {tasks[i].Description.Substring(0, Math.Min(50, tasks[i].Description.Length))}");
found = true;
}
}
if (!found)
{
Console.WriteLine("No tasks found matching the search criteria.");
}
Console.ReadKey();
}
else if (choice == "4") // Update task record
{
Console.Write("Enter task number to update: ");
int taskNumber = int.Parse(Console.ReadLine()) - 1;
if (taskNumber >= 0 && taskNumber < taskCount)
{
// Display current task values
Console.WriteLine($"Current task details: {tasks[taskNumber].Day}/{tasks[taskNumber].Month}/{tasks[taskNumber].Year} - {tasks[taskNumber].Description} - {tasks[taskNumber].Category} - {tasks[taskNumber].Importance}");
// Update the task values
Console.Write("Enter new description (or press Enter to keep current): ");
string newDescription = Console.ReadLine();
if (!string.IsNullOrEmpty(newDescription)) tasks[taskNumber].Description = newDescription;
Console.Write("Enter new importance (or press Enter to keep current): ");
string newImportance = Console.ReadLine();
if (!string.IsNullOrEmpty(newImportance)) tasks[taskNumber].Importance = int.Parse(newImportance);
Console.Write("Enter new category (or press Enter to keep current): ");
string newCategory = Console.ReadLine();
if (!string.IsNullOrEmpty(newCategory)) tasks[taskNumber].Category = newCategory;
Console.WriteLine("Task updated successfully!");
}
else
{
Console.WriteLine("Invalid task number.");
}
Console.ReadKey();
}
else if (choice == "5") // Delete tasks between two positions
{
Console.Write("Enter start task number to delete: ");
int start = int.Parse(Console.ReadLine()) - 1;
Console.Write("Enter end task number to delete: ");
int end = int.Parse(Console.ReadLine()) - 1;
if (start >= 0 && end < taskCount && start <= end)
{
Console.WriteLine("Tasks to delete:");
for (int i = start; i <= end; i++)
{
Console.WriteLine($"{i + 1} - {tasks[i].Day}/{tasks[i].Month}/{tasks[i].Year} - {tasks[i].Description} - {tasks[i].Category} - {tasks[i].Importance}");
}
Console.Write("Are you sure you want to delete these tasks? (y/n): ");
string confirmation = Console.ReadLine().ToLower();
if (confirmation == "y")
{
for (int i = start; i <= end; i++)
{
tasks[i] = tasks[taskCount - 1];
taskCount--;
}
Console.WriteLine("Tasks deleted successfully.");
}
}
else
{
Console.WriteLine("Invalid task range.");
}
Console.ReadKey();
}
else if (choice == "6") // Sort tasks by date and description
{
Array.Sort(tasks, 0, taskCount, Comparer.Create((t1, t2) =>
{
DateTime date1 = new DateTime(t1.Year, t1.Month, t1.Day);
DateTime date2 = new DateTime(t2.Year, t2.Month, t2.Day);
int result = date1.CompareTo(date2);
if (result == 0)
{
return t1.Description.CompareTo(t2.Description);
}
return result;
}));
Console.WriteLine("Tasks sorted successfully.");
Console.ReadKey();
}
else if (choice == "7") // Find duplicates by description
{
Console.WriteLine("Finding duplicate tasks...");
bool duplicatesFound = false;
for (int i = 0; i < taskCount; i++)
{
for (int j = i + 1; j < taskCount; j++)
{
if (tasks[i].Description.Equals(tasks[j].Description, StringComparison.OrdinalIgnoreCase))
{
Console.WriteLine($"{i + 1} - {tasks[i].Day}/{tasks[i].Month}/{tasks[i].Year} - {tasks[i].Description}");
Console.WriteLine($"{j + 1} - {tasks[j].Day}/{tasks[j].Month}/{tasks[j].Year} - {tasks[j].Description}");
duplicatesFound = true;
}
}
}
if (!duplicatesFound)
{
Console.WriteLine("No duplicate tasks found.");
}
Console.ReadKey();
}
else if (choice.ToUpper() == "Q") // Quit
{
break;
}
}
}
}
Output
1 - 15/02/2025 - Buy groceries - High - Shopping
2 - 16/02/2025 - Finish report - Medium - Work
No tasks found matching the search criteria.
Are you sure you want to delete these tasks? (y/n): y
Tasks deleted successfully.
Tasks sorted successfully.
Código de ejemplo copiado
Comparte este ejercicio de C#