Programa De Recuento De Caracteres Desde Un Archivo En C#

Este programa cuenta el número de veces que aparece un carácter específico en un archivo de texto. El programa puede solicitar al usuario el archivo y el carácter que desea buscar o aceptarlos como parámetros de la línea de comandos. El programa lee el contenido del archivo, cuenta las veces que aparece el carácter especificado y muestra el resultado en pantalla. Esto puede ser útil para tareas como analizar archivos en busca de caracteres específicos o realizar procesamientos de texto sencillos.



Grupo

Manejo de archivos en C#

Objectivo

1. El programa puede aceptar el nombre del archivo y el carácter a buscar como parámetros o solicitar al usuario que los introduzca.
2. Leerá el contenido del archivo especificado.
3. El programa contará cuántas veces aparece el carácter especificado en el archivo.
4. El resultado (el recuento del carácter) se mostrará en pantalla.

Cree un programa para contar las veces que un carácter aparece en un archivo (de cualquier tipo).

Ejemplo de ejercicio en C#

 Copiar código C#
using System;
using System.IO;

class CharacterCounter
{
    // Main method: entry point of the program
    static void Main(string[] args)
    {
        // Check if the correct number of arguments is provided
        if (args.Length == 2)
        {
            // Extract arguments: file name and character to count
            string fileName = args[0];
            char searchChar = args[1][0];  // Take the first character of the second argument

            // Call method to count the occurrences of the character in the file
            int count = CountCharacterInFile(fileName, searchChar);

            // Display the result
            Console.WriteLine($"The character '{searchChar}' appears {count} times in the file {fileName}.");
        }
        else
        {
            // If arguments are not passed, prompt user for input
            Console.WriteLine("Please enter the file name:");
            string fileName = Console.ReadLine();

            Console.WriteLine("Please enter the character to search for:");
            char searchChar = Console.ReadLine()[0]; // Read first character entered by the user

            // Call method to count the occurrences of the character in the file
            int count = CountCharacterInFile(fileName, searchChar);

            // Display the result
            Console.WriteLine($"The character '{searchChar}' appears {count} times in the file {fileName}.");
        }
    }

    // Method to count the occurrences of a character in a file
    static int CountCharacterInFile(string fileName, char searchChar)
    {
        // Initialize the count to 0
        int count = 0;

        try
        {
            // Read all the contents of the file
            string content = File.ReadAllText(fileName);

            // Loop through each character in the content and check if it matches the search character
            foreach (char c in content)
            {
                if (c == searchChar)
                {
                    count++;  // Increment count if a match is found
                }
            }
        }
        catch (Exception ex)
        {
            // Handle errors if the file is not found or other issues arise
            Console.WriteLine($"Error: {ex.Message}");
            return 0;  // Return 0 in case of an error
        }

        // Return the total count
        return count;
    }
}

 Output

//Output Example:
Please enter the file name:
example.txt
Please enter the character to search for:
a
The character 'a' appears 5 times in the file example.txt.

//Alternatively, when run with parameters:
count example.txt a
The character 'a' appears 5 times in the file example.txt.

Comparte este ejercicio de C#

Practica más ejercicios C# de Manejo de archivos en C#

¡Explora nuestro conjunto de ejercicios de práctica de C#! Diseñados específicamente para principiantes, estos ejercicios te ayudarán a desarrollar una sólida comprensión de los fundamentos de C#. Desde variables y tipos de datos hasta estructuras de control y funciones simples, cada ejercicio está diseñado para desafiarte gradualmente a medida que adquieres confianza en la programación en C#..