首先,下面是一个 C++ 2011 解决方案,它创建了一个静态检查copy()
函数:它接受char
s 和 s 的数组char
作为参数,并且需要char
添加 s 的数量来填充传递的第一个数组。当然,可以根据需要删除静态检查。原始版本有一些错别字和遗漏。
#include <algorithm>
#include <iostream>
#include <iterator>
int constexpr size(char const&) { return 1; }
template <int Size>
int constexpr size(char const(&)[Size]) { return Size; }
template <typename T0, typename... T>
int constexpr size(T0 const& arg0, T const&... args) {
return size(arg0) + size(args...);
}
char* copy_intern(char* to, char c) { *to = c; return ++to; }
template <int Size>
char* copy_intern(char* to, char const (&array)[Size]) {
return std::copy(array, array + Size, to);
}
template <typename T0, typename... T>
char* copy_intern(char* to, T0 const& arg0, T const&... args) {
return copy_intern(copy_intern(to, arg0), args...);
}
template <int Total, typename... T>
void copy(char (&to)[Total], T const&... args)
{
static_assert(Total == size(args...), "wrong argument size");
copy_intern(to, args...);
}
int main()
{
char buff0 = 'a';
char buff1 = 'b';
char buff2[2] = { 'c', 'd' };
char buff3[4] = { 'e', 'f', 'g', 'h' };
char buff4[8] = { 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p' };
char final[16];
copy(final, buff0, buff1, buff2, buff3, buff4);
*std::copy(final, final + 16,
std::ostreambuf_iterator<char>(std::cout)) = '\n';
}
请注意,前两个copy_intern()
函数也可以在 C++ 2003 中使用,以推断参数的类型和大小。也就是说,使用这些功能,可能重命名为认为合适,您可以获得至少自动获取尺寸的东西:
char* tmp = final;
tmp = copy_intern(tmp, buff0);
tmp = copy_intern(tmp, buff1);
tmp = copy_intern(tmp, buff2);
tmp = copy_intern(tmp, buff3);
tmp = copy_intern(tmp, buff4);