According to this answer, since C++17, even if a pointer has the right address and the right type dereferencing it can cause undefined behaviour.
alignas(int) unsigned char buffer[2*sizeof(int)];
auto p1=new(buffer) int{};
auto p2=new(p1+1) int{};
*(p1+1)=10; // UB since c++17
The reason is that the pointer value of p1+1
is a pointer past-the-end of an object. Can this example be brought back to defined behavior using std::launder
:
*std::launder(p1+1)=10; // still UB?
Secondly, would it also be useful in this following case?
alignas(int) unsigned char buffer[3*sizeof(int)];
auto pi = new (buffer) int{};
auto pc = reinterpret_cast<unsigned char*>(pi);//not a "pointer to" an element of buffer
//since buffer[0] and *pc
//are not pointer interconvertible
//pc+2*sizeof(int) would be UB
auto pc_valid = std::launder(pc) //pc_valid is a pointer to an element of buffer
auto pc_valid2 = pc_valid+2*sizeof(int); //not UB thanks to std::launder
auto pi2 = new (pc_valid2) int{};