Extract Data from SQL INSERT Statements in C#

In this exercise, you will create a C# program that parses SQL INSERT commands from a file and extracts their data in a structured format. The program will read SQL INSERT statements, extract the table name, field names, and field values, and write them to an output file in a human-readable format. Each record will be displayed with the table name followed by each field and its corresponding value, separated by a colon. The program will handle multiple records and ensure that each record is formatted properly.



Group

File Handling in C#

Objective

1. Open and read the input SQL file containing INSERT statements.
2. For each INSERT statement, extract the table name, field names, and values.
3. Format the output such that the table name appears first, followed by each field name and its value.
4. Write the formatted output to a new text file.
5. Ensure that each record is preceded by the table name and followed by a blank line.
6. Handle any potential edge cases, such as fields containing commas or special characters, correctly.

You must create a C# program that is capable of parsing SQL INSERT commands and extracting their data into separate lines of text.

Example C# Exercise

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

class SQLParser
{
    // Main method to execute the program
    static void Main(string[] args)
    {
        // Define the path of the input SQL file
        string inputFilePath = "input.sql"; // Path to the SQL file containing the INSERT commands
        
        // Read all lines from the input SQL file
        string[] lines = File.ReadAllLines(inputFilePath);

        // Open a new file to write the formatted output
        using (StreamWriter writer = new StreamWriter("output.txt"))
        {
            // Loop through each line in the input SQL file
            foreach (string line in lines)
            {
                // Check if the line is a valid INSERT INTO statement
                if (line.StartsWith("INSERT INTO", StringComparison.OrdinalIgnoreCase))
                {
                    // Extract the table name using a regular expression
                    string tableName = Regex.Match(line, @"INSERT INTO (\w+)").Groups[1].Value;

                    // Extract the field names from the line (text between parentheses)
                    string fields = Regex.Match(line, @"\(([^)]+)\)").Groups[1].Value;

                    // Extract the values for the fields (text after 'VALUES' keyword)
                    string values = Regex.Match(line, @"VALUES \(([^)]+)\)").Groups[1].Value;

                    // Split the field names and values into arrays
                    string[] fieldNames = fields.Split(',');
                    string[] fieldValues = values.Split(',');

                    // Write the table name to the output file
                    writer.WriteLine($"Table: {tableName}");

                    // Loop through the field names and corresponding values
                    for (int i = 0; i < fieldNames.Length; i++)
                    {
                        // Trim spaces from the field names and values
                        string fieldName = fieldNames[i].Trim();
                        string fieldValue = fieldValues[i].Trim();

                        // Remove the surrounding quotes from string values
                        if (fieldValue.StartsWith("\"") && fieldValue.EndsWith("\""))
                        {
                            fieldValue = fieldValue.Substring(1, fieldValue.Length - 2);
                        }

                        // Write the field name and its corresponding value to the output file
                        writer.WriteLine($"{fieldName}: {fieldValue}");
                    }

                    // Add a blank line after each record
                    writer.WriteLine();
                }
            }
        }

        // Notify the user that the operation is complete
        Console.WriteLine("SQL parsing is complete. Check the output.txt file.");
    }
}

 Output

//Output (If the input file contains the following lines):
INSERT INTO people (name, address, age) VALUES ("smith, pedro", "your street", 23);
INSERT INTO people (name, address, age) VALUES ("juan", "calle cinco, 6", 24);
INSERT INTO cities (code, name) VALUES ("a", "alicante");

//Contents of output.txt:
Table: people
name: smith, pedro
address: your street
age: 23

Table: people
name: juan
address: calle cinco, 6
age: 24

Table: cities
code: a
name: alicante

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#.

  • PGM Image Parser and Console Display in C#

    This program reads a PGM image file in binary format (P5) and represents its shades of gray in the console using different characters based on the intensity value. The program firs...

  • Display a BMP Image on Console in C#

    This program reads a 72x24 BMP image file and displays it on the console. It uses the information from the BMP header to determine the start of image data and processes the pixels ...

  • Program in C# to Store Sentences in a Text File

    This program will ask the user to input multiple sentences. Each sentence will be stored in a text file named "sentences.txt". The program will keep asking for new sentences until ...

  • Program in C# to Append Sentences to a Text File

    This program prompts the user to input several sentences and stores them in a text file named "sentences.txt". If the file already exists, the new sentences will be appended to the...

  • Program in C# to Display the Contents of a Text File

    This program reads and displays the contents of a specified text file on the screen. The name of the file can either be provided as a command line argument or, if no argument is gi...

  • Convert Text to HTML and Dump to File in C#

    This program implements a class TextToHtml that can convert several user-entered lines of text into an HTML sequence. The program will have methods to add text to an array, display...