C ++:无法使用scoped_allocator_adaptor传播polymorphic_allocator

问题描述 投票:3回答:1

我有一个vector<vector<int>>,并希望从memory_resource中获取整个记忆(即外部和内部矢量)。这是一个简单的例子,首先是无聊的部分:

#include <boost/container/pmr/memory_resource.hpp>
#include <boost/container/scoped_allocator.hpp>
#include <boost/container/pmr/polymorphic_allocator.hpp>
#include <iostream>
#include <string>
#include <vector>

// Sample memory resource that prints debug information
class MemoryResource : public boost::container::pmr::memory_resource {
  void* do_allocate(std::size_t bytes, std::size_t alignment) {
    std::cout << "Allocate " << bytes << " bytes" << std::endl;
    return malloc(bytes);
  }
  void do_deallocate(void* p, std::size_t bytes, std::size_t alignment) { free(p); }
  bool do_is_equal(const memory_resource& other) const noexcept { return true; }
};

这是我感兴趣的部分:

template <typename T>
using Alloc = boost::container::pmr::polymorphic_allocator<T>;
// using Alloc = std::allocator<T>;

template <typename T>
using PmrVector = std::vector<T, boost::container::scoped_allocator_adaptor<Alloc<T>>>;

using Inner = PmrVector<int>;

int main() {
  MemoryResource resource{};

  PmrVector<Inner> v(1000, Alloc<Inner>{&resource});
  // PmrVector<Inner> v(1337, Alloc<Inner>{});
  v[0].resize(100);
}

这给了我一个lengthy compiler warning,基本上说它找不到内部向量的构造函数。

如果我使用常规分配器而不是多态分配器(例如,std :: allocator - 参见注释掉的行),一切似乎都有效。

gcc错误消息比clang好一点:

/usr/local/include/boost/container/allocator_traits.hpp:415:10:
error: no matching function for call to '
  std::vector<int, polymorphic_allocator<int> >::vector(
    scoped_allocator_adaptor<...>&, polymorphic_allocator<...>&
  )
'

为什么boost会通过两次传递分配器来尝试构造一个向量?

此外,here是一个使用STL(实验)而不是提升的版本。那个给出了一个实际的错误信息“如果uses_allocator为true,则必须可以使用分配器进行构造”,但这对我也没有帮助。

也许我理解一些概念错误的东西。这是做到这一点的方式还是有更好的方法来解决原始问题?

c++ boost c++17 allocator
1个回答
2
投票

哎呀。解释隐藏在std::experimental::pmr::polymorphic_allocator::construct

此函数由任何分配器感知对象(例如std :: vector)调用(通过std :: allocator_traits),该对象被赋予std :: polymorphic_allocator作为要使用的分配器。由于memory_resource *隐式转换为polymorphic_allocator,因此内存资源指针将使用多态分配器传播到任何可识别分配器的子对象。

事实证明,多态分配器会自动传播。这也解释了为什么在gcc错误消息中传递了两次分配器。

这是一个工作版本:

template <typename T>
using Alloc = std::experimental::pmr::polymorphic_allocator<T>;

template <typename T>
using PmrVector = std::vector<T, Alloc<T>>;

using Inner = PmrVector<int>;

int main() {
  MemoryResource resource{};

  PmrVector<Inner> v(1000, Alloc<Inner>{&resource});
  v[0].resize(100);
}

以下是几个小时前我需要的信息:

我如何一起使用polymorphic_allocator和scoped_allocator_adaptor?

你没有。确保所有内部容器也使用多态分配器,然后内存资源将自动传递。

© www.soinside.com 2019 - 2024. All rights reserved.