I have the following code
#include <iostream>
void foo(const int* const &i_p) {
std::cout << &i_p << std::endl;
}
int main () {
int i = 10;
int* i_p = &i;
std::cout << &i_p << std::endl;
foo(i_p);
}
On x86-64 clang 9.0.0
the output is
Program returned: 0
0x7ffc43de63f8
0x7ffc43de6400
while on x86-64 clang 10.0.0
Compiler Explorer link the output becomes
Program returned: 0
0x7ffc9da01ef0
0x7ffc9da01ef0
What optimization is at play here that gives the same address? I believe a temporary object should materialize since we cannot bind low-level const
pointer to low-level non-const
.
There is no trick:
int*
toconst int*
, andint**
to aconst int * const *
, howeverint**
toconst int**
(but that case isn't relevant here).See Why isn't it legal to convert "pointer to pointer to non-const" to a "pointer to pointer to const".
Current wording
You only have a single
i_p
pointer, and naturally, both&i_p
inmain
and&i_p
infoo
should yield the same address.foo
accepts a reference to a pointer, so it should refer to that inmain
.const int * const
is reference-compatible withint *
because a a pointer toint*
, i.e.int**
could be converted toconst int * const*
via a qualification conversion. Due to this, a reference toconst int * const
can bind toint*
.There is nothing which would necessitate the creation of a second object, at least not in the current draft.
const int&
can bind toint
without creating a separate object, and the same principle applies to your case.Historical defects explaining your observed behavior
However, it didn't always use to be like that, and qualification conversions haven't always been considered during reference binding. CWG2018. Qualification conversion vs reference binding points out that qualification conversions aren't considered and temporary objects are created, such as in this example:
Note: there is still some compiler divergence; GCC considers
x3
to be ill-formed, and clang performs temporary materialization.The example
r2
is exactly your case. If theconst int* const &i_p
isn't simply binding to thei_p
inmain
but creates a brand new temporary pointer whenfoo
is called, then it would be a separate object. Note thatconst&
can bind to temporary objects thanks to temporary materialization. If there is a separate temporary object whichi_p
infoo
binds to, then it would also need to have a separate address from that inmain
.This behavior is a defect though, fixed by CWG2352: Similar types and reference binding. The new wording was implemented in GCC 7 and clang 10, which is why you no longer see two separate pointers being created.