c++ 类似于`std::pair`和可变成员?

szqfcxe2  于 2023-06-25  发布在  其他
关注(0)|答案(1)|浏览(231)

我正在实现std::map的模拟,称为expiring_map,它基于boost::multi_index::multi_index_container。想法很简单:当有新的插入到expiring_map时,将检查过期的元件,并且如果它们存在,则移除。
我想有一些类似的接口的std::map

  1. template <class Clock, class Key, class T, class Compare = std::less<Key>>
  2. class expiring_map
  3. {
  4. explicit expiring_map(clock_type cl, duration expiry_duration);
  5. void insert_or_assign(value_type v);
  6. iterator begin();
  7. iterator end();
  8. const_iterator begin() const;
  9. const_iterator end() const;
  10. // size(), clear() and lookup-methods are omitted for simplicity
  11. };

我也希望下一个代码是有效的

  1. auto clock = std::make_shared<std::chrono::steady_clock>();
  2. expiring_map<decltype(clock), int, std::string> m{ clock, std::chrono::seconds{ 1 } };
  3. m.insert_or_assign({ 1, "value" });
  4. const auto b = m.begin();
  5. auto v = std::move(b->second);
  6. EXPECT_EQ(v, "value");
  7. EXPECT_TRUE(b->second.empty());

由于boost::multi_index::multi_index_container索引的所有元素都被认为是不可变的,所以我达到所需结果的唯一方法(根据this答案)是指定expiring_map下一个结构体的value_type

  1. struct value_type {
  2. const Key first;
  3. mutable T second;
  4. };

因为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,下一个代码正在编译:

  1. using subject_type = ::expiring_map<std::shared_ptr<std::chrono::steady_clock>, int, std::string>;
  2. void foo(const subject_type& s) {
  3. s.begin()->second = "new";
  4. }

如何更改begin()end()的const重载实现,以实现编译错误,但保留这些方法(仍然能够使用基于范围的迭代-使用const expiring_map&)?
链接到godbolt与当前实现和测试

我尝试了什么

我试过使用不同的提取器

  1. struct extract_value_type_as_const_ref {
  2. [[nodiscard]] std::pair<const Key&, const T&> operator()(const node_type& n) const { return { n.second.first, n.second.second }; }
  3. };
  4. 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的所有构造函数

hzbexzde

hzbexzde1#

value_type中的second成员不应是mutable。这是修复:

  1. struct value_type {
  2. const Key first;
  3. T second;
  4. };

进行此更改将使您在编译器资源管理器上的Assert通过。
也许你对Map的value_type有误解。std::map<Key, Value>将存储value_type = std::pair<const Key, Value>

  • Key必须是const。否则,我们将能够在不改变Map中对的位置的情况下改变密钥,这会破坏数据结构。
  • Value不是mutableconst std::map将暴露const value_type&,存储在该对中的Value也是const。1)

此外,std::pair<const Key, mutable T>不会编译是有道理的。mutable是数据成员的属性(如privatestatic),它不是a类型的一部分。
一般来说,mutable只用于在任何情况下都是可变的数据成员,即使是在const对象内部。例如,std::mutex成员通常是可变的,因为const std::mutex是不可用的,您需要能够使用它。
1)里面存储的Value可能不是const对象,而是一个可变对象。* 从技术上讲 *,您仍然可以通过const_cast对其进行变异。然而,这是不能依赖的。

展开查看全部

相关问题