GitHub - znone/qtl: A friendly and lightweight C++ database library for MySQL, PostgreSQL, SQLite and ODBC. (original) (raw)

QTL

QTL is a C ++ library for accessing SQL databases and currently supports MySQL, SQLite, PostgreSQL and ODBC. QTL is a lightweight library that consists of only header files and does not require separate compilation and installation. QTL is a thin encapsulation of the database's native client interface. It can provide a friendly way of using and has performance close to using the native interface. Using QTL requires a compiler that supports C++11.

The project db2qtl can generate QTL code.

Usage

Open database

qtl::mysql::database db; db.open("localhost", "root", "", "test");

Execute SQL

1. Insert

uint64_t id=db.insert("insert into test(Name, CreateTime) values(?, now())", "test_user");

2. Update

db.execute_direct("update test set Name=? WHERE ID=?", NULL, "other_user", id);

3. Update multiple records

uint64_t affected=0; auto stmt=db.open_command("insert into test(Name, CreateTime) values(?, now())"); qtl::execute(stmt, &affected, "second_user", "third_user");

or

stmt<<"second_user"<<"third_user";

4. Query data and process data in callback function

The program will traverse the data set until the callback function returns false. If the callback function has no return value, it is equivalent to returning true.

db.query("select * from test where id=?", id, [](uint32_t id, const std::string& name, const qtl::mysql::time& create_time) { printf("ID="%d", Name="%s"\n", id, name.data()); });

When the field type cannot be inferred based on the parameters of the callback function, please use query_explicit instead of query and manually specify the data type for query.

5. Bind data to structures

struct TestMysqlRecord { uint32_t id; char name[33]; qtl::mysql::time create_time;

TestMysqlRecord()
{
    memset(this, 0, sizeof(TestMysqlRecord));
}

};

namespace qtl { template<> inline void bind_record<qtl::mysql::statement, TestMysqlRecord>(qtl::mysql::statement& command, TestMysqlRecord&& v) { qtl::bind_fields(command, v.id, v.name, v.create_time); } }

db.query("select * from test where id=?", id, [](const TestMysqlRecord& record) { printf("ID="%d", Name="%s"\n", record.id, record.name); });

6. Use member functions as query callback functions

When the record class has a member function without parameters, it can be used directly as a query callback function

struct TestMysqlRecord { void print(); };

db.query("select * from test where id=?", id, &TestMysqlRecord::print);

7. Accessing data using iterator

for(auto& record : db.result("select * from test")) { printf("ID="%d", Name="%s"\n", record.id, record.name); }

8. Indicator

You can use the indicator to get more information about the query results. The indicator contains the following members:

9. std::optional and std::any

You can bind fields to std::optional and std::any in C ++ 17. When fields are null, they contain nothing, otherwise they contain the value of the field.

10. Support for string types other than the standard library

In addition to the std::string provided by the standard library, other libraries also provide their own string classes, such as QT's QString and MFC/ATL's CString. qtl can also bind character fields to these types. The extension method is:

  1. Implement a specialization for qtl::bind_string_helper for your string type. If this string type has the following member functions that conform to the standard library string semantics, you can skip this step: assign, clear, resize, data, size;
  2. Implement a specialization for qtl::bind_field for your string type;

Because QT's QByteArray has member functions compatible with the standard library, binding to QByteArray requires only one step: Generally, the database does not provide binding to QChar/QString, so you can only use QByteArray to receive data, and then convert it to QString.

namespace qtl { template inline void bind_field(Command& command, size_t index, QByteArray&& value) { command.bind_field(index, bind_string(std::forward(value))); } }

11. Reuse the same data structure in different queries

Usually you want to reuse the structure and bind it to the result set of multiple different queries. At this time qtl::bind_record is not enough. You need to implement different binding functions with qtl::custom_bind to achieve this requirement. There are the following binding functions:

void my_bind(TestMysqlRecord&& v, qtl::sqlite::statement& command) { qtl::bind_field(command, "id", v.id); qtl::bind_field(command, 1, v.name); qtl::bind_field(command, 2, v.create_time); }

The following code shows how to use it for queries:

db->query_explicit("select * from test where id=?", id, qtl::custom_bind(TestMysqlRecord(), &my_bind), [](const TestMysqlRecord& record) { printf("ID="%d", Name="%s"\n", record.id, record.name); });

qtl::bind_record is not the only method. A similar requirement can be achieved through derived classes (qtl::record_with_tag).

12.Execute queries that return multiple result sets

Some query statements return multiple result sets. Executing these queries using the function query will only get the first result set. To process all result sets you need to use query_multi or query_multi_with_params. query_multi does not call callback functions for queries without a result set. E.g:

CREATE PROCEDURE test_proc() BEGIN select 0, 'hello world' from dual; select now() from dual; END

db.query_multi("call test_proc", [](uint32_t i, const std::string& str) { printf("0="%d", 'hello world'="%s"\n", i, str.data()); }, [](const qtl::mysql::time& time) { struct tm tm; time.as_tm(tm); printf("current time is: %s\n", asctime(&tm)); });

13. Access the database asynchronously

The database can be called asynchronously through the class async_connection. All asynchronous functions need to provide a callback function to accept the result after the operation is completed. If an error occurs during an asynchronous call, the error is returned to the caller as a parameter to the callback function.

qtl::mysql::async_connection connection;
connection.open(ev, [&connection](const qtl::mysql::error& e) {
    ...
});

Asynchronous calls are done in the event loop. ev is an event loop object. QTL only proposes its requirements for the event loop and does not implement the event loop. QTL requires the event loop to provide the following interface, which is implemented by user code:

class EventLoop
{
public:
    // Adding a database connection to the event loop
    template<typename Connection>
    qtl::event_handler* add(Connection* connection);
    
    // Add a timeout task to the event loop
    template<typename Handler>
    qtl::event* set_timeout(const timeval& timeout, Handler&& handler);
};

qtl::event is an event item interface defined in QTL, and user code should also implement it:

struct event
{
    // IO event flag
    enum io_flags
    {
        ef_read = 0x1,
        ef_write = 0x2,
        ef_exception = 0x4,
        ef_timeout =0x8,
        ev_all = ef_read | ef_write | ef_exception
    };

    virtual ~event() { }
    // Setting up the IO processor
    virtual void set_io_handler(int flags, long timeout, std::function<void(int)>&&) = 0;
    // Remove event items from the event loop
    virtual void remove() = 0;
    // Determine if the event item is waiting for IO
    virtual bool is_busying() = 0;
};

Database connections are usually not thread-safe. User code should guarantee that a connection can only be used by one thread at a time.

About MySQL

When accessing MySQL, include the header file qtl_mysql.hpp.

MySQL parameter data binding

Parameter Types C++ Types
tinyint int8_tuint8_t
smallint int16_tuint16_t
int int32_tuint32_t
bigint int64_tuint64_t
float float
double double
charvarchar const char*std::string
blobbinarytext qtl::const_blob_datastd::istreamqtl::blob_writer
datetimedatetimetimestamp qtl::mysql::time

blob_writer is a function, which is defined as follows:

typedef std::function<void(std::ostream&)> blob_writer;

This function writes data to the BLOB field with a parameter of type std::ostream. Due to the limitations of the MySQL API, the stream can basically only move forward, and it is not recommended to adjust the write position at will for this stream.

MySQL field data binding

Field Types C++ Types
tinyint int8_tuint8_t
smallint int16_tuint16_t
int int32_tuint32_t
bigint int64_tuint64_t
float float
double double
charvarchar char[N]std::array<char, N>std::stringstd::istream
blobbinarytext qtl::blob_datastd::ostreamqtl::blobbuf
datetimedatetimetimestamp qtl::mysql::time

Data from BLOB fields can be read via qtl::mysql::blobbuf:

void read_blob(qtl::blobbuf& buf) { istream s(&buf); ... };

Because of the limitations of the MySQL API, the stream can only move forward, and it is not recommended to adjust the read position at will for this stream.

About SQLite

When accessing SQLite, include the header file qtl_sqlite.hpp.

SQLite parameter data binding

Parameter Types C++ Types
integer intint64_t
real double
text const char*std::stringstd::wstring
blob qtl::const_blob_data

SQLite field data binding

Field Types C++ Types
integer intint64_t
real double
text char[N]std::array<char, N>std::stringstd::wstring
blob qtl::const_blob_dataqtl::blob_datastd::ostream

When receiving blob data with qtl::const_blob_data, it directly returns the data address given by SQLite. When receiving blob data with qtl::blob_data, the data is copied to the address specified by qtl::blob_data.

Blob field in SQLite

Through QTL, you can access the SQLite BLOB field through the standard stream. The following code first fills the BLOB field with the numbers 0-9, then reads the field content again and displays it to the screen.

int64_t id=db->insert("INSERT INTO test_blob (Filename, Content, MD5) values(?, ?, ?)", forward_as_tuple("sample", qtl::const_blob_data(nullptr, 1024), nullptr));

qtl::sqlite::blobstream bs(*db, "test_blob", "Content", id); generate_n(ostreambuf_iterator(bs), bs.blob_size()/sizeof(char), i=0 mutable { return char('0'+(i++)%10); }); copy(istream_iterator(bs), istream_iterator(), ostream_iterator(cout, nullptr)); cout<<endl;

About ODBC

When accessing the database through ODBC, include the header file qtl_odbc.hpp. QTL does not support ODBC output parameters.

ODBC parameter data binding

Parameter Types C++ Types
TINYINT int8_tuint8_t
SMALLINT int16_tuint16_t
INTEGER int32_tuint32_t
BIGINT int64_tuint64_t
FLOAT float
DOUBLE double
NUMERIC SQL_NUMERIC_STRUCT
BIT bool
CHARVARCHAR const char*std::string
WCHARWVARCHAR const wchar_t*std::wstring
BINARY qtl::const_blob_data
LONGVARBINARY std::istreamqtl::blob_writer
DATE qtl::odbc::date
TIMEUTCTIME qtl::odbc::time
TIMESTAMPUTCDATETIME qtl::odbc::datetime
GUID SQLGUID

ODBC field data binding

Field Types C++ Types
TINYINT int8_tuint8_t
SMALLINT int16_tuint16_t
INTEGER int32_tuint32_t
BIGINT int64_tuint64_t
FLOAT float
DOUBLE double
NUMERIC SQL_NUMERIC_STRUCT
BIT bool
CHARVARCHAR char[N]std::array<char, N>std::string
WCHARWVARCHAR wchar_t[N]std::array<wchar_t, N>std::string
BINARY qtl::blob_data
LONGVARBINARY std::ostreamqtl::blobbuf
DATE qtl::odbc::date
TIMEUTCTIME qtl::odbc::time
TIMESTAMPUTCDATETIME qtl::odbc::datetime
GUID SQLGUID

About PostgreSQL

When accessing PostgreSQL, include the header file qtl_postgres.hpp. On Linux, you need to install libpq, libecpg, and PostgreSQL Server development libraries.

PostgreSQL parameter data binding

Parameter Types C++ Types
bool bool
integer int32_t
smallint int16_t
bigint int64_t
real float
double double
text const char*std::string
bytea qtl::const_blob_datastd::vector<uint8_t>
oid qtl::postgres::large_object
date qtl::postgres::date
timestamp qtl::postgres::timestamp
interval qtl::postgres::interval
array std::vectorstd::arrayT[N]
composite types std::tuplestd::pair

PostgreSQL field data binding

Field Types C++ Types
bool bool
integer int32_t
smallint int16_t
bigint int64_t
real float
double double
text char[N]std::array<char, N>std::string
bytea qtl::const_blob_dataqtl::blob_datastd::vector<uint8_t>
oid qtl::postgres::large_object
date qtl::postgres::date
timestamp qtl::postgres::timestamp
interval qtl::postgres::interval
array std::vectorstd::arrayT[N]
composite types std::tuplestd::pair

About testing

Third-party libraries for compiling test cases need to be downloaded separately. In addition to database-related libraries, test cases use a test frameworkCppTest

The database used in the test case is as follows:

MySQL

CREATE TABLE test ( ID int NOT NULL AUTO_INCREMENT, Name varchar(32) NOT NULL, CreateTime timestamp NOT NULL DEFAULT '0000-00-00 00:00:00' ON UPDATE CURRENT_TIMESTAMP, PRIMARY KEY (ID) );

CREATE TABLE test_blob ( ID int unsigned NOT NULL AUTO_INCREMENT, Filename varchar(255) NOT NULL, Content longblob, MD5 binary(16) DEFAULT NULL, PRIMARY KEY (ID) );

PostgreSQL

DROP TABLE IF EXISTS test; CREATE TABLE test ( id int4 NOT NULL GENERATED BY DEFAULT AS IDENTITY ( INCREMENT 1 MINVALUE 1 MAXVALUE 2147483647 START 1 ), name varchar(255) COLLATE default, createtime timestamp(6) ) ;

ALTER TABLE test ADD CONSTRAINT test_pkey PRIMARY KEY ("id");

DROP TABLE IF EXISTS test_blob; CREATE TABLE test_blob ( id int4 NOT NULL GENERATED BY DEFAULT AS IDENTITY ( INCREMENT 1 MINVALUE 1 MAXVALUE 2147483647 START 1 ), filename varchar(255) COLLATE default NOT NULL, md5 bytea, content oid ) ;

ALTER TABLE test_blob ADD CONSTRAINT test_blob_pkey PRIMARY KEY ("id");