如何修复结构填充的 C++ gcc 编译警告

How to fix C++ gcc compile warning for padding of struct

我有以下看似无害的代码:

void myFunc(){
    struct stance {
        long double interval;
        QString name;
    };
    // [...]
}

当我在 Ubuntu 18.04 上使用标准版本的 gcc 构建它时,我收到这样的警告:

MySource.cpp:12: warning: padding size of 'stance' with 8 bytes to alignment boundary (-wpadded)

我知道出现此警告是因为编译器需要将我的结构的填充调整为我可能没有预料到的内容,并且非常友好地警告我作为用户。

但是,我正在尝试进行无警告构建,所以问题是,我如何才能以符合标准的方式在我的代码中明确表示编译器不需要发布这个警告?

明确地说,我不想在我的构建脚本中禁止显示警告,也不想使用#pragma 或类似的。我想更改此结构的代码,以便我的对齐期望是明确的并匹配编译器想要做的任何事情,因此不需要显示警告。

I want to change the code of this struct so that my alignment expectations are explicit

看起来你想要 alignof operator and use it with alignas specifier. So you need at least C++11 and you might want std::alignment_of

只需禁用警告(或者 - 好吧,不要启用它,我不知道像 -Wall-Wextra 这样的任何警告集包含它)。 -Wpadded 并不意味着始终启用,除非您希望始终手动明确指定必要的填充。

-Wpadded

Warn if padding is included in a structure, either to align an element of the structure or to align the whole structure. Sometimes when this happens it is possible to rearrange the fields of the structure to reduce the padding and so make the structure smaller.

(强调)

这是一种不可能的情况。 long double为10字节,需要16字节对齐(x86上为4Linux); QString 实际上是一个指针,所以它需要 8 字节对齐(32 位 Linux 上有 4 个字节)。您可以根据需要交换它们,但如果您想保持自然对齐(从而获得最佳性能),您将获得 6 + 8 字节的填充或 8 + 6 字节的填充。

一般来说,添加填充不是问题,一直都在发生,并且在不可避免的情况下也会出现这种情况。将它保持在最低限度的一般规则是按照对齐要求递减的顺序放置元素,但同样,它不能总是避免。

如上所述,唯一的选择(保持良好对齐)是使填充显式显示,但这没有多大意义(除非你正在设计文件格式或其他东西并且你想让所有内容都显式,但是在那种情况下,您不会使用 QString 而是打包成 1 个字节)。

struct stance {
    long double interval;
    char unused0[6];
    QString name;
    char unused1[8];
};