我使用三维std::array
,因为在编译时已知大小。但是,我注意到size()函数不是静态的,因此对于constexpr / template函数是不可访问的。
我已经找到了下面的演示示例,它估算了一维std::array
的大小。但是,这不适用于两个或更多维度。有没有办法通过为dim
维度编写带有附加模板参数x, y, z, ..
的函数来返回其他维度?
// Example program
#include <iostream>
#include <string>
#include <array>
// typedefs for certain container classes
template<class T, size_t x>
using array1D = std::array<T, x>;
template<class T, size_t x, size_t y>
using array2D = std::array<std::array<T, y>, x>;
template<class T, size_t x, size_t y, size_t z>
using array3D = std::array<std::array<std::array<T, z>, y>, x>;
template<class T, std::size_t N>
auto array_size_helper(const array1D<T, N>&) -> std::integral_constant<std::size_t, N>;
template<class Array>
using array_size = decltype(array_size_helper(std::declval<const Array&>()));
template<class Array>
constexpr auto static_size() -> decltype(array_size<Array>::value) {
return array_size<Array>::value;
}
template<class Array>
constexpr auto static_size(Array const&) -> decltype(static_size<Array>()) {
return static_size<Array>();
}
int main()
{
std::cout << static_size<array3D<float, 3, 4, 5>>();
}
答案 0 :(得分:3)
对于一维案例,您可以使用std::tuple_size
定义的std::array
:
int main()
{
std::cout << std::tuple_size<array3D<float, 3, 4, 5>>();
}
关于你的实际问题。如果我理解你,你想在你的尺寸函数上有一个额外的参数,你可以用它来选择应该返回尺寸的尺寸,对吗?
这可以通过使用递归轻松完成。这是一个有效的例子:
// Example program
#include <iostream>
#include <string>
#include <array>
// typedefs for certain container classes
template<class T, size_t x>
using array1D = std::array<T, x>;
template<class T, size_t x, size_t y>
using array2D = std::array<std::array<T, y>, x>;
template<class T, size_t x, size_t y, size_t z>
using array3D = std::array<std::array<std::array<T, z>, y>, x>;
template <size_t dim, typename Array>
struct size_of_dim;
// specialization for std array and first dimension
template <typename T, size_t N>
struct size_of_dim<0, std::array<T,N>> : std::integral_constant<size_t, N> {};
// specialization for std array and dimension > 0 → recurse down in dim
template <size_t dim, typename InnerArray, size_t N>
struct size_of_dim<dim, std::array<InnerArray,N>> : size_of_dim<dim-1,InnerArray> {};
int main()
{
std::cout << size_of_dim<0,array3D<float, 3, 4, 5>>() << std::endl;
std::cout << size_of_dim<1,array3D<float, 3, 4, 5>>() << std::endl;
std::cout << size_of_dim<2,array3D<float, 3, 4, 5>>() << std::endl;
}