我正在实现std::map
的模拟,称为expiring_map
,它基于boost::multi_index::multi_index_container
。想法很简单:当有新的插入到expiring_map
时,将检查过期的元件,并且如果它们存在,则移除。
我想有一些类似的接口的std::map
:
template <class Clock, class Key, class T, class Compare = std::less<Key>>
class expiring_map
{
explicit expiring_map(clock_type cl, duration expiry_duration);
void insert_or_assign(value_type v);
iterator begin();
iterator end();
const_iterator begin() const;
const_iterator end() const;
// size(), clear() and lookup-methods are omitted for simplicity
};
我也希望下一个代码是有效的
auto clock = std::make_shared<std::chrono::steady_clock>();
expiring_map<decltype(clock), int, std::string> m{ clock, std::chrono::seconds{ 1 } };
m.insert_or_assign({ 1, "value" });
const auto b = m.begin();
auto v = std::move(b->second);
EXPECT_EQ(v, "value");
EXPECT_TRUE(b->second.empty());
由于boost::multi_index::multi_index_container
索引的所有元素都被认为是不可变的,所以我达到所需结果的唯一方法(根据this答案)是指定expiring_map
下一个结构体的value_type
struct value_type {
const Key first;
mutable T second;
};
因为using value_type = std::pair<const Key, mutable T>
不是有效的c表达式,因为关键字mutable
是关于存储时间而不是关于类型的。从https://en.cppreference.com/w/cpp/language/cv
C 语法将mutable视为存储类说明符,而不是类型限定符,但它不影响存储类或链接。
提问
这个解决方案的问题是我的begin()
和end()
的const
重载不是真正的const,下一个代码正在编译:
using subject_type = ::expiring_map<std::shared_ptr<std::chrono::steady_clock>, int, std::string>;
void foo(const subject_type& s) {
s.begin()->second = "new";
}
如何更改begin()
和end()
的const重载实现,以实现编译错误,但保留这些方法(仍然能够使用基于范围的迭代-使用const expiring_map&
)?
链接到godbolt与当前实现和测试
我尝试了什么
我试过使用不同的提取器
struct extract_value_type_as_const_ref {
[[nodiscard]] std::pair<const Key&, const T&> operator()(const node_type& n) const { return { n.second.first, n.second.second }; }
};
using const_iterator = decltype(boost::make_transform_iterator<extract_value_type_as_const_ref>(std::declval<underlying_type>().template get<by_value_type>().cbegin()));
但是::testing::ElementsAre
要求*(map.begin())
的结果可以转换为value_type
,但是我真的不想为我的value_type
复制std::pair
的所有构造函数
1条答案
按热度按时间hzbexzde1#
value_type
中的second
成员不应是mutable
。这是修复:进行此更改将使您在编译器资源管理器上的Assert通过。
也许你对Map的
value_type
有误解。std::map<Key, Value>
将存储value_type = std::pair<const Key, Value>
。Key
必须是const
。否则,我们将能够在不改变Map中对的位置的情况下改变密钥,这会破坏数据结构。Value
是不是mutable
。const std::map
将暴露const value_type&
,存储在该对中的Value
也是const
。1)此外,
std::pair<const Key, mutable T>
不会编译是有道理的。mutable
是数据成员的属性(如private
或static
),它不是a类型的一部分。一般来说,
mutable
只用于在任何情况下都是可变的数据成员,即使是在const
对象内部。例如,std::mutex
成员通常是可变的,因为const std::mutex
是不可用的,您需要能够使用它。1)里面存储的
Value
可能不是const
对象,而是一个可变对象。* 从技术上讲 *,您仍然可以通过const_cast
对其进行变异。然而,这是不能依赖的。