userver: userver/utils/trivial_map.hpp Source File
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Modules Pages Concepts
trivial_map.hpp
Go to the documentation of this file.
1#pragma once
2
3/// @file userver/utils/trivial_map.hpp
4/// @brief Bidirectional map|sets over string literals or other trivial types.
5
6#include <cstddef>
7#include <optional>
8#include <string>
9#include <string_view>
10#include <type_traits>
11#include <utility>
12#include <variant>
13
14#include <fmt/format.h>
15
16#include <userver/compiler/demangle.hpp>
17#include <userver/utils/assert.hpp>
18#include <userver/utils/string_literal.hpp>
19
20USERVER_NAMESPACE_BEGIN
21
22namespace utils {
23
24namespace impl {
25
26constexpr bool HasUppercaseAscii(std::string_view value) noexcept {
27 for (auto c : value) {
28 if ('A' <= c && c <= 'Z') return true;
29 }
30
31 return false;
32}
33
34constexpr bool ICaseEqualLowercase(std::string_view lowercase, std::string_view y) noexcept {
35 const auto size = lowercase.size();
36 UASSERT(size == y.size());
37 constexpr char kLowerToUpperMask = static_cast<char>(~unsigned{32});
38 for (std::size_t i = 0; i < size; ++i) {
39 const auto lowercase_c = lowercase[i];
40 UASSERT(!('A' <= lowercase_c && lowercase_c <= 'Z'));
41 if (lowercase_c != y[i]) {
42 if (!('a' <= lowercase_c && lowercase_c <= 'z') || (lowercase_c & kLowerToUpperMask) != y[i]) {
43 return false;
44 }
45 }
46 }
47
48 return true;
49}
50
51struct Found final {
52 constexpr explicit Found(std::size_t value) noexcept { UASSERT(value == 0); }
53
54 constexpr explicit operator std::size_t() const noexcept { return 0; }
55};
56
57template <typename Key, typename Value, typename Enabled = void>
58class SearchState final {
59public:
60 constexpr explicit SearchState(Key key) noexcept : key_or_result_(std::in_place_index<0>, key) {}
61
62 constexpr bool IsFound() const noexcept { return key_or_result_.index() != 0; }
63
64 constexpr Key GetKey() const noexcept {
65 UASSERT(!IsFound());
66 return std::get<0>(key_or_result_);
67 }
68
69 constexpr void SetValue(Value value) noexcept {
70 key_or_result_ = std::variant<Key, Value>(std::in_place_index<1>, value);
71 }
72
73 [[nodiscard]] constexpr std::optional<Value> Extract() noexcept {
74 if (key_or_result_.index() == 1) {
75 return std::get<1>(key_or_result_);
76 } else {
77 return std::nullopt;
78 }
79 }
80
81private:
82 std::variant<Key, Value> key_or_result_;
83};
84
85inline constexpr std::size_t kInvalidSize = std::numeric_limits<std::size_t>::max();
86
87template <typename Payload>
88inline constexpr bool kFitsInStringOrPayload =
89 sizeof(Payload) <= sizeof(const char*) &&
90 (std::is_integral_v<Payload> || std::is_enum_v<Payload> || std::is_same_v<Payload, Found>);
91
92// A compacted std::variant<std::string_view, Payload>
93template <typename Payload>
94class StringOrPayload final {
95public:
96 constexpr explicit StringOrPayload(std::string_view string) noexcept
97 : data_or_payload_(string.data()), size_(string.size()) {
98#if defined(__clang__)
99 __builtin_assume(size_ != kInvalidSize);
100#elif defined(__GNUC__)
101 if (size_ == kInvalidSize) __builtin_unreachable();
102#endif
103 }
104
105 constexpr explicit StringOrPayload(Payload payload) noexcept : data_or_payload_(payload), size_(kInvalidSize) {}
106
107 constexpr bool HasPayload() const noexcept { return size_ == kInvalidSize; }
108
109 constexpr const char* GetStringPointer() const noexcept {
110 UASSERT(!HasPayload());
111 UASSERT(data_or_payload_.data);
112 return data_or_payload_.data;
113 }
114
115 constexpr std::size_t GetStringSize() const noexcept {
116 UASSERT(!HasPayload());
117 UASSERT(data_or_payload_.data);
118 return size_;
119 }
120
121 constexpr Payload GetPayload() const noexcept {
122 UASSERT(HasPayload());
123 return data_or_payload_.payload;
124 }
125
126private:
127 static_assert(kFitsInStringOrPayload<Payload>);
128
129 union DataOrPayload {
130 constexpr explicit DataOrPayload(const char* data) noexcept : data(data) {}
131
132 constexpr explicit DataOrPayload(Payload payload) noexcept : payload(payload) {}
133
134 const char* data{};
135 Payload payload;
136 };
137
138 DataOrPayload data_or_payload_;
139 std::size_t size_;
140};
141
142template <typename Value>
143class SearchState<std::string_view, Value, std::enable_if_t<kFitsInStringOrPayload<Value>>> {
144public:
145 constexpr explicit SearchState(std::string_view key) noexcept : state_(key) {}
146
147 constexpr bool IsFound() const noexcept { return state_.HasPayload(); }
148
149 constexpr std::string_view GetKey() const noexcept {
150 return std::string_view{state_.GetStringPointer(), state_.GetStringSize()};
151 }
152
153 constexpr void SetValue(Value value) noexcept { state_ = StringOrPayload<Value>{value}; }
154
155 [[nodiscard]] constexpr std::optional<Value> Extract() noexcept {
156 return IsFound() ? std::optional{state_.GetPayload()} : std::nullopt;
157 }
158
159private:
160 StringOrPayload<Value> state_;
161};
162
163template <typename Value>
164class SearchState<NullTerminatedView, Value, std::enable_if_t<kFitsInStringOrPayload<Value>>> final
165 : public SearchState<std::string_view, Value> {};
166
167template <typename Value>
168class SearchState<StringLiteral, Value, std::enable_if_t<kFitsInStringOrPayload<Value>>> final
169 : public SearchState<std::string_view, Value> {};
170
171template <typename Key>
172class SearchState<Key, std::string_view, std::enable_if_t<kFitsInStringOrPayload<Key>>> final {
173public:
174 constexpr explicit SearchState(Key key) noexcept : state_(key) {}
175
176 constexpr bool IsFound() const noexcept { return !state_.HasPayload(); }
177
178 constexpr Key GetKey() const noexcept { return state_.GetPayload(); }
179
180 constexpr void SetValue(std::string_view value) noexcept { state_ = StringOrPayload<Key>{value}; }
181
182 [[nodiscard]] constexpr std::optional<std::string_view> Extract() noexcept {
183 return IsFound() ? std::optional{std::string_view{state_.GetStringPointer(), state_.GetStringSize()}}
184 : std::nullopt;
185 }
186
187private:
188 StringOrPayload<Key> state_;
189};
190
191template <typename Key>
192class SearchState<Key, NullTerminatedView, std::enable_if_t<kFitsInStringOrPayload<Key>>> final {
193public:
194 constexpr explicit SearchState(Key key) noexcept : state_(key) {}
195
196 constexpr bool IsFound() const noexcept { return !state_.HasPayload(); }
197
198 constexpr Key GetKey() const noexcept { return state_.GetPayload(); }
199
200 constexpr void SetValue(NullTerminatedView value) noexcept { state_ = StringOrPayload<Key>{value}; }
201
202 [[nodiscard]] constexpr std::optional<NullTerminatedView> Extract() noexcept {
203 return IsFound()
204 ? std::optional{NullTerminatedView::UnsafeMake(state_.GetStringPointer(), state_.GetStringSize())}
205 : std::nullopt;
206 }
207
208private:
209 StringOrPayload<Key> state_;
210};
211
212template <typename Key>
213class SearchState<Key, StringLiteral, std::enable_if_t<kFitsInStringOrPayload<Key>>> final {
214public:
215 constexpr explicit SearchState(Key key) noexcept : state_(key) {}
216
217 constexpr bool IsFound() const noexcept { return !state_.HasPayload(); }
218
219 constexpr Key GetKey() const noexcept { return state_.GetPayload(); }
220
221 constexpr void SetValue(StringLiteral value) noexcept { state_ = StringOrPayload<Key>{value}; }
222
223 [[nodiscard]] constexpr std::optional<StringLiteral> Extract() noexcept {
224 return IsFound() ? std::optional{StringLiteral::UnsafeMake(state_.GetStringPointer(), state_.GetStringSize())}
225 : std::nullopt;
226 }
227
228private:
229 StringOrPayload<Key> state_;
230};
231
232template <typename First, typename Second>
233class SwitchByFirst final {
234public:
235 constexpr explicit SwitchByFirst(First search) noexcept : state_(search) {}
236
237 constexpr SwitchByFirst& Case(First first, Second second) noexcept {
238 if (!state_.IsFound() && state_.GetKey() == first) {
239 state_.SetValue(second);
240 }
241 return *this;
242 }
243
244 template <typename T, typename U = void>
245 constexpr SwitchByFirst& Type() {
246 return *this;
247 }
248
249 [[nodiscard]] constexpr std::optional<Second> Extract() noexcept { return state_.Extract(); }
250
251private:
252 SearchState<First, Second> state_;
253};
254
255template <typename First>
256class SwitchByFirst<First, void> final {
257public:
258 constexpr explicit SwitchByFirst(First search) noexcept : state_(search) {}
259
260 constexpr SwitchByFirst& Case(First first) noexcept {
261 if (!state_.IsFound() && state_.GetKey() == first) {
262 state_.SetValue(Found{0});
263 }
264 return *this;
265 }
266
267 template <typename T, typename U = void>
268 constexpr SwitchByFirst& Type() {
269 return *this;
270 }
271
272 [[nodiscard]] constexpr bool Extract() noexcept { return state_.IsFound(); }
273
274private:
275 SearchState<First, Found> state_;
276};
277
278template <typename Second>
279class SwitchByFirstICase final {
280public:
281 constexpr explicit SwitchByFirstICase(std::string_view search) noexcept : state_(search) {}
282
283 constexpr SwitchByFirstICase& Case(std::string_view first, Second second) noexcept {
285 !impl::HasUppercaseAscii(first),
286 fmt::format("String literal '{}' in utils::Switch*::Case() should be in lower case", first)
287 );
288 if (!state_.IsFound() && state_.GetKey().size() == first.size() &&
289 impl::ICaseEqualLowercase(first, state_.GetKey())) {
290 state_.SetValue(second);
291 }
292 return *this;
293 }
294
295 template <typename T, typename U>
296 constexpr SwitchByFirstICase& Type() {
297 return *this;
298 }
299
300 [[nodiscard]] constexpr std::optional<Second> Extract() noexcept { return state_.Extract(); }
301
302private:
303 SearchState<std::string_view, Second> state_;
304};
305
306template <>
307class SwitchByFirstICase<void> final {
308public:
309 constexpr explicit SwitchByFirstICase(std::string_view search) noexcept : state_(search) {}
310
311 constexpr SwitchByFirstICase& Case(std::string_view first) noexcept {
313 !impl::HasUppercaseAscii(first),
314 fmt::format("String literal '{}' in utils::Switch*::Case() should be in lower case", first)
315 );
316 if (!state_.IsFound() && state_.GetKey().size() == first.size() &&
317 impl::ICaseEqualLowercase(first, state_.GetKey())) {
318 state_.SetValue(Found{0});
319 }
320 return *this;
321 }
322
323 template <typename T, typename U>
324 constexpr SwitchByFirstICase& Type() {
325 return *this;
326 }
327
328 [[nodiscard]] constexpr bool Extract() const noexcept { return state_.IsFound(); }
329
330private:
331 SearchState<std::string_view, Found> state_;
332};
333
334template <typename First>
335class SwitchBySecondICase final {
336public:
337 constexpr explicit SwitchBySecondICase(std::string_view search) noexcept : state_(search) {}
338
339 constexpr SwitchBySecondICase& Case(First first, std::string_view second) noexcept {
341 !impl::HasUppercaseAscii(second),
342 fmt::format("String literal '{}' in utils::Switch*::Case() should be in lower case", second)
343 );
344 if (!state_.IsFound() && state_.GetKey().size() == second.size() &&
345 impl::ICaseEqualLowercase(second, state_.GetKey())) {
346 state_.SetValue(first);
347 }
348 return *this;
349 }
350
351 template <typename T, typename U>
352 constexpr SwitchBySecondICase& Type() {
353 return *this;
354 }
355
356 [[nodiscard]] constexpr std::optional<First> Extract() noexcept { return state_.Extract(); }
357
358private:
359 SearchState<std::string_view, First> state_;
360};
361
362template <typename First, typename Second>
363class SwitchBySecond final {
364public:
365 constexpr explicit SwitchBySecond(Second search) noexcept : state_(search) {}
366
367 constexpr SwitchBySecond& Case(First first, Second second) noexcept {
368 if (!state_.IsFound() && state_.GetKey() == second) {
369 state_.SetValue(first);
370 }
371 return *this;
372 }
373
374 template <typename T, typename U>
375 constexpr SwitchBySecond& Type() {
376 return *this;
377 }
378
379 [[nodiscard]] constexpr std::optional<First> Extract() noexcept { return state_.Extract(); }
380
381private:
382 SearchState<Second, First> state_;
383};
384
385template <typename First, typename Second>
386class SwitchTypesDetected final {
387public:
388 using first_type = First;
389 using second_type = Second;
390
391 constexpr SwitchTypesDetected& Case(First, Second) noexcept { return *this; }
392};
393
394template <typename First>
395class SwitchTypesDetected<First, void> final {
396public:
397 using first_type = First;
398 using second_type = void;
399
400 constexpr SwitchTypesDetected& Case(First) noexcept { return *this; }
401};
402
403class SwitchTypesDetector final {
404public:
405 template <class T>
406 using DetectType = std::conditional_t<
407 std::is_convertible_v<T, StringLiteral>,
409 std::conditional_t< // TODO: force StringLiteral
410 std::is_same_v<T, NullTerminatedView>,
412 std::conditional_t<std::is_convertible_v<T, std::string_view>, std::string_view, T>>>;
413
414 constexpr SwitchTypesDetector& operator()() noexcept { return *this; }
415
416 template <typename First, typename Second>
417 constexpr auto Case(First, Second) noexcept {
418 return Type<First, Second>();
419 }
420
421 template <typename First>
422 constexpr auto Case(First) noexcept {
423 return Type<First, void>();
424 }
425
426 template <typename First, typename Second = void>
427 constexpr auto Type() noexcept {
428 return SwitchTypesDetected<DetectType<First>, DetectType<Second>>{};
429 }
430};
431
432class CaseCounter final {
433public:
434 template <typename First, typename Second>
435 constexpr CaseCounter& Case(First, Second) noexcept {
436 ++count_;
437 return *this;
438 }
439
440 template <typename First>
441 constexpr CaseCounter& Case(First) noexcept {
442 ++count_;
443 return *this;
444 }
445
446 template <typename T, typename U>
447 constexpr CaseCounter& Type() {
448 return *this;
449 }
450
451 [[nodiscard]] constexpr std::size_t Extract() const noexcept { return count_; }
452
453private:
454 std::size_t count_{0};
455};
456
457class CaseDescriber final {
458public:
459 template <typename First, typename Second>
460 CaseDescriber& Case(First first, Second second) noexcept {
461 if (!description_.empty()) {
462 description_ += ", ";
463 }
464
465 description_ += fmt::format("('{}', '{}')", first, second);
466
467 return *this;
468 }
469
470 template <typename T, typename U>
471 constexpr CaseDescriber& Type() {
472 return *this;
473 }
474
475 [[nodiscard]] std::string Extract() && noexcept { return std::move(description_); }
476
477private:
478 std::string description_{};
479};
480
481class CaseFirstDescriber final {
482public:
483 template <typename First>
484 CaseFirstDescriber& Case(First first) noexcept {
485 if (!description_.empty()) {
486 description_ += ", ";
487 }
488
489 description_ += fmt::format("'{}'", first);
490
491 return *this;
492 }
493
494 template <typename First, typename Second>
495 CaseFirstDescriber& Case(First first, Second /*second*/) noexcept {
496 return Case(first);
497 }
498
499 template <typename T, typename U = void>
500 constexpr CaseFirstDescriber& Type() {
501 return *this;
502 }
503
504 [[nodiscard]] std::string Extract() && noexcept { return std::move(description_); }
505
506private:
507 std::string description_{};
508};
509
510class CaseSecondDescriber final {
511public:
512 template <typename First, typename Second>
513 CaseSecondDescriber& Case(First /*first*/, Second second) noexcept {
514 if (!description_.empty()) {
515 description_ += ", ";
516 }
517
518 description_ += fmt::format("'{}'", second);
519
520 return *this;
521 }
522
523 template <typename T, typename U>
524 constexpr CaseSecondDescriber& Type() {
525 return *this;
526 }
527
528 [[nodiscard]] std::string Extract() && noexcept { return std::move(description_); }
529
530private:
531 std::string description_{};
532};
533
534template <typename First, typename Second>
535class CaseGetValuesByIndex final {
536public:
537 explicit constexpr CaseGetValuesByIndex(std::size_t search_index) : index_(search_index + 1) {}
538
539 constexpr CaseGetValuesByIndex& Case(First first, Second second) noexcept {
540 if (index_ == 0) {
541 return *this;
542 }
543 if (index_ == 1) {
544 lazy_ = Lazy{Storage{first, second}};
545 }
546 --index_;
547
548 return *this;
549 }
550
551 template <typename T, typename U>
552 constexpr CaseGetValuesByIndex& Type() {
553 return *this;
554 }
555
556 [[nodiscard]] constexpr First GetFirst() noexcept { return std::move(lazy_.storage.first); }
557
558 [[nodiscard]] constexpr Second GetSecond() noexcept { return std::move(lazy_.storage.second); }
559
560private:
561 std::size_t index_;
562
563 // Work with non default constructible types
564 struct Storage {
565 First first;
566 Second second;
567 };
568
569 union Lazy {
570 constexpr Lazy() noexcept : empty{} {}
571 constexpr Lazy(Storage s) noexcept : storage{s} {}
572
573 char empty;
574 Storage storage;
575 };
576 Lazy lazy_;
577};
578
579template <typename First>
580class CaseFirstIndexer final {
581public:
582 constexpr explicit CaseFirstIndexer(First search_value) noexcept : state_(search_value) {}
583
584 constexpr CaseFirstIndexer& Case(First first) noexcept {
585 if (!state_.IsFound() && state_.GetKey() == first) {
586 state_.SetValue(index_);
587 }
588 ++index_;
589 return *this;
590 }
591
592 template <typename T, typename U = void>
593 constexpr CaseFirstIndexer& Type() {
594 return *this;
595 }
596
597 [[nodiscard]] constexpr std::optional<std::size_t> Extract() && noexcept { return state_.Extract(); }
598
599private:
600 SearchState<First, std::size_t> state_;
601 std::size_t index_ = 0;
602};
603
604template <typename First>
605class CaseFirstIndexerICase final {
606public:
607 constexpr explicit CaseFirstIndexerICase(First search_value) noexcept : state_(search_value) {}
608
609 constexpr CaseFirstIndexerICase& Case(First first) noexcept {
610 if (!state_.IsFound() && state_.GetKey().size() == first.size() &&
611 impl::ICaseEqualLowercase(first, state_.GetKey())) {
612 state_.SetValue(index_);
613 }
614 ++index_;
615 return *this;
616 }
617
618 template <typename T, typename U = void>
619 constexpr CaseFirstIndexerICase& Type() {
620 return *this;
621 }
622
623 [[nodiscard]] constexpr std::optional<std::size_t> Extract() && noexcept { return state_.Extract(); }
624
625private:
626 SearchState<First, std::size_t> state_;
627 std::size_t index_ = 0;
628};
629
630} // namespace impl
631
632/// Decays utils::StringLiteral and utils::NullTerminatedView to a more generic std::string_view type.
633template <class T>
634using DecayToStringView =
635 std::conditional_t<std::is_same_v<T, StringLiteral> || std::is_same_v<T, NullTerminatedView>, std::string_view, T>;
636
637/// @ingroup userver_universal userver_containers
638///
639/// @brief Bidirectional unordered map for trivial types, including string
640/// literals; could be efficiently used as a unordered non-bidirectional map.
641///
642/// @snippet universal/src/utils/trivial_map_test.cpp sample string bimap
643///
644/// utils::TrivialBiMap and utils::TrivialSet are known to outperform
645/// std::unordered_map if:
646/// * there's 32 or less elements in map/set
647/// * or keys are string literals and all of them differ in length.
648///
649/// Implementation of string search is \b very efficient due to
650/// modern compilers optimize it to a switch by input string
651/// length and an integral comparison (rather than a std::memcmp call). In other
652/// words, it usually takes O(1) to find the match in the map.
653///
654/// The same story with integral or enum mappings - compiler optimizes them
655/// into a switch and it usually takes O(1) to find the match.
656///
657/// @snippet universal/src/utils/trivial_map_test.cpp sample bidir bimap
658///
659/// Empty map:
660///
661/// @snippet universal/src/utils/trivial_map_test.cpp sample empty bimap
662///
663/// For a single value Case statements see @ref utils::TrivialSet.
664template <typename BuilderFunc>
665class TrivialBiMap final {
666 using TypesPair = std::invoke_result_t<const BuilderFunc&, impl::SwitchTypesDetector>;
667
668public:
669 using First = typename TypesPair::first_type;
670 using Second = typename TypesPair::second_type;
671
672 struct value_type {
673 First first;
674 Second second;
675 };
676
677 /// Returns Second if T is convertible to First, otherwise returns Second
678 /// type.
679 template <class T>
680 using MappedTypeFor = std::conditional_t<std::is_convertible_v<T, DecayToStringView<First>>, Second, First>;
681
682 constexpr TrivialBiMap(BuilderFunc&& func) noexcept : func_(std::move(func)) {
683 static_assert(std::is_empty_v<BuilderFunc>, "Mapping function should not capture variables");
684 static_assert(std::is_trivially_copyable_v<First>, "First type in Case must be trivially copyable");
685 static_assert(
686 !std::is_void_v<Second>,
687 "If second type in Case is missing, use utils::TrivialSet instead of utils::TrivialBiMap"
688 );
689 static_assert(std::is_trivially_copyable_v<Second>, "Second type in Case must be trivially copyable");
690 }
691
692 constexpr std::optional<Second> TryFindByFirst(DecayToStringView<First> value) const noexcept {
693 return func_([value]() { return impl::SwitchByFirst<DecayToStringView<First>, Second>{value}; }).Extract();
694 }
695
696 constexpr std::optional<First> TryFindBySecond(DecayToStringView<Second> value) const noexcept {
697 return func_([value]() { return impl::SwitchBySecond<First, DecayToStringView<Second>>{value}; }).Extract();
698 }
699
700 template <class T>
701 constexpr std::optional<MappedTypeFor<T>> TryFind(T value) const noexcept {
702 if constexpr (std::is_convertible_v<T, DecayToStringView<First>>) {
703 static_assert(
704 !std::is_convertible_v<T, DecayToStringView<Second>>,
705 "Ambiguous conversion, use TryFindByFirst/TryFindBySecond instead"
706 );
707 return TryFindByFirst(value);
708 } else {
709 return TryFindBySecond(value);
710 }
711 }
712
713 /// @brief Case insensitive search for value.
714 ///
715 /// For efficiency reasons, first parameter in Case() should be lower case
716 /// string literal.
717 constexpr std::optional<Second> TryFindICaseByFirst(std::string_view value) const noexcept {
718 return func_([value]() { return impl::SwitchByFirstICase<Second>{value}; }).Extract();
719 }
720
721 /// @brief Case insensitive search for value.
722 ///
723 /// For efficiency reasons, second parameter in Case() should be lower case
724 /// string literal.
725 constexpr std::optional<First> TryFindICaseBySecond(std::string_view value) const noexcept {
726 return func_([value]() { return impl::SwitchBySecondICase<First>{value}; }).Extract();
727 }
728
729 /// @brief Case insensitive search for value that calls either
730 /// TryFindICaseBySecond or TryFindICaseByFirst.
731 constexpr std::optional<MappedTypeFor<std::string_view>> TryFindICase(std::string_view value) const noexcept {
732 if constexpr (std::is_convertible_v<std::string_view, DecayToStringView<First>>) {
733 static_assert(
734 !std::is_convertible_v<std::string_view, DecayToStringView<Second>>,
735 "Ambiguous conversion, use TryFindICaseByFirst/TryFindICaseBySecond"
736 );
737 return TryFindICaseByFirst(value);
738 } else {
739 return TryFindICaseBySecond(value);
740 }
741 }
742
743 /// Returns count of Case's in mapping
744 constexpr std::size_t size() const noexcept {
745 return func_([]() { return impl::CaseCounter{}; }).Extract();
746 }
747
748 /// Returns a string of comma separated quoted values of Case parameters.
749 ///
750 /// \b Example: "('a', '1'), ('b', '2'), ('c', '3')"
751 ///
752 /// Parameters of Case should be formattable.
753 std::string Describe() const {
754 return func_([]() { return impl::CaseDescriber{}; }).Extract();
755 }
756
757 /// Returns a string of comma separated quoted values of first Case
758 /// parameters.
759 ///
760 /// \b Example: "'a', 'b', 'c'"
761 ///
762 /// First parameters of Case should be formattable.
763 std::string DescribeFirst() const {
764 return func_([]() { return impl::CaseFirstDescriber{}; }).Extract();
765 }
766
767 /// Returns a string of comma separated quoted values of second Case
768 /// parameters.
769 ///
770 /// \b Example: "'1', '2', '3'"
771 ///
772 /// Second parameters of Case should be formattable.
773 std::string DescribeSecond() const {
774 return func_([]() { return impl::CaseSecondDescriber{}; }).Extract();
775 }
776
777 /// Returns a string of comma separated quoted values of Case
778 /// parameters that matches by type.
779 ///
780 /// \b Example: "'1', '2', '3'"
781 ///
782 /// Corresponding Case must be formattable
783 template <typename T>
784 std::string DescribeByType() const {
785 if constexpr (std::is_convertible_v<T, DecayToStringView<First>>) {
786 return DescribeFirst();
787 } else {
788 return DescribeSecond();
789 }
790 }
791
792 constexpr value_type GetValuesByIndex(std::size_t index) const {
793 UASSERT_MSG(index < size(), "Index is out of bounds");
794 auto result = func_([index]() { return impl::CaseGetValuesByIndex<First, Second>{index}; });
795 return value_type{result.GetFirst(), result.GetSecond()};
796 }
797
798 class iterator {
799 public:
800 using iterator_category = std::input_iterator_tag;
801 using difference_type = std::ptrdiff_t;
802
803 explicit constexpr iterator(const TrivialBiMap& map, std::size_t position) : map_{map}, position_{position} {}
804
805 constexpr bool operator==(iterator other) const { return position_ == other.position_; }
806
807 constexpr bool operator!=(iterator other) const { return position_ != other.position_; }
808
809 constexpr iterator operator++() {
810 ++position_;
811 return *this;
812 }
813
814 constexpr iterator operator++(int) {
815 iterator copy{*this};
816 ++position_;
817 return copy;
818 }
819
820 constexpr value_type operator*() const { return map_.GetValuesByIndex(position_); }
821
822 private:
823 const TrivialBiMap& map_;
824 std::size_t position_;
825 };
826
827 constexpr iterator begin() const { return iterator(*this, 0); }
828 constexpr iterator end() const { return iterator(*this, size()); }
829 constexpr iterator cbegin() const { return begin(); }
830 constexpr iterator cend() const { return end(); }
831
832private:
833 const BuilderFunc func_;
834};
835
836template <typename BuilderFunc>
837TrivialBiMap(BuilderFunc) -> TrivialBiMap<BuilderFunc>;
838
839/// @ingroup userver_universal userver_containers
840///
841/// @brief Unordered set for trivial types, including string literals.
842///
843/// For a two-value Case statements or efficiency notes
844/// see @ref utils::TrivialBiMap.
845template <typename BuilderFunc>
846class TrivialSet final {
847 using TypesPair = std::invoke_result_t<const BuilderFunc&, impl::SwitchTypesDetector>;
848
849public:
850 using First = typename TypesPair::first_type;
851 using Second = typename TypesPair::second_type;
852
853 constexpr TrivialSet(BuilderFunc&& func) noexcept : func_(std::move(func)) {
854 static_assert(std::is_empty_v<BuilderFunc>, "Mapping function should not capture variables");
855 static_assert(std::is_trivially_copyable_v<First>, "First type in Case must be trivially copyable");
856 static_assert(std::is_void_v<Second>, "Second type in Case should be skipped in utils::TrivialSet");
857 }
858
859 constexpr bool Contains(DecayToStringView<First> value) const noexcept {
860 return func_([value]() { return impl::SwitchByFirst<DecayToStringView<First>, Second>{value}; }).Extract();
861 }
862
863 constexpr bool ContainsICase(std::string_view value) const noexcept {
864 static_assert(
865 std::is_convertible_v<DecayToStringView<First>, std::string_view>,
866 "ContainsICase works only with std::string_view"
867 );
868
869 return func_([value]() { return impl::SwitchByFirstICase<void>{value}; }).Extract();
870 }
871
872 constexpr std::size_t size() const noexcept {
873 return func_([]() { return impl::CaseCounter{}; }).Extract();
874 }
875
876 /// Returns a string of comma separated quoted values of Case parameters.
877 ///
878 /// \b Example: "'a', 'b', 'c'"
879 ///
880 /// Parameters of Case should be formattable.
881 std::string Describe() const {
882 return func_([]() { return impl::CaseFirstDescriber{}; }).Extract();
883 }
884
885 /// Returns index of the value in Case parameters or std::nullopt if no such
886 /// value.
887 constexpr std::optional<std::size_t> GetIndex(DecayToStringView<First> value) const {
888 return func_([value]() { return impl::CaseFirstIndexer{value}; }).Extract();
889 }
890
891 /// Returns index of the case insensitive value in Case parameters or
892 /// std::nullopt if no such value.
893 constexpr std::optional<std::size_t> GetIndexICase(std::string_view value) const {
894 return func_([value]() { return impl::CaseFirstIndexerICase{value}; }).Extract();
895 }
896
897private:
898 const BuilderFunc func_;
899};
900
901template <typename BuilderFunc>
902TrivialSet(BuilderFunc) -> TrivialSet<BuilderFunc>;
903
904/// @brief Parses and returns whatever is specified by `map` from a
905/// `formats::json::Value` or another format's `Value`.
906/// @throws ExceptionType or `Value::Exception` by default, if `value` is not a
907/// string, or if `value` is not contained in `map`.
908/// @see @ref scripts/docs/en/userver/formats.md
909template <typename ExceptionType = void, typename Value, typename BuilderFunc>
910auto ParseFromValueString(const Value& value, TrivialBiMap<BuilderFunc> map) {
911 if constexpr (!std::is_void_v<ExceptionType>) {
912 if (!value.IsString()) {
913 throw ExceptionType(fmt::format("Invalid value at '{}': expected a string", value.GetPath()));
914 }
915 }
916
917 const auto string = value.template As<std::string>();
918 const auto parsed = map.TryFind(string);
919 if (parsed) return *parsed;
920
921 using Exception = std::conditional_t<std::is_void_v<ExceptionType>, typename Value::Exception, ExceptionType>;
922
923 throw Exception(fmt::format(
924 "Invalid value of {} at '{}': '{}' is not one of {}",
925 compiler::GetTypeName<std::decay_t<decltype(*parsed)>>(),
926 value.GetPath(),
927 string,
928 map.template DescribeByType<std::string_view>()
929 ));
930}
931
932namespace impl {
933
934// @brief Converts `value` to `std::string_view` using `map`. If `value` is not
935// contained in `map`, then crashes the service in Debug builds, or throws
936// utils::InvariantError in Release builds.
937template <typename Enum, typename BuilderFunc>
938std::string_view EnumToStringView(Enum value, TrivialBiMap<BuilderFunc> map) {
939 static_assert(std::is_enum_v<Enum>);
940 if (const auto string = map.TryFind(value)) return *string;
941
943 false,
944 fmt::format(
945 "Invalid value of enum {}: {}",
946 compiler::GetTypeName<Enum>(),
947 static_cast<std::underlying_type_t<Enum>>(value)
948 )
949 );
950}
951
952template <typename Selector, class Keys, typename Values, std::size_t... Indices>
953constexpr auto
954TrivialBiMapMultiCase(Selector selector, const Keys& keys, const Values& values, std::index_sequence<0, Indices...>) {
955 auto selector2 = selector.Case(std::data(keys)[0], std::data(values)[0]);
956 ((selector2 = selector2.Case(std::data(keys)[Indices], std::data(values)[Indices])), ...);
957 return selector2;
958}
959
960template <const auto& Keys, const auto& Values>
961struct TrivialBiMapMultiCaseDispatch {
962 template <class Selector>
963 constexpr auto operator()(Selector selector) const {
964 constexpr auto kKeysSize = std::size(Keys);
965 return impl::TrivialBiMapMultiCase(selector(), Keys, Values, std::make_index_sequence<kKeysSize>{});
966 }
967};
968
969template <typename Selector, class Values, std::size_t... Indices>
970constexpr auto TrivialSetMultiCase(Selector selector, const Values& values, std::index_sequence<0, Indices...>) {
971 auto selector2 = selector.Case(std::data(values)[0]);
972 ((selector2 = selector2.Case(std::data(values)[Indices])), ...);
973 return selector2;
974}
975
976template <const auto& Values>
977struct TrivialSetMultiCaseDispatch {
978 template <class Selector>
979 constexpr auto operator()(Selector selector) const {
980 constexpr auto kValuesSize = std::size(Values);
981 return impl::TrivialSetMultiCase(selector(), Values, std::make_index_sequence<kValuesSize>{});
982 }
983};
984
985} // namespace impl
986
987/// @brief Zips two global `constexpr` arrays into an utils::TrivialBiMap.
988template <const auto& Keys, const auto& Values>
989constexpr auto MakeTrivialBiMap() {
990 static_assert(std::size(Keys) == std::size(Values));
991 static_assert(std::size(Keys) >= 1);
992 return TrivialBiMap(impl::TrivialBiMapMultiCaseDispatch<Keys, Values>{});
993}
994
995template <const auto& Values>
996constexpr auto MakeTrivialSet() {
997 return TrivialSet(impl::TrivialSetMultiCaseDispatch<Values>{});
998}
999
1000} // namespace utils
1001
1002USERVER_NAMESPACE_END