c++ return reference / stack memory [duplicate]

2020-02-11 02:07发布

A basic question that I'm not sure of the answer. Is the follow function valid?

std::vector<int> & test_function() {
   std::vector<int> x;

   // do whatever

   return x;
}

If so, why? Shouldn't the program delete x from the stack after the function returns? Thanks.

4条回答
我命由我不由天
2楼-- · 2020-02-11 02:36

The behavior is undefined. You shouldn't return references to local variables.

查看更多
▲ chillily
3楼-- · 2020-02-11 02:46

Yes it's valid, but if you attempt to use the returned value, you'll get undefined behavior.

查看更多
Fickle 薄情
4楼-- · 2020-02-11 02:52

You can't return a reference to a local variable for the same reason you can't return a pointer to a local variable, because on return from the function those local variables are deallocated and therefore the reference or pointer becomes invalid.

查看更多
唯我独甜
5楼-- · 2020-02-11 02:53

The function is well-formed (syntactically correct), but as soon as the function returns, the returned reference is invalid and cannot be used.

To clarify: the code in question does not invoke any undefined behavior. You can safely call this function so long as you do not use the return value, e.g., this is valid:

test_function(); // ok

However, if you try to use the return value (i.e., initialize another reference with it or copy the referent into another object) then you will invoke undefined behavior because the lifetime of the referent (the object x) will have ended (x will be destroyed when the function returns because it is an automatic variable):

std::vector<int>& vec = test_function(); // undefined
std::vector<int> vec = test_function();  // undefined
查看更多
登录 后发表回答