Building a PostgreSQL Library in D
I was always curious about new programming languages and its frameworks. All of these time my experience and curiosity spread over only in front-end development ( I’ve done some backend though ?). I challenged myself to expand my skills and I found D programming language. D is in simple words is the advanced version of C and CPP.
What is D? the website say “**D is a general-purpose programming language with static typing, systems-level access, and C-like syntax. With the D Programming Language, write fast, read fast, and run fast.”
I have used PostgreSQL as my database for my works, and that’s why I chose it for this library as well. PostgreSQL is one of the major open source SQL database system that companies using now and its features are expanding even more.
Why Build a Custom ORM Library?
When messing with D language I couldn’t find one package that satisfies my, either the packages are stopped maintenance or can be used as for direct query. From a JavaScript background I used Sequalize ORM. That light me an idea, How about similar one in D.
So, I did some research and I found Postgres provides library for C. Then I thought, how about use the C bindings in D and use it for developing the ORM. I found the source code from https://github.com/adamdruppe/arsd/blob/master/postgres.d for binding the C library to D.
Getting Started
Requirements:
- PostgreSQL must be installed in your system. ( I developed for PostgreSQL 16)
- IDE (Zed/ VSCode/Vim)
- DMD - d language compiler
To create a new project, use the following command in your terminal:
- Open your terminal or command prompt.
- Navigate to the directory where you want to create your project.
- Run the command:
1 |
|
This command will create a new project directory with the specified name and set up the basic structure for a D project.
- You'll be prompted to enter the following information:
- Format - .sdl or .json ( I selected json )
- Description of the project (optional)
- Author name
- License (e.g., MIT, BSD, etc.)
- Copyright string
- Add dependency (optional)
- After providing the information, dub will create a new directory with your project name and generate the following files:
- dub.json: Configuration file for your project
- source/app.d: Main source file
- .gitignore: Git ignore file
- Navigate into your new project directory: cd
- You can now start developing your D project!
With these steps completed, you'll have a basic D project structure set up and ready for development.
In Windows the below section needs to be added on the dub.json.
1 |
|
or
The way I did is copied all the necessary DLL files to lib ( manually created) folder and then added the below code:
1 2 3 4 5 6 7 8 9 10 |
|
In Linux or macOS, you need to ensure that the PostgreSQL development libraries are installed and properly linked. You can typically do this by installing the appropriate packages through your system's package manager. For example, on Ubuntu or Debian-based systems, you might use:
1 2 3 4 5 6 7 8 9 |
|
Once you have the necessary libraries installed and properly linked, you can proceed with setting up your D project to work with PostgreSQL.
Implementing C bindings:
Here is the C bindings for D.
1 |
|
Now we can easily use these functions in D.
This is the code for some basic exception handling:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 |
|
- PGSqlException: A custom exception class that inherits from the standard D Exception class. It's designed to handle PostgreSQL-specific errors.
-
Fields:
- code: Stores the error code
- sqlState: Stores the SQL state
- message: Stores the error message
- Constructor: Takes a PGconn* (PostgreSQL connection) and an optional PGresult* (result of a query). PQresultVerboseErrorMessage and PQerrorMessage to extract detailed error information.
- DuplicateKeyException: A simple exception class for handling duplicate key errors. It only takes a message parameter and passes it to the base Exception class.
I will be adding more exceptions and other situations as I work on this project
Now create create a implementation/core/core.d file for writing the connection code.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 |
|
Key points of the above code:
-
Postgres class: Represents a PostgreSQL database connection.
- Manages connection creation, querying, and prepared statement execution.
- Uses the C bindings defined earlier to interact with the PostgreSQL library.
-
QueryResult class: Encapsulates the result of a database query.
- Stores query results in a structured format.
- Handles different data types and formats returned by PostgreSQL.
- Error handling: Implements custom exception handling for PostgreSQL errors.
- Connection management: Includes automatic reconnection attempts on connection loss.
- Prepared statements: Supports execution of prepared SQL statements with parameter binding.
- Memory management: Properly frees resources using destructors (~this()).
- UTF-8 support: Sets the connection encoding to UTF-8 by default.
This implementation provides a high-level interface for D applications to interact with PostgreSQL databases, abstracting away many of the low-level details of the C API.
You might have an IDE warning/error now that “connection module not found”
Let’s create connection module:
Create _internal/connection.d file add this code:
1 |
|
Add constants and other options for SQL:
_internal/consts.d
1 2 3 4 5 6 7 8 9 10 |
|
Creating Model Template
D supports template metaprogramming, a feature that allows you to write highly generic code. This means that D has templates similar to those in C but more powerful and flexible.
The ABC’s of Templates in D | The D Blog
Key features of D's templates:
- Compile-time type checking: Templates are checked at compile time, ensuring type safety.
- Code generation: You can use templates to generate specialized code for different types or values.
- Variadic templates: D supports templates that can take an arbitrary number of arguments, including types and values.
- Static ifs and mixins: These allow you to generate and manipulate code during compilation based on conditions or even inject string-based code (with mixin).
Now lets create a template class.
model.d
Now use the code from https://github.com/rodevasia/sequelized/blob/main/source/postgres/model.d paste to your file
Let's examine the code from the provided GitHub link:
1 2 3 4 5 6 7 8 9 |
|
This code defines a template class Model in D. Here's a breakdown of its key components:
- Module declaration: The code is part of the postgres.model module.
- Imports: Various standard D libraries and custom modules are imported for use in the class.
- Template class: The Model class is defined as a template with type parameter T. This allows the class to work with different types.
- Class methods: The class includes several methods for database operations such as save(), update(), delete(), and find().
- Compile-time reflection: The code uses D's compile-time features to inspect the fields of the type T and generate appropriate SQL queries.
- SQL query generation: Methods like getInsertQuery() and getUpdateQuery() dynamically create SQL queries based on the structure of type T.
- Database interaction: The class uses a Connection object to interact with a PostgreSQL database.
We written all the code for working. Let’s make this a library. add this on your dub.json
1 |
|
Using the Library:
Let create a new project:
1 2 3 4 5 6 7 8 9 10 |
|
add the the library as dependency in dub.json
1 2 3 4 5 6 7 8 9 |
|
app.d
1 |
|
Let's break down the code and explain its main components:
Imports
The code imports necessary modules from the standard library and the Sequalized library:
- std.stdio: For basic input/output operations
- postgres._internal.connection: Handles database connection details
- postgres.implementation.core: Core functionality for PostgreSQL operations
- postgres.model: Provides the Model mixin for defining database models
- postgres._internal.consts: Contains constant values used in the library
Main Function
The main function demonstrates how to use the Sequalized library:
- It creates a DatabaseConnectionOption object with connection details
- Initializes a Postgres object with these options
- Creates an instance of the Example class
- Calls sync() to create the corresponding table in the database
- Sets a value for the textField and inserts a record into the database
Example Class
This class defines a model for the database table:
- It uses the Model mixin to inherit ORM functionality
- Defines two fields: id and textField
- Uses attributes like @Type, @PmKey, and @unique to specify field properties
I haven't included full process, and that is for you to find out :)
If you'd love to contribute to my project here is the link for the repo:
https://github.com/rodevasia/sequelized
The above is the detailed content of Building a PostgreSQL Library in D. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics











The history and evolution of C# and C are unique, and the future prospects are also different. 1.C was invented by BjarneStroustrup in 1983 to introduce object-oriented programming into the C language. Its evolution process includes multiple standardizations, such as C 11 introducing auto keywords and lambda expressions, C 20 introducing concepts and coroutines, and will focus on performance and system-level programming in the future. 2.C# was released by Microsoft in 2000. Combining the advantages of C and Java, its evolution focuses on simplicity and productivity. For example, C#2.0 introduced generics and C#5.0 introduced asynchronous programming, which will focus on developers' productivity and cloud computing in the future.

The future development trends of C and XML are: 1) C will introduce new features such as modules, concepts and coroutines through the C 20 and C 23 standards to improve programming efficiency and security; 2) XML will continue to occupy an important position in data exchange and configuration files, but will face the challenges of JSON and YAML, and will develop in a more concise and easy-to-parse direction, such as the improvements of XMLSchema1.1 and XPath3.1.

C Reasons for continuous use include its high performance, wide application and evolving characteristics. 1) High-efficiency performance: C performs excellently in system programming and high-performance computing by directly manipulating memory and hardware. 2) Widely used: shine in the fields of game development, embedded systems, etc. 3) Continuous evolution: Since its release in 1983, C has continued to add new features to maintain its competitiveness.

C The core concepts of multithreading and concurrent programming include thread creation and management, synchronization and mutual exclusion, conditional variables, thread pooling, asynchronous programming, common errors and debugging techniques, and performance optimization and best practices. 1) Create threads using the std::thread class. The example shows how to create and wait for the thread to complete. 2) Synchronize and mutual exclusion to use std::mutex and std::lock_guard to protect shared resources and avoid data competition. 3) Condition variables realize communication and synchronization between threads through std::condition_variable. 4) The thread pool example shows how to use the ThreadPool class to process tasks in parallel to improve efficiency. 5) Asynchronous programming uses std::as

C interacts with XML through third-party libraries (such as TinyXML, Pugixml, Xerces-C). 1) Use the library to parse XML files and convert them into C-processable data structures. 2) When generating XML, convert the C data structure to XML format. 3) In practical applications, XML is often used for configuration files and data exchange to improve development efficiency.

C's memory management, pointers and templates are core features. 1. Memory management manually allocates and releases memory through new and deletes, and pay attention to the difference between heap and stack. 2. Pointers allow direct operation of memory addresses, and use them with caution. Smart pointers can simplify management. 3. Template implements generic programming, improves code reusability and flexibility, and needs to understand type derivation and specialization.

The modern C design model uses new features of C 11 and beyond to help build more flexible and efficient software. 1) Use lambda expressions and std::function to simplify observer pattern. 2) Optimize performance through mobile semantics and perfect forwarding. 3) Intelligent pointers ensure type safety and resource management.

C Learners and developers can get resources and support from StackOverflow, Reddit's r/cpp community, Coursera and edX courses, open source projects on GitHub, professional consulting services, and CppCon. 1. StackOverflow provides answers to technical questions; 2. Reddit's r/cpp community shares the latest news; 3. Coursera and edX provide formal C courses; 4. Open source projects on GitHub such as LLVM and Boost improve skills; 5. Professional consulting services such as JetBrains and Perforce provide technical support; 6. CppCon and other conferences help careers
