Bootstrap

qt/c++遍历存储不同数据类型的结构体

在结构体成员非常多的情况下,.属性显得代码不太好看也不方便,所以尝试遍历结构体。

主要思路就是使用指针去偏移到属性上,再把属性读出来,

结果上是成功了,不过具体情况自己衡量吧;

#include <QCoreApplication>
#include <QDebug>

//使用内存对齐让结构体成员紧凑起来
#pragma pack(1)
typedef struct s1{
    short st;
    int it;
    double de;

    //偏移量数组
    const char offsetRecord[2] = {2,4};
    //类型数组
    const char typeRecord[3] = {1,2,3};
    //数量
    const char memberSum = 3;
}S1;
//还原内存对齐
#pragma pack()

int main(int argc, char *argv[])
{
    QCoreApplication a(argc, argv);

    S1 tS1;
    tS1.st = 1;
    tS1.it = 2;
    tS1.de = 3.14;

    //先获取指针
    S1* startP = &tS1;

    //转换成单字节指针方便偏移操作
    char* startCP = (char*)startP;

    for(int i = 0; i < tS1.memberSum; i++)
    {
        switch (tS1.typeRecord[i]) {
        case 1:

            //根据记录的类型转换成相应类型的指针再解出数据
            qDebug() << *((short*)startCP);
            break;
        case 2:
            qDebug() << *((int*)startCP);
            break;
        case 3:
            qDebug() << *((double*)startCP);
            break;
        }

        //根据记录的偏移量进行偏移
        startCP += tS1.offsetRecord[i];
    }

    return a.exec();
}

;