具有成员变量的const对象数组=先前索引的成员变量

时间:2017-10-03 15:34:28

标签: c++ arrays c++11 constexpr compile-time

是否可以创建一个const数组对象,其中一个成员变量是之前创建的对象中成员变量的总和?

class Data
{
public:
    constexpr Data(uint32_t offset, uint32_t length) :
        m_offset(offset), m_length(length)
    {
    }

    uint32_t m_offset; //would like this to be calculated at compile time
    uint32_t m_length;
};

const Data dataList[] =
{
    Data(0, 10),
    Data(10, 25),
    Data(35, 20)
};

offset是数组中所有先前对象长度的总和(索引2中10 + 25 = 35)。

我想避免手动计算偏移量。

我玩过std::integral_constantconstexpr的递归调用,但似乎没有什么能够与分享的工作解决方案相提并论。非常感谢任何指导!

1 个答案:

答案 0 :(得分:1)

如果您接受基于std::array<Data, ...>而不是旧C风格数组的答案,并使用C ++ 14而不是C ++ 11,那么它很容易

以下是一个完整的例子

#include <array>
#include <iostream>

struct Data
{
   constexpr Data(uint32_t offset, uint32_t length) :
      m_offset(offset), m_length(length)
    { }

    uint32_t m_offset;
    uint32_t m_length;
};

template <uint32_t ... Ls>
constexpr std::array<Data, sizeof...(Ls)> getDataList ()
 {
   uint32_t  l0 { 0U };
   uint32_t  l1 { 0U };

   return { { (l0 = l1, l1 += Ls, Data(l0, l1))... } };
 }

int main ()
 {
   constexpr auto dl = getDataList<10U, 25U, 20U>();

   for ( auto const & d : dl )
      std::cout << " - " << d.m_offset << ", " << d.m_length << std::endl;
 }

- 编辑 -

OP不能使用std::array但是C ++函数不能返回C风格的数组;一个解决方案可以模拟std::array的一个(iper-simplifiedized)版本,它将一个C风格的数组包装在一个简单的结构中

template <typename T, std::size_t N>
struct myArray
 { T arr[N]; };

现在完整的示例变为

#include <array>
#include <iostream>

template <typename T, std::size_t N>
struct myArray
 { T arr[N]; };

struct Data
{
   constexpr Data(uint32_t offset, uint32_t length) :
      m_offset(offset), m_length(length)
    { }

    uint32_t m_offset;
    uint32_t m_length;
};

template <uint32_t ... Ls>
constexpr myArray<Data, sizeof...(Ls)> getDataList ()
 {
   uint32_t  l0 { 0 };
   uint32_t  l1 { 0 };

   return { { (l0 = l1, l1 += Ls, Data(l0, l1))... } };
 }

int main ()
 {
   constexpr auto dl = getDataList<10U, 25U, 20U>();

   for ( auto ui = 0U ; ui < 3U ; ++ui )
      std::cout << " - " << dl.arr[ui].m_offset << ", "
         << dl.arr[ui].m_length << std::endl;
 }

std::array模拟可以稍微简化一点,并且包含一个static constexpr成员,其维度为

template <typename T, std::size_t N>
struct myArray
 { static constexpr std::size_t dim { N }; T arr[dim]; };

所以main()中的循环可以使用它

// ..........................vvv
for ( auto ui = 0U ; ui < dl.dim ; ++ui )