2020-06-19 13:27:05 +00:00
|
|
|
#pragma once
|
|
|
|
|
|
|
|
#include <functional> // less
|
|
|
|
#include <memory> // allocator
|
|
|
|
#include <utility> // pair
|
|
|
|
#include <vector> // vector
|
|
|
|
|
|
|
|
namespace nlohmann
|
|
|
|
{
|
|
|
|
|
|
|
|
/// ordered_map: a minimal map-like container that preserves insertion order
|
|
|
|
/// for use within nlohmann::basic_json<ordered_map>
|
2020-06-20 11:23:44 +00:00
|
|
|
template <class Key, class T, class IgnoredLess = std::less<Key>,
|
2020-06-29 16:32:55 +00:00
|
|
|
class Allocator = std::allocator<std::pair<const Key, T>>>
|
|
|
|
struct ordered_map : std::vector<typename Allocator::value_type, Allocator>
|
2020-06-19 13:27:05 +00:00
|
|
|
{
|
2020-06-29 16:32:55 +00:00
|
|
|
using Container = std::vector<typename Allocator::value_type, Allocator>;
|
2020-06-19 13:27:05 +00:00
|
|
|
using key_type = Key;
|
|
|
|
using mapped_type = T;
|
2020-06-21 21:28:03 +00:00
|
|
|
using typename Container::iterator;
|
|
|
|
using typename Container::value_type;
|
|
|
|
using typename Container::size_type;
|
2020-06-19 13:27:05 +00:00
|
|
|
using Container::Container;
|
|
|
|
|
2020-06-21 21:28:03 +00:00
|
|
|
std::pair<iterator, bool> emplace(key_type&& key, T&& t)
|
2020-06-19 13:27:05 +00:00
|
|
|
{
|
|
|
|
for (auto it = this->begin(); it != this->end(); ++it)
|
|
|
|
{
|
|
|
|
if (it->first == key)
|
|
|
|
{
|
|
|
|
return {it, false};
|
|
|
|
}
|
|
|
|
}
|
2020-06-20 11:23:44 +00:00
|
|
|
Container::emplace_back(key, t);
|
2020-06-19 13:27:05 +00:00
|
|
|
return {--this->end(), true};
|
|
|
|
}
|
|
|
|
|
2020-06-20 11:23:44 +00:00
|
|
|
T& operator[](Key&& key)
|
2020-06-19 13:27:05 +00:00
|
|
|
{
|
2020-06-20 11:23:44 +00:00
|
|
|
return emplace(std::move(key), T{}).first->second;
|
|
|
|
}
|
|
|
|
|
|
|
|
size_type erase(const Key& key)
|
|
|
|
{
|
|
|
|
for (auto it = this->begin(); it != this->end(); ++it)
|
2020-06-19 13:27:05 +00:00
|
|
|
{
|
|
|
|
if (it->first == key)
|
|
|
|
{
|
2020-06-23 14:01:20 +00:00
|
|
|
// Since we cannot move const Keys, re-construct them in place
|
|
|
|
for (auto next = it; ++next != this->end(); ++it)
|
|
|
|
{
|
|
|
|
// *it = std::move(*next); // deleted
|
|
|
|
it->~value_type(); // Destroy but keep allocation
|
|
|
|
new (&*it) value_type{std::move(*next)};
|
|
|
|
}
|
|
|
|
Container::pop_back();
|
2020-06-20 11:23:44 +00:00
|
|
|
return 1;
|
2020-06-19 13:27:05 +00:00
|
|
|
}
|
|
|
|
}
|
2020-06-20 11:23:44 +00:00
|
|
|
return 0;
|
2020-06-19 13:27:05 +00:00
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
} // namespace nlohmann
|