Grupo
Gestión Dinámica de Memoria en C#
Objectivo
1. Crear una tabla hash que almacene palabras (como claves) y sus definiciones (como valores).
2. Implementar la posibilidad de insertar palabras y definiciones en la tabla hash.
3. Permitir al usuario buscar una definición introduciendo una palabra.
4. Gestionar posibles colisiones mediante una estrategia adecuada de resolución de colisiones.
5. Mostrar el resultado de la búsqueda o un mensaje si no se encuentra la palabra.
6. Proporcionar una interfaz de texto sencilla que permita al usuario interactuar con la tabla hash.
En este ejercicio, se debe crear un diccionario utilizando una tabla hash. El objetivo de este ejercicio es practicar la implementación de una estructura de datos eficiente para almacenar pares clave-valor.
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
using System.Collections;
class HashTableDictionary
{
static void Main()
{
Hashtable dictionary = new Hashtable(); // Create a new hashtable to store words and definitions
// Insert some initial word-definition pairs
dictionary.Add("C#", "A modern programming language developed by Microsoft.");
dictionary.Add("HashTable", "A data structure that stores key-value pairs for fast lookups.");
dictionary.Add("Dictionary", "A collection of words and their definitions.");
Console.WriteLine("Welcome to the Dictionary HashTable!");
Console.WriteLine("Enter 'exit' to quit the program.");
string input;
// Loop to interact with the user
do
{
Console.WriteLine("Enter a word to search for its definition:");
input = Console.ReadLine(); // Read the user's input
if (input.ToLower() == "exit") // Check if the user wants to exit
break;
// Search for the word in the dictionary
if (dictionary.ContainsKey(input))
{
Console.WriteLine("Definition: " + dictionary[input]); // Print the definition if found
}
else
{
Console.WriteLine("Sorry, the word was not found in the dictionary.");
}
} while (true); // Continue until the user exits
}
}
Output
Welcome to the Dictionary HashTable!
Enter 'exit' to quit the program.
Enter a word to search for its definition:
C#
Definition: A modern programming language developed by Microsoft.
Enter a word to search for its definition:
HashTable
Definition: A data structure that stores key-value pairs for fast lookups.
Enter a word to search for its definition:
Dictionary
Definition: A collection of words and their definitions.
Enter a word to search for its definition:
Python
Sorry, the word was not found in the dictionary.
Enter a word to search for its definition:
exit
Código de ejemplo copiado
Comparte este ejercicio de C#