Home >Backend Development >C++ >How to Ensure Safety When Pushing Elements from the Same Vector?
Pushing Elements from the Same Vector: Safety Measures
The safety of pushing back an element from the same vector hinges on the potential for reallocation, which can invalidate references to existing vector elements. This issue arises in the following example:
<code class="cpp">vector<int> v; v.push_back(1); v.push_back(v[0]);</code>
If the second push_back triggers reallocation, the reference to v[0] becomes invalid. To address this, the following approach can be used:
<code class="cpp">vector<int> v; v.push_back(1); v.reserve(v.size() + 1); v.push_back(v[0]);</code>
By calling reserve, we explicitly request sufficient memory, ensuring that no reallocation occurs during subsequent insertions.
According to the C standard, the behavior of push_back with respect to element references is not explicitly defined as a defect, even though it could potentially lead to invalid references. This is because the standard requires vector::insert to work correctly, even when the insertion changes the positions of other elements.
The above is the detailed content of How to Ensure Safety When Pushing Elements from the Same Vector?. For more information, please follow other related articles on the PHP Chinese website!