Feedboards.Json.Sqlify 1.2.0

dotnet add package Feedboards.Json.Sqlify --version 1.2.0
                    
NuGet\Install-Package Feedboards.Json.Sqlify -Version 1.2.0
                    
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="Feedboards.Json.Sqlify" Version="1.2.0" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="Feedboards.Json.Sqlify" Version="1.2.0" />
                    
Directory.Packages.props
<PackageReference Include="Feedboards.Json.Sqlify" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add Feedboards.Json.Sqlify --version 1.2.0
                    
#r "nuget: Feedboards.Json.Sqlify, 1.2.0"
                    
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
#addin nuget:?package=Feedboards.Json.Sqlify&version=1.2.0
                    
Install Feedboards.Json.Sqlify as a Cake Addin
#tool nuget:?package=Feedboards.Json.Sqlify&version=1.2.0
                    
Install Feedboards.Json.Sqlify as a Cake Tool

Feedboards.Json.Sqlify

A .NET library for converting JSON data structures into SQL schemas and tables. Currently supports ClickHouse with planned support for MSSQL, PostgreSQL, MySQL, and more. This library helps you automatically generate SQL table definitions from JSON data, handling nested structures and complex data types.

Documentation

  • Error Codes - Detailed list of error codes and their meanings
  • Exception Types - Exception types, usage, and best practices for error handling

Features

  • Automatic SQL schema generation from JSON files
  • Support for nested JSON structures
  • Handles both single files and directories of JSON files
  • Configurable maximum depth for nested structures (including unlimited depth)
  • Automatic type detection and mapping to database-specific data types
    • All date-related fields are mapped to String type for maximum compatibility
    • Support for ClickHouse Nested type structures
  • Comprehensive error handling system with detailed error codes
  • Separate validation for SQL and JSON nesting depths
  • Planned support for multiple databases:
    • ClickHouse (current)
    • MSSQL (planned)
    • PostgreSQL (planned)
    • MySQL (planned)

Installation

Building from Source

# Clone the repository
git clone https://github.com/feedboards/Feedboards.Json.Sqlify.git
cd Feedboards.Json.Sqlify

# Build the solution
dotnet build

NuGet Package (Coming Soon)

dotnet add package Feedboards.Json.Sqlify

Dependency Injection Setup

The library supports dependency injection in ASP.NET Core applications. Add the following code to your Program.cs or Startup.cs:

using Feedboards.Json.Sqlify.Infrastructure;
using Feedboards.Json.Sqlify.DTOs.ClickHouse;

// In your ConfigureServices method or Program.cs
builder.Services.AddFeedboardsJsonSqlify(options =>
{
    // Configure ClickHouse options
    options.UseCLickHouseSchema(new ClickHouseOption
    {
        // All properties are optional and default to null
        PathToFolderWithJson = "path/to/json/files",  // Optional
        PathToOutputFolder = "path/to/output",        // Optional

        // Database details are optional and for future features
        DatabaseDetails = new ClickHouseDatabaseDetails
        {
            Host = "localhost",     // Required if DatabaseDetails is provided
            Port = 8123,            // Required if DatabaseDetails is provided
            User = "default",       // Required if DatabaseDetails is provided
            Password = "",          // Required if DatabaseDetails is provided
            Database = "default"    // Required if DatabaseDetails is provided
        }
    });

    // Or use minimal configuration
    options.UseCLickHouseSchema(); // All options are optional
});

Then you can inject and use the client in your services:

public class YourService
{
    private readonly IClickHouseClient _clickHouseClient;

    public YourService(IClickHouseClient clickHouseClient)
    {
        _clickHouseClient = clickHouseClient;
    }

    public void ProcessJsonFile(string tableName)
    {
        try
        {
            // Using direct file paths (no configuration needed)
            var sqlSchema = _clickHouseClient.GenerateSQL(
                jsonFolder: "path/to/input.json",
                tableName: tableName
            );

            // Or using configured paths
            _clickHouseClient.GenerateSQLAndWrite(tableName);
        }
        catch (InvalidTableNameException ex)
        {
            // Handle invalid table name
            Console.WriteLine($"Error {ex.ErrorCode}: {ex.Message}");
            Console.WriteLine($"Invalid table name: {ex.Metadata["TableName"]}");
        }
        catch (FeedboardsJsonSqlifyException ex)
        {
            // Handle any other custom exception
            Console.WriteLine($"Error {ex.ErrorCode}: {ex.Message}");
            foreach (var data in ex.Metadata)
            {
                Console.WriteLine($"{data.Key}: {data.Value}");
            }
        }
    }
}

Configuration Options

The ClickHouseOption class supports the following configuration:

public class ClickHouseOption
{
    // Optional: Path to the folder containing JSON files
    // Defaults to null if not provided
    // Required only when using methods that read from files
    public string? PathToFolderWithJson { get; set; } = null;

    // Optional: Path where SQL files will be generated
    // Defaults to null if not provided
    // Required only when using methods that write to files
    public string? PathToOutputFolder { get; set; } = null;

    // Optional: Connection details for direct database operations
    // Defaults to null if not provided
    // Required only for future database integration features
    public ClickHouseDatabaseDetails? DatabaseDetails { get; set; } = null;
}

// Database connection details class
// All properties are required if DatabaseDetails is provided
public class ClickHouseDatabaseDetails
{
    public required string Host { get; set; }
    public required short Port { get; set; }
    public required string User { get; set; }
    public required string Password { get; set; }
    public required string Database { get; set; }
}
When to Provide Options
  1. For generating SQL schema as string:

    • Provide PathToFolderWithJson when using configuration-based methods
    • Or use direct file path methods which don't require configuration
  2. For writing SQL to files:

    • Provide both PathToFolderWithJson and PathToOutputFolder when using configuration-based methods
    • Or use direct file path methods which don't require configuration
  3. For database operations (planned feature):

    • DatabaseDetails will be required with all its properties set
Example Usage

Without configuration (using direct paths):

var client = new ClickHouseClient(); // No options needed
client.GenerateSQL(
    jsonFolder: "path/to/input.json",
    tableName: "my_table"
);

With configuration:

var options = new ClickHouseOption
{
    PathToFolderWithJson = "path/to/json/files",
    PathToOutputFolder = "path/to/output"
};

var client = new ClickHouseClient(options);
client.GenerateSQL(tableName: "my_table");

With database details (for future features):

var options = new ClickHouseOption
{
    DatabaseDetails = new ClickHouseDatabaseDetails
    {
        Host = "localhost",
        Port = 8123,
        User = "default",
        Password = "",
        Database = "default"
    }
};

var client = new ClickHouseClient(options);

Quick Start

try
{
    // Initialize the client with options
    var options = new ClickHouseOption
    {
        PathToFolderWithJson = "path/to/json/files",
        PathToOutputFolder = "path/to/output"
    };

    var client = new ClickHouseClient(options);

    // Generate SQL from a single JSON file with nesting validation
    client.GenerateSQL(
        jsonFolder: "path/to/input.json",
        outputFolder: "path/to/output.sql",
        tableName: "my_table",
        maxDepth: 5  // Limit nesting to 5 levels
    );

    // Use unlimited depth with maxDepth: 0
    client.GenerateSQL(
        jsonFolder: "path/to/input.json",
        outputFolder: "path/to/output.sql",
        tableName: "my_table",
        maxDepth: 0  // No nesting limit
    );

    // Process an entire directory with default depth (10)
    client.GenerateSQL(
        jsonFolder: "path/to/json/folder",
        outputFolder: "path/to/sql/folder"
    );
}
catch (NestedStructureLimitException ex) when (ex.ErrorCode == "SQL_001")
{
    // Handle SQL nesting limit exceeded
    Console.WriteLine($"SQL nesting limit exceeded in table {ex.Metadata["TableName"]}");
    Console.WriteLine($"Field: {ex.Metadata["NestedField"]}");
    Console.WriteLine($"Actual depth: {ex.Metadata["ActualDepth"]}");
    Console.WriteLine($"Maximum allowed: {ex.Metadata["MaxAllowedDepth"]}");
}
catch (NestedStructureLimitException ex) when (ex.ErrorCode == "JSN_002")
{
    // Handle JSON nesting limit exceeded
    Console.WriteLine($"JSON nesting limit exceeded");
    Console.WriteLine($"Actual depth: {ex.Metadata["ActualDepth"]}");
    Console.WriteLine($"Maximum allowed: {ex.Metadata["MaxAllowedDepth"]}");
}
catch (FeedboardsJsonSqlifyException ex)
{
    Console.WriteLine($"Error {ex.ErrorCode}: {ex.Message}");
    foreach (var data in ex.Metadata)
    {
        Console.WriteLine($"{data.Key}: {data.Value}");
    }
}

JSON to SQL Mapping Example

Input JSON:

{
  "test": [
    {
      "name": "example",
      "title": "test1"
    }
  ]
}

Generated SQL:

CREATE TABLE IF NOT EXISTS test_table (
    `test` Nested(
        `name` String,
        `title` String
    )
) ENGINE = MergeTree()
ORDER BY tuple();

Nested Structures and flatten_nested Setting

When dealing with nested structures inside other nested structures, the library automatically adds the flatten_nested=0 setting to ensure proper handling of complex nested data.

Depth Limit Configuration

The maxDepth parameter in GenerateSQL methods controls how deep the nested structures can go:

  • Positive number (e.g., maxDepth: 5): Limits nesting to that specific depth
  • Zero (maxDepth: 0): Unlimited depth
  • Negative number (e.g., maxDepth: -1): Unlimited depth
  • Default (no maxDepth specified): Limits to 10 levels

Example:

// Limit to 5 levels
client.GenerateSQL("path/to/json", "table_name", maxDepth: 5);

// Unlimited nesting
client.GenerateSQL("path/to/json", "table_name", maxDepth: 0);

// Default (10 levels)
client.GenerateSQL("path/to/json", "table_name");

Error Handling

The library provides a comprehensive error handling system with detailed error codes and metadata. For detailed information about error handling, see:

Example of error handling:

try
{
    client.GenerateSQL("path/to/json", "invalid@table");
}
catch (InvalidTableNameException ex)
{
    Console.WriteLine($"Error {ex.ErrorCode}: {ex.Message}");
    Console.WriteLine($"Invalid table name: {ex.Metadata["TableName"]}");
}
catch (InvalidJsonStructureException ex)
{
    Console.WriteLine($"Error {ex.ErrorCode}: {ex.Message}");
    Console.WriteLine($"JSON file: {ex.Metadata["JsonPath"]}");
    Console.WriteLine($"Error details: {ex.InnerException?.Message}");
}
catch (FeedboardsJsonSqlifyException ex)
{
    Console.WriteLine($"Error {ex.ErrorCode}: {ex.Message}");
    foreach (var data in ex.Metadata)
    {
        Console.WriteLine($"{data.Key}: {data.Value}");
    }
}

Contributing

Contributions are welcome! Please feel free to submit a Pull Request. For major changes, please open an issue first to discuss what you would like to change.

License

This project is licensed under the MIT License - see the LICENSE file for details.

Support

For support, please:

  1. Check the documentation
  2. Open an issue in the GitHub repository
  3. Contact the maintainers

Roadmap

  • Add an advanced error system
  • Add support for MSSQL
  • Add support for PostgreSQL
  • Add support for MySQL
  • Improve type inference
  • Add support for custom type mappings
  • Add support for schema validation
Product Compatible and additional computed target framework versions.
.NET net7.0 is compatible.  net7.0-android was computed.  net7.0-ios was computed.  net7.0-maccatalyst was computed.  net7.0-macos was computed.  net7.0-tvos was computed.  net7.0-windows was computed.  net8.0 is compatible.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed.  net9.0 was computed.  net9.0-android was computed.  net9.0-browser was computed.  net9.0-ios was computed.  net9.0-maccatalyst was computed.  net9.0-macos was computed.  net9.0-tvos was computed.  net9.0-windows was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages

This package is not used by any NuGet packages.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last updated
1.2.0 244 3/23/2025
1.1.0 126 3/20/2025
1.0.0 127 3/20/2025