Exercise
SQL to text
Objetive
You must create a C# program that is capable of parsing SQL INSERT commands and extracting their data into separate lines of text, as follows. If the input file contains these three 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");
The resulting file should have on each line the name of a field, followed by a colon and its value. In addition, each record must be preceded by the name of the table and followed by a blank line, like this:
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
Example Code
using System;
using System.Collections.Generic;
using System.IO;
using System.Text.RegularExpressions;
class SqlToText
{
static void Main()
{
string inputFilePath = "input.sql";
string outputFilePath = "output.txt";
ParseSqlInsert(inputFilePath, outputFilePath);
}
static void ParseSqlInsert(string inputFilePath, string outputFilePath)
{
try
{
string sqlContent = File.ReadAllText(inputFilePath);
string insertPattern = @"INSERT INTO\s+`?(\w+)`?\s?\((.*?)\)\s+VALUES\s?\((.*?)\);";
var matches = Regex.Matches(sqlContent, insertPattern, RegexOptions.IgnoreCase);
List outputLines = new List();
foreach (Match match in matches)
{
string tableName = match.Groups[1].Value;
string fieldNames = match.Groups[2].Value;
string values = match.Groups[3].Value;
string[] fields = fieldNames.Split(new char[] { ',' }, StringSplitOptions.RemoveEmptyEntries);
string[] valuesArray = values.Split(new char[] { ',' }, StringSplitOptions.RemoveEmptyEntries);
for (int i = 0; i < fields.Length; i++)
{
fields[i] = fields[i].Trim().Trim('`').Trim();
valuesArray[i] = valuesArray[i].Trim().Trim('\', '"').Trim();
}
outputLines.Add($"Table: {tableName}\n");
for (int i = 0; i < fields.Length; i++)
{
outputLines.Add($"{fields[i]}: {valuesArray[i]}");
}
outputLines.Add("");
}
File.WriteAllLines(outputFilePath, outputLines);
Console.WriteLine("SQL has been parsed and saved to the output file.");
}
catch (Exception ex)
{
Console.WriteLine("Error: " + ex.Message);
}
}
}