有没有一种方法可以根据c ++中的at模板参数来更改结构中使用的类型?

时间:2020-06-06 01:54:58

标签: c++ struct

我想要的是一种根据模板参数为结构具有不同数据结构的方法

template<uint32_t width, uint32_t height>
struct S
{
    templateif (width * height) > 32:
        uint64_t val;
    templateelse:
        uint32_t val;
    templatend;
}

类似您在上面看到的内容。有什么方法可以根据模板参数更改数据类型?

我认为类似的方法可能有用:

struct S
{
    static const bool bit64 = (width * height) > 32;
    template <typename T>
    struct Arr
    {
        T val;
    }
    using DataType = Arr<bit64 ? uint64_t : uint32_t>;
    Arr data;
}

但是没有。

2 个答案:

答案 0 :(得分:3)

您可以尝试std::conditional

template<std::uint32_t width, std::uint32_t height>
struct S
{
    using type = typename std::conditional<(width * height > 32), 
        std::uint64_t, std::uint32_t>::type;

    type val;
}

答案 1 :(得分:0)

#include <iostream>

// Define your conditions
template <int Fst, int Snd, typename = void>
struct is_bigger_than : std::false_type {};

template <int Fst, int Snd>
struct is_bigger_than <Fst, Snd, typename std::enable_if_t<(Fst > Snd), void>> : std::true_type {};

// Define short access ways to your conditions    
template <int Fst, int Snd>
constexpr bool is_bigger_than_v = is_bigger_than<Fst, Snd>::value;

// Define your base class
template <uint32_t width, uint32_t height, bool = is_bigger_than_v<width * height, 32>>
struct S {
    std::uint32_t val;

    S() {
        std::cout << "Smaller" << std::endl;
    }
};

// Partial specialized template class
template<uint32_t width, uint32_t height>
struct S<width, height, true> {
    uint64_t val;

    S() {
        std::cout << "Bigger" << std::endl;
    }
};

// Some tests
int main() {
    S<2,16> s1;
    S<2,17> s2;

    return EXIT_SUCCESS;
}

如果您有多个情况,则可以使用除true / false之外的更多变体。

编辑

我在新的GitHub存储库中对条件is_bigger_than进行了一些概括。现在,它可以让您以相同的方式执行更多条件(包括使用general_compare_v的自定义条件)

template<int Fst, int Snd, typename Op, typename = void>
struct general_compare : std::false_type {};

template<int Fst, int Snd, typename Op>
struct general_compare<Fst, Snd, Op, typename std::enable_if_t<(Op()(Fst, Snd)), void>> : std::true_type {};

template<int Fst, int Snd, typename Op>
constexpr bool general_compare_v = general_compare<Fst, Snd, Op>::value;

// is_bigger_than

template<int Fst, int Snd>
constexpr bool is_bigger_than_v = general_compare_v<Fst, Snd, std::greater<>>;

template<int Fst, int Snd>
constexpr bool is_bigger_equal_v = general_compare_v<Fst, Snd, std::greater_equal<>>;

template<int Fst, int Snd>
constexpr bool is_lower_than_v = general_compare_v<Fst, Snd, std::less<>>;

// ... And some more ...

// Now you can define your classes in the same way I showed before:

// Define your base class
template <uint32_t width, uint32_t height, bool = is_bigger_than_v<width * height, 32>>
struct S {
    std::uint32_t val;
    // ...
};

// Partial specialized template class
template<uint32_t width, uint32_t height>
struct S<width, height, true> {
    uint64_t val;
    // ...
};

A link to the repository