views:

384

answers:

5

I know about all about pointers and the ampersand means "address of" but what's it mean in this situation?

Also, when overloading operators, why is it common declare the parameters with const?

+2  A: 

It means that the variable is a reference. It's kind of like a pointer, but not really.

See: Reference (C++)

Jesper
+3  A: 

In C++ type declarations, the ampersand means "reference". In this case operator << returns a reference to an ostream object.

Since it actually returns *this it's actually the same ostream object, and means you can chain calls to operator <<, similar to this:

os << "Hello" << " " << "World" << endl;
Roger Lipscombe
The `operator<<` most programmers encounter the implementation of are free functions, not member functions, so there is no `this` involved.
sbi
+6  A: 

In that case you are returning a reference to an ostream object. Strictly thinking of ampersand as "address of" will not always work for you. Here's some info from C++ FAQ Lite on references.

As far as const goes, const correctness is very important in C++ type safety and something you'll want to do as much as you can. Another page from the FAQ helps in that regard. const helps you from side effect-related changes mucking up your data in situations where you might not expect it.

Kyle Walsh
+3  A: 

Depending on the context of the ampersand it can mean 2 different things. The answer to your specific question is that it's a reference, not "the address of". They are very different things. It's very important to understand the difference.

C++ Reference

The reason to make parameters const is to ensure that they are not changed by the function. This guarantees the caller of the function that the parameters they pass in will not be changed.

nathan
Jesper
Jesper, you're correct. I updated my answer to make the distinction.
nathan
A: 

For more detailed information, see the C++Lite faq, sections 8 "References" and 13 "Const Correctness"

outis