#include <iostream>
#include <vector>
#include <string>
#include <any>
#include <map>
#include <functional>
#include <exception>
using namespace std;
using MapAny = std::map<string, any>;
int square(int x) {
return x*x;
}
vector<int> parse(map<string, vector<MapAny>> mapping)
{
vector<MapAny> func_square = mapping["square"];
vector<int> res;
for (const auto &mapany : func_square) {
try {
int x = any_cast<int>(mapany.at("x"));
res.push_back(square(x));
}
catch (exception e) {
vector<int> xs = any_cast<vector<int>>(mapany.at("x"));
for (int x : xs) res.push_back(square(x));
}
}
return res;
}
int main()
{
map<string, vector<MapAny>> function_map_value, function_map_array;
function_map_value = {
{"square", { {{"x", 5}}, {{"x", 10}} }}
};
vector<MapAny> vec;
vec.push_back({{"x", vector<int>({5, 10}) }});
function_map_array = {
{"square", vec}
};
vector<int> res1 = parse(function_map_value);
vector<int> res2 = parse(function_map_array);
for (int i=0; i<res1.size(); i++) cout << res1[i] << " "; cout << "\n";
for (int i=0; i<res2.size(); i++) cout << res2[i] << " "; cout << "\n";
return 0;
}
我正在尝试制作一个可以接受任何类型的函数解析器,例如标量和向量值,就像 Python 中的 dict() 一样。
但是,我不确定如何检查
std::any
对象是否具有类型 std::vector
。在上面的代码中,如果 any_cast
失败,它将抛出异常,我知道这是一个 std::vector
。它很丑陋,并且依赖于抛出异常作为预期行为。
如何将上面的代码更改为:
if (is_vector(mapany.at("x")) {
// deal with vector
}
else {
// deal with scalar
}
因为我无法发表评论:
为什么你不使用以下方法来比较类型:
if (mapany.at("x").type() == typeid(std::vector<int>))
{
}