如何在编译时捕获 std::variant 持有错误的类型?
How to catch std::variant holding wrong type in compile-time?
我有以下代码:
#include <iostream>
#include <string>
#include <map>
#include <variant>
using namespace std;
template <class... Ts>
struct overloaded : Ts...
{
using Ts::operator()...;
};
template <class... Ts>
overloaded(Ts...)->overloaded<Ts...>;
using element_dict = std::map<string, string>;
using element_type = std::variant<string, element_dict, int>;
void foo(element_type elements)
{
std::visit(overloaded{
[](string element) { cout << "string\n"; },
[](element_dict element) { cout << "dict\n";},
[](auto /*elements*/) { throw std::runtime_error("wrong type"); }
}, elements);
}
int main()
{
element_type str_elems = "string_elem";
foo(str_elems);
element_type dict_elems = element_dict{ {"string", "string"} };
foo(dict_elems);
element_type wrong_type_elems = 5;
foo(wrong_type_elems); // throws error
return 0;
}
标准输出:
string
dict
libc++abi.dylib: terminating with uncaught exception of type std::runtime_error: wrong type
我有 element_type
包含几种类型。基本上我认为它包含 string
和 element_dict
。我遇到这样的情况,有人将 int
类型添加到 element_type
,但忘记提供对 foo
函数的必要修复。现在我在 运行 时间抛出异常时检测到这种情况。有什么方法可以在编译时检测到它吗?
让这种情况在编译时失败的最简单方法就是不包含捕获非 string
和非 element_dict
类型项目的重载 lambda;即移除
[](auto /*elements*/) { throw std::runtime_error("wrong type"); }
那么它会在编译时失败。基本上,通过包含该案例,您是在明确告诉编译器您希望它成功编译此类案例;您正在选择加入您不想要的行为。
我有以下代码:
#include <iostream>
#include <string>
#include <map>
#include <variant>
using namespace std;
template <class... Ts>
struct overloaded : Ts...
{
using Ts::operator()...;
};
template <class... Ts>
overloaded(Ts...)->overloaded<Ts...>;
using element_dict = std::map<string, string>;
using element_type = std::variant<string, element_dict, int>;
void foo(element_type elements)
{
std::visit(overloaded{
[](string element) { cout << "string\n"; },
[](element_dict element) { cout << "dict\n";},
[](auto /*elements*/) { throw std::runtime_error("wrong type"); }
}, elements);
}
int main()
{
element_type str_elems = "string_elem";
foo(str_elems);
element_type dict_elems = element_dict{ {"string", "string"} };
foo(dict_elems);
element_type wrong_type_elems = 5;
foo(wrong_type_elems); // throws error
return 0;
}
标准输出:
string
dict
libc++abi.dylib: terminating with uncaught exception of type std::runtime_error: wrong type
我有 element_type
包含几种类型。基本上我认为它包含 string
和 element_dict
。我遇到这样的情况,有人将 int
类型添加到 element_type
,但忘记提供对 foo
函数的必要修复。现在我在 运行 时间抛出异常时检测到这种情况。有什么方法可以在编译时检测到它吗?
让这种情况在编译时失败的最简单方法就是不包含捕获非 string
和非 element_dict
类型项目的重载 lambda;即移除
[](auto /*elements*/) { throw std::runtime_error("wrong type"); }
那么它会在编译时失败。基本上,通过包含该案例,您是在明确告诉编译器您希望它成功编译此类案例;您正在选择加入您不想要的行为。