Lightweight 0.1.0
Loading...
Searching...
No Matches
Utils.hpp
1// SPDX-License-Identifier: Apache-2.0
2
3#pragma once
4
5#if defined(_WIN32) || defined(_WIN64)
6 #include <Windows.h>
7#endif
8
9#include "../Lightweight/DataBinder/UnicodeConverter.hpp"
10#include "../Lightweight/SqlConnectInfo.hpp"
11#include "../Lightweight/SqlConnection.hpp"
12#include "../Lightweight/SqlDataBinder.hpp"
13#include "../Lightweight/SqlLogger.hpp"
14#include "../Lightweight/SqlSchema.hpp"
15#include "../Lightweight/SqlStatement.hpp"
16#include "../Lightweight/Utils.hpp"
17
18#include <catch2/catch_session.hpp>
19#include <catch2/catch_test_macros.hpp>
20
21#include <chrono>
22#include <format>
23#include <ostream>
24#include <ranges>
25#include <regex>
26#include <string>
27#include <string_view>
28#include <tuple>
29#include <variant>
30#include <vector>
31
32#if __has_include(<stacktrace>)
33 #include <stacktrace>
34#endif
35
36#include <sql.h>
37#include <sqlext.h>
38#include <sqlspi.h>
39#include <sqltypes.h>
40
41// NOTE: I've done this preprocessor stuff only to have a single test for UTF-16 (UCS-2) regardless of platform.
42using WideChar = std::conditional_t<sizeof(wchar_t) == 2, wchar_t, char16_t>;
43using WideString = std::basic_string<WideChar>;
44using WideStringView = std::basic_string_view<WideChar>;
45
46#if !defined(_WIN32)
47 #define WTEXT(x) (u##x)
48#else
49 #define WTEXT(x) (L##x)
50#endif
51
52#define UNSUPPORTED_DATABASE(stmt, dbType) \
53 if ((stmt).Connection().ServerType() == (dbType)) \
54 { \
55 WARN(std::format("TODO({}): This database is currently unsupported on this test.", dbType)); \
56 return; \
57 }
58
59template <>
60struct std::formatter<std::u8string>: std::formatter<std::string>
61{
62 auto format(std::u8string const& value, std::format_context& ctx) const -> std::format_context::iterator
63 {
64 return std::formatter<std::string>::format(std::format("{}", (char const*) value.c_str()), ctx);
65 }
66};
67
68namespace std
69{
70
71// Add support for std::basic_string<WideChar> and std::basic_string_view<WideChar> to std::ostream,
72// so that we can get them pretty-printed in REQUIRE() and CHECK() macros.
73
74template <typename WideStringT>
75 requires(detail::OneOf<WideStringT,
76 std::wstring,
77 std::wstring_view,
78 std::u16string,
79 std::u16string_view,
80 std::u32string,
81 std::u32string_view>)
82ostream& operator<<(ostream& os, WideStringT const& str)
83{
84 auto constexpr BitsPerChar = sizeof(typename WideStringT::value_type) * 8;
85 auto const u8String = ToUtf8(str);
86 return os << "UTF-" << BitsPerChar << '{' << "length: " << str.size() << ", characters: " << '"'
87 << string_view((char const*) u8String.data(), u8String.size()) << '"' << '}';
88}
89
90inline ostream& operator<<(ostream& os, SqlGuid const& guid)
91{
92 return os << format("SqlGuid({})", guid);
93}
94
95} // namespace std
96
97template <std::size_t Precision, std::size_t Scale>
98std::ostream& operator<<(std::ostream& os, SqlNumeric<Precision, Scale> const& value)
99{
100 return os << std::format("SqlNumeric<{}, {}>({}, {}, {}, {})",
101 Precision,
102 Scale,
103 value.sqlValue.sign,
104 value.sqlValue.precision,
105 value.sqlValue.scale,
106 value.ToUnscaledValue());
107}
108
109// Refer to an in-memory SQLite database (and assuming the sqliteodbc driver is installed)
110// See:
111// - https://www.sqlite.org/inmemorydb.html
112// - http://www.ch-werner.de/sqliteodbc/
113// - https://github.com/softace/sqliteodbc
114//
115auto const inline DefaultTestConnectionString = SqlConnectionString {
116 .value = std::format("DRIVER={};Database={}",
117#if defined(_WIN32) || defined(_WIN64)
118 "SQLite3 ODBC Driver",
119#else
120 "SQLite3",
121#endif
122 "file::memory:"),
123};
124
125class TestSuiteSqlLogger: public SqlLogger::Null
126{
127 private:
128 std::string m_lastPreparedQuery;
129
130 template <typename... Args>
131 void WriteInfo(std::format_string<Args...> const& fmt, Args&&... args)
132 {
133 auto message = std::format(fmt, std::forward<Args>(args)...);
134 message = std::format("[{}] {}", "Lightweight", message);
135 try
136 {
137 UNSCOPED_INFO(message);
138 }
139 catch (...)
140 {
141 std::println("{}", message);
142 }
143 }
144
145 template <typename... Args>
146 void WriteWarning(std::format_string<Args...> const& fmt, Args&&... args)
147 {
148 WARN(std::format(fmt, std::forward<Args>(args)...));
149 }
150
151 public:
152 static TestSuiteSqlLogger& GetLogger() noexcept
153 {
154 static TestSuiteSqlLogger theLogger;
155 return theLogger;
156 }
157
158 void OnError(SqlError error, std::source_location sourceLocation) override
159 {
160 WriteWarning("SQL Error: {}", error);
161 WriteDetails(sourceLocation);
162 }
163
164 void OnError(SqlErrorInfo const& errorInfo, std::source_location sourceLocation) override
165 {
166 WriteWarning("SQL Error: {}", errorInfo);
167 WriteDetails(sourceLocation);
168 }
169
170 void OnWarning(std::string_view const& message) override
171 {
172 WriteWarning("{}", message);
173 WriteDetails(std::source_location::current());
174 }
175
176 void OnExecuteDirect(std::string_view const& query) override
177 {
178 WriteInfo("ExecuteDirect: {}", query);
179 }
180
181 void OnPrepare(std::string_view const& query) override
182 {
183 m_lastPreparedQuery = query;
184 }
185
186 void OnExecute(std::string_view const& query) override
187 {
188 WriteInfo("Execute: {}", query);
189 }
190
191 void OnExecuteBatch() override
192 {
193 WriteInfo("ExecuteBatch: {}", m_lastPreparedQuery);
194 }
195
196 void OnFetchRow() override
197 {
198 WriteInfo("Fetched row");
199 }
200
201 void OnFetchEnd() override
202 {
203 WriteInfo("Fetch end");
204 }
205
206 private:
207 void WriteDetails(std::source_location sourceLocation)
208 {
209 WriteInfo(" Source: {}:{}", sourceLocation.file_name(), sourceLocation.line());
210 if (!m_lastPreparedQuery.empty())
211 WriteInfo(" Query: {}", m_lastPreparedQuery);
212 WriteInfo(" Stack trace:");
213
214#if __has_include(<stacktrace>)
215 auto stackTrace = std::stacktrace::current(1, 25);
216 for (std::size_t const i: std::views::iota(std::size_t(0), stackTrace.size()))
217 WriteInfo(" [{:>2}] {}", i, stackTrace[i]);
218#endif
219 }
220};
221
222// NOLINTNEXTLINE(cppcoreguidelines-special-member-functions)
223class ScopedSqlNullLogger: public SqlLogger::Null
224{
225 private:
226 SqlLogger& m_previousLogger = SqlLogger::GetLogger();
227
228 public:
229 ScopedSqlNullLogger()
230 {
232 }
233
234 ~ScopedSqlNullLogger() override
235 {
236 SqlLogger::SetLogger(m_previousLogger);
237 }
238};
239
240template <typename Getter, typename Callable>
241constexpr void FixedPointIterate(Getter const& getter, Callable const& callable)
242{
243 auto a = getter();
244 for (;;)
245 {
246 callable(a);
247 auto b = getter();
248 if (a == b)
249 break;
250 a = std::move(b);
251 }
252}
253
254// NOLINTNEXTLINE(cppcoreguidelines-special-member-functions)
255class SqlTestFixture
256{
257 public:
258 static inline std::string testDatabaseName = "LightweightTest";
259 static inline bool odbcTrace = false;
260
261 using MainProgramArgs = std::tuple<int, char**>;
262
263 static std::variant<MainProgramArgs, int> Initialize(int argc, char** argv)
264 {
265 SqlLogger::SetLogger(TestSuiteSqlLogger::GetLogger());
266
267 using namespace std::string_view_literals;
268 int i = 1;
269 for (; i < argc; ++i)
270 {
271 if (argv[i] == "--trace-sql"sv)
273 else if (argv[i] == "--trace-odbc"sv)
274 odbcTrace = true;
275 else if (argv[i] == "--help"sv || argv[i] == "-h"sv)
276 {
277 std::println("{} [--trace-sql] [--trace-odbc] [[--] [Catch2 flags ...]]", argv[0]);
278 return { EXIT_SUCCESS };
279 }
280 else if (argv[i] == "--"sv)
281 {
282 ++i;
283 break;
284 }
285 else
286 break;
287 }
288
289 if (i < argc)
290 argv[i - 1] = argv[0];
291
292#if defined(_MSC_VER)
293 char* envBuffer = nullptr;
294 size_t envBufferLen = 0;
295 _dupenv_s(&envBuffer, &envBufferLen, "ODBC_CONNECTION_STRING");
296 if (auto const* s = envBuffer; s && *s)
297#else
298 if (auto const* s = std::getenv("ODBC_CONNECTION_STRING"); s && *s)
299#endif
300
301 {
302 std::println("Using ODBC connection string: '{}'", SqlConnectionString::SanitizePwd(s));
304 }
305 else
306 {
307 // Use an in-memory SQLite3 database by default (for testing purposes)
308 std::println("Using default ODBC connection string: '{}'", DefaultTestConnectionString.value);
309 SqlConnection::SetDefaultConnectionString(DefaultTestConnectionString);
310 }
311
312 SqlConnection::SetPostConnectedHook(&SqlTestFixture::PostConnectedHook);
313
314 auto sqlConnection = SqlConnection();
315 if (!sqlConnection.IsAlive())
316 {
317 std::println("Failed to connect to the database: {}", sqlConnection.LastError());
318 std::abort();
319 }
320
321 std::println("Running test cases against: {} ({}) (identified as: {})",
322 sqlConnection.ServerName(),
323 sqlConnection.ServerVersion(),
324 sqlConnection.ServerType());
325
326 return MainProgramArgs { argc - (i - 1), argv + (i - 1) };
327 }
328
329 static void PostConnectedHook(SqlConnection& connection)
330 {
331 if (odbcTrace)
332 {
333 auto const traceFile = []() -> std::string_view {
334#if !defined(_WIN32) && !defined(_WIN64)
335 return "/dev/stdout";
336#else
337 return "CONOUT$";
338#endif
339 }();
340
341 SQLHDBC handle = connection.NativeHandle();
342 SQLSetConnectAttrA(handle, SQL_ATTR_TRACEFILE, (SQLPOINTER) traceFile.data(), SQL_NTS);
343 SQLSetConnectAttrA(handle, SQL_ATTR_TRACE, (SQLPOINTER) SQL_OPT_TRACE_ON, SQL_IS_UINTEGER);
344 }
345
346 switch (connection.ServerType())
347 {
348 case SqlServerType::SQLITE: {
349 auto stmt = SqlStatement { connection };
350 // Enable foreign key constraints for SQLite
351 stmt.ExecuteDirect("PRAGMA foreign_keys = ON");
352 break;
353 }
354 case SqlServerType::MICROSOFT_SQL:
355 case SqlServerType::POSTGRESQL:
356 case SqlServerType::ORACLE:
357 case SqlServerType::MYSQL:
358 case SqlServerType::UNKNOWN:
359 break;
360 }
361 }
362
363 SqlTestFixture()
364 {
365 auto stmt = SqlStatement();
366 REQUIRE(stmt.IsAlive());
367
368 // On Github CI, we use the pre-created database "FREEPDB1" for Oracle
369 char dbName[100]; // Buffer to store the database name
370 SQLSMALLINT dbNameLen {};
371 SQLGetInfo(stmt.Connection().NativeHandle(), SQL_DATABASE_NAME, dbName, sizeof(dbName), &dbNameLen);
372 if (dbNameLen > 0)
373 testDatabaseName = dbName;
374 else if (stmt.Connection().ServerType() == SqlServerType::ORACLE)
375 testDatabaseName = "FREEPDB1";
376
377 DropAllTablesInDatabase(stmt);
378 }
379
380 virtual ~SqlTestFixture() = default;
381
382 static std::string ToString(std::vector<std::string> const& values, std::string_view separator)
383 {
384 auto result = std::string {};
385 for (auto const& value: values)
386 {
387 if (!result.empty())
388 result += separator;
389 result += value;
390 }
391 return result;
392 }
393
394 static void DropTableRecursively(SqlStatement& stmt, SqlSchema::FullyQualifiedTableName const& table)
395 {
396 auto const dependantTables = SqlSchema::AllForeignKeysTo(stmt, table);
397 for (auto const& dependantTable: dependantTables)
398 DropTableRecursively(stmt, dependantTable.foreignKey.table);
399 stmt.ExecuteDirect(std::format("DROP TABLE IF EXISTS \"{}\"", table.table));
400 }
401
402 static void DropAllTablesInDatabase(SqlStatement& stmt)
403 {
404 switch (stmt.Connection().ServerType())
405 {
406 case SqlServerType::MICROSOFT_SQL:
407 case SqlServerType::MYSQL:
408 stmt.ExecuteDirect(std::format("USE \"{}\"", testDatabaseName));
409 [[fallthrough]];
410 case SqlServerType::SQLITE:
411 case SqlServerType::ORACLE:
412 case SqlServerType::UNKNOWN: {
413 auto const tableNames = GetAllTableNames(stmt);
414 for (auto const& tableName: tableNames)
415 DropTableRecursively(stmt,
416 SqlSchema::FullyQualifiedTableName {
417 .catalog = {},
418 .schema = {},
419 .table = tableName,
420 });
421 break;
422 }
423 case SqlServerType::POSTGRESQL:
424 if (m_createdTables.empty())
425 m_createdTables = GetAllTableNames(stmt);
426 for (auto& createdTable: std::views::reverse(m_createdTables))
427 stmt.ExecuteDirect(std::format("DROP TABLE IF EXISTS \"{}\" CASCADE", createdTable));
428 break;
429 }
430 m_createdTables.clear();
431 }
432
433 private:
434 static std::vector<std::string> GetAllTableNamesForOracle(SqlStatement& stmt)
435 {
436 auto result = std::vector<std::string> {};
437 stmt.Prepare(R"SQL(SELECT table_name
438 FROM user_tables
439 WHERE table_name NOT LIKE '%$%'
440 AND table_name NOT IN ('SCHEDULER_JOB_ARGS_TBL', 'SCHEDULER_PROGRAM_ARGS_TBL', 'SQLPLUS_PRODUCT_PROFILE')
441 ORDER BY table_name)SQL");
442 stmt.Execute();
443 while (stmt.FetchRow())
444 {
445 result.emplace_back(stmt.GetColumn<std::string>(1));
446 }
447 return result;
448 }
449
450 static std::vector<std::string> GetAllTableNames(SqlStatement& stmt)
451 {
452 if (stmt.Connection().ServerType() == SqlServerType::ORACLE)
453 return GetAllTableNamesForOracle(stmt);
454
455 using namespace std::string_literals;
456 auto result = std::vector<std::string>();
457 auto const schemaName = [&] {
458 switch (stmt.Connection().ServerType())
459 {
460 case SqlServerType::MICROSOFT_SQL:
461 return "dbo"s;
462 default:
463 return ""s;
464 }
465 }();
466 auto const sqlResult = SQLTables(stmt.NativeHandle(),
467 (SQLCHAR*) testDatabaseName.data(),
468 (SQLSMALLINT) testDatabaseName.size(),
469 (SQLCHAR*) schemaName.data(),
470 (SQLSMALLINT) schemaName.size(),
471 nullptr,
472 0,
473 (SQLCHAR*) "TABLE",
474 SQL_NTS);
475 if (SQL_SUCCEEDED(sqlResult))
476 {
477 while (stmt.FetchRow())
478 {
479 result.emplace_back(stmt.GetColumn<std::string>(3)); // table name
480 }
481 }
482 return result;
483 }
484
485 static inline std::vector<std::string> m_createdTables;
486};
487
488// {{{ ostream support for Lightweight, for debugging purposes
489inline std::ostream& operator<<(std::ostream& os, SqlText const& value)
490{
491 return os << std::format("SqlText({})", value.value);
492}
493
494inline std::ostream& operator<<(std::ostream& os, SqlDate const& date)
495{
496 auto const ymd = date.value();
497 return os << std::format("SqlDate {{ {}-{}-{} }}", ymd.year(), ymd.month(), ymd.day());
498}
499
500inline std::ostream& operator<<(std::ostream& os, SqlTime const& time)
501{
502 auto const value = time.value();
503 return os << std::format("SqlTime {{ {:02}:{:02}:{:02}.{:06} }}",
504 value.hours().count(),
505 value.minutes().count(),
506 value.seconds().count(),
507 value.subseconds().count());
508}
509
510inline std::ostream& operator<<(std::ostream& os, SqlDateTime const& datetime)
511{
512 auto const value = datetime.value();
513 auto const totalDays = std::chrono::floor<std::chrono::days>(value);
514 auto const ymd = std::chrono::year_month_day { totalDays };
515 auto const hms = std::chrono::hh_mm_ss<std::chrono::nanoseconds> { std::chrono::floor<std::chrono::nanoseconds>(
516 value - totalDays) };
517 return os << std::format("SqlDateTime {{ {:04}-{:02}-{:02} {:02}:{:02}:{:02}.{:09} }}",
518 (int) ymd.year(),
519 (unsigned) ymd.month(),
520 (unsigned) ymd.day(),
521 hms.hours().count(),
522 hms.minutes().count(),
523 hms.seconds().count(),
524 hms.subseconds().count());
525}
526
527template <std::size_t N, typename T, SqlFixedStringMode Mode>
528inline std::ostream& operator<<(std::ostream& os, SqlFixedString<N, T, Mode> const& value)
529{
530 if constexpr (Mode == SqlFixedStringMode::FIXED_SIZE)
531 return os << std::format("SqlFixedString<{}> {{ size: {}, data: '{}' }}", N, value.size(), value.data());
532 else if constexpr (Mode == SqlFixedStringMode::FIXED_SIZE_RIGHT_TRIMMED)
533 return os << std::format("SqlTrimmedFixedString<{}> {{ '{}' }}", N, value.data());
534 else if constexpr (Mode == SqlFixedStringMode::VARIABLE_SIZE)
535 {
536 if constexpr (std::same_as<T, char>)
537 return os << std::format("SqlVariableString<{}> {{ size: {}, '{}' }}", N, value.size(), value.data());
538 else
539 {
540 auto u8String = ToUtf8(std::basic_string_view<T>(value.data(), value.size()));
541 return os << std::format("SqlVariableString<{}, {}> {{ size: {}, '{}' }}",
542 N,
543 Reflection::TypeNameOf<T>,
544 value.size(),
545 (char const*) u8String.c_str());
546 }
547 }
548 else
549 return os << std::format("SqlFixedString<{}> {{ size: {}, data: '{}' }}", N, value.size(), value.data());
550}
551
552template <std::size_t N, typename T>
553inline std::ostream& operator<<(std::ostream& os, SqlDynamicString<N, T> const& value)
554{
555 if constexpr (std::same_as<T, char>)
556 return os << std::format("SqlDynamicString<{}> {{ size: {}, '{}' }}", N, value.size(), value.data());
557 else
558 {
559 auto u8String = ToUtf8(std::basic_string_view<T>(value.data(), value.size()));
560 return os << std::format("SqlDynamicString<{}, {}> {{ size: {}, '{}' }}",
561 N,
562 Reflection::TypeNameOf<T>,
563 value.size(),
564 (char const*) u8String.c_str());
565 }
566}
567
568[[nodiscard]] inline std::string NormalizeText(std::string_view const& text)
569{
570 auto result = std::string(text);
571
572 // Remove any newlines and reduce all whitespace to a single space
573 result.erase(
574 std::unique(result.begin(), result.end(), [](char a, char b) { return std::isspace(a) && std::isspace(b); }),
575 result.end());
576
577 // trim lading and trailing whitespace
578 while (!result.empty() && std::isspace(result.front()))
579 result.erase(result.begin());
580
581 while (!result.empty() && std::isspace(result.back()))
582 result.pop_back();
583
584 return result;
585}
586
587[[nodiscard]] inline std::string NormalizeText(std::vector<std::string> const& texts)
588{
589 auto result = std::string {};
590 for (auto const& text: texts)
591 {
592 if (!result.empty())
593 result += '\n';
594 result += NormalizeText(text);
595 }
596 return result;
597}
598
599// }}}
600
601inline void CreateEmployeesTable(SqlStatement& stmt, std::source_location location = std::source_location::current())
602{
603 stmt.MigrateDirect(
604 [](SqlMigrationQueryBuilder& migration) {
605 migration.CreateTable("Employees")
606 .PrimaryKeyWithAutoIncrement("EmployeeID")
607 .RequiredColumn("FirstName", SqlColumnTypeDefinitions::Varchar { 50 })
608 .Column("LastName", SqlColumnTypeDefinitions::Varchar { 50 })
609 .RequiredColumn("Salary", SqlColumnTypeDefinitions::Integer {});
610 },
611 location);
612}
613
614inline void CreateLargeTable(SqlStatement& stmt)
615{
616 stmt.MigrateDirect([](SqlMigrationQueryBuilder& migration) {
617 auto table = migration.CreateTable("LargeTable");
618 for (char c = 'A'; c <= 'Z'; ++c)
619 {
620 table.Column(std::string(1, c), SqlColumnTypeDefinitions::Varchar { 50 });
621 }
622 });
623}
624
625inline void FillEmployeesTable(SqlStatement& stmt)
626{
627 stmt.Prepare(stmt.Query("Employees")
628 .Insert()
629 .Set("FirstName", SqlWildcard)
630 .Set("LastName", SqlWildcard)
631 .Set("Salary", SqlWildcard));
632 stmt.Execute("Alice", "Smith", 50'000);
633 stmt.Execute("Bob", "Johnson", 60'000);
634 stmt.Execute("Charlie", "Brown", 70'000);
635}
636
637template <typename T = char>
638inline auto MakeLargeText(size_t size)
639{
640 auto text = std::basic_string<T>(size, {});
641 std::ranges::generate(text, [i = 0]() mutable { return static_cast<T>('A' + (i++ % 26)); });
642 return text;
643}
Represents a connection to a SQL database.
SqlServerType ServerType() const noexcept
Retrieves the type of the server.
SQLHDBC NativeHandle() const noexcept
Retrieves the native handle.
static void SetDefaultConnectionString(SqlConnectionString const &connectionString) noexcept
static void SetPostConnectedHook(std::function< void(SqlConnection &)> hook)
Sets a callback to be called after each connection being established.
LIGHTWEIGHT_API SqlCreateTableQueryBuilder & Column(SqlColumnDeclaration column)
Adds a new column to the table.
LIGHTWEIGHT_FORCE_INLINE T const * data() const noexcept
Retrieves the string's inner value (as T const*).
LIGHTWEIGHT_FORCE_INLINE std::size_t size() const noexcept
Retrieves the string's size.
LIGHTWEIGHT_FORCE_INLINE constexpr std::size_t size() const noexcept
Returns the size of the string.
Represents a logger for SQL operations.
Definition SqlLogger.hpp:18
static void SetLogger(SqlLogger &logger)
static SqlLogger & GetLogger()
Retrieves the currently configured logger.
static SqlLogger & TraceLogger()
Retrieves a logger that logs to the trace logger.
Query builder for building SQL migration queries.
Definition Migrate.hpp:184
LIGHTWEIGHT_API SqlCreateTableQueryBuilder CreateTable(std::string_view tableName)
Creates a new table.
LIGHTWEIGHT_API SqlInsertQueryBuilder Insert(std::vector< SqlVariant > *boundInputs=nullptr) noexcept
High level API for (prepared) raw SQL statements.
LIGHTWEIGHT_API SqlConnection & Connection() noexcept
Retrieves the connection associated with this statement.
LIGHTWEIGHT_API SQLHSTMT NativeHandle() const noexcept
Retrieves the native handle of the statement.
void Execute(Args const &... args)
Binds the given arguments to the prepared statement and executes it.
LIGHTWEIGHT_API void ExecuteDirect(std::string_view const &query, std::source_location location=std::source_location::current())
Executes the given query directly.
void MigrateDirect(Callable const &callable, std::source_location location=std::source_location::current())
Executes an SQL migration query, as created b the callback.
LIGHTWEIGHT_API bool FetchRow()
LIGHTWEIGHT_API void Prepare(std::string_view query) &
bool GetColumn(SQLUSMALLINT column, T *result) const
LIGHTWEIGHT_API SqlQueryBuilder Query(std::string_view const &table={}) const
Creates a new query builder for the given table, compatible with the SQL server being connected.
LIGHTWEIGHT_API std::u8string ToUtf8(std::u32string_view u32InputString)
Represents an ODBC connection string.
constexpr LIGHTWEIGHT_FORCE_INLINE native_type value() const noexcept
Returns the current date and time.
LIGHTWEIGHT_FORCE_INLINE constexpr std::chrono::year_month_day value() const noexcept
Returns the current date.
Definition SqlDate.hpp:26
Represents an ODBC SQL error.
Definition SqlError.hpp:29
constexpr LIGHTWEIGHT_FORCE_INLINE auto ToUnscaledValue() const noexcept
Converts the numeric to an unscaled integer value.
SQL_NUMERIC_STRUCT sqlValue
The value is stored as a string to avoid floating point precision issues.