File Splitter Program in C#

This program allows you to split a file of any type into smaller pieces of a specified size. The program takes two parameters: the name of the file to split and the size (in bytes) for each piece. It will then create multiple smaller files with the same name as the original file, appending a sequence number to each piece. The program is useful for handling large files that need to be divided for easier storage or transfer. For example, splitting a 4500-byte file into 2000-byte chunks will result in three files: the first two will be 2000 bytes, and the last one will be the remaining 500 bytes.



Group

File Handling in C#

Objective

1. The program requires two parameters: the file name and the size (in bytes) for each split part.
2. The program reads the input file and splits it into smaller files.
3. It will generate files with the original file name followed by a sequence number (e.g., file.exe.001, file.exe.002, etc.).
4. If the file size is not evenly divisible by the specified chunk size, the last file will contain the remaining data.
5. Use the following format to run the program:

split myFile.exe 2000


Create a program to split a file (of any kind) into pieces of a certain size. It must receive the name of the file and the size as parameters. For example, it can be used by typing:

split myFile.exe 2000


If the file "myFile.exe" is 4500 bytes long, that command would produce a file named "myFile.exe.001" that is 2000 bytes long, another file named "myFile.exe.002" that is also 2000 bytes long, and a third file named "myFile.exe.003" that is 500 bytes long.

Example C# Exercise

 Copy C# Code
using System;
using System.IO;

class FileSplitter
{
    // Main method where the program starts execution
    static void Main(string[] args)
    {
        // Check if the user provided the correct number of arguments
        if (args.Length != 2)
        {
            Console.WriteLine("Usage: split  ");
            return;
        }

        // Get the input file name and chunk size from the arguments
        string inputFileName = args[0];
        int chunkSize;

        // Try to parse the chunk size to an integer
        if (!int.TryParse(args[1], out chunkSize) || chunkSize <= 0)
        {
            Console.WriteLine("Please enter a valid chunk size (positive integer).");
            return;
        }

        // Check if the input file exists
        if (!File.Exists(inputFileName))
        {
            Console.WriteLine("The specified file does not exist.");
            return;
        }

        try
        {
            // Open the input file using FileStream
            using (FileStream inputFile = new FileStream(inputFileName, FileMode.Open, FileAccess.Read))
            {
                // Get the total size of the input file
                long fileSize = inputFile.Length;

                // Calculate the number of chunks needed
                int chunkCount = (int)Math.Ceiling((double)fileSize / chunkSize);

                // Loop through and create the chunks
                for (int i = 0; i < chunkCount; i++)
                {
                    // Generate the name for the new chunked file (e.g., file.exe.001)
                    string outputFileName = $"{inputFileName}.{i + 1:D3}";

                    // Open the output file with FileStream to write the chunk
                    using (FileStream outputFile = new FileStream(outputFileName, FileMode.Create, FileAccess.Write))
                    {
                        // Calculate how many bytes to read in this chunk
                        int bytesToRead = (i < chunkCount - 1) ? chunkSize : (int)(fileSize - i * chunkSize);

                        // Buffer to hold the chunk data
                        byte[] buffer = new byte[bytesToRead];

                        // Read the data into the buffer
                        inputFile.Read(buffer, 0, bytesToRead);

                        // Write the buffer to the output file
                        outputFile.Write(buffer, 0, bytesToRead);
                    }

                    // Output progress message
                    Console.WriteLine($"Created: {outputFileName}");
                }

                // Indicate completion of the process
                Console.WriteLine("File split completed successfully.");
            }
        }
        catch (Exception ex)
        {
            // Handle any exceptions that may occur during file processing
            Console.WriteLine("An error occurred: " + ex.Message);
        }
    }
}

 Output

//For example, if you run the program on a file named myFile.exe of size 4500 bytes with a chunk size of 2000 bytes, the output files will be:
Created: myFile.exe.001
Created: myFile.exe.002
Created: myFile.exe.003
File split completed successfully.

Share this C# Exercise

More C# Practice Exercises of File Handling in C#

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.

  • BMP Image File 'Encrypt-Decrypt' Program in C#

    This program allows you to encrypt and decrypt BMP image files by manipulating the "BM" mark located in the first two bytes of the file. The program swaps the "BM" marker at the be...

  • CSV to Text Converter in C#

    This program reads a CSV file that contains four data blocks per line. The first three data blocks are textual (name, surname, and city), and the last one is numeric (age). It proc...

  • File Comparison Program in C#

    This C# program compares two files of any type (text, binary, etc.) to determine if they are identical. The program reads the content of both files and checks whether every byte in...

  • Netpbm Image Decoder in C#

    This C# program decodes a Netpbm image file (specifically the "P1" type) and displays the image content in the console. The program reads the header, dimensions, and pixel data fro...

  • PCX Image File Checker in C#

    This C# program checks if a given file is a valid PCX image file. If the file is a PCX image, the program reads the file's header to extract the width and height of the image. The ...

  • Extract Alphabetic Characters from Binary File in C#

    This C# program extracts only the alphabetic characters from a binary file and dumps them into a separate file. The program identifies characters with ASCII codes between 32 and 12...