在编译时通过算法初始化std :: array

时间:2019-05-30 18:06:40

标签: c++ initialization c++17 compile-time stdarray

考虑:

static constexpr unsigned num_points{ 7810 };
std::array< double, num_points > axis;

for (int i = 0; i < num_points; ++i)
{
    axis[i] = 180 + 0.1 * i;
}

axis是类范围的常量。我想避免像其他任何全局变量一样初始化它。可以在编译时完成吗?


这是最后的全部课程:

// https://www.nist.gov/pml/atomic-spectroscopy-compendium-basic-ideas-notation-data-and-formulas/atomic-spectroscopy
// https://www.nist.gov/pml/atomic-spectra-database
struct Spectrum
{
    static constexpr unsigned _num_points{ 7810 };
    using Axis = std::array< double, _num_points >;

    static constexpr Axis _x{ [] ()            // wavelength, nm
        {
            Axis a {};
            for( unsigned i = 0; i < _num_points; ++i )
            {
                a[ i ] = 180 + 0.1 * i;
            }
            return a;
        } () };
    Axis _y {};                                // radiance, W·sr−1·m−2
};

代码和变量的混合很难看,但是至少公式在读者眼前。任何其他解决方案都涉及大量键入操作,以便获得类中定义的常量和类型。

或者,如果我改变了壁炉,我可以在运行时简单地返回lambda。

3 个答案:

答案 0 :(得分:28)

这是完整的可编译代码:

#include <array>

template<int num_points>
static constexpr std::array<double, num_points> init_axis() {
    std::array<double, num_points> a{};
    for(int i = 0; i < num_points; ++i) 
    {
        a[i] = 180 + 0.1 * i;
    }
    return a;
};

struct Z {
    static constexpr int num_points = 10;
    static constexpr auto axis = init_axis<num_points>();
};

答案 1 :(得分:26)

出于完整性考虑,这是一个不需要定义函数而是使用lambda的版本。 C ++ 17引入了在常量表达式中使用lambda的功能,因此您可以声明数组constexpr并使用lambda对其进行初始化:

static constexpr auto axis = [] {
    std::array<double, num_points> a{};
    for (int i = 0; i < num_points; ++i) {
        a[i] = 180 + 0.1 * i;
    }
    return a;
}();

(请注意最后一行中的(),它会立即调用lambda。)

如果您不喜欢auto声明中的axis,因为它使读取实际类型更加困难,但又不想在lambda中重复该类型,则可以而是:

static constexpr std::array<double, num_points> axis = [] {
    auto a = decltype(axis){};
    for (int i = 0; i < num_points; ++i) {
        a[i] = 180 + 0.1 * i;
    }
    return a;
}();

答案 2 :(得分:9)

还有std::index_sequence技巧(Wandbox example):

template <unsigned... i>
static constexpr auto init_axis(std::integer_sequence<unsigned, i...>) {
   return std::array{(180 + 0.1 * i)...};
};

static constexpr auto axis = init_axis(std::make_integer_sequence<unsigned, num_points>{});