Lvalue#
An lvalue refers to an object that has a definite location in memory and can have its address taken. In other words, an lvalue is an expression that can appear on the left side of an assignment operator. For example, variables, array elements, dereferenced pointers, etc., are all lvalues.
Characteristics:
- Addressable: The result of an lvalue expression is an object, and its address can be obtained using the address-of operator
&
. - Persistence: The object represented by an lvalue continues to exist after the evaluation of the expression until it goes out of scope or is explicitly destroyed.
Example:
int x = 10;
int *p = &x;
*p = 20;
Rvalue#
An rvalue refers to temporary objects created during the evaluation of an expression, usually without a definite memory location and cannot have their address taken. Rvalues are typically constants, temporary objects, or return values.
Characteristics:
- Non-addressable: Rvalues do not have a fixed memory location, so their address cannot be taken.
- Transience: The object represented by an rvalue no longer exists after the evaluation of the expression.
Example:
int y = 5 + 3;
int z = y * 2;
Introduction of Rvalue References#
C++11 introduced rvalue references to operate on rvalues more efficiently. Rvalue references are declared using &&
. They allow capturing and manipulating rvalues in a more efficient manner, reducing unnecessary copy and move operations.
Applications of Rvalue References:
- Move Semantics: By using move constructors and move assignment operators, ownership of resources can be transferred instead of copying resources.
- Perfect Forwarding: Using rvalue references and
std::forward
in template functions allows for perfect forwarding of parameters.
Example:
class A {
public:
A() { std::cout << "Constructor" << std::endl; }
A(const A&) { std::cout << "Copy Constructor" << std::endl; }
A(A&&) { std::cout << "Move Constructor" << std::endl; }
};
void foo(A&& a) {
A b = std::move(a); // Move constructor is called
}
int main() {
A a;
foo(std::move(a)); // Converts a to an rvalue reference
return 0;
}
std::move(a)
converts the lvalue a
to an rvalue reference, thereby calling the move constructor of A
instead of the copy constructor, reducing unnecessary copies and improving efficiency.