在 C++ 中,如何制作一个可以包含相同变体向量的变体?

In C++, how to make a variant that can contain a vector of of same variant?

我试图制作一个 std::variant 可以包含相同变体的矢量:

class ScriptParameter;
using ScriptParameter = std::variant<bool, int, double, std::string, std::vector<ScriptParameter> >;

我正在重新定义 ScriptParameter。它认为可能是因为模板参数不能向前声明?

有没有一种方法可以实现包含相同类型变体数组的变体?

因为前向声明说 ScriptParameter 是一个 class,你不能使用 using 别名。然而,这里并没有本质上的错误,因为 vector 只是一个指针,没有真正的循环依赖。

您可以使用继承:

class ScriptParameter;
class ScriptParameter
    : public std::variant<bool, int, double, std::string, std::vector<ScriptParameter> >
{
public:
    using base = std::variant<bool, int, double, std::string, std::vector<ScriptParameter> >;
    using base::base;
    using base::operator=;
};

int main() {    
    ScriptParameter sp{"hello"};
    sp = 1.0;
    std::vector<ScriptParameter> vec;
    sp = vec;    
    std::cout << sp.index() << "\n";  
}

我不确定递归定义在这种情况下是否有意义。它允许在单个 ScriptParameter 中任意嵌套多个向量。 (本质上,我们是说脚本参数要么是单个值,要么是整个 值。)将定义一分为二可能效果更好:

// Represents the value of a single parameter passed to a script
using ScriptParameter = std::variant<bool, int, double, std::string>;

// Represents a collection of one or many script parameters
using ScriptParameterSet = std::variant<ScriptParameter, std::vector<ScriptParameter>>;

或者,如果这里的目标是将参数定义为一组选择之一加上这些相同选择的向量,您可以尝试一点模板魔术:

template <class T, class U> struct variant_concat;

template <class... T, class U> struct variant_concat<std::variant<T...>, U>
{
  using type = std::variant<T..., U>;
};

template <class T, class U> using variant_concat_t = typename variant_concat<T, U>::type;

using PrimitiveScriptParameter = std::variant<bool, int, double, std::string>;

using ScriptParameter = variant_concat_t<
  PrimitiveScriptParameter,
  std::vector<PrimitiveScriptParameter>>;

这应该可以解决以下 Lightness 的可用性问题。

使用类型级别fixed-point operator

#include <vector>
#include <variant>
#include <string>

// non-recursive definition 
template<class T>
using Var = std::variant<int, bool, double, std::string, std::vector<T>>;

// tie the knot
template <template<class> class K>
struct Fix : K<Fix<K>>
{
   using K<Fix>::K;
};

using ScriptParameter = Fix<Var>;

// usage example    
int main()
{
    using V = std::vector<ScriptParameter>;
    ScriptParameter k {V{1, false, "abc", V{2, V{"x", "y"}, 3.0}}};
}