If I interpret C++ references correctly, they are like pointers, but with guaranteed data integrity (no NULL, no (int*) 0x12345). But what happens when scope of referenced object is leaved? If there are no magic involved (and probably it is not), referenced object will be destroyed behind my back.
I wrote a piece of code to check this:
#include <iostream>
using namespace std;
class A {
public:
A(int k) { _k = k; };
int get() { return _k; };
int _k;
};
class B {
public:
B(A& a) : _a(a) {}
void b() { cout << _a.get(); }
A& _a;
};
B* f() {
A a(10);
return new B(a);
}
int main() {
f()->b();
}
The _k
instance variable was put in to check stack frame existence.
It surprisingly does not segfault and instead prints '10' correctly, while I suppose that A
is allocated on stack and that stack frame of f()
will be overwritten by at least cout<<
call.