背景
我正在编写一个使用 USB 设备的应用程序。这包括我的应用程序可以使用的 USB 设备的设备发现,基于 USB 供应商 ID 和产品 ID。然而,这些设备有时有多个可能工作的驱动程序,即应用程序实现,具体取决于平台和月相(客户遗留的东西)。所以我想使用运行时多态性,并使用std::shared_ptr
一系列不错的接口和东西。
问题
根据运行时给定的键,我无法弄清楚如何处理make_shared
某种类型的对象。至少在不丑陋的意义上不是。
到目前为止的解决方案
我正在考虑以某种方式将类型值存储到映射known_drivers
中(在此示例中为多映射,但差别不大),以便最终根据数字值构造不同的类类型并将其填充到shared_ptr
.
示例代码
#include <iostream>
#include <algorithm>
#include <iterator>
#include <map>
#include <memory>
#include <stdexcept>
using vendor_product_usb_id_t = std::pair<uint16_t, uint16_t>;
struct usb_device {
static std::shared_ptr<usb_device> open(vendor_product_usb_id_t);
virtual void do_stuff() = 0;
};
struct usb_device_using_driver_a : usb_device {
usb_device_using_driver_a() {throw std::runtime_error("Not supported on this platform");}
protected:
void do_stuff() override {}
};
struct usb_device_using_driver_b : usb_device {
protected:
void do_stuff() override {std::cout << "Stuff B\n";}
};
const std::multimap<vendor_product_usb_id_t, ??> known_drivers = {{{0x42,0x1337}, driver_a}, {{0x42,0x1337}, driver_b}};
std::shared_ptr<usb_device> usb_device::open(vendor_product_usb_id_t id) {
std::shared_ptr<usb_device> value;
for (auto [begin,end] = known_drivers.equal_range(id); begin != end; ++begin) {
try {
value = std::make_shared<*begin>();
} catch (std::exception& e) {
continue;
}
}
return value;
}
int main() {
auto device = usb_device::open(std::make_pair(0x42,0x1337));
if (device) {
device->do_stuff();
}
}