我编写的代码在 GCC 4.9、GCC 5 和 GCC 6 中没有警告。在一些较旧的 GCC 7 实验快照(例如 7-20170409)中也没有警告。但在最近的快照中(包括第一个 RC),它开始产生关于混叠的警告。代码基本上归结为:
#include <type_traits>
std::aligned_storage<sizeof(int), alignof(int)>::type storage;
int main()
{
*reinterpret_cast<int*>(&storage) = 42;
}
使用最新的 GCC 7 RC 编译:
$ g++ -Wall -O2 -c main.cpp
main.cpp: In function 'int main()':
main.cpp:7:34: warning: dereferencing type-punned pointer will break strict-aliasing rules [-Wstrict-aliasing]
*reinterpret_cast<int*>(&storage) = 42;
(有趣的观察是禁用优化时不会产生警告)
使用 GCC 6 编译完全没有警告。
现在我想知道,上面的代码肯定有类型双关语,对此毫无疑问,但不std::aligned_storage
应该这样使用吗?
例如,此处给出的示例代码通常不会对 GCC 7 产生警告,但这仅仅是因为:
std::string
不知何故不受影响,std::aligned_storage
使用偏移量访问。
通过更改std::string
为int
,删除偏移访问std::aligned_storage
和删除不相关的部分,你会得到:
#include <iostream>
#include <type_traits>
#include <string>
template<class T, std::size_t N>
class static_vector
{
// properly aligned uninitialized storage for N T's
typename std::aligned_storage<sizeof(T), alignof(T)>::type data[N];
std::size_t m_size = 0;
public:
// Access an object in aligned storage
const T& operator[](std::size_t pos) const
{
return *reinterpret_cast<const T*>(data/*+pos*/); // <- note here, offset access disabled
}
};
int main()
{
static_vector<int, 10> v1;
std::cout << v1[0] << '\n' << v1[1] << '\n';
}
这会产生完全相同的警告:
main.cpp: In instantiation of 'const T& static_vector<T, N>::operator[](std::size_t) const [with T = int; unsigned int N = 10; std::size_t = unsigned int]':
main.cpp:24:22: required from here
main.cpp:17:16: warning: dereferencing type-punned pointer will break strict-aliasing rules [-Wstrict-aliasing]
return *reinterpret_cast<const T*>(data/*+pos*/);
^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
所以我的问题是 - 这是一个错误还是一个功能?