Lightweight 0.1.0
Loading...
Searching...
No Matches
DataMapper.hpp
1// SPDX-License-Identifier: Apache-2.0
2#pragma once
3
4#include "../SqlConnection.hpp"
5#include "../SqlDataBinder.hpp"
6#include "../SqlLogger.hpp"
7#include "../SqlRealName.hpp"
8#include "../SqlStatement.hpp"
9#include "../Utils.hpp"
10#include "BelongsTo.hpp"
11#include "CollectDifferences.hpp"
12#include "Field.hpp"
13#include "HasMany.hpp"
14#include "HasManyThrough.hpp"
15#include "HasOneThrough.hpp"
16#include "Record.hpp"
17
18#include <reflection-cpp/reflection.hpp>
19
20#include <cassert>
21#include <concepts>
22#include <type_traits>
23#include <utility>
24
25/// @defgroup DataMapper Data Mapper
26///
27/// @brief The data mapper is a high level API for mapping records to and from the database using high level C++ syntax.
28
29/// Requires that T satisfies to be a field with storage.
30///
31/// @ingroup DataMapper
32template <typename T>
33concept FieldWithStorage = requires(T const& field, T& mutableField) {
34 { field.Value() } -> std::convertible_to<typename T::ValueType const&>;
35 { mutableField.MutableValue() } -> std::convertible_to<typename T::ValueType&>;
36 { field.IsModified() } -> std::convertible_to<bool>;
37 { mutableField.SetModified(bool {}) } -> std::convertible_to<void>;
38};
39
40/// Represents the number of fields with storage in a record.
41///
42/// @ingroup DataMapper
43template <typename Record>
44constexpr size_t RecordStorageFieldCount =
45 Reflection::FoldMembers<Record>(size_t { 0 }, []<size_t I, typename Field>(size_t const accum) constexpr {
46 if constexpr (FieldWithStorage<Field>)
47 return accum + 1;
48 else
49 return accum;
50 });
51
52template <typename Record>
53concept RecordWithStorageFields = (RecordStorageFieldCount<Record> > 0);
54
55/// @brief Represents a sequence of indexes that can be used alongside Query() to retrieve only part of the record.
56///
57/// @ingroup DataMapper
58template <size_t... Ints>
59using SqlElements = std::integer_sequence<size_t, Ints...>;
60
61namespace detail
62{
63
64template <auto Test, typename T>
65constexpr bool CheckFieldProperty = Reflection::FoldMembers<T>(false, []<size_t I, typename Field>(bool const accum) {
66 if constexpr (Test.template operator()<Field>())
67 return true;
68 else
69 return accum;
70});
71
72} // namespace detail
73
74/// @brief Tests if the given record type does contain a primary key.
75///
76/// @ingroup DataMapper
77template <typename T>
78constexpr bool HasPrimaryKey = detail::CheckFieldProperty<[]<typename Field>() { return IsPrimaryKey<Field>; }, T>;
79
80/// @brief Tests if the given record type does contain an auto increment primary key.
81///
82/// @ingroup DataMapper
83template <typename T>
85 detail::CheckFieldProperty<[]<typename Field>() { return IsAutoIncrementPrimaryKey<Field>; }, T>;
86
87namespace detail
88{
89
90template <template <typename> class Allocator, template <typename, typename> class Container, typename Object>
91auto ToSharedPtrList(Container<Object, Allocator<Object>> container)
92{
93 using SharedPtrRecord = std::shared_ptr<Object>;
94 auto sharedPtrContainer = Container<SharedPtrRecord, Allocator<SharedPtrRecord>> {};
95 for (auto& object: container)
96 sharedPtrContainer.emplace_back(std::make_shared<Object>(std::move(object)));
97 return sharedPtrContainer;
98}
99
100template <typename Record>
101constexpr bool CanSafelyBindOutputColumns(SqlServerType sqlServerType, Record const& record)
102{
103 if (sqlServerType != SqlServerType::MICROSOFT_SQL)
104 return true;
105
106 // Test if we have some columns that might not be sufficient to store the result (e.g. string truncation),
107 // then don't call BindOutputColumn but SQLFetch to get the result, because
108 // regrowing previously bound columns is not supported in MS-SQL's ODBC driver, so it seems.
109 bool result = true;
110 Reflection::EnumerateMembers(record, [&result]<size_t I, typename Field>(Field& /*field*/) {
111 if constexpr (IsField<Field>)
112 {
113 if constexpr (detail::OneOf<typename Field::ValueType,
114 std::string,
115 std::wstring,
116 std::u16string,
117 std::u32string,
118 SqlBinary>
119 || IsSqlDynamicString<typename Field::ValueType>)
120 {
121 // Known types that MAY require growing due to truncation.
122 result = false;
123 }
124 }
125 });
126 return result;
127}
128
129template <typename Record>
130void GetAllColumns(SqlResultCursor& reader, Record& record)
131{
132 Reflection::EnumerateMembers(record, [reader = &reader]<size_t I, typename Field>(Field& field) mutable {
133 if constexpr (IsField<Field>)
134 {
135 field.MutableValue() = reader->GetColumn<typename Field::ValueType>(I + 1);
136 }
137 else if constexpr (SqlGetColumnNativeType<Field>)
138 {
139 field = reader->GetColumn<Field>(I + 1);
140 }
141 });
142}
143
144} // namespace detail
145
146/// Main API for mapping records to C++ from the database using high level C++ syntax.
147///
148/// @ingroup DataMapper
149template <typename Record, typename Derived>
150class [[nodiscard]] SqlCoreDataMapperQueryBuilder: public SqlBasicSelectQueryBuilder<Derived>
151{
152 private:
153 SqlStatement& _stmt;
154 SqlQueryFormatter const& _formatter;
155
156 std::string _fields;
157
158 friend class SqlWhereClauseBuilder<Derived>;
159
160 LIGHTWEIGHT_FORCE_INLINE SqlSearchCondition& SearchCondition() noexcept
161 {
162 return this->_query.searchCondition;
163 }
164
165 [[nodiscard]] LIGHTWEIGHT_FORCE_INLINE SqlQueryFormatter const& Formatter() const noexcept
166 {
167 return _formatter;
168 }
169
170 protected:
171 LIGHTWEIGHT_FORCE_INLINE explicit SqlCoreDataMapperQueryBuilder(SqlStatement& stmt, std::string fields) noexcept:
172 _stmt { stmt },
173 _formatter { stmt.Connection().QueryFormatter() },
174 _fields { std::move(fields) }
175 {
176 }
177
178 public:
179 [[nodiscard]] std::vector<Record> All()
180 {
181 auto records = std::vector<Record> {};
182 _stmt.ExecuteDirect(_formatter.SelectAll(this->_query.distinct,
183 _fields,
184 RecordTableName<Record>,
185 this->_query.searchCondition.tableAlias,
186 this->_query.searchCondition.tableJoins,
187 this->_query.searchCondition.condition,
188 this->_query.orderBy,
189 this->_query.groupBy));
190 Derived::ReadResults(_stmt.Connection().ServerType(), _stmt.GetResultCursor(), &records);
191 return records;
192 }
193
194 [[nodiscard]] std::vector<Record> First(size_t n)
195 {
196 auto records = std::vector<Record> {};
197 records.reserve(n);
198 _stmt.ExecuteDirect(_formatter.SelectFirst(this->_query.distinct,
199 _fields,
200 RecordTableName<Record>,
201 this->_query.searchCondition.tableAlias,
202 this->_query.searchCondition.tableJoins,
203 this->_query.searchCondition.condition,
204 this->_query.orderBy,
205 n));
206 Derived::ReadResults(_stmt.Connection().ServerType(), _stmt.GetResultCursor(), &records);
207 return records;
208 }
209
210 [[nodiscard]] std::vector<Record> Range(size_t offset, size_t limit)
211 {
212 auto records = std::vector<Record> {};
213 records.reserve(limit);
214 _stmt.ExecuteDirect(_formatter.SelectRange(
215 this->_query.distinct,
216 _fields,
217 RecordTableName<Record>,
218 this->_query.searchCondition.tableAlias,
219 this->_query.searchCondition.tableJoins,
220 this->_query.searchCondition.condition,
221 !this->_query.orderBy.empty()
222 ? this->_query.orderBy
223 : std::format(" ORDER BY \"{}\" ASC", FieldNameAt<RecordPrimaryKeyIndex<Record>, Record>),
224 this->_query.groupBy,
225 offset,
226 limit));
227 Derived::ReadResults(_stmt.Connection().ServerType(), _stmt.GetResultCursor(), &records);
228 return records;
229 }
230};
231
232/// @brief Represents a query builder that retrieves only the fields specified.
233///
234/// @ingroup DataMapper
235template <typename Record, auto... ReferencedFields>
236class [[nodiscard]] SqlSparseFieldQueryBuilder final:
237 public SqlCoreDataMapperQueryBuilder<Record, SqlSparseFieldQueryBuilder<Record, ReferencedFields...>>
238{
239 private:
240 friend class DataMapper;
241 friend class SqlCoreDataMapperQueryBuilder<Record, SqlSparseFieldQueryBuilder<Record, ReferencedFields...>>;
242
243 LIGHTWEIGHT_FORCE_INLINE explicit SqlSparseFieldQueryBuilder(SqlStatement& stmt, std::string fields) noexcept:
244 SqlCoreDataMapperQueryBuilder<Record, SqlSparseFieldQueryBuilder<Record, ReferencedFields...>> {
245 stmt, std::move(fields)
246 }
247 {
248 }
249
250 // NB: Required yb SqlCoreDataMapperQueryBuilder
251 static void ReadResults(SqlServerType sqlServerType, SqlResultCursor reader, std::vector<Record>* records)
252 {
253 while (true)
254 {
255 auto& record = records->emplace_back();
256
257 auto const outputColumnsBound = detail::CanSafelyBindOutputColumns(sqlServerType, record);
258 if (outputColumnsBound)
259 reader.BindOutputColumns(&(record.*ReferencedFields)...);
260
261 if (!reader.FetchRow())
262 {
263 records->pop_back();
264 break;
265 }
266
267 if (!outputColumnsBound)
268 detail::GetAllColumns(reader, record);
269 }
270 }
271};
272
273/// @brief Represents a query builder that retrieves all fields of a record.
274///
275/// @ingroup DataMapper
276template <typename Record>
277class [[nodiscard]] SqlAllFieldsQueryBuilder final:
278 public SqlCoreDataMapperQueryBuilder<Record, SqlAllFieldsQueryBuilder<Record>>
279{
280 private:
281 friend class DataMapper;
282 friend class SqlCoreDataMapperQueryBuilder<Record, SqlAllFieldsQueryBuilder<Record>>;
283
284 LIGHTWEIGHT_FORCE_INLINE explicit SqlAllFieldsQueryBuilder(SqlStatement& stmt, std::string fields) noexcept:
286 {
287 }
288
289 static void BindAllOutputColumns(SqlResultCursor& reader, Record& record)
290 {
291 Reflection::EnumerateMembers(
292 record, [reader = &reader, i = SQLSMALLINT { 1 }]<size_t I, typename Field>(Field& field) mutable {
293 if constexpr (IsField<Field>)
294 {
295 reader->BindOutputColumn(i++, &field.MutableValue());
296 }
297 else if constexpr (IsBelongsTo<Field>)
298 {
299 reader->BindOutputColumn(i++, &field.MutableValue());
300 }
301 else if constexpr (SqlOutputColumnBinder<Field>)
302 {
303 reader->BindOutputColumn(i++, &field);
304 }
305 });
306 }
307
308 static void ReadResults(SqlServerType sqlServerType, SqlResultCursor reader, std::vector<Record>* records)
309 {
310 while (true)
311 {
312 auto& record = records->emplace_back();
313
314 auto const outputColumnsBound = detail::CanSafelyBindOutputColumns(sqlServerType, record);
315 if (outputColumnsBound)
316 BindAllOutputColumns(reader, record);
317
318 if (!reader.FetchRow())
319 {
320 records->pop_back();
321 break;
322 }
323
324 if (!outputColumnsBound)
325 detail::GetAllColumns(reader, record);
326 }
327 }
328};
329
330/// @brief Represents a query builder that retrieves only the first record found.
331///
332/// @see DataMapper::QuerySingle()
333///
334/// @ingroup DataMapper
335template <typename Record>
336class [[nodiscard]] SqlQuerySingleBuilder: public SqlWhereClauseBuilder<SqlQuerySingleBuilder<Record>>
337{
338 private:
339 SqlStatement& _stmt;
340 SqlQueryFormatter const& _formatter;
341
342 std::string _fields;
343 SqlSearchCondition _searchCondition {};
344
345 friend class DataMapper;
346 friend class SqlWhereClauseBuilder<SqlQuerySingleBuilder<Record>>;
347
348 LIGHTWEIGHT_FORCE_INLINE SqlSearchCondition& SearchCondition() noexcept
349 {
350 return _searchCondition;
351 }
352
353 [[nodiscard]] LIGHTWEIGHT_FORCE_INLINE SqlQueryFormatter const& Formatter() const noexcept
354 {
355 return _formatter;
356 }
357
358 static void BindAllOutputColumns(SqlResultCursor& reader, Record& record)
359 {
360 Reflection::EnumerateMembers(
361 record, [reader = &reader, i = SQLSMALLINT { 1 }]<size_t I, typename Field>(Field& field) mutable {
362 if constexpr (IsField<Field>)
363 {
364 reader->BindOutputColumn(i++, &field.MutableValue());
365 }
366 else if constexpr (IsBelongsTo<Field>)
367 {
368 reader->BindOutputColumn(i++, &field.MutableValue());
369 }
370 else if constexpr (SqlOutputColumnBinder<Field>)
371 {
372 reader->BindOutputColumn(i++, &field);
373 }
374 });
375 }
376
377 protected:
378 LIGHTWEIGHT_FORCE_INLINE explicit SqlQuerySingleBuilder(SqlStatement& stmt, std::string fields) noexcept:
379 _stmt { stmt },
380 _formatter { stmt.Connection().QueryFormatter() },
381 _fields { std::move(fields) }
382 {
383 }
384
385 public:
386 /// @brief Executes the query and returns the first record found.
387 [[nodiscard]] std::optional<Record> Get()
388 {
389 auto constexpr count = 1;
390 auto constexpr distinct = false;
391 auto constexpr orderBy = std::string_view {};
392 _stmt.ExecuteDirect(_formatter.SelectFirst(distinct,
393 _fields,
394 RecordTableName<Record>,
395 _searchCondition.tableAlias,
396 _searchCondition.tableJoins,
397 _searchCondition.condition,
398 orderBy,
399 count));
400 auto reader = _stmt.GetResultCursor();
401 auto record = Record {};
402 auto canBindOutputColumns = detail::CanSafelyBindOutputColumns(_stmt.Connection().ServerType(), record);
403 if (canBindOutputColumns)
404 BindAllOutputColumns(reader, record);
405 if (!reader.FetchRow())
406 return std::nullopt;
407 if (!canBindOutputColumns)
408 detail::GetAllColumns(reader, record);
409 return std::optional { std::move(record) };
410 }
411};
412
413/// Returns the first primary key field of the record.
414///
415/// @ingroup DataMapper
416template <typename Record>
417inline LIGHTWEIGHT_FORCE_INLINE RecordPrimaryKeyType<Record> GetPrimaryKeyField(Record const& record) noexcept
418{
419 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
420 static_assert(HasPrimaryKey<Record>, "Record must have a primary key");
421
422 auto result = RecordPrimaryKeyType<Record> {};
423 Reflection::EnumerateMembers(record, [&]<size_t I, typename FieldType>(FieldType const& field) {
424 if constexpr (IsPrimaryKey<FieldType> && std::same_as<FieldType, RecordPrimaryKeyType<Record>>)
425 {
426 result = field;
427 }
428 });
429 return result;
430}
431
432/// @brief Main API for mapping records to and from the database using high level C++ syntax.
433///
434/// A DataMapper instances operates on a single SQL connection and provides methods to
435/// create, read, update and delete records in the database.
436///
437/// @see Field, BelongsTo, HasMany, HasManyThrough, HasOneThrough
438/// @ingroup DataMapper
440{
441 public:
442 /// Constructs a new data mapper, using the default connection.
444 _connection {},
445 _stmt { _connection }
446 {
447 }
448
449 /// Constructs a new data mapper, using the given connection.
450 explicit DataMapper(SqlConnection&& connection):
451 _connection { std::move(connection) },
452 _stmt { _connection }
453 {
454 }
455
456 /// Constructs a new data mapper, using the given connection string.
457 explicit DataMapper(SqlConnectionString connectionString):
458 _connection { std::move(connectionString) },
459 _stmt { _connection }
460 {
461 }
462
463 DataMapper(DataMapper const&) = delete;
464 DataMapper(DataMapper&&) noexcept = default;
465 DataMapper& operator=(DataMapper const&) = delete;
466 DataMapper& operator=(DataMapper&&) noexcept = default;
467 ~DataMapper() = default;
468
469 /// Returns the connection reference used by this data mapper.
470 [[nodiscard]] SqlConnection const& Connection() const noexcept
471 {
472 return _connection;
473 }
474
475 /// Returns the mutable connection reference used by this data mapper.
476 [[nodiscard]] SqlConnection& Connection() noexcept
477 {
478 return _connection;
479 }
480
481 /// Constructs a human readable string representation of the given record.
482 template <typename Record>
483 static std::string Inspect(Record const& record);
484
485 /// Constructs a string list of SQL queries to create the table for the given record type.
486 template <typename Record>
487 std::vector<std::string> CreateTableString(SqlServerType serverType);
488
489 /// Constructs a string list of SQL queries to create the tables for the given record types.
490 template <typename FirstRecord, typename... MoreRecords>
491 std::vector<std::string> CreateTablesString(SqlServerType serverType);
492
493 /// Creates the table for the given record type.
494 template <typename Record>
495 void CreateTable();
496
497 /// Creates the tables for the given record types.
498 template <typename FirstRecord, typename... MoreRecords>
499 void CreateTables();
500
501 /// @brief Creates a new record in the database.
502 ///
503 /// The record is inserted into the database and the primary key is set on this record.
504 ///
505 /// @return The primary key of the newly created record.
506 template <typename Record>
507 RecordPrimaryKeyType<Record> Create(Record& record);
508
509 /// @brief Creates a new record in the database.
510 ///
511 /// @note This is a variation of the Create() method and does not update the record's primary key.
512 ///
513 /// @return The primary key of the newly created record.
514 template <typename Record>
515 RecordPrimaryKeyType<Record> CreateExplicit(Record const& record);
516
517 /// @brief Queries a single record from the database based on the given query.
518 ///
519 /// @param selectQuery The SQL select query to execute.
520 /// @param args The input parameters for the query.
521 ///
522 /// @return The record if found, otherwise std::nullopt.
523 template <typename Record, typename... Args>
524 std::optional<Record> QuerySingle(SqlSelectQueryBuilder selectQuery, Args&&... args);
525
526 /// @brief Queries a single record (based on primary key) from the database.
527 ///
528 /// The primary key(s) are used to identify the record to load.
529 /// If the record is not found, std::nullopt is returned.
530 template <typename Record, typename... PrimaryKeyTypes>
531 std::optional<Record> QuerySingle(PrimaryKeyTypes&&... primaryKeys);
532
533 /// @brief Queries a single record from the database.
534 ///
535 /// @return A query builder for the given Record type that will also allow executing the query.
536 ///
537 /// @code
538 /// auto const record = dm.QuerySingle<Person>(personId)
539 /// .Where(FieldNameOf<&Person::id>, "=", 42)
540 /// .Get();
541 /// if (record.has_value())
542 /// std::println("Person: {}", DataMapper::Inspect(record.value()));
543 /// @endcode
544 template <typename Record>
546 {
547 std::string fields;
548 Reflection::EnumerateMembers<Record>([&fields]<size_t I, typename Field>() {
549 if (!fields.empty())
550 fields += ", ";
551 fields += '"';
552 fields += RecordTableName<Record>;
553 fields += "\".\"";
554 fields += FieldNameAt<I, Record>;
555 fields += '"';
556 });
557
558 return SqlQuerySingleBuilder<Record>(_stmt, std::move(fields));
559 }
560
561 /// @brief Queries a single record by the given column name and value.
562 ///
563 /// @param columnName The name of the column to search.
564 /// @param value The value to search for.
565 /// @return The record if found, otherwise std::nullopt.
566 template <typename Record, typename ColumnName, typename T>
567 std::optional<Record> QuerySingleBy(ColumnName const& columnName, T const& value);
568
569 /// Queries multiple records from the database, based on the given query.
570 template <typename Record, typename... InputParameters>
571 std::vector<Record> Query(SqlSelectQueryBuilder::ComposedQuery const& selectQuery,
572 InputParameters&&... inputParameters);
573
574 /// Queries multiple records from the database, based on the given query.
575 template <typename Record, typename... InputParameters>
576 std::vector<Record> Query(std::string_view sqlQueryString, InputParameters&&... inputParameters);
577
578 /// Queries records from the database, based on the given query and can be used to retrieve only part of the record
579 /// by specifying the ElementMask.
580 ///
581 /// example:
582 /// @code
583 ///
584 /// struct Person
585 /// {
586 /// int id;
587 /// std::string name;
588 /// std::string email;
589 /// std::string phone;
590 /// std::string address;
591 /// std::string city;
592 /// std::string country;
593 /// };
594 ///
595 /// auto infos = dm.Query<SqlElements<1,5>(RecordTableName<Person>.Fields({"name"sv, "city"sv}));
596 ///
597 /// for(auto const& info : infos)
598 /// {
599 /// // only info.name and info.city are loaded
600 /// }
601 /// @endcode
602 template <typename ElementMask, typename Record, typename... InputParameters>
603 std::vector<Record> Query(SqlSelectQueryBuilder::ComposedQuery const& selectQuery,
604 InputParameters&&... inputParameters);
605
606 /// Queries records of given Record type.
607 ///
608 /// @returns A query builder for the given Record type. The query builder can be used to further refine the query.
609 /// The query builder will execute the query when a method like All(), First(n), etc. is called.
610 ///
611 /// @code
612 /// auto const records = dm.Query<Person>()
613 /// .Where(FieldNameOf<&Person::is_active>, "=", true)
614 /// .All();
615 /// @endcode
616 template <typename Record>
618 {
619 std::string fields;
620 Reflection::EnumerateMembers<Record>([&fields]<size_t I, typename Field>() {
621 if (!fields.empty())
622 fields += ", ";
623 fields += '"';
624 fields += RecordTableName<Record>;
625 fields += "\".\"";
626 fields += FieldNameAt<I, Record>;
627 fields += '"';
628 });
629
630 return SqlAllFieldsQueryBuilder<Record>(_stmt, std::move(fields));
631 }
632
633 /// Queries select fields from the given Record type.
634 ///
635 /// The fields are given in form of &Record::field1, &Record::field2, ...
636 ///
637 /// @returns A query builder for the given Record type. The query builder can be used to further refine the query.
638 /// The query builder will execute the query when a method like All(), First(n), etc. is called.
639 ///
640 /// @code
641 /// auto const records = dm.QuerySparse<Person, &Person::id, &Person::name, &Person::age>()
642 /// .Where(FieldNameOf<&Person::is_active>, "=", true)
643 /// .All();
644 /// @endcode
645 template <typename Record, auto... ReferencedFields>
646 SqlSparseFieldQueryBuilder<Record, ReferencedFields...> QuerySparse()
647 {
648 auto const appendFieldTo = []<auto ReferencedField>(std::string& fields) {
649 using ReferencedRecord = Reflection::MemberClassType<ReferencedField>;
650 if (!fields.empty())
651 fields += ", ";
652 fields += '"';
653 fields += RecordTableName<ReferencedRecord>;
654 fields += "\".\"";
655 fields += FieldNameOf<ReferencedField>;
656 fields += '"';
657 };
658 std::string fields;
659 (appendFieldTo.template operator()<ReferencedFields>(fields), ...);
660
661 return SqlSparseFieldQueryBuilder<Record, ReferencedFields...>(_stmt, std::move(fields));
662 }
663
664 /// Checks if the record has any modified fields.
665 template <typename Record>
666 bool IsModified(Record const& record) const noexcept;
667
668 /// Updates the record in the database.
669 template <typename Record>
670 void Update(Record& record);
671
672 /// Deletes the record from the database.
673 template <typename Record>
674 std::size_t Delete(Record const& record);
675
676 /// Counts the total number of records in the database for the given record type.
677 template <typename Record>
678 std::size_t Count();
679
680 /// Loads all records from the database for the given record type.
681 template <typename Record>
682 std::vector<Record> All();
683
684 /// Constructs an SQL query builder for the given record type.
685 template <typename Record>
687 {
688 return _connection.Query(RecordTableName<Record>);
689 }
690
691 /// Constructs an SQL query builder for the given table name.
692 SqlQueryBuilder FromTable(std::string_view tableName)
693 {
694 return _connection.Query(tableName);
695 }
696
697 /// Clears the modified state of the record.
698 template <typename Record>
699 void ClearModifiedState(Record& record) noexcept;
700
701 /// Loads all direct relations to this record.
702 template <typename Record>
703 void LoadRelations(Record& record);
704
705 /// Configures the auto loading of relations for the given record.
706 ///
707 /// This means, that no explicit loading of relations is required.
708 /// The relations are automatically loaded when accessed.
709 template <typename Record>
710 void ConfigureRelationAutoLoading(Record& record);
711
712 private:
713 template <typename Record, typename ValueType>
714 void SetId(Record& record, ValueType&& id);
715
716 template <typename Record>
717 Record& BindOutputColumns(Record& record);
718
719 template <typename Record>
720 Record& BindOutputColumns(Record& record, SqlStatement* stmt);
721
722 template <typename ElementMask, typename Record>
723 Record& BindOutputColumns(Record& record);
724
725 template <typename ElementMask, typename Record>
726 Record& BindOutputColumns(Record& record, SqlStatement* stmt);
727
728 template <auto ReferencedRecordField, auto BelongsToAlias>
729 void LoadBelongsTo(BelongsTo<ReferencedRecordField, BelongsToAlias>& field);
730
731 template <size_t FieldIndex, typename Record, typename OtherRecord>
732 void LoadHasMany(Record& record, HasMany<OtherRecord>& field);
733
734 template <typename ReferencedRecord, typename ThroughRecord, typename Record>
735 void LoadHasOneThrough(Record& record, HasOneThrough<ReferencedRecord, ThroughRecord>& field);
736
737 template <typename ReferencedRecord, typename ThroughRecord, typename Record>
738 void LoadHasManyThrough(Record& record, HasManyThrough<ReferencedRecord, ThroughRecord>& field);
739
740 template <size_t FieldIndex, typename Record, typename OtherRecord, typename Callable>
741 void CallOnHasMany(Record& record, Callable const& callback);
742
743 template <typename ReferencedRecord, typename ThroughRecord, typename Record, typename Callable>
744 void CallOnHasManyThrough(Record& record, Callable const& callback);
745
746 SqlConnection _connection;
747 SqlStatement _stmt;
748};
749
750// ------------------------------------------------------------------------------------------------
751
752template <typename Record>
753std::string DataMapper::Inspect(Record const& record)
754{
755 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
756
757 std::string str;
758 Reflection::CallOnMembers(record, [&str]<typename Name, typename Value>(Name const& name, Value const& value) {
759 if (!str.empty())
760 str += '\n';
761
762 if constexpr (FieldWithStorage<Value>)
763 str += std::format("{} {} := {}", Reflection::TypeNameOf<Value>, name, value.Value());
764 else if constexpr (!IsHasMany<Value> && !IsHasManyThrough<Value> && !IsHasOneThrough<Value>
765 && !IsBelongsTo<Value>)
766 str += std::format("{} {} := {}", Reflection::TypeNameOf<Value>, name, value);
767 });
768 return "{" + std::move(str) + "}";
769}
770
771template <typename Record>
772std::vector<std::string> DataMapper::CreateTableString(SqlServerType serverType)
773{
774 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
775
776 auto migration = SqlQueryBuilder(*SqlQueryFormatter::Get(serverType)).Migration();
777 auto createTable = migration.CreateTable(RecordTableName<Record>);
778
779 Reflection::EnumerateMembers<Record>([&]<size_t I, typename FieldType>() {
780 if constexpr (FieldWithStorage<FieldType>)
781 {
782 if constexpr (IsAutoIncrementPrimaryKey<FieldType>)
783 createTable.PrimaryKeyWithAutoIncrement(std::string(FieldNameAt<I, Record>),
784 SqlColumnTypeDefinitionOf<typename FieldType::ValueType>);
785 else if constexpr (FieldType::IsPrimaryKey)
786 createTable.PrimaryKey(std::string(FieldNameAt<I, Record>),
787 SqlColumnTypeDefinitionOf<typename FieldType::ValueType>);
788 else if constexpr (IsBelongsTo<FieldType>)
789 {
790 constexpr size_t referencedFieldIndex = []() constexpr -> size_t {
791 auto index = size_t(-1);
792 Reflection::EnumerateMembers<typename FieldType::ReferencedRecord>(
793 [&index]<size_t J, typename ReferencedFieldType>() constexpr -> void {
794 if constexpr (IsField<ReferencedFieldType>)
795 if constexpr (ReferencedFieldType::IsPrimaryKey)
796 index = J;
797 });
798 return index;
799 }();
800 createTable.ForeignKey(
801 std::string(FieldNameAt<I, Record>),
802 SqlColumnTypeDefinitionOf<typename FieldType::ValueType>,
804 .tableName = std::string { RecordTableName<typename FieldType::ReferencedRecord> },
805 .columnName =
806 std::string { FieldNameAt<referencedFieldIndex, typename FieldType::ReferencedRecord> } });
807 }
808 else if constexpr (FieldType::IsMandatory)
809 createTable.RequiredColumn(std::string(FieldNameAt<I, Record>),
810 SqlColumnTypeDefinitionOf<typename FieldType::ValueType>);
811 else
812 createTable.Column(std::string(FieldNameAt<I, Record>),
813 SqlColumnTypeDefinitionOf<typename FieldType::ValueType>);
814 }
815 });
816
817 return migration.GetPlan().ToSql();
818}
819
820template <typename FirstRecord, typename... MoreRecords>
821std::vector<std::string> DataMapper::CreateTablesString(SqlServerType serverType)
822{
823 std::vector<std::string> output;
824 auto const append = [&output](auto const& sql) {
825 output.insert(output.end(), sql.begin(), sql.end());
826 };
827 append(CreateTableString<FirstRecord>(serverType));
828 (append(CreateTableString<MoreRecords>(serverType)), ...);
829 return output;
830}
831
832template <typename Record>
834{
835 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
836
837 auto const sqlQueryStrings = CreateTableString<Record>(_connection.ServerType());
838 for (auto const& sqlQueryString: sqlQueryStrings)
839 _stmt.ExecuteDirect(sqlQueryString);
840}
841
842template <typename FirstRecord, typename... MoreRecords>
844{
845 CreateTable<FirstRecord>();
846 (CreateTable<MoreRecords>(), ...);
847}
848
849template <typename Record>
850RecordPrimaryKeyType<Record> DataMapper::CreateExplicit(Record const& record)
851{
852 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
853
854 auto query = _connection.Query(RecordTableName<Record>).Insert(nullptr);
855
856 Reflection::EnumerateMembers(record, [&query]<auto I, typename FieldType>(FieldType const& /*field*/) {
857 if constexpr (SqlInputParameterBinder<FieldType> && !IsAutoIncrementPrimaryKey<FieldType>)
858 query.Set(FieldNameAt<I, Record>, SqlWildcard);
859 });
860
861 _stmt.Prepare(query);
862
863 Reflection::CallOnMembers(
864 record,
865 [this, i = SQLSMALLINT { 1 }]<typename Name, typename FieldType>(Name const& name,
866 FieldType const& field) mutable {
867 if constexpr (SqlInputParameterBinder<FieldType> && !IsAutoIncrementPrimaryKey<FieldType>)
868 _stmt.BindInputParameter(i++, field, name);
869 });
870
871 _stmt.Execute();
872
873 if constexpr (HasAutoIncrementPrimaryKey<Record>)
874 return { _stmt.LastInsertId(RecordTableName<Record>) };
875 else if constexpr (HasPrimaryKey<Record>)
876 {
877 RecordPrimaryKeyType<Record> const* primaryKey = nullptr;
878 Reflection::EnumerateMembers(record, [&]<size_t I, typename FieldType>(FieldType& field) {
879 if constexpr (IsField<FieldType>)
880 {
881 if constexpr (FieldType::IsPrimaryKey)
882 {
883 primaryKey = &field.Value();
884 }
885 }
886 });
887 return *primaryKey;
888 }
889}
890
891template <typename Record>
892RecordPrimaryKeyType<Record> DataMapper::Create(Record& record)
893{
894 static_assert(!std::is_const_v<Record>);
895 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
896
897 // If the primary key is not an auto-increment field and the primary key is not set, we need to set it.
898 CallOnPrimaryKey(record, [&]<size_t PrimaryKeyIndex, typename PrimaryKeyType>(PrimaryKeyType& primaryKeyField) {
899 if constexpr (PrimaryKeyType::IsAutoAssignPrimaryKey)
900 {
901 if (!primaryKeyField.IsModified())
902 {
903 using ValueType = typename PrimaryKeyType::ValueType;
904 if constexpr (std::same_as<ValueType, SqlGuid>)
905 {
906 primaryKeyField = SqlGuid::Create();
907 }
908 else if constexpr (requires { ValueType {} + 1; })
909 {
910 auto maxId = SqlStatement { _connection }.ExecuteDirectScalar<ValueType>(
911 std::format(R"sql(SELECT MAX("{}") FROM "{}")sql",
912 FieldNameAt<PrimaryKeyIndex, Record>,
913 RecordTableName<Record>));
914 primaryKeyField = maxId.value_or(ValueType {}) + 1;
915 }
916 }
917 }
918 });
919
920 CreateExplicit(record);
921
922 if constexpr (HasAutoIncrementPrimaryKey<Record>)
923 SetId(record, _stmt.LastInsertId(RecordTableName<Record>));
924
925 ClearModifiedState(record);
927
928 if constexpr (HasPrimaryKey<Record>)
929 return GetPrimaryKeyField(record);
930}
931
932template <typename Record>
933bool DataMapper::IsModified(Record const& record) const noexcept
934{
935 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
936
937 bool modified = false;
938
939 Reflection::CallOnMembers(record, [&modified](auto const& /*name*/, auto const& field) {
940 if constexpr (requires { field.IsModified(); })
941 {
942 modified = modified || field.IsModified();
943 }
944 });
945
946 return modified;
947}
948
949template <typename Record>
950void DataMapper::Update(Record& record)
951{
952 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
953
954 auto query = _connection.Query(RecordTableName<Record>).Update();
955
956 Reflection::CallOnMembers(record,
957 [&query]<typename Name, typename FieldType>(Name const& name, FieldType const& field) {
958 if (field.IsModified())
959 query.Set(name, SqlWildcard);
960 if constexpr (FieldType::IsPrimaryKey)
961 if (!field.IsModified())
962 std::ignore = query.Where(name, SqlWildcard);
963 });
964
965 _stmt.Prepare(query);
966
967 // Bind the SET clause
968 SQLSMALLINT i = 1;
969 Reflection::CallOnMembers(
970 record, [this, &i]<typename Name, typename FieldType>(Name const& name, FieldType const& field) mutable {
971 if (field.IsModified())
972 _stmt.BindInputParameter(i++, field.Value(), name);
973 });
974
975 // Bind the WHERE clause
976 Reflection::CallOnMembers(
977 record, [this, &i]<typename Name, typename FieldType>(Name const& name, FieldType const& field) mutable {
978 if constexpr (FieldType::IsPrimaryKey)
979 if (!field.IsModified())
980 _stmt.BindInputParameter(i++, field.Value(), name);
981 });
982
983 _stmt.Execute();
984
985 ClearModifiedState(record);
986}
987
988template <typename Record>
989std::size_t DataMapper::Delete(Record const& record)
990{
991 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
992
993 auto query = _connection.Query(RecordTableName<Record>).Delete();
994
995 Reflection::CallOnMembers(
996 record, [&query]<typename Name, typename FieldType>(Name const& name, FieldType const& /*field*/) {
997 if constexpr (FieldType::IsPrimaryKey)
998 std::ignore = query.Where(name, SqlWildcard);
999 });
1000
1001 _stmt.Prepare(query);
1002
1003 // Bind the WHERE clause
1004 Reflection::CallOnMembers(record,
1005 [this, i = SQLSMALLINT { 1 }]<typename Name, typename FieldType>(
1006 Name const& name, FieldType const& field) mutable {
1007 if constexpr (FieldType::IsPrimaryKey)
1008 _stmt.BindInputParameter(i++, field.Value(), name);
1009 });
1010
1011 _stmt.Execute();
1012
1013 return _stmt.NumRowsAffected();
1014}
1015
1016template <typename Record>
1017size_t DataMapper::Count()
1018{
1019 _stmt.Prepare(_connection.Query(RecordTableName<Record>).Select().Count().ToSql());
1020 _stmt.Execute();
1021
1022 auto result = size_t {};
1023 _stmt.BindOutputColumns(&result);
1024 std::ignore = _stmt.FetchRow();
1025 _stmt.CloseCursor();
1026 return result;
1027}
1028
1029template <typename Record>
1030std::vector<Record> DataMapper::All()
1031{
1032 return Query<Record>(_connection.Query(RecordTableName<Record>).Select().template Fields<Record>().All());
1033}
1034
1035template <typename Record, typename... PrimaryKeyTypes>
1036std::optional<Record> DataMapper::QuerySingle(PrimaryKeyTypes&&... primaryKeys)
1037{
1038 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1039
1040 auto queryBuilder = _connection.Query(RecordTableName<Record>).Select();
1041
1042 Reflection::EnumerateMembers<Record>([&]<size_t I, typename FieldType>() {
1043 if constexpr (FieldWithStorage<FieldType>)
1044 {
1045 queryBuilder.Field(FieldNameAt<I, Record>);
1046
1047 if constexpr (FieldType::IsPrimaryKey)
1048 std::ignore = queryBuilder.Where(FieldNameAt<I, Record>, SqlWildcard);
1049 }
1050 });
1051
1052 _stmt.Prepare(queryBuilder.First());
1053 _stmt.Execute(std::forward<PrimaryKeyTypes>(primaryKeys)...);
1054
1055 auto resultRecord = Record {};
1056 BindOutputColumns(resultRecord);
1057
1058 if (!_stmt.FetchRow())
1059 return std::nullopt;
1060
1061 _stmt.CloseCursor();
1062
1063 ConfigureRelationAutoLoading(resultRecord);
1064
1065 return { std::move(resultRecord) };
1066}
1067
1068template <typename Record, typename... Args>
1069std::optional<Record> DataMapper::QuerySingle(SqlSelectQueryBuilder selectQuery, Args&&... args)
1070{
1071 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1072
1073 Reflection::EnumerateMembers<Record>([&]<size_t I, typename FieldType>() {
1074 if constexpr (FieldWithStorage<FieldType>)
1075 selectQuery.Field(SqlQualifiedTableColumnName { RecordTableName<Record>, FieldNameAt<I, Record> });
1076 });
1077 _stmt.Prepare(selectQuery.First().ToSql());
1078 _stmt.Execute(std::forward<Args>(args)...);
1079
1080 auto resultRecord = Record {};
1081 BindOutputColumns(resultRecord);
1082
1083 if (!_stmt.FetchRow())
1084 return std::nullopt;
1085
1086 _stmt.CloseCursor();
1087
1088 ConfigureRelationAutoLoading(resultRecord);
1089
1090 return { std::move(resultRecord) };
1091}
1092
1093// TODO: Provide Query(QueryBuilder, ...) method variant
1094
1095template <typename Record, typename... InputParameters>
1096inline LIGHTWEIGHT_FORCE_INLINE std::vector<Record> DataMapper::Query(
1097 SqlSelectQueryBuilder::ComposedQuery const& selectQuery, InputParameters&&... inputParameters)
1098{
1099 static_assert(DataMapperRecord<Record> || std::same_as<Record, SqlVariantRow>,
1100 "Record must satisfy DataMapperRecord");
1101
1102 return Query<Record>(selectQuery.ToSql(), std::forward<InputParameters>(inputParameters)...);
1103}
1104
1105template <typename Record, typename... InputParameters>
1106std::vector<Record> DataMapper::Query(std::string_view sqlQueryString, InputParameters&&... inputParameters)
1107{
1108 auto result = std::vector<Record> {};
1109
1110 if constexpr (std::same_as<Record, SqlVariantRow>)
1111 {
1112 _stmt.Prepare(sqlQueryString);
1113 _stmt.Execute(std::forward<InputParameters>(inputParameters)...);
1114 size_t const numResultColumns = _stmt.NumColumnsAffected();
1115 while (_stmt.FetchRow())
1116 {
1117 auto& record = result.emplace_back();
1118 record.reserve(numResultColumns);
1119 for (auto const i: std::views::iota(1U, numResultColumns + 1))
1120 record.emplace_back(_stmt.GetColumn<SqlVariant>(static_cast<SQLUSMALLINT>(i)));
1121 }
1122 }
1123 else
1124 {
1125 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1126
1127 _stmt.Prepare(sqlQueryString);
1128 _stmt.Execute(std::forward<InputParameters>(inputParameters)...);
1129
1130 auto record = Record {};
1131 BindOutputColumns(record);
1133 while (_stmt.FetchRow())
1134 {
1135 result.emplace_back(std::move(record));
1136 record = Record {};
1137 BindOutputColumns(record);
1139 }
1140 }
1141
1142 return result;
1143}
1144
1145template <typename ElementMask, typename Record, typename... InputParameters>
1146std::vector<Record> DataMapper::Query(SqlSelectQueryBuilder::ComposedQuery const& selectQuery,
1147 InputParameters&&... inputParameters)
1148{
1149 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1150
1151 _stmt.Prepare(selectQuery.ToSql());
1152 _stmt.Execute(std::forward<InputParameters>(inputParameters)...);
1153
1154 auto result = std::vector<Record> {};
1155
1156 ConfigureRelationAutoLoading(BindOutputColumns<ElementMask>(result.emplace_back()));
1157 while (_stmt.FetchRow())
1158 ConfigureRelationAutoLoading(BindOutputColumns<ElementMask>(result.emplace_back()));
1159
1160 return result;
1161}
1162
1163template <typename Record>
1164void DataMapper::ClearModifiedState(Record& record) noexcept
1165{
1166 static_assert(!std::is_const_v<Record>);
1167 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1168
1169 Reflection::EnumerateMembers(record, []<size_t I, typename FieldType>(FieldType& field) {
1170 if constexpr (requires { field.SetModified(false); })
1171 {
1172 field.SetModified(false);
1173 }
1174 });
1175}
1176
1177template <typename Record, typename Callable>
1178inline LIGHTWEIGHT_FORCE_INLINE void CallOnPrimaryKey(Record& record, Callable const& callable)
1179{
1180 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1181
1182 Reflection::EnumerateMembers(record, [&]<size_t I, typename FieldType>(FieldType& field) {
1183 if constexpr (IsField<FieldType>)
1184 {
1185 if constexpr (FieldType::IsPrimaryKey)
1186 {
1187 return callable.template operator()<I, FieldType>(field);
1188 }
1189 }
1190 });
1191}
1192
1193template <typename Record, typename Callable>
1194inline LIGHTWEIGHT_FORCE_INLINE void CallOnPrimaryKey(Callable const& callable)
1195{
1196 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1197
1198 Reflection::EnumerateMembers<Record>([&]<size_t I, typename FieldType>() {
1199 if constexpr (IsField<FieldType>)
1200 {
1201 if constexpr (FieldType::IsPrimaryKey)
1202 {
1203 return callable.template operator()<I, FieldType>();
1204 }
1205 }
1206 });
1207}
1208
1209template <typename Record, typename Callable>
1210inline LIGHTWEIGHT_FORCE_INLINE void CallOnBelongsTo(Callable const& callable)
1211{
1212 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1213
1214 Reflection::EnumerateMembers<Record>([&]<size_t I, typename FieldType>() {
1215 if constexpr (IsBelongsTo<FieldType>)
1216 {
1217 return callable.template operator()<I, FieldType>();
1218 }
1219 });
1220}
1221
1222template <auto ReferencedRecordField, auto BelongsToAlias>
1223void DataMapper::LoadBelongsTo(BelongsTo<ReferencedRecordField, BelongsToAlias>& field)
1224{
1225 using FieldType = BelongsTo<ReferencedRecordField>;
1226 using ReferencedRecord = typename FieldType::ReferencedRecord;
1227
1228 CallOnPrimaryKey<ReferencedRecord>([&]<size_t PrimaryKeyIndex, typename PrimaryKeyType>() {
1229 if (auto result = QuerySingle<ReferencedRecord>(field.Value()); result)
1230 field.EmplaceRecord() = std::move(*result);
1231 else
1233 std::format("Loading BelongsTo failed for {} ({})", RecordTableName<ReferencedRecord>, field.Value()));
1234 });
1235}
1236
1237template <size_t FieldIndex, typename Record, typename OtherRecord, typename Callable>
1238void DataMapper::CallOnHasMany(Record& record, Callable const& callback)
1239{
1240 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1241 static_assert(DataMapperRecord<OtherRecord>, "OtherRecord must satisfy DataMapperRecord");
1242
1243 using FieldType = HasMany<OtherRecord>;
1244 using ReferencedRecord = typename FieldType::ReferencedRecord;
1245
1246 CallOnPrimaryKey(
1247 record, [&]<size_t PrimaryKeyIndex, typename PrimaryKeyType>(PrimaryKeyType const& primaryKeyField) {
1248 auto query = _connection.Query(RecordTableName<ReferencedRecord>)
1249 .Select()
1250 .Build([&](auto& query) {
1251 Reflection::EnumerateMembers<ReferencedRecord>(
1252 [&]<size_t ReferencedFieldIndex, typename ReferencedFieldType>() {
1254 {
1255 query.Field(FieldNameAt<ReferencedFieldIndex, ReferencedRecord>);
1256 }
1257 });
1258 })
1259 .Where(FieldNameAt<FieldIndex, ReferencedRecord>, SqlWildcard);
1260 callback(query, primaryKeyField);
1261 });
1262}
1263
1264template <size_t FieldIndex, typename Record, typename OtherRecord>
1265void DataMapper::LoadHasMany(Record& record, HasMany<OtherRecord>& field)
1266{
1267 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1268 static_assert(DataMapperRecord<OtherRecord>, "OtherRecord must satisfy DataMapperRecord");
1269
1270 CallOnHasMany<FieldIndex, Record, OtherRecord>(
1271 record, [&](SqlSelectQueryBuilder selectQuery, auto& primaryKeyField) {
1272 field.Emplace(detail::ToSharedPtrList(Query<OtherRecord>(selectQuery.All(), primaryKeyField.Value())));
1273 });
1274}
1275
1276template <typename ReferencedRecord, typename ThroughRecord, typename Record>
1277void DataMapper::LoadHasOneThrough(Record& record, HasOneThrough<ReferencedRecord, ThroughRecord>& field)
1278{
1279 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1280 static_assert(DataMapperRecord<ThroughRecord>, "ThroughRecord must satisfy DataMapperRecord");
1281
1282 // Find the PK of Record
1283 CallOnPrimaryKey(
1284 record, [&]<size_t PrimaryKeyIndex, typename PrimaryKeyType>(PrimaryKeyType const& primaryKeyField) {
1285 // Find the BelongsTo of ThroughRecord pointing to the PK of Record
1286 CallOnBelongsTo<ThroughRecord>([&]<size_t ThroughBelongsToIndex, typename ThroughBelongsToType>() {
1287 // Find the PK of ThroughRecord
1288 CallOnPrimaryKey<ThroughRecord>([&]<size_t ThroughPrimaryKeyIndex, typename ThroughPrimaryKeyType>() {
1289 // Find the BelongsTo of ReferencedRecord pointing to the PK of ThroughRecord
1290 CallOnBelongsTo<ReferencedRecord>([&]<size_t ReferencedKeyIndex, typename ReferencedKeyType>() {
1291 // Query the ReferencedRecord where:
1292 // - the BelongsTo of ReferencedRecord points to the PK of ThroughRecord,
1293 // - and the BelongsTo of ThroughRecord points to the PK of Record
1294 auto query = _connection.Query(RecordTableName<ReferencedRecord>)
1295 .Select()
1296 .Build([&](auto& query) {
1297 Reflection::EnumerateMembers<ReferencedRecord>(
1298 [&]<size_t ReferencedFieldIndex, typename ReferencedFieldType>() {
1300 {
1301 query.Field(SqlQualifiedTableColumnName {
1302 RecordTableName<ReferencedRecord>,
1303 FieldNameAt<ReferencedFieldIndex, ReferencedRecord> });
1304 }
1305 });
1306 })
1307 .InnerJoin(RecordTableName<ThroughRecord>,
1308 FieldNameAt<ThroughPrimaryKeyIndex, ThroughRecord>,
1309 FieldNameAt<ReferencedKeyIndex, ReferencedRecord>)
1310 .InnerJoin(RecordTableName<Record>,
1311 FieldNameAt<PrimaryKeyIndex, Record>,
1313 RecordTableName<ThroughRecord>,
1314 FieldNameAt<ThroughBelongsToIndex, ThroughRecord> })
1315 .Where(
1317 RecordTableName<Record>,
1318 FieldNameAt<PrimaryKeyIndex, ThroughRecord>,
1319 },
1320 SqlWildcard);
1321 if (auto link = QuerySingle<ReferencedRecord>(std::move(query), primaryKeyField.Value()); link)
1322 {
1323 field.EmplaceRecord(std::make_shared<ReferencedRecord>(std::move(*link)));
1324 }
1325 });
1326 });
1327 });
1328 });
1329}
1330
1331template <typename ReferencedRecord, typename ThroughRecord, typename Record, typename Callable>
1332void DataMapper::CallOnHasManyThrough(Record& record, Callable const& callback)
1333{
1334 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1335
1336 // Find the PK of Record
1337 CallOnPrimaryKey(
1338 record, [&]<size_t PrimaryKeyIndex, typename PrimaryKeyType>(PrimaryKeyType const& primaryKeyField) {
1339 // Find the BelongsTo of ThroughRecord pointing to the PK of Record
1340 CallOnBelongsTo<ThroughRecord>(
1341 [&]<size_t ThroughBelongsToRecordIndex, typename ThroughBelongsToRecordType>() {
1342 using ThroughBelongsToRecordFieldType =
1343 Reflection::MemberTypeOf<ThroughBelongsToRecordIndex, ThroughRecord>;
1344 if constexpr (std::is_same_v<typename ThroughBelongsToRecordFieldType::ReferencedRecord, Record>)
1345 {
1346 // Find the BelongsTo of ThroughRecord pointing to the PK of ReferencedRecord
1347 CallOnBelongsTo<ThroughRecord>([&]<size_t ThroughBelongsToReferenceRecordIndex,
1348 typename ThroughBelongsToReferenceRecordType>() {
1349 using ThroughBelongsToReferenceRecordFieldType =
1350 Reflection::MemberTypeOf<ThroughBelongsToReferenceRecordIndex, ThroughRecord>;
1351 if constexpr (std::is_same_v<
1352 typename ThroughBelongsToReferenceRecordFieldType::ReferencedRecord,
1353 ReferencedRecord>)
1354 {
1355 auto query =
1356 _connection.Query(RecordTableName<ReferencedRecord>)
1357 .Select()
1358 .Build([&](auto& query) {
1359 Reflection::EnumerateMembers<ReferencedRecord>(
1360 [&]<size_t ReferencedFieldIndex, typename ReferencedFieldType>() {
1362 {
1363 query.Field(SqlQualifiedTableColumnName {
1364 RecordTableName<ReferencedRecord>,
1365 FieldNameAt<ReferencedFieldIndex, ReferencedRecord> });
1366 }
1367 });
1368 })
1369 .InnerJoin(RecordTableName<ThroughRecord>,
1370 FieldNameAt<ThroughBelongsToReferenceRecordIndex, ThroughRecord>,
1371 SqlQualifiedTableColumnName { RecordTableName<ReferencedRecord>,
1372 FieldNameAt<PrimaryKeyIndex, Record> })
1373 .Where(
1375 RecordTableName<ThroughRecord>,
1376 FieldNameAt<ThroughBelongsToRecordIndex, ThroughRecord>,
1377 },
1378 SqlWildcard);
1379 callback(query, primaryKeyField);
1380 }
1381 });
1382 }
1383 });
1384 });
1385}
1386
1387template <typename ReferencedRecord, typename ThroughRecord, typename Record>
1388void DataMapper::LoadHasManyThrough(Record& record, HasManyThrough<ReferencedRecord, ThroughRecord>& field)
1389{
1390 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1391
1392 CallOnHasManyThrough<ReferencedRecord, ThroughRecord>(
1393 record, [&](SqlSelectQueryBuilder& selectQuery, auto& primaryKeyField) {
1394 field.Emplace(detail::ToSharedPtrList(Query<ReferencedRecord>(selectQuery.All(), primaryKeyField.Value())));
1395 });
1396}
1397
1398template <typename Record>
1399void DataMapper::LoadRelations(Record& record)
1400{
1401 static_assert(!std::is_const_v<Record>);
1402 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1403
1404 Reflection::EnumerateMembers(record, [&]<size_t FieldIndex, typename FieldType>(FieldType& field) {
1405 if constexpr (IsBelongsTo<FieldType>)
1406 {
1407 LoadBelongsTo(field);
1408 }
1409 else if constexpr (IsHasMany<FieldType>)
1410 {
1411 LoadHasMany<FieldIndex>(record, field);
1412 }
1413 else if constexpr (IsHasOneThrough<FieldType>)
1414 {
1415 LoadHasOneThrough(record, field);
1416 }
1417 else if constexpr (IsHasManyThrough<FieldType>)
1418 {
1419 LoadHasManyThrough(record, field);
1420 }
1421 });
1422}
1423
1424template <typename Record, typename ValueType>
1425inline LIGHTWEIGHT_FORCE_INLINE void DataMapper::SetId(Record& record, ValueType&& id)
1426{
1427 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1428 // static_assert(HasPrimaryKey<Record>);
1429
1430 Reflection::EnumerateMembers(record, [&]<size_t I, typename FieldType>(FieldType& field) {
1431 if constexpr (IsField<FieldType>)
1432 {
1433 if constexpr (FieldType::IsPrimaryKey)
1434 {
1435 field = std::forward<FieldType>(id);
1436 }
1437 }
1438 });
1439}
1440
1441template <typename Record>
1442inline LIGHTWEIGHT_FORCE_INLINE Record& DataMapper::BindOutputColumns(Record& record)
1443{
1444 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1445 BindOutputColumns(record, &_stmt);
1446 return record;
1447}
1448
1449template <typename Record>
1450Record& DataMapper::BindOutputColumns(Record& record, SqlStatement* stmt)
1451{
1452 return BindOutputColumns<std::make_integer_sequence<size_t, Reflection::CountMembers<Record>>>(record, stmt);
1453}
1454
1455template <typename ElementMask, typename Record>
1456inline LIGHTWEIGHT_FORCE_INLINE Record& DataMapper::BindOutputColumns(Record& record)
1457{
1458 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1459 return BindOutputColumns<ElementMask>(record, &_stmt);
1460}
1461
1462template <typename ElementMask, typename Record>
1463Record& DataMapper::BindOutputColumns(Record& record, SqlStatement* stmt)
1464{
1465 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1466 static_assert(!std::is_const_v<Record>);
1467 assert(stmt != nullptr);
1468
1469 Reflection::EnumerateMembers<ElementMask>(
1470 record, [stmt, i = SQLSMALLINT { 1 }]<size_t I, typename Field>(Field& field) mutable {
1471 if constexpr (IsField<Field>)
1472 {
1473 stmt->BindOutputColumn(i++, &field.MutableValue());
1474 }
1475 else if constexpr (SqlOutputColumnBinder<Field>)
1476 {
1477 stmt->BindOutputColumn(i++, &field);
1478 }
1479 });
1480
1481 return record;
1482}
1483
1484template <typename Record>
1486{
1487 static_assert(DataMapperRecord<Record>, "Record must satisfy DataMapperRecord");
1488
1489 Reflection::EnumerateMembers(record, [&]<size_t FieldIndex, typename FieldType>(FieldType& field) {
1490 if constexpr (IsBelongsTo<FieldType>)
1491 {
1492 field.SetAutoLoader(typename FieldType::Loader {
1493 .loadReference = [this, &field]() { LoadBelongsTo(field); },
1494 });
1495 }
1496 else if constexpr (IsHasMany<FieldType>)
1497 {
1498 using ReferencedRecord = typename FieldType::ReferencedRecord;
1499 HasMany<ReferencedRecord>& hasMany = field;
1500 hasMany.SetAutoLoader(typename FieldType::Loader {
1501 .count = [this, &record]() -> size_t {
1502 size_t count = 0;
1503 CallOnHasMany<FieldIndex, Record, ReferencedRecord>(
1504 record, [&](SqlSelectQueryBuilder selectQuery, auto const& primaryKeyField) {
1505 _stmt.Prepare(selectQuery.Count());
1506 _stmt.Execute(primaryKeyField.Value());
1507 if (_stmt.FetchRow())
1508 count = _stmt.GetColumn<size_t>(1);
1509 _stmt.CloseCursor();
1510 });
1511 return count;
1512 },
1513 .all = [this, &record, &hasMany]() { LoadHasMany<FieldIndex>(record, hasMany); },
1514 .each =
1515 [this, &record](auto const& each) {
1516 CallOnHasMany<FieldIndex, Record, ReferencedRecord>(
1517 record, [&](SqlSelectQueryBuilder selectQuery, auto const& primaryKeyField) {
1518 auto stmt = SqlStatement { _connection };
1519 stmt.Prepare(selectQuery.All());
1520 stmt.Execute(primaryKeyField.Value());
1521
1522 auto referencedRecord = ReferencedRecord {};
1523 BindOutputColumns(referencedRecord, &stmt);
1524 ConfigureRelationAutoLoading(referencedRecord);
1525
1526 while (stmt.FetchRow())
1527 {
1528 each(referencedRecord);
1529 BindOutputColumns(referencedRecord, &stmt);
1530 }
1531 });
1532 },
1533 });
1534 }
1535 else if constexpr (IsHasOneThrough<FieldType>)
1536 {
1537 using ReferencedRecord = typename FieldType::ReferencedRecord;
1538 using ThroughRecord = typename FieldType::ThroughRecord;
1540 hasOneThrough.SetAutoLoader(typename FieldType::Loader {
1541 .loadReference =
1542 [this, &record, &hasOneThrough]() {
1543 LoadHasOneThrough<ReferencedRecord, ThroughRecord>(record, hasOneThrough);
1544 },
1545 });
1546 }
1547 else if constexpr (IsHasManyThrough<FieldType>)
1548 {
1549 using ReferencedRecord = typename FieldType::ReferencedRecord;
1550 using ThroughRecord = typename FieldType::ThroughRecord;
1552 hasManyThrough.SetAutoLoader(typename FieldType::Loader {
1553 .count = [this, &record]() -> size_t {
1554 // Load result for Count()
1555 size_t count = 0;
1556 CallOnHasManyThrough<ReferencedRecord, ThroughRecord>(
1557 record, [&](SqlSelectQueryBuilder& selectQuery, auto& primaryKeyField) {
1558 _stmt.Prepare(selectQuery.Count());
1559 _stmt.Execute(primaryKeyField.Value());
1560 if (_stmt.FetchRow())
1561 count = _stmt.GetColumn<size_t>(1);
1562 _stmt.CloseCursor();
1563 });
1564 return count;
1565 },
1566 .all =
1567 [this, &record, &hasManyThrough]() {
1568 // Load result for All()
1569 LoadHasManyThrough(record, hasManyThrough);
1570 },
1571 .each =
1572 [this, &record](auto const& each) {
1573 // Load result for Each()
1574 CallOnHasManyThrough<ReferencedRecord, ThroughRecord>(
1575 record, [&](SqlSelectQueryBuilder& selectQuery, auto& primaryKeyField) {
1576 auto stmt = SqlStatement { _connection };
1577 stmt.Prepare(selectQuery.All());
1578 stmt.Execute(primaryKeyField.Value());
1579
1580 auto referencedRecord = ReferencedRecord {};
1581 BindOutputColumns(referencedRecord, &stmt);
1582 ConfigureRelationAutoLoading(referencedRecord);
1583
1584 while (stmt.FetchRow())
1585 {
1586 each(referencedRecord);
1587 BindOutputColumns(referencedRecord, &stmt);
1588 }
1589 });
1590 },
1591 });
1592 }
1593 });
1594}
Represents a one-to-one relationship.
Definition BelongsTo.hpp:26
LIGHTWEIGHT_FORCE_INLINE constexpr ReferencedRecord & EmplaceRecord()
Emplaces a record into the relationship. This will mark the relationship as loaded.
LIGHTWEIGHT_FORCE_INLINE constexpr ValueType const & Value() const noexcept
Retrieves the reference to the value of the field.
Definition BelongsTo.hpp:99
Main API for mapping records to and from the database using high level C++ syntax.
RecordPrimaryKeyType< Record > CreateExplicit(Record const &record)
Creates a new record in the database.
SqlSparseFieldQueryBuilder< Record, ReferencedFields... > QuerySparse()
std::vector< Record > Query(SqlSelectQueryBuilder::ComposedQuery const &selectQuery, InputParameters &&... inputParameters)
Queries multiple records from the database, based on the given query.
bool IsModified(Record const &record) const noexcept
Checks if the record has any modified fields.
DataMapper(SqlConnection &&connection)
Constructs a new data mapper, using the given connection.
void LoadRelations(Record &record)
Loads all direct relations to this record.
std::size_t Count()
Counts the total number of records in the database for the given record type.
std::vector< Record > All()
Loads all records from the database for the given record type.
std::optional< Record > QuerySingleBy(ColumnName const &columnName, T const &value)
Queries a single record by the given column name and value.
SqlConnection const & Connection() const noexcept
Returns the connection reference used by this data mapper.
std::vector< std::string > CreateTablesString(SqlServerType serverType)
Constructs a string list of SQL queries to create the tables for the given record types.
static std::string Inspect(Record const &record)
Constructs a human readable string representation of the given record.
DataMapper(SqlConnectionString connectionString)
Constructs a new data mapper, using the given connection string.
SqlQuerySingleBuilder< Record > QuerySingle()
Queries a single record from the database.
void CreateTables()
Creates the tables for the given record types.
void CreateTable()
Creates the table for the given record type.
std::vector< std::string > CreateTableString(SqlServerType serverType)
Constructs a string list of SQL queries to create the table for the given record type.
SqlQueryBuilder FromTable(std::string_view tableName)
Constructs an SQL query builder for the given table name.
RecordPrimaryKeyType< Record > Create(Record &record)
Creates a new record in the database.
void ConfigureRelationAutoLoading(Record &record)
SqlAllFieldsQueryBuilder< Record > Query()
auto BuildQuery() -> SqlQueryBuilder
Constructs an SQL query builder for the given record type.
void Update(Record &record)
Updates the record in the database.
std::size_t Delete(Record const &record)
Deletes the record from the database.
SqlConnection & Connection() noexcept
Returns the mutable connection reference used by this data mapper.
DataMapper()
Constructs a new data mapper, using the default connection.
void ClearModifiedState(Record &record) noexcept
Clears the modified state of the record.
This API represents a many-to-many relationship between two records through a third record.
ReferencedRecordList & Emplace(ReferencedRecordList &&records) noexcept
Emplaces the given list of records into this relationship.
void SetAutoLoader(Loader loader) noexcept
Used internally to configure on-demand loading of the records.
This HasMany<OtherRecord> represents a simple one-to-many relationship between two records.
Definition HasMany.hpp:31
void SetAutoLoader(Loader loader) noexcept
Used internally to configure on-demand loading of the records.
Definition HasMany.hpp:129
ReferencedRecordList & Emplace(ReferencedRecordList &&records) noexcept
Emplaces the given list of records.
Definition HasMany.hpp:142
Represents a one-to-one relationship through a join table.
void SetAutoLoader(Loader loader)
Used internally to configure on-demand loading of the record.
LIGHTWEIGHT_FORCE_INLINE constexpr void EmplaceRecord(std::shared_ptr< ReferencedRecord > record)
Emplaces the given record into this relationship.
Represents a query builder that retrieves all fields of a record.
Represents a binary data type.
Definition SqlBinary.hpp:17
Represents a connection to a SQL database.
SqlServerType ServerType() const noexcept
Retrieves the type of the server.
SqlQueryBuilder Query(std::string_view const &table={}) const
SqlQueryFormatter const & QueryFormatter() const noexcept
Retrieves a query formatter suitable for the SQL server being connected.
static SqlLogger & GetLogger()
Retrieves the currently configured logger.
virtual void OnWarning(std::string_view const &message)=0
Invoked on a warning.
LIGHTWEIGHT_API SqlCreateTableQueryBuilder CreateTable(std::string_view tableName)
Creates a new table.
API Entry point for building SQL queries.
Definition SqlQuery.hpp:26
LIGHTWEIGHT_API SqlInsertQueryBuilder Insert(std::vector< SqlVariant > *boundInputs=nullptr) noexcept
LIGHTWEIGHT_API SqlDeleteQueryBuilder Delete() noexcept
Initiates DELETE query building.
LIGHTWEIGHT_API SqlSelectQueryBuilder Select() noexcept
Initiates SELECT query building.
LIGHTWEIGHT_API SqlUpdateQueryBuilder Update(std::vector< SqlVariant > *boundInputs=nullptr) noexcept
LIGHTWEIGHT_API SqlMigrationQueryBuilder Migration()
Initiates query for building database migrations.
API to format SQL queries for different SQL dialects.
virtual std::string SelectFirst(bool distinct, std::string_view fields, std::string_view fromTable, std::string_view fromTableAlias, std::string_view tableJoins, std::string_view whereCondition, std::string_view orderBy, size_t count) const =0
Constructs an SQL SELECT query for the first row.
static SqlQueryFormatter const * Get(SqlServerType serverType) noexcept
Retrieves the SQL query formatter for the given SqlServerType.
virtual std::string SelectRange(bool distinct, std::string_view fields, std::string_view fromTable, std::string_view fromTableAlias, std::string_view tableJoins, std::string_view whereCondition, std::string_view orderBy, std::string_view groupBy, std::size_t offset, std::size_t limit) const =0
Constructs an SQL SELECT query for a range of rows.
virtual std::string SelectAll(bool distinct, std::string_view fields, std::string_view fromTable, std::string_view fromTableAlias, std::string_view tableJoins, std::string_view whereCondition, std::string_view orderBy, std::string_view groupBy) const =0
Constructs an SQL SELECT query for all rows.
Represents a query builder that retrieves only the first record found.
std::optional< Record > Get()
Executes the query and returns the first record found.
API for reading an SQL query result set.
LIGHTWEIGHT_FORCE_INLINE void BindOutputColumns(Args *... args)
LIGHTWEIGHT_FORCE_INLINE bool FetchRow()
Fetches the next row of the result set.
LIGHTWEIGHT_FORCE_INLINE bool GetColumn(SQLUSMALLINT column, T *result) const
Query builder for building SELECT ... queries.
Definition Select.hpp:81
LIGHTWEIGHT_API ComposedQuery Count()
Finalizes building the query as SELECT COUNT(*) ... query.
LIGHTWEIGHT_API ComposedQuery All()
Finalizes building the query as SELECT field names FROM ... query.
LIGHTWEIGHT_API SqlSelectQueryBuilder & Field(std::string_view const &fieldName)
Adds a single column to the SELECT clause.
LIGHTWEIGHT_API ComposedQuery First(size_t count=1)
Finalizes building the query as SELECT TOP n field names FROM ... query.
Represents a query builder that retrieves only the fields specified.
High level API for (prepared) raw SQL statements.
LIGHTWEIGHT_API SqlConnection & Connection() noexcept
Retrieves the connection associated with this statement.
SqlResultCursor GetResultCursor() noexcept
Retrieves the result cursor for reading an SQL query result.
LIGHTWEIGHT_API size_t NumRowsAffected() const
Retrieves the number of rows affected by the last query.
void Execute(Args const &... args)
Binds the given arguments to the prepared statement and executes it.
void CloseCursor() noexcept
LIGHTWEIGHT_API void ExecuteDirect(std::string_view const &query, std::source_location location=std::source_location::current())
Executes the given query directly.
LIGHTWEIGHT_API size_t NumColumnsAffected() const
Retrieves the number of columns affected by the last query.
LIGHTWEIGHT_API size_t LastInsertId(std::string_view tableName)
Retrieves the last insert ID of the given table.
LIGHTWEIGHT_API bool FetchRow()
void BindOutputColumns(Args *... args)
LIGHTWEIGHT_API void Prepare(std::string_view query) &
bool GetColumn(SQLUSMALLINT column, T *result) const
Represents a record type that can be used with the DataMapper.
Definition Record.hpp:20
LIGHTWEIGHT_FORCE_INLINE RecordPrimaryKeyType< Record > GetPrimaryKeyField(Record const &record) noexcept
constexpr size_t RecordStorageFieldCount
std::integer_sequence< size_t, Ints... > SqlElements
Represents a sequence of indexes that can be used alongside Query() to retrieve only part of the reco...
constexpr std::string_view FieldNameAt
Returns the SQL field name of the given field index in the record.
Definition Utils.hpp:142
constexpr bool HasPrimaryKey
Tests if the given record type does contain a primary key.
constexpr bool HasAutoIncrementPrimaryKey
Tests if the given record type does contain an auto increment primary key.
Represents a single column in a table.
Definition Field.hpp:71
constexpr T & MutableValue() noexcept
Definition Field.hpp:288
Represents an ODBC connection string.
Represents a foreign key reference definition.
std::string tableName
The table name that the foreign key references.
static SqlGuid Create() noexcept
Creates a new non-empty GUID.
SqlQualifiedTableColumnName represents a column name qualified with a table name.
Definition Core.hpp:40
Represents a value that can be any of the supported SQL data types.