将 libusb 设备存储在易于访问的容器中,没有所有权
Store libusb devices in easy-access container, without ownership
我想存储 libusb_device_handle*
s 供多个客户端使用(一个句柄可以被多个客户端使用),所以我考虑将它们存储为:
libusb_open(device, &handle);
libusb_claim_interface(handle, 0);
auto sharedHandle = std::shared_ptr<libusb_device_handle>(handle, [=](libusb_device_handle* handle) {
libusb_release_interface(handle, 0);
libusb_close(handle);
});
作为参考,客户看起来像:
struct Client
{
Client(std::shared_ptr<libusb_device_handle> handle_, uint8_t endpoint_) : handle(handle_), endpoint(endpoint_) {}
std::shared_ptr<libusb_device_handle> handle;
uint8_t endpoint;
};
当具有相同 handle
的所有客户端都被销毁时 handle
也会释放接口并自行关闭,这很棒。
事实是,当创建新客户端时,它可能会询问已经打开的 std::shared_ptr<libusb_device_handle>
(我使用 "Product String" 作为唯一描述符)。我不确定如何存储这些。如果我将使用到 weak_ptr
的映射,我将无法创建已创建的 shared_ptr
的副本。如果我使用 shared_ptr
的地图,设备将永远不会被删除,因为该地图将始终包含一个参考。
就内存管理和容器而言,这里的最佳方法是什么?
您可以使用 std::weak_ptr
的地图。 weak_ptr
提供了一种方法 lock()
从 weak_ptr
创建一个 shared_ptr
只要共享对象仍然存在。
您的地图可能是这样的:
#include <map>
#include <memory>
using libusb_device_handle = ...;
using map_type = std::map<uint8_t, std::weak_ptr<libusb_device_handle>>;
map_type map;
Client get_client(uint8_t endpoint)
{
auto it = map.find(endpoint);
if (it != map.end()) {
return Client(it->second.lock(), endpoint);
}
return Client(std::shared_ptr<libusb_device_handle>(), endpoint);
}
请注意,如果 shared_ptr
包含有效的 libusb_device_handle。
,则您必须检查它的计算结果是否为真
我想存储 libusb_device_handle*
s 供多个客户端使用(一个句柄可以被多个客户端使用),所以我考虑将它们存储为:
libusb_open(device, &handle);
libusb_claim_interface(handle, 0);
auto sharedHandle = std::shared_ptr<libusb_device_handle>(handle, [=](libusb_device_handle* handle) {
libusb_release_interface(handle, 0);
libusb_close(handle);
});
作为参考,客户看起来像:
struct Client
{
Client(std::shared_ptr<libusb_device_handle> handle_, uint8_t endpoint_) : handle(handle_), endpoint(endpoint_) {}
std::shared_ptr<libusb_device_handle> handle;
uint8_t endpoint;
};
当具有相同 handle
的所有客户端都被销毁时 handle
也会释放接口并自行关闭,这很棒。
事实是,当创建新客户端时,它可能会询问已经打开的 std::shared_ptr<libusb_device_handle>
(我使用 "Product String" 作为唯一描述符)。我不确定如何存储这些。如果我将使用到 weak_ptr
的映射,我将无法创建已创建的 shared_ptr
的副本。如果我使用 shared_ptr
的地图,设备将永远不会被删除,因为该地图将始终包含一个参考。
就内存管理和容器而言,这里的最佳方法是什么?
您可以使用 std::weak_ptr
的地图。 weak_ptr
提供了一种方法 lock()
从 weak_ptr
创建一个 shared_ptr
只要共享对象仍然存在。
您的地图可能是这样的:
#include <map>
#include <memory>
using libusb_device_handle = ...;
using map_type = std::map<uint8_t, std::weak_ptr<libusb_device_handle>>;
map_type map;
Client get_client(uint8_t endpoint)
{
auto it = map.find(endpoint);
if (it != map.end()) {
return Client(it->second.lock(), endpoint);
}
return Client(std::shared_ptr<libusb_device_handle>(), endpoint);
}
请注意,如果 shared_ptr
包含有效的 libusb_device_handle。