经过漫长的一天在网上寻找解决问题的实用解决方案失败后,我决定在这里发布我的问题,澄清我的目标,我提供了这个简单的代码:
template<typename... types>
std::vector<SIZE_T> GetTypesSize()
{
std::vector<SIZE_T> typesSizeContainer;
typesSizeContainer.reserve(sizeof... (types));
/*
* What I want here is a mechanism to loop throw
* each element of the parameter pack to get its size
* then push it into typesSizeContainer.
* Something similar to :
* For(auto& element : types...) {
* typesSizeContainer.push(sizeof(element));
* }
*
*/
return std::move(typesSizeContainer);
}
当我在此代码中调用此函数模板时:
// platform x86
std::vector<SIZE_T> tempVactor;
tempVactor = GetTypesSize<char, short, int>();
tempVactor
的元素应为{ 1, 2, 4 }
。
任何建议或解决方案都是相当可观的。
答案 0 :(得分:5)
您可以使用解压缩的尺寸初始化矢量:
template<typename... types>
std::vector<size_t> GetTypesSize()
{
return { sizeof(types)... };
}
答案 1 :(得分:4)
我建议使用std::array
:
template<typename... Types>
constexpr auto GetTypesSize() {
return std::array<std::size_t, sizeof...(Types)>{sizeof(Types)...};
}
答案 2 :(得分:1)
还有另一种可能的解决方案,说明如何使用 SFINAE 来解决问题:
template<size_t N>
typename std::enable_if<N == 0>::type get(std::vector<std::size_t>& sizes) {}
template<size_t N, typename T, typename... Args>
typename std::enable_if<N != 0>::type get(std::vector<std::size_t>& sizes) {
sizes.push_back(sizeof(T));
get<N - 1, Args...>(sizes);
}
template<typename... Args>
const std::vector<std::size_t> get() {
std::vector<std::size_t> sizes;
get<sizeof...(Args), Args...>(sizes);
return sizes;
}