先看代码
#include <iostream>
static const int A_NUM_FOR_TEST = 2048;
void testfunc(char(&data)[A_NUM_FOR_TEST])
{
if (data==nullptr)
{
return;
}
char* ch = data;
for (int i = 0; i < A_NUM_FOR_TEST; i++)
{
std::cout << data[i] << "\t";
}
}
int main()
{
char data[A_NUM_FOR_TEST] = { 0 };
testfunc(data);
const char* data1 = "hello world";
//testfunc(data1);//报错
char data2[A_NUM_FOR_TEST-1] = { 0 };
//testfunc(data2)
return 0;
}
代码中定义函数testfunc的参数类型为char(&name)[size],其中size为常量值;
这里可以理解data形参为:某固定长char数组的引用类型。
在我们传参时,也要传对应类型的定长大小数组,否则会报类型不匹配错误。
使用
使用参数name的时候,可以像操作char指针一样操作,因为char[]本质上就是char。
1.在C++中原生数组传递的是该类型的指针,当我们传递数组的时候正常是要把数组首元素地址和数组大小,一同传递;但是如果使用定长素组引用这种传递定长数组引用的方法,就不用传递两个参数了。
2.但是除了char类型数组,其他类型的原生数组,这样写就完全没必要了,直接传递std::vector<T>&||std::array<T>引用就好了。
3.实际使用场景,可以用作网络协议字段,传递使用,一般我们定义网络协议都会定义固定大小char[32]的字节数组方便序列化和反序列化(分配在栈区)。
4.因为C语言中是没有引用的概念,所以这种写法是不兼容C代码的。
使用demo
#include <iostream>
typedef char GameName[32];
void Handler(GameName& data)
{
if (data==nullptr)
{
return;
}
std::cout << data << std::endl;
}
int main()
{
GameName name = "hello world";
Handler(name);
char name2[64] = "no happy";
//Handler(name2); //长度不匹配
return 0;
}