KEMBAR78
Cplus Faq | PDF | Inheritance (Object Oriented Programming) | Class (Computer Programming)
0% found this document useful (0 votes)
216 views287 pages

Cplus Faq

c++
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
216 views287 pages

Cplus Faq

c++
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 287

C++ FAQ LITE

C++ FAQ LITE Frequently Asked


Questions
(Copyright 1991-2001, Marshall Cline, cline@parashift.com)

Table of Contents:
[1] Copying permissions
[2] On-line sites that distribute this document
[3] C++-FAQ-Book versus C++-FAQ-Lite
[4] Recent changes to this document
[5] Netiquette when posting to comp.lang.c++
[6] Big Picture issues
[7] Classes and objects
[8] References
[9] Inline functions
[10] Constructors
[11] Destructors
[12] Assignment operators
[13] Operator overloading
[14] Friends
[15] Input/output via <iostream> and <cstdio>
[16] Freestore management
[17] Exceptions and error handling
[18] Const correctness
[19] Inheritance basics
[20] Inheritance virtual functions
[21] Inheritance proper inheritance and substitutability
[22] Inheritance abstract base classes (ABCs)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/index.htm (1 of 2) [3/16/2002 9:52:32 ;-]]


C++ FAQ LITE

[23] Inheritance what your mother never told you


[24] Inheritance private and protected inheritance
[25] Coding standards
[26] Learning OO/C++
[27] Learning C++ if you already know Smalltalk
[28] Reference and value semantics
[29] How to mix C and C++
[30] Pointers to member functions
[31] Container classes and templates
[32] Class libraries
[33] Compiler dependencies
[34] Miscellaneous technical issues
[35] Miscellaneous environmental issues

Links2Go Key Resource


C++ Programming Topic

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/index.htm (2 of 2) [3/16/2002 9:52:32 ;-]]


[17] Exceptions and error handling, C++ FAQ Lite

[17] Exceptions and error handling


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [17]:


[17.1] What are some ways try / catch / throw can improve software quality?
[17.2] How can I handle a constructor that fails?
[17.3] How can I handle a destructor that fails?
[17.4] How should I handle resources if my constructors may throw exceptions?
[17.5] How do I change the string-length of an array of char to prevent memory leaks even
if/when someone throws an exception?

[17.1] What are some ways try / catch / throw can improve
software quality?
[Recently created (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

By eliminating one of the reasons for if statements.


The commonly used alternative to try / catch / throw is to return a return code (sometimes called an
error code) that the caller explicitly tests via some conditional statement such as if. For example,
printf(), scanf() and malloc() work this way: the caller is supposed to test the return value to
see if the function succeeded.
Although the return code technique is sometimes the most appropriate error handling technique, there are
some nasty side effects to adding unnecessary if statements:
Degrade quality: It is well known that conditional statements are approximately ten times more
likely to contain errors than any other kind of statement. So all other things being equal, if you can
eliminate conditionals / conditional statements from your code, you will likely have more robust
code.
Slow down time-to-market: Since conditional statements are branch points which are related to
the number of test cases that are needed for white-box testing, unnecessary conditional statements
increase the amount of time that needs to be devoted to testing. Basically if you don't exercise
every branch point, there will be instructions in your code that will never have been executed
under test conditions until they are seen by your users/customers. That's bad.
Increase development cost: Bug finding, bug fixing, and testing are all increased by unnecessary
control flow complexity.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/exceptions.html (1 of 5) [3/16/2002 9:53:22 ;-]]


[17] Exceptions and error handling, C++ FAQ Lite

So compared to error reporting via return-codes and if, using try / catch / throw is likely to result
in code that has fewer bugs, is less expensive to develop, and has faster time-to-market. Of course if your
organization doesn't have any experiential knowledge of try / catch / throw, you might want to use
it on a toy project first just to make sure you know what you're doing you should always get used to a
weapon on the firing range before you bring it to the front lines of a shooting war.
[ Top | Bottom | Previous section | Next section ]

[17.2] How can I handle a constructor that fails?


[Recently fixed typo ("its" vs. "it's") thanks to Wes Bemont (on 4/01). Click here to go to the next FAQ in the "chain" of
recent changes.]

Throw an exception.
Constructors don't have a return type, so it's not possible to use return codes. The best way to signal
constructor failure is therefore to throw an exception.
If you don't have or won't use exceptions, here's a work-around. If a constructor fails, the constructor can
put the object into a "zombie" state. Do this by setting an internal status bit so the object acts sort of like
it's dead even though it is technically still alive. Then add a query ("inspector") member function to
check this "zombie" bit so users of your class can find out if their object is truly alive, or if it's a zombie
(i.e., a "living dead" object). Also you'll probably want to have your other member functions check this
zombie bit, and, if the object isn't really alive, do a no-op (or perhaps something more obnoxious such as
abort()). This is really ugly, but it's the best you can do if you can't (or don't want to) use exceptions.
[ Top | Bottom | Previous section | Next section ]

[17.3] How can I handle a destructor that fails?


[Recently created (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Write a message to a log-file. Or call Aunt Tilda. But do not throw an exception!
Here's why (buckle your seat-belts):
The C++ rule is that you must never throw an exception from a destructor that is being called during the
"stack unwinding" process of another exception. For example, if someone says throw Foo(), the
stack will be unwound so all the stack frames between the throw Foo() and the
} catch (Foo e) { will get popped. This is called stack unwinding.
During stack unwinding, all the local objects in all those stack frames are destructed. If one of those
destructors throws an exception (say it throws a Bar object), the C++ runtime system is in a no-win
situation: should it ignore the Bar and end up in the } catch (Foo e) { where it was originally
headed? Should it ignore the Foo and look for a } catch (Bar e) { handler? There is no good
answer -- either choice loses information.
So the C++ language guarantees that it will call terminate() at this point, and terminate() kills

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/exceptions.html (2 of 5) [3/16/2002 9:53:22 ;-]]


[17] Exceptions and error handling, C++ FAQ Lite

the process. Bang you're dead.


The easy way to prevent this is never throw an exception from a destructor. But if you really want to be
clever, you can say never throw an exception from a destructor while processing another exception. But
in this second case, you're in a difficult situation: the destructor itself needs code to handle both throwing
an exception and doing "something else", and the caller has no guarantees as to what might happen when
the destructor detects an error (it might throw an exception, it might do "something else"). So the whole
solution is harder to write. So the easy thing to do is always do "something else". That is, never throw an
exception from a destructor.
Of course the word never should be "in quotes" since there is always some situation somewhere where
the rule won't hold. But certainly at least 99% of the time this is a good rule of thumb.
[ Top | Bottom | Previous section | Next section ]

[17.4] How should I handle resources if my constructors may throw


exceptions?
Every data member inside your object should clean up its own mess.
If a constructor throws an exception, the object's destructor is not run. If your object has already done
something that needs to be undone (such as allocating some memory, opening a file, or locking a
semaphore), this "stuff that needs to be undone" must be remembered by a data member inside the object.
For example, rather than allocating memory into a raw Fred* data member, put the allocated memory
into a "smart pointer" member object, and the destructor of this smart pointer will delete the Fred
object when the smart pointer dies. The standard class auto_ptr is an example of such as "smart
pointer" class. You can also write your own reference counting smart pointer. You can also use smart
pointers to "point" to disk records or objects on other machines.

[ Top | Bottom | Previous section | Next section ]

[17.5] How do I change the string-length of an array of char to


prevent memory leaks even if/when someone throws an exception?

[Recently rewrote the last half (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

If what you really want to do is work with strings, don't use an array of char in the first place, since
arrays are evil. Instead use an object of some string-like class.
For example, suppose you want to get a copy of a string, fiddle with the copy, then append another string
to the end of the fiddled copy. The array-of-char approach would look something like this:
void userCode(const char* s1, const char* s2)
{
// Make a copy of s1:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/exceptions.html (3 of 5) [3/16/2002 9:53:22 ;-]]


[17] Exceptions and error handling, C++ FAQ Lite

char* copy = new char[strlen(s1) + 1];


strcpy(copy, s1);

// Now that we have a local pointer to freestore-allocated memory,


// we need to use a try block to prevent memory leaks:
try {

// ... now we fiddle with copy for a while...

// Append s2 onto the end of copy:


// ... [Here's where people want to reallocate copy] ...
char* copy2 = new char[strlen(copy) + strlen(s2) + 1];
strcpy(copy2, copy);
strcpy(copy2 + strlen(copy), s2);
delete[] copy;
copy = copy2;

// ... finally we fiddle with copy again...

} catch (...) {
delete[] copy; // Prevent memory leaks if we got an exception
throw; // Re-throw the current exception
}

delete[] copy; // Prevent memory leaks if we did NOT get an exception


}
Using char*s like this is tedious and error prone. Why not just use an object of some string class?
Your compiler probably supplies a string-like class, and it's probably just as fast and certainly it's a lot
simpler and safer than the char* code that you would have to write yourself. For example, if you're
using the std::string class from the standardization committee, your code might look something
like this:
#include <string> // Let the compiler see class std::string

void userCode(const std::string& s1, const std::string& s2)


{
std::string copy = s1; // Make a copy of s1

// ... now we fiddle with copy for a while...

copy += s2; // Append s2 onto the end of copy

// ... finally we fiddle with copy again...


}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/exceptions.html (4 of 5) [3/16/2002 9:53:22 ;-]]


[17] Exceptions and error handling, C++ FAQ Lite

That's a total of two (2) lines of code within the body of the function, as compared with twelve (12) lines
of code in the previous example. Most of the savings came from memory management, but some also
came because we didn't have to explicitly call strxxx() routines. Here are some high points:
We do not need to explicitly write any code that reallocates memory when we grow the string,
since std::string handles memory management automatically.
We do not need to delete[] anything at the end, since std::string handles memory
management automatically.
We do not need a try block in this second example, since std::string handles memory
management automatically, even if someone somewhere throws an exception.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/exceptions.html (5 of 5) [3/16/2002 9:53:22 ;-]]


[12] Assignment operators, C++ FAQ Lite

[12] Assignment operators


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [12]:


[12.1] What is "self assignment"?
[12.2] Why should I worry about "self assignment"?
[12.3] OK, OK, already; I'll handle self-assignment. How do I do it?

[12.1] What is "self assignment"?


Self assignment is when someone assigns an object to itself. For example,
#include "Fred.hpp" // Declares class Fred

void userCode(Fred& x)
{
x = x; // Self-assignment
}
Obviously no one ever explicitly does a self assignment like the above, but since more than one pointer
or reference can point to the same object (aliasing), it is possible to have self assignment without
knowing it:
#include "Fred.hpp" // Declares class Fred

void userCode(Fred& x, Fred& y)


{
x = y; // Could be self-assignment if &x == &y
}

int main()
{
Fred z;
userCode(z, z);
}
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/assignment-operators.html (1 of 3) [3/16/2002 9:53:23 ;-]]


[12] Assignment operators, C++ FAQ Lite

[12.2] Why should I worry about "self assignment"?


If you don't worry about self assignment, you'll expose your users to some very subtle bugs that have
very subtle and often disastrous symptoms. For example, the following class will cause a complete
disaster in the case of self-assignment:
class Wilma { };

class Fred {
public:
Fred() : p_(new Wilma()) { }
Fred(const Fred& f) : p_(new Wilma(*f.p_)) { }
~Fred() { delete p_; }
Fred& operator= (const Fred& f)
{
// Bad code: Doesn't handle self-assignment!
delete p_; // Line #1
p_ = new Wilma(*f.p_); // Line #2
return *this;
}
private:
Wilma* p_;
};
If someone assigns a Fred object to itself, line #1 deletes both this->p_ and f.p_ since *this and
f are the same object. But line #2 uses *f.p_, which is no longer a valid object. This will likely cause a
major disaster.
The bottom line is that you the author of class Fred are responsible to make sure self-assignment on a
Fred object is innocuous. Do not assume that users won't ever do that to your objects. It is your fault if
your object crashes when it gets a self-assignment.
Aside: the above Fred::operator= (const Fred&) has a second problem: If an exception is
thrown while evaluating new Wilma(*f.p_) (e.g., an out-of-memory exception or an exception in
Wilma's copy constructor), this->p_ will be a dangling pointer it will point to memory that is no
longer valid. This can be solved by allocating the new objects before deleting the old objects.

[ Top | Bottom | Previous section | Next section ]

[12.3] OK, OK, already; I'll handle self-assignment. How do I do it?

[Recently reworded the last paragraph (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

You should worry about self assignment every time you create a class. This does not mean that you need
to add extra code to all your classes: as long as your objects gracefully handle self assignment, it doesn't
matter whether you had to add extra code or not.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/assignment-operators.html (2 of 3) [3/16/2002 9:53:23 ;-]]


[12] Assignment operators, C++ FAQ Lite

If you do need to add extra code to your assignment operator, here's a simple and effective technique:
Fred& Fred::operator= (const Fred& f)
{
if (this == &f) return *this; // Gracefully handle self assignment

// Put the normal assignment duties here...

return *this;
}
This explicit test isn't always necessary. For example, if you were to fix the assignment operator in the
previous FAQ to handle exceptions thrown by new and/or exceptions thrown by the copy constructor of
class Wilma, you might produce the following code. Note that this code has the (pleasant) side effect of
automatically handling self assignment as well:
Fred& Fred::operator= (const Fred& f)
{
// This code gracefully (albeit implicitly) handles self assignment
Wilma* tmp = new Wilma(*f.p_); // It would be OK if an exception got thrown here
delete p_;
p_ = tmp;
return *this;
}
In cases like the previous example (where self assignment is harmless but inefficient), some
programmers want to improve the efficiency of self assignment by adding an otherwise unnecessary test,
such as "if (this == &f) return *this;". It is generally the wrong tradeoff to make self
assignment more efficient by making the non-self assignment case less efficient. For example, adding the
above if test to the Fred assignment operator would make the non-self assignment case slightly less
efficient (an extra (and unnecessary) conditional branch). If self assignment actually occured once in a
thousand times, the if would waste cycles 99.9% of the time.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/assignment-operators.html (3 of 3) [3/16/2002 9:53:23 ;-]]


[19] Inheritance basics, C++ FAQ Lite

[19] Inheritance basics


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [19]:


[19.1] Is inheritance important to C++?
[19.2] When would I use inheritance?
[19.3] How do you express inheritance in C++?
[19.4] Is it OK to convert a pointer from a derived class to its base class?
[19.5] What's the difference between public:, private:, and protected:?
[19.6] Why can't my derived class access private: things from my base class?
[19.7] How can I protect derived classes from breaking when I change internal parts?

[19.1] Is inheritance important to C++?


Yep.
Inheritance is what separates abstract data type (ADT) programming from OO programming.
[ Top | Bottom | Previous section | Next section ]

[19.2] When would I use inheritance?


As a specification device.
Human beings abstract things on two dimensions: part-of and kind-of. A Ford Taurus is-a-kind-of-a Car,
and a Ford Taurus has-a Engine, Tires, etc. The part-of hierarchy has been a part of software since the
ADT style became relevant; inheritance adds "the other" major dimension of decomposition.
[ Top | Bottom | Previous section | Next section ]

[19.3] How do you express inheritance in C++?


[Recently added "derived class of" to the list of synonyms (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

By the : public syntax:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/basics-of-inheritance.html (1 of 3) [3/16/2002 9:53:23 ;-]]


[19] Inheritance basics, C++ FAQ Lite

class Car : public Vehicle {


public:
// ...
};
We state the above relationship in several ways:
Car is "a kind of a" Vehicle

Car is "derived from" Vehicle

Car is "a specialized" Vehicle

Car is a "subclass" of Vehicle

Car is a "derived class" of Vehicle

Vehicle is the "base class" of Car

Vehicle is the "superclass" of Car (this not as common in the C++ community)

(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

[19.4] Is it OK to convert a pointer from a derived class to its base


class?
Yes.
An object of a derived class is a kind of the base class. Therefore the conversion from a derived class
pointer to a base class pointer is perfectly safe, and happens all the time. For example, if I am pointing at
a car, I am in fact pointing at a vehicle, so converting a Car* to a Vehicle* is perfectly safe and
normal:
void f(Vehicle* v);
void g(Car* c) { f(c); } // Perfectly safe; no cast
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

[19.5] What's the difference between public:, private:, and


protected:?
A member (either data member or member function) declared in a private: section of a class
can only be accessed by member functions and friends of that class
A member (either data member or member function) declared in a protected: section of a
class can only be accessed by member functions and friends of that class, and by member

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/basics-of-inheritance.html (2 of 3) [3/16/2002 9:53:23 ;-]]


[19] Inheritance basics, C++ FAQ Lite

functions and friends of derived classes


A member (either data member or member function) declared in a public: section of a class can
be accessed by anyone
[ Top | Bottom | Previous section | Next section ]

[19.6] Why can't my derived class access private: things from my


base class?
To protect you from future changes to the base class.
Derived classes do not get access to private members of a base class. This effectively "seals off" the
derived class from any changes made to the private members of the base class.
[ Top | Bottom | Previous section | Next section ]

[19.7] How can I protect derived classes from breaking when I


change internal parts?
[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

A class has two distinct interfaces for two distinct sets of clients:
It has a public: interface that serves unrelated classes

It has a protected: interface that serves derived classes

Unless you expect all your derived classes to be built by your own team, you should consider making
your base class's bits be private:, and use protected: inline access functions by which derived
classes will access the private data in the base class. This way the private bits can change, but the
derived class's code won't break unless you change the protected access functions.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/basics-of-inheritance.html (3 of 3) [3/16/2002 9:53:23 ;-]]


[6] Big Picture issues, C++ FAQ Lite

[6] Big Picture issues


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [6]:


[6.1] Is C++ a practical language?
[6.2] Is C++ a perfect language?
[6.3] What's the big deal with OO?
[6.4] Is C++ better than Ada? (or Visual Basic, C, FORTRAN, Pascal, Smalltalk, or any other
language?)
[6.5] Who uses C++?
[6.6] How long does it take to learn OO/C++?
[6.7] What are some features of C++ from a business perspective?
[6.8] Are virtual functions (dynamic binding) central to OO/C++?
[6.9] I'm from Missouri. Can you give me a simple reason why virtual functions (dynamic
binding) make a big difference?
[6.10] Is C++ backward compatible with ANSI/ISO C?
[6.11] Is C++ standardized?
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?

[6.1] Is C++ a practical language?


Yes.
C++ is a practical tool. It's not perfect, but it's useful.

In the world of industrial software, C++ is viewed as a solid, mature, mainstream tool. It has widespread
industry support which makes it "good" from an overall business perspective.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (1 of 7) [3/16/2002 9:53:24 ;-]]


[6] Big Picture issues, C++ FAQ Lite

[6.2] Is C++ a perfect language?


Nope.
C++ wasn't designed to demonstrate what a perfect OO language looks like. It was designed to be a
practical tool for solving real world problems. It has a few warts, but the only place where it's appropriate
to keep fiddling with something until it's perfect is in a pure academic setting. That wasn't C++'s goal.
[ Top | Bottom | Previous section | Next section ]

[6.3] What's the big deal with OO?


Object-oriented techniques are the best way we know of to develop large, complex software applications
and systems.
OO hype: the software industry is "failing" to meet demands for large, complex software systems. But
this "failure" is actually due to our successes: our successes have propelled users to ask for more.
Unfortunately we created a market hunger that the "structured" analysis, design and programming
techniques couldn't satisfy. This required us to create a better paradigm.
C++ is an OO programming language. C++ can also be used as a traditional programming language (as
"as a better C"). However if you use it "as a better C," don't expect to get the benefits of object-oriented
programming.
[ Top | Bottom | Previous section | Next section ]

[6.4] Is C++ better than Ada? (or Visual Basic, C, FORTRAN, Pascal,
Smalltalk, or any other language?)
This question generates much much more heat than light. Please read the following before posting some
variant of this question.
In 99% of the cases, programming language selection is dominated by business considerations, not by
technical considerations. Things that really end up mattering are things like availability of a
programming environment for the development machine, availability of runtime environment(s) for the
deployment machine(s), licensing/legal issues of the runtime and/or development environments,
availability of trained developers, availability of consulting services, and corporate culture/politics. These
business considerations generally play a much greater role than compile time performance, runtime
performance, static vs. dynamic typing, static vs. dynamic binding, etc.
Anyone who argues in favor of one language over another in a purely technical manner (i.e., who ignores
the dominant business issues) exposes themself as a techie weenie, and deserves not to be heard.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (2 of 7) [3/16/2002 9:53:24 ;-]]


[6] Big Picture issues, C++ FAQ Lite

[6.5] Who uses C++?


[Recently rewrote (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Lots and lots of companies and government sites. Lots.


The large number of developers (and therefore the large amount of available support infrastructure
including vendors, tools, training, etc.) is one of several critical features of C++.

[ Top | Bottom | Previous section | Next section ]

[6.6] How long does it take to learn OO/C++?


Companies successfully teach standard industry "short courses," where a university semester course is
compressed into one 40 hour work week. But regardless of where you get your training, make sure the
courses have a hands-on element, since most people learn best when they have projects to help the
concepts "gel." But even if they have the best training, they're not ready yet.
It takes 6-12 months to become proficient in OO/C++. Less if the developers have easy access to a
"local" body of experts, more if there isn't a "good" general purpose C++ class library available. To
become one of these experts who can mentor others takes around 3 years.
Some people never make it. You don't have a chance unless you are teachable and have personal drive.
As a bare minimum on "teachability," you have to be able to admit when you've been wrong. As a bare
minimum on "drive," you must be willing to put in some extra hours (it's a lot easier to learn some new
facts than it is to change your paradigm [i.e., to change the way you think; to change your notion of
goodness; to change your mental model of the world of technology]).
Two things you should do:
Bring in a "mentor"

Get your people two books: one to tell them what is legal, another to tell them what is moral

Two things you should not do:


You should not bother having your people trained in C as a stepping-stone to learning OO/C++

You should not bother having your people trained in Smalltalk as a stepping-stone to learning
OO/C++

[ Top | Bottom | Previous section | Next section ]

[6.7] What are some features of C++ from a business perspective?


Here are a few features of OO/C++ from a business perspective:
C++ has a huge installed base, which means you'll have multi-vendor support for tools,
environments, consulting services, etc., plus you'll have a very valuable line-item on your resume

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (3 of 7) [3/16/2002 9:53:24 ;-]]


[6] Big Picture issues, C++ FAQ Lite

C++ lets developers provide simplified interfaces to software chunks, which improves the
defect-rate when those chunks are (re)used
C++ lets you exploit developer's intuition through operator overloading, which reduces the
learning curve for (re)users
C++ localizes access to a software chunk, which reduces the cost of changes.
C++ reduces the safety-vs.-usability tradeoff, which improves the cost of (re)using a chunk of
software.
C++ reduces the safety-vs.-speed tradeoff, which improves defect rates without degrading
performance.
C++ gives you inheritance and dynamic binding which let old code call new code, making it
possible to quickly extend/adapt your software to hit narrow market windows.
[ Top | Bottom | Previous section | Next section ]

[6.8] Are virtual functions (dynamic binding) central to OO/C++?

[Recently inserted "the" before "difference" thanks to Stan Brown and reworded references to STL (on 7/00). Click here to
go to the next FAQ in the "chain" of recent changes.]

Yes!
Without virtual functions, C++ wouldn't be object-oriented. Operator overloading and non-virtual
member functions are great, but they are, after all, just syntactic sugar for the more typical C notion of
passing a pointer to a struct to a function. The standard library contains numerous templates that
illustrate "generic programming" techniques, which are also great, but virtual functions are still at the
heart of object-oriented programming using C++.
From a business perspective, there is very little reason to switch from straight C to C++ without
virtual functions (we'll ignore generic programming and the standard library in this FAQ). Technical
people often think that there is a large difference between C and non-OO C++, but without OO, the
difference usually isn't enough to justify the cost of training developers, new tools, etc. In other words, if
I were to advise a manager regarding whether to switch from C to non-OO C++ (i.e., to switch languages
but not paradigms), I'd probably discourage him or her unless there were compelling tool-oriented
reasons. From a business perspective, OO can help make systems extensible and adaptable, but just the
syntax of C++ classes without OO may not even reduce the maintenance cost, and it surely adds to the
training cost significantly.
Bottom line: C++ without virtual is not OO. Programming with classes but without dynamic binding
is called "object based," but not "object oriented." Throwing out virtual functions is the same as
throwing out OO. All you have left is object-based programming, similar to the original Ada language
(the new Ada language, by the way, supports true OO rather than just object-based programming).
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (4 of 7) [3/16/2002 9:53:24 ;-]]


[6] Big Picture issues, C++ FAQ Lite

[6.9] I'm from Missouri. Can you give me a simple reason why
virtual functions (dynamic binding) make a big difference?
Overview: Dynamic binding can improve reuse by letting old code call new code.
Before OO came along, reuse was accomplished by having new code call old code. For example, a
programmer might write some code that called some reusable code such as printf().
With OO, reuse can also be accomplished by having old code call new code. For example, a programmer
might write some code that is called by a framework that was written by their great, great grandfather.
There's no need to change great-great-grandpa's code. In fact, it doesn't even need to be recompiled. Even
if all you have left is the object file and the source code that great-great-grandpa wrote was lost 25 years
ago, that ancient object file will call the new extension without anything falling apart.
That is extensibility, and that is OO.
[ Top | Bottom | Previous section | Next section ]

[6.10] Is C++ backward compatible with ANSI/ISO C?


Almost.
C++ is as close as possible to compatible with C, but no closer. In practice, the major difference is that
C++ requires prototypes, and that f() declares a function that takes no parameters (in C, f() is the
same as f(...)).
There are some very subtle differences as well, like sizeof('x') is equal to sizeof(char) in
C++ but is equal to sizeof(int) in C. Also, C++ puts structure "tags" in the same namespace as
other names, whereas C requires an explicit struct (e.g., the typedef struct Fred Fred;
technique still works, but is redundant in C++).
[ Top | Bottom | Previous section | Next section ]

[6.11] Is C++ standardized?


[Recently changed "has been finalized" to "was finalized" thanks to Stan Brown (on 7/00). Click here to go to the next
FAQ in the "chain" of recent changes.]

Yes.
The C++ standard was finalized and adopted by ISO (International Organization for Standardization) as
well as several national standards organizations such as ANSI (The American National Standards
Institute), BSI (The British Standards Institute), DIN (The German National Standards Organization).
The ISO standard was finalized and adopted by unanimous vote November 14, 1997.
The ANSI C++ committee is called "X3J16". The ISO C++ standards group is called "WG21". The
major players in the ANSI/ISO C++ standards process include just about everyone: representatives from

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (5 of 7) [3/16/2002 9:53:24 ;-]]


[6] Big Picture issues, C++ FAQ Lite

Australia, Canada, Denmark, France, Germany, Ireland, Japan, the Netherlands, New Zealand, Sweden,
the UK, and the USA, along with representatives from about a hundred companies and many interested
individuals. Major players include AT&T, Ericsson, Digital, Borland, Hewlett Packard, IBM, Mentor
Graphics, Microsoft, Silicon Graphics, Sun Microsystems, and Siemens. After about 8 years of work, this
standard is now complete. On November 14, 1997, the standard was approved by a unanimous vote of
the countries that had representatives present in Morristown.
[ Top | Bottom | Previous section | Next section ]

[6.12] Where can I get a copy of the ANSI/ISO C++ standard?


[Recently added URLs to free copies of CD2 (on 7/00) and total rewrite; changed several URLs thanks to Brian K. Hamon
and Garen Parham (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

There are at least three ways to get a soft-copy of this document:


$18 [published by ANSI]: go to this page, select "PDF file" from the pull-down, and click "Place
this in your shopping basket."
$18 [published by ANSI]: go to this page and click "Add to Basket."

$245 [published by ISO]: go to this page and click "Add to Basket."

Note: The ISO document is well over ten times more expensive than the ANSI document, however the
technical content is the same. The ISO document has a different title page, but the technical material is
identical to the ANSI document. Please don't email asking me why ISO charges so much more for
fundamentally the same thing; that's ISO's business decision; you'll have to take it up with ISO's
publishing/sales department.
There are at least two ways to get a hard-copy of this document:
$175 [published by ANSI]: go to this page, select "Hardcopy" from the pull-down, and click
"Place this in your shopping basket."
Unknown price [published by ANSI]: call NCITS (National Committee for Information
Technology Standards; this is the new name of the organization that used to be called "X3"). The
contact person is Monica Vega, 202-626-5739 or 202-626-5738. Ask for document FDC 14882.
Be prepared to spend some money the document is certainly not free.
There are two other potentially interesting (and free) documents you might want to look at:
$0: If you're willing to put up with a (free) document that's non-authorative, out-of-date, and
partially incorrect, you can get "committee draft #2" here and/or here.
$0: The ISO committee's press release (not a copy of the ANSI or ISO standards!) is here. This
press release is readable by non-programmers.
[ Top | Bottom | Previous section | Next section ]

E-mail the author

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (6 of 7) [3/16/2002 9:53:24 ;-]]


[6] Big Picture issues, C++ FAQ Lite

[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/big-picture.html (7 of 7) [3/16/2002 9:53:24 ;-]]


[7] Classes and objects, C++ FAQ Lite

[7] Classes and objects


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [7]:


[7.1] What is a class?
[7.2] What is an object?
[7.3] When is an interface "good"?
[7.4] What is encapsulation?
[7.5] How does C++ help with the tradeoff of safety vs. usability?
[7.6] How can I prevent other programmers from violating encapsulation by seeing the private
parts of my class?
[7.7] Is Encapsulation a Security device?
[7.8] What's the difference between the keywords struct and class?

[7.1] What is a class?


The fundamental building block of OO software.
A class defines a data type, much like a struct would be in C. In a computer science sense, a type
consists of both a set of states and a set of operations which transition between those states. Thus int is
a type because it has both a set of states and it has operations like i + j or i++, etc. In exactly the
same way, a class provides a set of (usually public:) operations, and a set of (usually
non-public:) data bits representing the abstract values that instances of the type can have.
You can imagine that int is a class that has member functions called operator++, etc. (int isn't
really a class, but the basic analogy is this: a class is a type, much like int is a type.)
Note: a C programmer can think of a class as a C struct whose members default to private. But
if that's all you think of a class, then you probably need to experience a personal paradigm shift.
[ Top | Bottom | Previous section | Next section ]

[7.2] What is an object?


A region of storage with associated semantics.
After the declaration int i; we say that "i is an object of type int." In OO/C++, "object" usually

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/classes-and-objects.html (1 of 4) [3/16/2002 9:53:25 ;-]]


[7] Classes and objects, C++ FAQ Lite

means "an instance of a class." Thus a class defines the behavior of possibly many objects (instances).
[ Top | Bottom | Previous section | Next section ]

[7.3] When is an interface "good"?


When it provides a simplified view of a chunk of software, and it is expressed in the vocabulary of a user
(where a "chunk" is normally a class or a tight group of classes, and a "user" is another developer rather
than the ultimate customer).
The "simplified view" means unnecessary details are intentionally hidden. This reduces the user's
defect-rate.
The "vocabulary of users" means users don't need to learn a new set of words and concepts. This
reduces the user's learning curve.
[ Top | Bottom | Previous section | Next section ]

[7.4] What is encapsulation?


Preventing unauthorized access to some piece of information or functionality.
The key money-saving insight is to separate the volatile part of some chunk of software from the stable
part. Encapsulation puts a firewall around the chunk, which prevents other chunks from accessing the
volatile parts; other chunks can only access the stable parts. This prevents the other chunks from
breaking if (when!) the volatile parts are changed. In context of OO software, a "chunk" is normally a
class or a tight group of classes.

The "volatile parts" are the implementation details. If the chunk is a single class, the volatile part is
normally encapsulated using the private: and/or protected: keywords. If the chunk is a tight
group of classes, encapsulation can be used to deny access to entire classes in that group. Inheritance can
also be used as a form of encapsulation.
The "stable parts" are the interfaces. A good interface provides a simplified view in the vocabulary of a
user, and is designed from the outside-in (here a "user" means another developer, not the end-user who
buys the completed application). If the chunk is a single class, the interface is simply the class's
public: member functions and friend functions. If the chunk is a tight group of classes, the
interface can include several of the classes in the chunk.
Designing a clean interface and separating that interface from its implementation merely allows users to
use the interface. But encapsulating (putting "in a capsule") the implementation forces users to use the
interface.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/classes-and-objects.html (2 of 4) [3/16/2002 9:53:25 ;-]]


[7] Classes and objects, C++ FAQ Lite

[7.5] How does C++ help with the tradeoff of safety vs. usability?
In C, encapsulation was accomplished by making things static in a compilation unit or module. This
prevented another module from accessing the static stuff. (By the way, that use is now deprecated:
don't do that in C++.)
Unfortunately this approach doesn't support multiple instances of the data, since there is no direct support
for making multiple instances of a module's static data. If multiple instances were needed in C,
programmers typically used a struct. But unfortunately C structs don't support encapsulation. This
exacerbates the tradeoff between safety (information hiding) and usability (multiple instances).
In C++, you can have both multiple instances and encapsulation via a class. The public: part of a class
contains the class's interface, which normally consists of the class's public: member functions and its
friend functions. The private: and/or protected: parts of a class contain the class's
implementation, which is typically where the data lives.
The end result is like an "encapsulated struct." This reduces the tradeoff between safety (information
hiding) and usability (multiple instances).
[ Top | Bottom | Previous section | Next section ]

[7.6] How can I prevent other programmers from violating


encapsulation by seeing the private parts of my class?
Not worth the effort encapsulation is for code, not people.
It doesn't violate encapsulation for a programmer to see the private: and/or protected: parts of
your class, so long as they don't write code that somehow depends on what they saw. In other words,
encapsulation doesn't prevent people from knowing about the inside of a class; it prevents the code they
write from becoming dependent on the insides of the class. Your company doesn't have to pay a
"maintenance cost" to maintain the gray matter between your ears; but it does have to pay a maintenance
cost to maintain the code that comes out of your finger tips. What you know as a person doesn't increase
maintenance cost, provided the code they write depends on the interface rather than the implementation.
Besides, this is rarely if ever a problem. I don't know any programmers who have intentionally tried to
access the private parts of a class. "My recommendation in such cases would be to change the
programmer, not the code" [James Kanze; used with permission].

[ Top | Bottom | Previous section | Next section ]

[7.7] Is Encapsulation a Security device?


No.
Encapsulation != security.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/classes-and-objects.html (3 of 4) [3/16/2002 9:53:25 ;-]]


[7] Classes and objects, C++ FAQ Lite

Encapsulation prevents mistakes, not espionage.


[ Top | Bottom | Previous section | Next section ]

[7.8] What's the difference between the keywords struct and


class?
The members and base classes of a struct are public by default, while in class, they default to
private. Note: you should make your base classes explicitly public, private, or protected,
rather than relying on the defaults.
struct and class are otherwise functionally equivalent.
OK, enough of that squeaky clean techno talk. Emotionally, most developers make a strong distinction
between a class and a struct. A struct simply feels like an open pile of bits with very little in the
way of encapsulation or functionality. A class feels like a living and responsible member of society
with intelligent services, a strong encapsulation barrier, and a well defined interface. Since that's the
connotation most people already have, you should probably use the struct keyword if you have a class
that has very few methods and has public data (such things do exist in well designed systems!), but
otherwise you should probably use the class keyword.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/classes-and-objects.html (4 of 4) [3/16/2002 9:53:25 ;-]]


[32] Class libraries, C++ FAQ Lite

[32] Class libraries


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [32]:


[32.1] What is the "STL"?
[32.2] Where can I get a copy of "STL"?
[32.3] How can I find a Fred object in an STL container of Fred* such as
std::vector<Fred*>?
[32.4] Where can I get help on how to use STL?
[32.5] How can you tell if you have a dynamically typed C++ class library?
[32.6] What is the NIHCL? Where can I get it?
[32.7] Where can I ftp the code that accompanies "Numerical Recipes"?
[32.8] Why is my executable so large?
[32.9] Where can I get tons and tons of more information on C++ class libraries?

[32.1] What is the "STL"?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

STL ("Standard Templates Library") is a library that consists mainly of (very efficient) container classes,
along with some iterators and algorithms to work with the contents of these containers.
Technically speaking the term "STL" is no longer meaningful since the classes provided by the STL have
been fully integrated into the standard library, along with other standard classes like std::ostream,
etc. Nonetheless many people still refer to the STL as if it was a separate thing, so you might as well get
used to hearing that term.
[ Top | Bottom | Previous section | Next section ]

[32.2] Where can I get a copy of "STL"?


[Recently added URLs for the SGI implementation and STLport thanks to Stan Brown (on 7/00). Click here to go to the
next FAQ in the "chain" of recent changes.]

Since the classes that were part of the STL have become part of the standard library, your compiler

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/class-libraries.html (1 of 5) [3/16/2002 9:53:25 ;-]]


[32] Class libraries, C++ FAQ Lite

should provide these classes. If your compiler doesn't include these standard classes, either get an
updated version of your compiler or download a copy of the STL classes from one of the following:
An STL site: ftp://ftp.cs.rpi.edu/pub/stl

STL HP official site: ftp://butler.hpl.hp.com/stl/


Mirror site in Europe: www.maths.warwick.ac.uk/ftp/mirrors/c++/stl/
STL code alternate: ftp://ftp.cs.rpi.edu/stl
STL code + examples: www.cs.rpi.edu/~musser/stl.html
The SGI implementation: www.sgi.com/Technology/STL/
STLport: www.stlport.org
STL hacks for GCC-2.6.3 are part of the GNU libg++ package 2.6.2.1 or later (and they may be in an
earlier version as well). Thanks to Mike Lindner.
[ Top | Bottom | Previous section | Next section ]

[32.3] How can I find a Fred object in an STL container of Fred*


such as std::vector<Fred*>?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

STL functions such as std::find_if() help you find a T element in a container of T's. But if you
have a container of pointers such as std::vector<Fred*>, these functions will enable you to find
an element that matches a given Fred* pointer, but they don't let you find an element that matches a
given Fred object.
The solution is to use an optional parameter that specifies the "match" function. The following class
template lets you compare the objects on the other end of the dereferenced pointers.
template<class T>
class DereferencedEqual {
public:
DereferencedEqual(const T* p) : p_(p) { }
bool operator() (const T* p2) const { return *p_ == *p2; }
private:
const T* p_;
};
Now you can use this template to find an appropriate Fred object:
void userCode(std::vector<Fred*> v, const Fred& match)
{
std::find_if(v.begin(), v.end(), DereferencedEqual<Fred>(&match));
// ...
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/class-libraries.html (2 of 5) [3/16/2002 9:53:25 ;-]]


[32] Class libraries, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[32.4] Where can I get help on how to use STL?


The STL FAQ: ftp://butler.hpl.hp.com/stl/stl.faq

Kenny Zalewski's STL guide: www.cs.rpi.edu/projects/STL/htdocs/stl.html

Dave Musser's STL guide: www.cs.rpi.edu/~musser/stl.html


Mumit's STL Newbie's guide:
www.xraylith.wisc.edu/~khan/software/stl/STL.newbie.html
[ Top | Bottom | Previous section | Next section ]

[32.5] How can you tell if you have a dynamically typed C++ class
library?
Hint #1: when everything is derived from a single root class, usually Object.
Hint #2: when the container classes (List, Stack, Set, etc) are non-templates.
Hint #3: when the container classes (List, Stack, Set, etc) insert/extract elements as pointers
to Object. This lets you put an Apple into such a container, but when you get it out, the
compiler knows only that it is derived from Object, so you have to use a pointer cast to convert
it back to an Apple*; and you better pray a lot that it really is an Apple, cause your blood is on
your own head).
You can make the pointer cast "safe" by using dynamic_cast, but this dynamic testing is just that:
dynamic. This coding style is the essence of dynamic typing in C++. You call a function that says
"convert this Object into an Apple or give me NULL if its not an Apple," and you've got dynamic
typing: you don't know what will happen until run-time.
When you use templates to implement your containers, the C++ compiler can statically validate 90+% of
an application's typing information (the figure "90+%" is apocryphal; some claim they always get 100%,
those who need persistence get something less than 100% static type checking). The point is: C++ gets
genericity from templates, not from inheritance.
[ Top | Bottom | Previous section | Next section ]

[32.6] What is the NIHCL? Where can I get it?


NIHCL stands for "National-Institute-of-Health's-class-library." It can be acquired via
ftp://128.231.128.7/pub/NIHCL/nihcl-3.0.tar.Z
NIHCL (some people pronounce it "N-I-H-C-L," others pronounce it like "nickel") is a C++ translation

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/class-libraries.html (3 of 5) [3/16/2002 9:53:25 ;-]]


[32] Class libraries, C++ FAQ Lite

of the Smalltalk class library. There are some ways where NIHCL's use of dynamic typing helps (e.g.,
persistent objects). There are also places where its use of dynamic typing creates tension with the static
typing of the C++ language.
[ Top | Bottom | Previous section | Next section ]

[32.7] Where can I ftp the code that accompanies "Numerical


Recipes"?
This software is sold and therefore it would be illegal to provide it on the net. However, it's only about
$30.
[ Top | Bottom | Previous section | Next section ]

[32.8] Why is my executable so large?


Many people are surprised by how big executables are, especially if the source code is trivial. For
example, a simple "hello world" program can generate an executable that is larger than most people
expect (40+K bytes).
One reason executables can be large is that portions of the C++ runtime library gets linked with your
program. How much gets linked in depends on how much of it you are using, and on how the
implementer split up the library into pieces. For example, the <iostream> library is quite large, and
consists of numerous classes and virtual functions. Using any part of it might pull in nearly all of the
<iostream> code as a result of the interdependencies.
You might be able to make your program smaller by using a dynamically-linked version of the library
instead of the static version.
You have to consult your compiler manuals or the vendor's technical support for a more detailed answer.
[ Top | Bottom | Previous section | Next section ]

[32.9] Where can I get tons and tons of more information on C++
class libraries?
The C++ Libraries FAQ is maintained by Nikki Locke and is available at
www.trumphurst.com/cpplibs1.html
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/class-libraries.html (4 of 5) [3/16/2002 9:53:25 ;-]]


[32] Class libraries, C++ FAQ Lite

Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/class-libraries.html (5 of 5) [3/16/2002 9:53:25 ;-]]


[25] Coding standards, C++ FAQ Lite

[25] Coding standards


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline, cline@parashift.com)

FAQs in section [25]:


[25.1] What are some good C++ coding standards?
[25.2] Are coding standards necessary? Are they sufficient?
[25.3] Should our organization determine coding standards from our C experience?
[25.4] What's the difference between <xxx> and <xxx.h> headers?
[25.5] Is the ?: operator evil since it can be used to create unreadable code?
[25.6] Should I declare locals in the middle of a function or at the top?
[25.7] What source-file-name convention is best? foo.cpp? foo.C? foo.cc?
[25.8] What header-file-name convention is best? foo.H? foo.hh? foo.hpp?
[25.9] Are there any lint-like guidelines for C++?
[25.10] Which is better: identifier names that_look_like_this or identifier names thatLookLikeThis?
[25.11] Are there any other sources of coding standards?

[25.1] What are some good C++ coding standards?


[Recently fixed typo changing "where" to "were" thanks to Robert Marshall (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Thank you for reading this answer rather than just trying to set your own coding standards.
But beware that some people on comp.lang.c++ are very sensitive on this issue. Nearly every software engineer has, at some point, been
exploited by someone who used coding standards as a "power play." Furthermore some attempts to set C++ coding standards have been made by
those who didn't know what they were talking about, so the standards end up being based on what was the state-of-the-art when the standards
setters were writing code. Such impositions generate an attitude of mistrust for coding standards.
Obviously anyone who asks this question wants to be trained so they don't run off on their own ignorance, but nonetheless posting a question such
as this one to comp.lang.c++ tends to generate more heat than light.
[ Top | Bottom | Previous section | Next section ]

[25.2] Are coding standards necessary? Are they sufficient?


Coding standards do not make non-OO programmers into OO programmers; only training and experience do that. If coding standards have merit,
it is that they discourage the petty fragmentation that occurs when large organizations coordinate the activities of diverse groups of programmers.
But you really want more than a coding standard. The structure provided by coding standards gives neophytes one less degree of freedom to worry
about, which is good. However pragmatic guidelines should go well beyond pretty-printing standards. Organizations need a consistent philosophy
of design and implementation. E.g., strong or weak typing? references or pointers in interfaces? stream I/O or stdio? should C++ code call C code?
vice versa? how should ABCs be used? should inheritance be used as an implementation technique or as a specification technique? what testing
strategy should be employed? inspection strategy? should interfaces uniformly have a get() and/or set() member function for each data
member? should interfaces be designed from the outside-in or the inside-out? should errors be handled by try/catch/throw or by return codes?
etc.
What is needed is a "pseudo standard" for detailed design. I recommend a three-pronged approach to achieving this standardization: training,
mentoring, and libraries. Training provides "intense instruction," mentoring allows OO to be caught rather than just taught, and high quality C++
class libraries provide "long term instruction." There is a thriving commercial market for all three kinds of "training." Advice by organizations who
have been through the mill is consistent: Buy, Don't Build. Buy libraries, buy training, buy tools, buy consulting. Companies who have attempted
to become a self-taught tool-shop as well as an application/system shop have found success difficult.
Few argue that coding standards are "ideal," or even "good," however they are necessary in the kind of organizations/situations described above.
The following FAQs provide some basic guidance in conventions and styles.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/coding-standards.html (1 of 5) [3/16/2002 9:53:26 ;-]]


[25] Coding standards, C++ FAQ Lite

[25.3] Should our organization determine coding standards from our C experience?
No!
No matter how vast your C experience, no matter how advanced your C expertise, being a good C programmer does not make you a good C++
programmer. Converting from C to C++ is more than just learning the syntax and semantics of the ++ part of C++. Organizations who want the
promise of OO, but who fail to put the "OO" into "OO programming", are fooling themselves; the balance sheet will show their folly.
C++ coding standards should be tempered by C++ experts. Asking comp.lang.c++ is a start. Seek out experts who can help guide you away
from pitfalls. Get training. Buy libraries and see if "good" libraries pass your coding standards. Do not set standards by yourself unless you have
considerable experience in C++. Having no standard is better than having a bad standard, since improper "official" positions "harden" bad brain
traces. There is a thriving market for both C++ training and libraries from which to pull expertise.
One more thing: whenever something is in demand, the potential for charlatans increases. Look before you leap. Also ask for student-reviews from
past companies, since not even expertise makes someone a good communicator. Finally, select a practitioner who can teach, not a full time teacher
who has a passing knowledge of the language/paradigm.
[ Top | Bottom | Previous section | Next section ]

[25.4] What's the difference between <xxx> and <xxx.h> headers?


[Recently changed <xyz.h> to <xxx.h> and misc wordsmithing thanks to Stan Brown (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

The headers in ISO Standard C++ don't have a .h suffix. This is something the standards committee changed from former practice. The details are
different between headers that existed in C and those that are specific to C++.
The C++ standard library is guaranteed to have 18 standard headers from the C language. These headers come in two standard flavors, <cxxx>
and <xxx.h> (where xxx is the basename of the header, such as stdio, stdlib, etc). These two flavors are identical except the <cxxx>
versions provide their declarations in the std namespace only, and the <xxx.h> versions make them available both in std namespace and in the
global namespace. The committee did it this way so that existing C code could continue to be compiled in C++. However the <xxx.h> versions
are deprecated, meaning they are standard now but might not be part of the standard in future revisions. (See clause D.5 of the ISO C++ standard.)

The C++ standard library is also guaranteed to have 32 additional standard headers that have no direct counterparts in C, such as <iostream>,
<string>, and <new>. You may see things like #include <iostream.h> and so on in old code, and some compiler vendors offer .h
versions for that reason. But be careful: the .h versions, if available, may differ from the standard versions. And if you compile some units of a
program with, for example, <iostream> and others with <iostream.h>, the program may not work.
For new projects, use only the <xxx> headers, not the <xxx.h> headers.
When modifying or extending existing code that uses the old header names, you should probably follow the practice in that code unless there's
some important reason to switch to the standard headers (such as a facility available in standard <iostream> that was not available in the
vendor's <iostream.h>). If you need to standardize existing code, make sure to change all C++ headers in all program units including external
libraries that get linked in to the final executable.
All of this affects the standard headers only. You're free to name your own headers anything you like; see [25.8].
[ Top | Bottom | Previous section | Next section ]

[25.5] Is the ?: operator evil since it can be used to create unreadable code?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

No, but as always, remember that readability is one of the most important things.
Some people feel the ?: ternary operator should be avoided because they find it confusing at times compared to the good old if statement. In
many cases ?: tends to make your code more difficult to read (and therefore you should replace those usages of ?: with if statements), but there
are times when the ?: operator is clearer since it can emphasize what's really happening, rather than the fact that there's an if in there somewhere.
Let's start with a really simple case. Suppose you need to print the result of a function call. In that case you should put the real goal (printing) at the
beginning of the line, and bury the function call within the line since it's relatively incidental (this left-right thing is based on the intuitive notion
that most developers think the first thing on a line is the most important thing):
// Preferred (emphasizes the major goal printing):
std::cout << funct();

// Not as good (emphasizes the minor goal a function call):

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/coding-standards.html (2 of 5) [3/16/2002 9:53:26 ;-]]


[25] Coding standards, C++ FAQ Lite
functAndPrintOn(std::cout);
Now let's extend this idea to the ?: operator. Suppose your real goal is to print something, but you need to do some incidental decision logic to
figure out what should be printed. Since the printing is the most important thing conceptually, we prefer to put it first on the line, and we prefer to
bury the incidental decision logic. In the example code below, variable n represents the number of senders of a message; the message itself is
being printed to std::cout:
int n = /*...*/; // number of senders

// Preferred (emphasizes the major goal printing):


std::cout << "Please get back to " << (n==1 ? "me" : "us") << " soon!\n";

// Not as good (emphasizes the minor goal a decision):


std::cout << "Please get back to ";
if (n==1)
std::cout << "me";
else
std::cout << "us";
std::cout << " soon!\n";
All that being said, you can get pretty outrageous and unreadable code ("write only code") using various combinations of ?:, &&, ||, etc. For
example,
// Preferred (obvious meaning):
if (f())
g();

// Not as good (harder to understand):


f() && g();
Personally I think the explicit if example is clearer since it emphasizes the major thing that's going on (a decision based on the result of calling
f()) rather than the minor thing (calling f()). In other words, the use of if here is good for precisely the same reason that it was bad above: we
want to major on the majors and minor on the minors.
In any event, don't forget that readability is the goal (at least it's one of the goals). Your goal should not be to avoid certain syntactic constructs
such as ?: or && or || or if or even goto. If you sink to the level of a "Standards Bigot," you'll ultimately embarass yourself since there are
always counterexamples to any syntax-based rule. If on the other hand you emphasize broad goals and guidelines (e.g., "major on the majors," or
"put the most important thing first on the line," or even "make sure your code is obvious and readable"), you're usually much better off.
Code must be written to be read, not by the compiler, but by another human being.
[ Top | Bottom | Previous section | Next section ]

[25.6] Should I declare locals in the middle of a function or at the top?


Declare near first use.
An object is initialized (constructed) the moment it is declared. If you don't have enough information to initialize an object until half way down the
function, you should create it half way down the function when it can be initialized correctly. Don't initialize it to an "empty" value at the top then
"assign" it later. The reason for this is runtime performance. Building an object correctly is faster than building it incorrectly and remodeling it
later. Simple examples show a factor of 350% speed hit for simple classes like String. Your mileage may vary; surely the overall system
degradation will be less that 350%, but there will be degradation. Unnecessary degradation.
A common retort to the above is: "we'll provide set() member functions for every datum in our objects so the cost of construction will be spread
out." This is worse than the performance overhead, since now you're introducing a maintenance nightmare. Providing a set() member function
for every datum is tantamount to public data: you've exposed your implementation technique to the world. The only thing you've hidden is the
physical names of your member objects, but the fact that you're using a List and a String and a float, for example, is open for all to see.
Bottom line: Locals should be declared near their first use. Sorry that this isn't familiar to C experts, but new doesn't necessarily mean bad.
[ Top | Bottom | Previous section | Next section ]

[25.7] What source-file-name convention is best? foo.cpp? foo.C? foo.cc?


If you already have a convention, use it. If not, consult your compiler to see what the compiler expects. Typical answers are: .C, .cc, .cpp, or
.cxx (naturally the .C extension assumes a case-sensitive file system to distinguish .C from .c).

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/coding-standards.html (3 of 5) [3/16/2002 9:53:26 ;-]]


[25] Coding standards, C++ FAQ Lite
We've often used both .cpp for our C++ source files, and we have also used .C. In the latter case, we supply the compiler option forces .c files to
be treated as C++ source files (-Tdp for IBM CSet++, -cpp for Zortech C++, -P for Borland C++, etc.) when porting to case-insensitive file
systems. None of these approaches have any striking technical superiority to the others; we generally use whichever technique is preferred by our
customer (again, these issues are dominated by business considerations, not by technical considerations).
[ Top | Bottom | Previous section | Next section ]

[25.8] What header-file-name convention is best? foo.H? foo.hh? foo.hpp?


If you already have a convention, use it. If not, and if you don't need your editor to distinguish between C and C++ files, simply use .h. Otherwise
use whatever the editor wants, such as .H, .hh, or .hpp.
We've tended to use either .hpp or .h for our C++ header files.
[ Top | Bottom | Previous section | Next section ]

[25.9] Are there any lint-like guidelines for C++?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Yes, there are some practices which are generally considered dangerous. However none of these are universally "bad," since situations arise when
even the worst of these is needed:
A class Fred's assignment operator should return *this as a Fred& (allows chaining of assignments)

A class with any virtual functions ought to have a virtual destructor

A class with any of {destructor, assignment operator, copy constructor} generally needs all 3
A class Fred's copy constructor and assignment operator should have const in the parameter: respectively
Fred::Fred(const Fred&) and Fred& Fred::operator= (const Fred&)
When initializing an object's member objects in the constructor, always use initialization lists rather than assignment. The performance
difference for user-defined classes can be substantial (3x!)
Assignment operators should make sure that self assignment does nothing, otherwise you may have a disaster. In some cases, this may
require you to add an explicit test to your assignment operators.
In classes that define both += and +, a += b and a = a + b should generally do the same thing; ditto for the other identities of
built-in/intrinsic types (e.g., a += 1 and ++a; p[i] and *(p+i); etc). This can be enforced by writing the binary operations using the
op= forms. E.g.,
Fred operator+ (const Fred& a, const Fred& b)
{
Fred ans = a;
ans += b;
return ans;
}
This way the "constructive" binary operators don't even need to be friends. But it is sometimes possible to more efficiently implement
common operations (e.g., if class Fred is actually std::string, and += has to reallocate/copy string memory, it may be better to
know the eventual length from the beginning).
[ Top | Bottom | Previous section | Next section ]

[25.10] Which is better: identifier names that_look_like_this or identifier names


thatLookLikeThis?
[Recently improved the precision and added the last two paragraphs thanks to Chris Hurst (on 7/00) and clarified the last paragraph (on 4/01). Click here to go to the next
FAQ in the "chain" of recent changes.]

It's a precedent thing. If you have a Pascal or Smalltalk background, youProbablySquashNamesTogether like this. If you have an Ada
background, You_Probably_Use_A_Large_Number_Of_Underscores like this. If you have a Microsoft Windows background, you
probably prefer the "Hungarian" style which means you jkuidsPrefix vndskaIdentifiers ncqWith ksldjfTheir nmdsadType.
And then there are the folks with a Unix C background, who abbr evthng n use vry srt idntfr nms. (AND THE FORTRN PRGMRS
LIMIT EVRYTH TO SIX LETTRS.)
So there is no universal standard. If your project team has a particular coding standard for identifier names, use it. But starting another Jihad over
this will create a lot more heat than light. From a business perspective, there are only two things that matter: The code should be generally

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/coding-standards.html (4 of 5) [3/16/2002 9:53:26 ;-]]


[25] Coding standards, C++ FAQ Lite
readable, and everyone on the team should use the same style.
Other than that, th difs r minr.
One more thing: don't import a coding style onto platform-specific code where it is foreign. For example, a coding style that seems natural while
using a Microsoft library might look bizarre and random while using a UNIX library. Don't do it. Allow different styles for different platforms.
(Just in case someone out there isn't reading carefully, don't send me email about the case of common code that is designed to be used/ported to
several platforms, since that code wouldn't be platform-specific, so the above "allow different styles" guideline doesn't even apply.)
Okay, one more. Really. Don't fight the coding styles used by automatically generated code (e.g., by tools that generate code). Some people treat
coding standards with religious zeal, and they try to get tools to generate code in their local style. Forget it: if a tool generates code in a different
style, don't worry about it. Remember money and time?!? This whole coding standard thing was supposed to save money and time; don't turn it
into a "money pit."
[ Top | Bottom | Previous section | Next section ]

[25.11] Are there any other sources of coding standards?


[Recently fixed some URLs thanks to James S. Adelman and Stan Brown (on 7/00) and added a new URL thanks to Christopher Lott <chris "at" lott.com>;
added www.arcticlabs.com/codingstandards/ thanks to Richard (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Yep, there are several.


Here are a few sources that you might be able to use as starting points for developing your organization's coding standards (in random order):
www.cs.umd.edu/users/cml/resources/cstyle

www.cs.princeton.edu/~dwallach/CPlusPlusStyle.html
cpptips.hyperformix.com/conventions/cppconventions_1.html
www.oma.com/ottinger/Naming.html
v2ma09.gsfc.nasa.gov/coding_standards.html
fndaub.fnal.gov:8000/standards/standards.html
www.arcticlabs.com/codingstandards/
cliffie.nosc.mil/~NAPDOC/docprj/cppcodingstd/
www.possibility.com/cpp/
groucho.gsfc.nasa.gov/Code_520/Code_522/Projects/DRSL/documents/templates/cpp_style_guide.html
www.wildfire.com/~ag/Engineering/Development/C++Style/
The Ellemtel coding guidelines are available at
www.cs.umd.edu/users/cml/cstyle/Ellemtel-rules.html

www.doc.ic.ac.uk/lab/cplus/c++.rules/
www.mgl.co.uk/people/kirit/cpprules.html
Note: I do NOT warrant or endorse these URLs and/or their contents. They are listed as a public service only. I haven't checked their details, so I
don't know if they'll help you or hurt you. Caveat emptor.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/coding-standards.html (5 of 5) [3/16/2002 9:53:26 ;-]]


[33] Compiler dependencies, C++ FAQ Lite

[33] Compiler dependencies


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [33]:


[33.1] Where can I download a free C++ compiler?
[33.2] Where can I get more information on using MFC and Visual C++?
[33.3] How do I display text in the status bar using MFC?
[33.4] How can I decompile an executable program back into C++ source code?
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft, Symantec, Sun,
etc.}?
[33.6] How do compilers use "over-allocation" to remember the number of elements in an allocated array?
[33.7] How do compilers use an "associative array" to remember the number of elements in an allocated array?
[33.8] If name mangling was standardized, could I link code compiled with compilers from different compiler
vendors?
[33.9] GNU C++ (g++) produces big executables for tiny programs; Why?
[33.10] Is there a yacc-able C++ grammar?
[33.11] What is C++ 1.2? 2.0? 2.1? 3.0?

[33.1] Where can I download a free C++ compiler?


[Recently changed to a different site since the old URL was dead thanks to Victor R. Volkman (on 4/01). Click here to go to the next FAQ
in the "chain" of recent changes.]

Check out www.idiom.com/free-compilers/LANG/C++-1.html.


[ Top | Bottom | Previous section | Next section ]

[33.2] Where can I get more information on using MFC and Visual C++?
The MFC/Visual C++ FAQ (mfcfaq.stingray.com/) is maintained by Michael Pickens (formerly maintained by
Scot Wingo). Another FAQ is available at www.mvps.org/vcfaq.
[ Top | Bottom | Previous section | Next section ]

[33.3] How do I display text in the status bar using MFC?


Use the following code snipped:
CString s = "Text";
CStatusBar* p =

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/compiler-dependencies.html (1 of 6) [3/16/2002 9:53:27 ;-]]


[33] Compiler dependencies, C++ FAQ Lite

(CStatusBar*)AfxGetApp()->m_pMainWnd->GetDescendantWindow(AFX_IDW_STATUS_BAR);
p->SetPaneText(1, s);
This works with MFC v.1.00 which hopefully means it will work with other versions as well.
[ Top | Bottom | Previous section | Next section ]

[33.4] How can I decompile an executable program back into C++ source
code?
You gotta be kidding, right?
Here are a few of the many reasons this is not even remotely feasible:
What makes you think the program was written in C++ to begin with?

Even if you are sure it was originally written (at least partially) in C++, which one of the gazillion C++
compilers produced it?
Even if you know the compiler, which particular version of the compiler was used?

Even if you know the compiler's manufacturer and version number, what compile-time options were used?

Even if you know the compiler's manufacturer and version number and compile-time options, what third party
libraries were linked-in, and what was their version?
Even if you know all that stuff, most executables have had their debugging information stripped out, so the
resulting decompiled code will be totally unreadable.
Even if you know everything about the compiler, manufacturer, version number, compile-time options, third
party libraries, and debugging information, the cost of writing a decompiler that works with even one particular
compiler and has even a modest success rate at generating code would be a monumental effort on the par with
writing the compiler itself from scratch.
But the biggest question is not how you can decompile someone's code, but why do you want to do this? If you're trying
to reverse-engineer someone else's code, shame on you; go find honest work. If you're trying to recover from losing
your own source, the best suggestion I have is to make better backups next time.
[ Top | Bottom | Previous section | Next section ]

[33.5] Where can I get information about the C++ compiler from {Borland, IBM,
Microsoft, Symantec, Sun, etc.}?
[Recently updated the URL for IBM VisualAge C++ thanks to Rick Alther; updated the URL for GNU C++ thanks to Martin Honnen (on
7/00) and fixed "Semantic" to "Symantec" and "Gary Comeau" to "Greg Comeau" thanks to Scott Tringali; fixed the URL to SGI's
compiler thanks to Toon Knapen (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

In alphabetical order by vendor name:


Borland C++ 5.0 FAQs: www.reisdorph.com/bcpp/

Comeau C++: www.comeaucomputing.com/


DJ C++ ("DJGPP"): www.delorie.com/
Edison Design Group C++: www.edg.com/cpp.html
GNU C++ ("g++" or "GCC"): gcc.gnu.org/
HP C++: www.hp.com/lang/cpp/
IBM VisualAge C++: www.ibm.com/software/ad/vacpp/

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/compiler-dependencies.html (2 of 6) [3/16/2002 9:53:27 ;-]]


[33] Compiler dependencies, C++ FAQ Lite

Intel Reference C++: developer.intel.com/design/perftool/icl24/


KAI C++: www.kai.com/C_plus_plus/
Metrowerks C++: metrowerks.com or www.metrowerks.com
Microsoft Visual C++: www.microsoft.com/visualc/
Portland Group C++: www.pgroup.com
Rational APEX C/C++: www.rational.com/products/apex/prodinfo/cpp.jtmpl
Silicon Graphics C++: www.sgi.com/developers/devtools/languages/c++.html
Sun Visual WorkShopTM for C++: www.sun.com/workshop/visual
Symantec C++: www.symantec.com/scpp/index_product.html
Watcom C++:
support.sybase.com/Services/Custom/1,1015,0,00.html?Product=51&Service=7
[If anyone has other suggestions that should go into this list, please let me know; thanks; (cline@parashift.com)].

[ Top | Bottom | Previous section | Next section ]

[33.6] How do compilers use "over-allocation" to remember the number of


elements in an allocated array?
Recall that when you delete[] an array, the runtime system magically knows how many destructors to run. This
FAQ describes a technique used by some C++ compilers to do this (the other common technique is to use an
associative array).

If the compiler uses the "over-allocation" technique, the code for p = new Fred[n] looks something like the
following. Note that WORDSIZE is an imaginary machine-dependent constant that is at least sizeof(size_t),
possibly rounded up for any alignment constraints. On many machines, this constant will have a value of 4 or 8. It is
not a real C++ identifier that will be defined for your compiler.
// Original code: Fred* p = new Fred[n];
char* tmp = (char*) operator new[] (WORDSIZE + n * sizeof(Fred));
Fred* p = (Fred*) (tmp + WORDSIZE);
*(size_t*)tmp = n;
size_t i;
try {
for (i = 0; i < n; ++i)
new(p + i) Fred(); // Placement new
} catch (...) {
while (i-- != 0)
(p + i)->~Fred(); // Explicit call to the destructor
operator delete[] ((char*)p - WORDSIZE);
throw;
}
Then the delete[] p statement becomes:
// Original code: delete[] p;
size_t n = * (size_t*) ((char*)p - WORDSIZE);
while (n-- != 0)
(p + n)->~Fred();

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/compiler-dependencies.html (3 of 6) [3/16/2002 9:53:27 ;-]]


[33] Compiler dependencies, C++ FAQ Lite

operator delete[] ((char*)p - WORDSIZE);


Note that the address passed to operator delete[] is not the same as p.
Compared to the associative array technique, this technique is faster, but more sensitive to the problem of programmers
saying delete p rather than delete[] p. For example, if you make a programming error by saying delete p
where you should have said delete[] p, the address that is passed to operator delete(void*) is not the
address of any valid heap allocation. This will probably corrupt the heap. Bang! You're dead!
[ Top | Bottom | Previous section | Next section ]

[33.7] How do compilers use an "associative array" to remember the number


of elements in an allocated array?
Recall that when you delete[] an array, the runtime system magically knows how many destructors to run. This
FAQ describes a technique used by some C++ compilers to do this (the other common technique is to over-allocate).

If the compiler uses the associative array technique, the code for p = new Fred[n] looks something like this
(where arrayLengthAssociation is the imaginary name of a hidden, global associative array that maps from
void* to "size_t"):
// Original code: Fred* p = new Fred[n];
Fred* p = (Fred*) operator new[] (n * sizeof(Fred));
size_t i;
try {
for (i = 0; i < n; ++i)
new(p + i) Fred(); // Placement new
} catch (...) {
while (i-- != 0)
(p + i)->~Fred(); // Explicit call to the destructor
operator delete[] (p);
throw;
}
arrayLengthAssociation.insert(p, n);
Then the delete[] p statement becomes:
// Original code: delete[] p;
size_t n = arrayLengthAssociation.lookup(p);
while (n-- != 0)
(p + n)->~Fred();
operator delete[] (p);
Cfront uses this technique (it uses an AVL tree to implement the associative array).
Compared to the over-allocation technique, the associative array technique is slower, but less sensitive to the problem
of programmers saying delete p rather than delete[] p. For example, if you make a programming error by
saying delete p where you should have said delete[] p, only the first Fred in the array gets destructed, but the
heap may survive (unless you've replaced operator delete[] with something that doesn't simply call
operator delete, or unless the destructors for the other Fred objects were necessary).
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/compiler-dependencies.html (4 of 6) [3/16/2002 9:53:27 ;-]]


[33] Compiler dependencies, C++ FAQ Lite

[33.8] If name mangling was standardized, could I link code compiled with
compilers from different compiler vendors?
Short answer: Probably not.
In other words, some people would like to see name mangling standards incorporated into the proposed C++ ANSI
standards in an attempt to avoiding having to purchase different versions of class libraries for different compiler
vendors. However name mangling differences are one of the smallest differences between implementations, even on
the same platform.
Here is a partial list of other differences:
Number and type of hidden arguments to member functions.

is this handled specially?

where is the return-by-value pointer passed?

Assuming a v-table is used:

what is its contents and layout?


where/how is the adjustment to this made for multiple and/or virtual inheritance?

How are classes laid out, including:


location of base classes?

handling of virtual base classes?

location of v-pointers, if they are used at all?

Calling convention for functions, including:


where are the actual parameters placed?

in what order are the actual parameters passed?

how are registers saved?

where does the return value go?

does caller or callee pop the stack after the call?

special rules for passing or returning structs or doubles?

special rules for saving registers when calling leaf functions?

How is the run-time-type-identification laid out?


How does the runtime exception handling system know which local objects need to be destructed during an
exception throw?
[ Top | Bottom | Previous section | Next section ]

[33.9] GNU C++ (g++) produces big executables for tiny programs; Why?
libg++ (the library used by g++) was probably compiled with debug info (-g). On some machines, recompiling libg++
without debugging can save lots of disk space (approximately 1 MB; the down-side: you'll be unable to trace into
libg++ calls). Merely strip-ping the executable doesn't reclaim as much as recompiling without -g followed by
subsequent strip-ping the resultant a.out's.
Use size a.out to see how big the program code and data segments really are, rather than ls -s a.out which
includes the symbol table.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/compiler-dependencies.html (5 of 6) [3/16/2002 9:53:27 ;-]]


[33] Compiler dependencies, C++ FAQ Lite

[33.10] Is there a yacc-able C++ grammar?


[Recently rewrote; added a new grammar/lexer plus a new URL for the old grammar/lexer thanks to Ed Willink (on 4/01). Click here to go
to the next FAQ in the "chain" of recent changes.]

The primary yacc grammar you'll want is from Ed Willink. Ed believes his grammar is fully compliant with the
ISO/ANSI C++ standard, however he doesn't warrant it: "the grammar has not," he says, "been used in anger." You can
get the grammar without action routines or the grammar with dummy action routines. You can also get the
corresponding lexer. For those who are interested in how he achieves a context-free parser (by pushing all the
ambiguities plus a small number of repairs to be done later after parsing is complete), you might want to read chapter 4
of his thesis.

There is also a very old yacc grammar that doesn't support templates, exceptions, nor namespaces; plus it deviates
from the core language in some subtle ways. You can get that grammar here or here.
[ Top | Bottom | Previous section | Next section ]

[33.11] What is C++ 1.2? 2.0? 2.1? 3.0?


These are not versions of the language, but rather versions of cfront, which was the original C++ translator
implemented by AT&T. It has become generally accepted to use these version numbers as if they were versions of the
language itself.
Very roughly speaking, these are the major features:
2.0 includes multiple/virtual inheritance and pure virtual functions

2.1 includes semi-nested classes and delete[] pointerToArray


3.0 includes fully-nested classes, templates and i++ vs. ++i
4.0 will include exceptions
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/compiler-dependencies.html (6 of 6) [3/16/2002 9:53:27 ;-]]


[18] Const correctness, C++ FAQ Lite

[18] Const correctness


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [18]:


[18.1] What is "const correctness"?
[18.2] How is "const correctness" related to ordinary type safety?
[18.3] Should I try to get things const correct "sooner" or "later"?
[18.4] What does "const Fred* p" mean?
[18.5] What's the difference between "const Fred* p", "Fred* const p" and
"const Fred* const p"?
[18.6] What does "const Fred& x" mean?
[18.7] Does "Fred& const x" make any sense?
[18.8] What does "Fred const& x" mean?
[18.9] What is a "const member function"?
[18.10] What do I do if I want to update an "invisible" data member inside a const member
function?
[18.11] Does const_cast mean lost optimization opportunities?
[18.12] Why does the compiler allow me to change an int after I've pointed at it with a
const int*?
[18.13] Does "const Fred* p" mean that *p can't change?

[18.1] What is "const correctness"?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

A good thing. It means using the keyword const to prevent const objects from getting mutated.
For example, if you wanted to create a function f() that accepted a std::string, plus you want to
promise callers not to change the caller's std::string that gets passed to f(), you can have f()
receive its std::string parameter...
void f1(const std::string& s); // Pass by reference-to-const
void f2(const std::string* sptr); // Pass by pointer-to-const
void f3(std::string s); // Pass by value

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (1 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

In the pass by reference-to-const and pass by pointer-to-const cases, any attempts to change to the
caller's std::string within the f() functions would be flagged by the compiler as an error at
compile-time. This check is done entirely at compile-time: there is no run-time space or speed cost for the
const. In the pass by value case (f3()), the called function gets a copy of the caller's std::string.
This means that f3() can change its local copy, but the copy is destroyed when f3() returns. In
particular f3() cannot change the caller's std::string object.
As an opposite example, if you wanted to create a function g() that accepted a std::string, but you
want to let callers know that g() might change the caller's std::string object. In this case you can
have g() receive its std::string parameter...
void g1(std::string& s); // Pass by reference-to-non-const
void g2(std::string* sptr); // Pass by pointer-to-non-const
The lack of const in these functions tells the compiler that they are allowed to (but are not required to)
change the caller's std::string object. Thus they can pass their std::string to any of the f()
functions, but only f3() (the one that receives its parameter "by value") can pass its std::string to
g1() or g2(). If f1() or f2() need to call either g() function, a local copy of the std::string
object must be passed to the g() function; the parameter to f1() or f2() cannot be directly passed to
either g() function. E.g.,
void g1(std::string& s);

void f1(const std::string& s)


{
g1(s); // Compile-time Error since s is const

std::string localCopy = s;
g1(localCopy); // OK since localCopy is not const
}
Naturally in the above case, any changes that g1() makes are made to the localCopy object that is local
to f1(). In particular, no changes will be made to the const parameter that was passed by reference to
f1().
[ Top | Bottom | Previous section | Next section ]

[18.2] How is "const correctness" related to ordinary type safety?

[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

Declaring the const-ness of a parameter is just another form of type safety. It is almost as if a const
std::string, for example, is a different class than an ordinary std::string, since the const
variant is missing the various mutative operations in the non-const variant (e.g., you can imagine that a
const std::string simply doesn't have an assignment operator).
If you find ordinary type safety helps you get systems correct (it does; especially in large systems), you'll

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (2 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

find const correctness helps also.


[ Top | Bottom | Previous section | Next section ]

[18.3] Should I try to get things const correct "sooner" or "later"?


At the very, very, very beginning.
Back-patching const correctness results in a snowball effect: every const you add "over here" requires
four more to be added "over there."
[ Top | Bottom | Previous section | Next section ]

[18.4] What does "const Fred* p" mean?


It means p points to an object of class Fred, but p can't be used to change that Fred object (naturally p
could also be NULL).
For example, if class Fred has a const member function called inspect(), saying p->inspect()
is OK. But if class Fred has a non-const member function called mutate(), saying p->mutate() is
an error (the error is caught by the compiler; no run-time tests are done, which means const doesn't slow
your program down).
[ Top | Bottom | Previous section | Next section ]

[18.5] What's the difference between "const Fred* p",


"Fred* const p" and "const Fred* const p"?
You have to read pointer declarations right-to-left.
const Fred* p means "p points to a Fred that is const" that is, the Fred object can't be
changed via p.
Fred* const p means "p is a const pointer to a Fred" that is, you can change the Fred
object via p, but you can't change the pointer p itself.
const Fred* const p means "p is a const pointer to a const Fred" that is, you can't
change the pointer p itself, nor can you change the Fred object via p.
[ Top | Bottom | Previous section | Next section ]

[18.6] What does "const Fred& x" mean?


It means x aliases a Fred object, but x can't be used to change that Fred object.
For example, if class Fred has a const member function called inspect(), saying x.inspect() is
OK. But if class Fred has a non-const member function called mutate(), saying x.mutate() is an

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (3 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

error (the error is caught by the compiler; no run-time tests are done, which means const doesn't slow
your program down).
[ Top | Bottom | Previous section | Next section ]

[18.7] Does "Fred& const x" make any sense?


No, it is nonsense.
To find out what the above declaration means, you have to read it right-to-left. Thus "Fred& const x"
means "x is a const reference to a Fred". But that is redundant, since references are always const. You
can't reseat a reference. Never. With or without the const.

In other words, "Fred& const x" is functionally equivalent to "Fred& x". Since you're gaining
nothing by adding the const after the &, you shouldn't add it since it will confuse people. I.e., the const
will make some people think that the Fred is const, as if you had said "const Fred& x".
[ Top | Bottom | Previous section | Next section ]

[18.8] What does "Fred const& x" mean?


"Fred const& x" is functionally equivalent to "const Fred& x".

The problem with using "Fred const& x" (with the const before the &) is that it could easily be
mis-typed as the nonsensical "Fred &const x" (with the const after the &).

Better to simply use const Fred& x.


[ Top | Bottom | Previous section | Next section ]

[18.9] What is a "const member function"?


[Recently removed a spurious ")" thanks to Stan Brown (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

A member function that inspects (rather than mutates) its object.


A const member function is indicated by a const suffix just after the member function's parameter list.
Member functions with a const suffix are called "const member functions" or "inspectors." Member
functions without a const suffix are called "non-const member functions" or "mutators."
class Fred {
public:
void inspect() const; // This member promises NOT to change *this
void mutate(); // This member function might change *this
};

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (4 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

void userCode(Fred& changeable, const Fred& unchangeable)


{
changeable.inspect(); // OK: doesn't change a changeable object
changeable.mutate(); // OK: changes a changeable object

unchangeable.inspect(); // OK: doesn't change an unchangeable object


unchangeable.mutate(); // ERROR: attempt to change unchangeable object
}
The error in unchangeable.mutate() is caught at compile time. There is no runtime space or speed
penalty for const.
The trailing const on inspect() member function means that the abstract (client-visible) state of the
object isn't going to change. This is slightly different from promising that the "raw bits" of the object's
struct aren't going to change. C++ compilers aren't allowed to take the "bitwise" interpretation unless
they can solve the aliasing problem, which normally can't be solved (i.e., a non-const alias could exist
which could modify the state of the object). Another (important) insight from this aliasing issue: pointing at
an object with a pointer-to-const doesn't guarantee that the object won't change; it promises only that the
object won't change via that pointer.
[ Top | Bottom | Previous section | Next section ]

[18.10] What do I do if I want to update an "invisible" data member


inside a const member function?
Use mutable (or, as a last resort, use const_cast).
A small percentage of inspectors need to make innocuous changes to data members (e.g., a Set object
might want to cache its last lookup in hopes of improving the performance of its next lookup). By saying
the changes are "innocuous," I mean that the changes wouldn't be visible from outside the object's interface
(otherwise the member function would be a mutator rather than an inspector).
When this happens, the data member which will be modified should be marked as mutable (put the
mutable keyword just before the data member's declaration; i.e., in the same place where you could put
const). This tells the compiler that the data member is allowed to change during a const member
function. If your compiler doesn't support the mutable keyword, you can cast away the const'ness of
this via the const_cast keyword (but see the NOTE below before doing this). E.g., in
Set::lookup() const, you might say,
Set* self = const_cast<Set*>(this);
// See the NOTE below before doing this!
After this line, self will have the same bits as this (e.g., self == this), but self is a Set* rather
than a const Set*. Therefore you can use self to modify the object pointed to by this.
NOTE: there is an extremely unlikely error that can occur with const_cast. It only happens when three
very rare things are combined at the same time: a data member that ought to be mutable (such as is
discussed above), a compiler that doesn't support the mutable keyword, and an object that was originally

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (5 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

defined to be const (as opposed to a normal, non-const object that is pointed to by a


pointer-to-const). Although this combination is so rare that it may never happen to you, if it ever did
happen the code may not work (the Standard says the behavior is undefined).
If you ever want to use const_cast, use mutable instead. In other words, if you ever need to change a
member of an object, and that object is pointed to by a pointer-to-const, the safest and simplest thing to
do is add mutable to the member's declaration. You can use const_cast if you are sure that the actual
object isn't const (e.g., if you are sure the object is declared something like this: Set s;), but if the
object itself might be const (e.g., if it might be declared like: const Set s;), use mutable rather than
const_cast.
Please don't write and tell me that version X of compiler Y on machine Z allows you to change a
non-mutable member of a const object. I don't care it is illegal according to the language and your
code will probably fail on a different compiler or even a different version (an upgrade) of the same
compiler. Just say no. Use mutable instead.
[ Top | Bottom | Previous section | Next section ]

[18.11] Does const_cast mean lost optimization opportunities?


In theory, yes; in practice, no.
Even if the language outlawed const_cast, the only way to avoid flushing the register cache across a
const member function call would be to solve the aliasing problem (i.e., to prove that there are no
non-const pointers that point to the object). This can happen only in rare cases (when the object is
constructed in the scope of the const member function invocation, and when all the non-const member
function invocations between the object's construction and the const member function invocation are
statically bound, and when every one of these invocations is also inlined, and when the constructor itself
is inlined, and when any member functions the constructor calls are inline).
[ Top | Bottom | Previous section | Next section ]

[18.12] Why does the compiler allow me to change an int after I've
pointed at it with a const int*?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

Because "const int* p" means "p promises not to change the *p," not "*p promises not to change."
Causing a const int* to point to an int doesn't const-ify the int. The int can't be changed via the
const int*, but if someone else has an int* (note: no const) that points to ("aliases") the same int,
then that int* can be used to change the int. For example:
void f(const int* p1, int* p2)
{
int i = *p1; // Get the (original) value of *p1
*p2 = 7; // If p1 == p2, this will also change *p1

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (6 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

int j = *p1; // Get the (possibly new) value of *p1


if (i != j) {
std::cout << "*p1 changed, but it didn't change via pointer p1!\n";
assert(p1 == p2); // This is the only way *p1 could be different
}
}

int main()
{
int x;
f(&x, &x); // This is perfectly legal (and even moral!)
}
Note that main() and f(const int*,int*) could be in different compilation units that are compiled
on different days of the week. In that case there is no way the compiler can possibly detect the aliasing at
compile time. Therefore there is no way we could make a language rule that prohibits this sort of thing. In
fact, we wouldn't even want to make such a rule, since in general it's considered a feature that you can have
many pointers pointing to the same thing. The fact that one of those pointers promises not to change the
underlying "thing" is just a promise made by the pointer; it's not a promise made by the "thing".
[ Top | Bottom | Previous section | Next section ]

[18.13] Does "const Fred* p" mean that *p can't change?


No! (This is related to the FAQ about aliasing of int pointers.)

"const Fred* p" means that the Fred can't be changed via pointer p, but there might be other ways to
get at the object without going through a const (such as an aliased non-const pointer such as a Fred*).
For example, if you have two pointers "const Fred* p" and "Fred* q" that point to the same Fred
object (aliasing), pointer q can be used to change the Fred object but pointer p cannot.
class Fred {
public:
void inspect() const; // A const member function
void mutate(); // A non-const member function
};

int main()
{
Fred f;
const Fred* p = &f;
Fred* q = &f;

p->inspect(); // OK: No change to *p


p->mutate(); // Error: Can't change *p via p

q->inspect(); // OK: q is allowed to inspect the object

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (7 of 8) [3/16/2002 9:53:28 ;-]]


[18] Const correctness, C++ FAQ Lite

q->mutate(); // OK: q is allowed to mutate the object

f.inspect(); // OK: f is allowed to inspect the object


f.mutate(); // OK: f is allowed to mutate the object
}
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/const-correctness.html (8 of 8) [3/16/2002 9:53:28 ;-]]


[31] Container classes and templates, C++ FAQ Lite

[31] Container classes and templates


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [31]:


[31.1] Why should I use container classes rather than simple arrays?
[31.2] How can I make a perl-like associative array in C++?
[31.3] How can I build a <favorite container> of objects of different types?
[31.4] How can I insert/access/change elements from a linked list/hashtable/etc?
[31.5] What's the idea behind templates?
[31.6] What's the syntax / semantics for a "class template"?
[31.7] What's the syntax / semantics for a "function template"?
[31.8] How do I explicitly select which version of a function template should get called?
[31.9] What is a "parameterized type"?
[31.10] What is "genericity"?

[31.1] Why should I use container classes rather than simple arrays?

[Recently created with help from Stan Brown (on 7/00) and clarified "local" vs. "non-static local" thanks to Garen Parham
(on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Because arrays are evil.


Let's assume the best case scenario: you're an experienced C programmer, which almost by definition means
you're pretty good at working with arrays. You know you can handle the complexity; you've done it for years.
And you're smart the smartest on the team the smartest in the whole company. But even given all that,
please read this entire FAQ and think very carefully about it before you go into "business as usual" mode.
Fundamentally it boils down to this simple fact: C++ is not C. That means (this might be painful for you!!)
you'll need to set aside some of your hard earned wisdom from your vast experience in C. The two languages
simply are different. The "best" way to do something in C is not always the same as the "best" way to do it in
C++. If you really want to program in C, please do yourself a favor and program in C. But if you want to be
really good at C++, then learn the C++ ways of doing things. You may be a C guru, but if you're just learning
C++, you're just learning C++ you're a newbie. (Ouch; I know that had to hurt. Sorry.)
Here's what you need to realize about containers vs. arrays:
1. Container classes make programmers more productive. So if you insist on using arrays while those
around are willing to use container classes, you'll probably be less productive than they are (even if

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (1 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

you're smarter and more experienced than they are!).


2. Container classes let programmers write more robust code. So if you insist on using arrays while those
around are willing to use container classes, your code will probably have more bugs than their code
(even if you're smarter and more experienced).
3. And if you're so smart and so experienced that you can use arrays as fast and as safe as they can use
container classes, someone else will probably end up maintaining your code and they'll probably
introduce bugs. Or worse, you'll be the only one who can maintain your code so management will yank
you from development and move you into a full-time maintenance role just what you always wanted!
Here are some specific problems with arrays:
1. Subscripts don't get checked to see if they are out of bounds. (Note that some container classes, such as
std::vector, have methods to access elements with or without bounds checking on subscripts.)
2. Arrays often require you to allocate memory from the heap (see below for examples), in which case you
must manually make sure the allocation is eventually deleted (even when someone throws an
exception). When you use container classes, this memory management is handled automatically, but
when you use arrays, you have to manually write a bunch of code (and unfortunately that code is often
subtle and tricky) to deal with this. For example, in addition to writing the code that destroys all the
objects and deletes the memory, arrays often also force you you to write an extra try block with a
catch clause that destroys all the objects, deletes the memory, then re-throws the exception. This is
a real pain in the neck, as shown here. When using container classes, things are much easier.
3. You can't insert an element into the middle of the array, or even add one at the end, unless you allocate
the array via the heap, and even then you must allocate a new array and copy the elements.
4. Container classes give you the choice of passing them by reference or by value, but arrays do not give
you that choice: they are always passed by reference. If you want to simulate pass-by-value with an
array, you have to manually write code that explicitly copies the array's elements (possibly allocating
from the heap), along with code to clean up the copy when you're done with it. All this is handled
automatically for you if you use a container class.
5. If your function has a non-static local array (i.e., an "auto" array), you cannot return that array,
whereas the same is not true for objects of container classes.
Here are some things to think about when using containers:
1. Different C++ containers have different strengths and weaknesses, but for any given job there's usually
one of them that is better clearer, safer, easier/cheaper to maintain, and often more efficient than
an array. For instance,
You might consider a std::map instead of manually writing code for a lookup table.

A std::map might also be used for a sparse array or sparse matrix.

A std::vector is the most array-like of the standard container classes, but it also offers
various extra features such as bounds checking via the at() member function,
insertions/removals of elements, automatic memory management even if someone throws an
exception, ability to be passed both by reference and by value, etc.
A std::string is almost always better than an array of char (you can think of a
std::string as a "container class" for the sake of this discussion).
2. Container classes aren't best for everything, and sometimes you may need to use arrays. But that should
be very rare, and if/when it happens:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (2 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

Please design your container class's public interface in such a way that the code that uses the
container class is unaware of the fact that there is an array inside.
The goal is to "bury" the array inside a container class. In other words, make sure there is a very
small number of lines of code that directly touch the array (just your own methods of your
container class) so everyone else (the users of your container class) can write code that doesn't
depend on there being an array inside your container class.
To net this out, arrays really are evil. You may not think so if you're new to C++. But after you write a big pile
of code that uses arrays (especially if you make your code leak-proof and exception-safe), you'll learn the
hard way. Or you'll learn the easy way by believing those who've already done things like that. The choice is
yours.
[ Top | Bottom | Previous section | Next section ]

[31.2] How can I make a perl-like associative array in C++?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain"
of recent changes.]

Use the standard class template std::map<Key,Val>:


#include <string>
#include <map>
#include <iostream>

int main()
{
// age is a map from string to int
std::map<std::string, int, std::less<std::string> > age;

age["Fred"] = 42; // Fred is 42 years old


age["Barney"] = 37; // Barney is 37

if (todayIsFredsBirthday()) // On Fred's birthday,


++ age["Fred"]; // increment Fred's age

std::cout << "Fred is " << age["Fred"] << " years old\n";
}
[ Top | Bottom | Previous section | Next section ]

[31.3] How can I build a <favorite container> of objects of different


types?
You can't, but you can fake it pretty well. In C/C++ all arrays are homogeneous (i.e., the elements are all the
same type). However, with an extra layer of indirection you can give the appearance of a heterogeneous
container (a heterogeneous container is a container where the contained objects are of different types).

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (3 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

There are two cases with heterogeneous containers.


The first case occurs when all objects you want to store in a container are publicly derived from a common
base class. You can then declare/define your container to hold pointers to the base class. You indirectly store a
derived class object in a container by storing the object's address as an element in the container. You can then
access objects in the container indirectly through the pointers (enjoying polymorphic behavior). If you need to
know the exact type of the object in the container you can use dynamic_cast<> or typeid(). You'll
probably need the Virtual Constructor Idiom to copy a container of disparate object types. The downside of
this approach is that it makes memory management a little more problematic (who "owns" the pointed-to
objects? if you delete these pointed-to objects when you destroy the container, how can you guarantee that
no one else has a copy of one of these pointers? if you don't delete these pointed-to objects when you
destroy the container, how can you be sure that someone else will eventually do the deleteing?). It also
makes copying the container more complex (may actually break the container's copying functions since you
don't want to copy the pointers, at least not when the container "owns" the pointed-to objects).
The second case occurs when the object types are disjoint they do not share a common base class. The
approach here is to use a handle class. The container is a container of handle objects (by value or by pointer,
your choice; by value is easier). Each handle object knows how to "hold on to" (i.e. ,maintain a pointer to) one
of the objects you want to put in the container. You can use either a single handle class with several different
types of pointers as instance data, or a hierarchy of handle classes that shadow the various types you wish to
contain (requires the container be of handle base class pointers). The downside of this approach is that it opens
up the handle class(es) to maintenance every time you change the set of types that can be contained. The
benefit is that you can use the handle class(es) to encapsulate most of the ugliness of memory management
and object lifetime. Thus using handle objects may be beneficial even in the first case.
[ Top | Bottom | Previous section | Next section ]

[31.4] How can I insert/access/change elements from a linked


list/hashtable/etc?
[Recently reworded, plus changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next
FAQ in the "chain" of recent changes.]

The most important thing to remember is this: don't roll your own from scratch unless there is a compelling
reason to do so. In other words, instead of creating your own list or hashtable, use one of the standard class
templates such as std::vector<T> or std::list<T> or whatever.
Assuming you have a compelling reason to build your own container, here's how to handle inserting (or
accessing, changing, etc.) the elements.
To make the discussion concrete, I'll discuss how to insert an element into a linked list. This example is just
complex enough that it generalizes pretty well to things like vectors, hash tables, binary trees, etc.
A linked list makes it easy insert an element before the first or after the last element of the list, but limiting
ourselves to these would produce a library that is too weak (a weak library is almost worse than no library).
This answer will be a lot to swallow for novice C++'ers, so I'll give a couple of options. The first option is
easiest; the second and third are better.
1. Empower the List with a "current location," and member functions such as advance(),
backup(), atEnd(), atBegin(), getCurrElem(), setCurrElem(Elem),

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (4 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

insertElem(Elem), and removeElem(). Although this works in small examples, the notion of a
current position makes it difficult to access elements at two or more positions within the list (e.g., "for
all pairs x,y do the following...").
2. Remove the above member functions from List itself, and move them to a separate class,
ListPosition. ListPosition would act as a "current position" within a list. This allows
multiple positions within the same list. ListPosition would be a friend of class List, so
List can hide its innards from the outside world (else the innards of List would have to be
publicized via public member functions in List). Note: ListPosition can use operator
overloading for things like advance() and backup(), since operator overloading is syntactic
sugar for normal member functions.
3. Consider the entire iteration as an atomic event, and create a class template that embodies this event.
This enhances performance by allowing the public access member functions (which may be virtual
functions) to be avoided during the access, and this access often occurs within an inner loop.
Unfortunately the class template will increase the size of your object code, since templates gain speed
by duplicating code. For more, see [Koenig, "Templates as interfaces," JOOP, 4, 5 (Sept 91)], and
[Stroustrup, "The C++ Programming Language Third Edition," under "Comparator"].
[ Top | Bottom | Previous section | Next section ]

[31.5] What's the idea behind templates?


A template is a cookie-cutter that specifies how to cut cookies that all look pretty much the same (although the
cookies can be made of various kinds of dough, they'll all have the same basic shape). In the same way, a class
template is a cookie cutter for a description of how to build a family of classes that all look basically the same,
and a function template describes how to build a family of similar looking functions.
Class templates are often used to build type safe containers (although this only scratches the surface for how
they can be used).
[ Top | Bottom | Previous section | Next section ]

[31.6] What's the syntax / semantics for a "class template"?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain"
of recent changes.]

Consider a container class Array that acts like an array of integers:


// This would go into a header file such as "Array.h"
class Array {
public:
Array(int len=10) : len_(len), data_(new int[len]) { }
~Array() { delete [] data_; }
int len() const { return len_; }
const int& operator[](int i) const { return data_[check(i)]; }
int& operator[](int i) { return data_[check(i)]; }
Array(const Array&);

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (5 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

Array& operator= (const Array&);


private:
int len_;
int* data_;
int check(int i) const
{ if (i < 0 || i >= len_) throw BoundsViol("Array", i, len_);
return i; }
};
Repeating the above over and over for Array of float, of char, of std::string, of
Array-of-std::string, etc, will become tedious.
// This would go into a header file such as "Array.h"
template<class T>
class Array {
public:
Array(int len=10) : len_(len), data_(new T[len]) { }
~Array() { delete [] data_; }
int len() const { return len_; }
const T& operator[](int i) const { return data_[check(i)]; }
T& operator[](int i) { return data_[check(i)]; }
Array(const Array<T>&);
Array<T>& operator= (const Array<T>&);
private:
int len_;
T* data_;
int check(int i) const
{ if (i < 0 || i >= len_) throw BoundsViol("Array", i, len_);
return i; }
};
Unlike template functions, template classes (instantiations of class templates) need to be explicit about the
parameters over which they are instantiating:
int main()
{
Array<int> ai;
Array<float> af;
Array<char*> ac;
Array<std::string> as;
Array< Array<int> > aai;
}
Note the space between the two >'s in the last example. Without this space, the compiler would see a >>
(right-shift) token instead of two >'s.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (6 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

[31.7] What's the syntax / semantics for a "function template"?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain"
of recent changes.]

Consider this function that swaps its two integer arguments:


void swap(int& x, int& y)
{
int tmp = x;
x = y;
y = tmp;
}
If we also had to swap floats, longs, Strings, Sets, and FileSystems, we'd get pretty tired of coding lines that
look almost identical except for the type. Mindless repetition is an ideal job for a computer, hence a function
template:
template<class T>
void swap(T& x, T& y)
{
T tmp = x;
x = y;
y = tmp;
}
Every time we used swap() with a given pair of types, the compiler will go to the above definition and will
create yet another "template function" as an instantiation of the above. E.g.,
int main()
{
int i,j; /*...*/ swap(i,j); // Instantiates a swap for int
float a,b; /*...*/ swap(a,b); // Instantiates a swap for float
char c,d; /*...*/ swap(c,d); // Instantiates a swap for char
std::string s,t; /*...*/ swap(s,t); // Instantiates a swap for std::string
}
Note: A "template function" is the instantiation of a "function template".
[ Top | Bottom | Previous section | Next section ]

[31.8] How do I explicitly select which version of a function template


should get called?
[Recently created with help from Perry Rapp (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

When you call a function template, the compiler tries to deduce the template type. Most of the time it can do
that successfully, but every once in a while you may want to help the compiler deduce the right type either
because it cannot deduce the type at all, or perhaps because it would deduce the wrong type.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (7 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

For example, you might be calling a function template that doesn't have any parameters of its template
argument types, or you might want to force the compiler to do certain promotions on the arguments before
selecting the correct function template. In these cases you'll need to explicitly tell the compiler which
instantiation of the function template should be called.
Here is a sample function template where the template parameter T does not appear in the function's parameter
list. In this case the compiler cannot deduce the template parameter types when the function is called.
template<class T>
void f()
{
// ...
}
To call this function with T being an int or a std::string, you could say:
#include <string>

void sample()
{
f<int>(); // type T will be int in this call
f<std::string>(); // type T will be std::string in this call
}
Here is another function whose template parameters appear in the function's list of formal parameters (that is,
the compiler can deduce the template type from the actual arguments):
template<class T>
void g(T x)
{
// ...
}
Now if you want to force the actual arguments to be promoted before the compiler deduces the template type,
you can use the above technique. E.g., if you simply called g(42) you would get g<int>(42), but if you
wanted to pass 42 to g<long>(), you could say this: g<long>(42). (Of course you could also promote
the parameter explicitly, such as either g(long(42)) or even g(42L), but that ruins the example.)
Similarly if you said g("xyz") you'd end up calling g<char*>(char*), but if you wanted to call the
std::string version of g<>() you could say g<std::string>("xyz"). (Again you could also
promote the argument, such as g(std::string("xyz")), but that's another story.)
[ Top | Bottom | Previous section | Next section ]

[31.9] What is a "parameterized type"?


Another way to say, "class templates."
A parameterized type is a type that is parameterized over another type or some value. List<int> is a type
(List) parameterized over another type (int).

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (8 of 9) [3/16/2002 9:53:30 ;-]]


[31] Container classes and templates, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[31.10] What is "genericity"?


Yet another way to say, "class templates."
Not to be confused with "generality" (which just means avoiding solutions which are overly specific),
"genericity" means class templates.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/containers-and-templates.html (9 of 9) [3/16/2002 9:53:30 ;-]]


[1] Copying permissions, C++ FAQ Lite

[1] Copying permissions


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [1]:


[1.1] Author
[1.2] Copyright Notice
[1.3] Copying Permissions
[1.4] No Warranty
[1.5] Trademarks
[1.6] C++-FAQ-Lite != C++-FAQ-Book

[1.1] Author
Marshall Cline
cline@parashift.com

[ Top | Bottom | Next section ]

[1.2] Copyright Notice


The entire C++ FAQ Lite document is Copyright 1991-2000 Marshall P. Cline, Ph.D.,
cline@parashift.com. All rights reserved. Copying is permitted only under designated situations.

[ Top | Bottom | Next section ]

[1.3] Copying Permissions


If all you want to do is quote a small portion of C++ FAQ Lite (such as one or two FAQs) in a larger
document, simply attribute the quoted portion with something vaguely similar to, "From Marshall Cline's
C++ FAQ Lite document, www.parashift.com/c++-faq-lite/".
If you want to make a copy of large portions and/or the entire C++ FAQ Lite document for your own
personal use, you may do so without restriction (provided, of course, that you don't redistribute the
document to others, or allow others to copy the document).
If you want to redistribute large portions and/or the entire C++ FAQ Lite document to others, whether or

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/copy-permissions.html (1 of 2) [3/16/2002 9:53:30 ;-]]


[1] Copying permissions, C++ FAQ Lite

not for commercial use, you must get permission from the author first (and that permission is normally
granted; note however that it's often easier for you to simply tell your recipients about the one-click
download option). In any event, all copies you make must retain verbatim and display conspicuously all
the following: all copyright notices, the Author section, the Copyright Notice section, the No Warranty
section, the C++-FAQ-Lite != C++-FAQ-Book section, and the Copy Permissions section.

If you want more and/or different privileges than are outlined here, please contact me,
cline@parashift.com. I'm a very reasonable man...

[ Top | Bottom | Next section ]

[1.4] No Warranty
THIS WORK IS PROVIDED ON AN "AS IS" BASIS. THE AUTHOR PROVIDES NO WARRANTY
WHATSOEVER, EITHER EXPRESS OR IMPLIED, REGARDING THE WORK, INCLUDING
WARRANTIES WITH RESPECT TO ITS MERCHANTABILITY OR FITNESS FOR ANY
PARTICULAR PURPOSE.
[ Top | Bottom | Next section ]

[1.5] Trademarks
Java is a trademark of Sun Microsystems, Inc. in the United States and other countries.
All other trademarks are the property of their respective owners.
Note: We'd like to list all trademarks explicitly; please let us know about who owns what trademark and
we'll name them explicitly; thanks!
[ Top | Bottom | Next section ]

[1.6] C++-FAQ-Lite != C++-FAQ-Book


This document, C++ FAQ Lite, is not the same as the C++ FAQ Book. The book (C++ FAQ, Second
Edition, Cline, Lomow, and Girou, Addison-Wesley) is 500% larger than this document, and is available
in bookstores. See [3] for details.

[ Top | Bottom | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/copy-permissions.html (2 of 2) [3/16/2002 9:53:30 ;-]]


[10] Constructors, C++ FAQ Lite

[10] Constructors
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [10]:


[10.1] What's the deal with constructors?
[10.2] Is there any difference between List x; and List x();?
[10.3] How can I make a constructor call another constructor as a primitive?
[10.4] Is the default constructor for Fred always Fred::Fred()?
[10.5] Which constructor gets called when I create an array of Fred objects?
[10.6] Should my constructors use "initialization lists" or "assignment"?
[10.7] Should you use the this pointer in the constructor?
[10.8] What is the "Named Constructor Idiom"?
[10.9] Why can't I initialize my static member data in my constructor's initialization list?

[10.10] Why are classes with static data members getting linker errors?
[10.11] What's the "static initialization order fiasco"?
[10.12] How do I prevent the "static initialization order fiasco"?
[10.13] How do I prevent the "static initialization order fiasco" for my static data members?
[10.14] How can I handle a constructor that fails?
[10.15] What is the "Named Parameter Idiom"?

[10.1] What's the deal with constructors?


Constructors build objects from dust.
Constructors are like "init functions". They turn a pile of arbitrary bits into a living object. Minimally
they initialize internally used fields. They may also allocate resources (memory, files, semaphores,
sockets, etc).
"ctor" is a typical abbreviation for constructor.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (1 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

[10.2] Is there any difference between List x; and List x();?


A big difference!
Suppose that List is the name of some class. Then function f() declares a local List object called x:
void f()
{
List x; // Local object named x (of class List)
// ...
}
But function g() declares a function called x() that returns a List:
void g()
{
List x(); // Function named x (that returns a List)
// ...
}
[ Top | Bottom | Previous section | Next section ]

[10.3] How can I make a constructor call another constructor as a


primitive?
No way.
Dragons be here: if you call another constructor, the compiler initializes a temporary local object; it does
not initialize this object. You can combine both constructors by using a default parameter, or you can
share their common code in a private init() member function.
[ Top | Bottom | Previous section | Next section ]

[10.4] Is the default constructor for Fred always Fred::Fred()?


No. A "default constructor" is a constructor that can be called with no arguments. Thus a constructor that
takes no arguments is certainly a default constructor:
class Fred {
public:
Fred(); // Default constructor: can be called with no args
// ...
};
However it is possible (and even likely) that a default constructor can take arguments, provided they are
given default values:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (2 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

class Fred {
public:
Fred(int i=3, int j=5); // Default constructor: can be called with no args
// ...
};
[ Top | Bottom | Previous section | Next section ]

[10.5] Which constructor gets called when I create an array of Fred


objects?
[Recently changed so it uses new-style headers and the std:: syntax and reworded references to STL (on 7/00). Click
here to go to the next FAQ in the "chain" of recent changes.]

Fred's default constructor (except as discussed below).


There is no way to tell the compiler to call a different constructor (except as discussed below). If your
class Fred doesn't have a default constructor, attempting to create an array of Fred objects is trapped
as an error at compile time.
class Fred {
public:
Fred(int i, int j);
// ... assume there is no default constructor in class Fred ...
};

int main()
{
Fred a[10]; // ERROR: Fred doesn't have a default constructor
Fred* p = new Fred[10]; // ERROR: Fred doesn't have a default constructor
}
However if you are constructing an object of the standard std::vector<Fred> rather than an array
of Fred (which you probably should be doing anyway since arrays are evil), you don't have to have a
default constructor in class Fred, since you can give the std::vector a Fred object to be used to
initialize the elements:
#include <vector>

int main()
{
std::vector<Fred> a(10, Fred(5,7));
// The 10 Fred objects in std::vector a will be initialized with Fred(5,7).
// ...
}
Even though you ought to use a std::vector rather than an array, there are times when an array

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (3 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

might be the right thing to do, and for those, there is the "explicit initialization of arrays" syntax. Here's
how it looks:
class Fred {
public:
Fred(int i, int j);
// ... assume there is no default constructor in class Fred ...
};

int main()
{
Fred a[10] = {
Fred(5,7), Fred(5,7), Fred(5,7), Fred(5,7), Fred(5,7),
Fred(5,7), Fred(5,7), Fred(5,7), Fred(5,7), Fred(5,7)
};

// The 10 Fred objects in array a will be initialized with Fred(5,7).


// ...
}
Of course you don't have to do Fred(5,7) for every entry you can put in any numbers you want,
even parameters or other variables. The point is that this syntax is (a) doable but (b) not as nice as the
std::vector syntax. Remember this: arrays are evil unless there is a compelling reason to use an
array, use a std::vector instead.
[ Top | Bottom | Previous section | Next section ]

[10.6] Should my constructors use "initialization lists" or


"assignment"?
[Recently rewrote (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Initialization list. In fact, constructors should initialize all member objects in the initialization list.
For example, this constructor initializes member object x_ using an initialization list:
Fred::Fred() : x_(whatever) { }. The most common benefit of doing this is improved
performance. For example, if the expression whatever is the same as member variable x_, the result of
the whatever expression is constructed directly inside x_ the compiler does not make a separate copy
of the object. Even if the types are not the same, the compiler is usually able to do a better job with
initialization lists than with assignments.
The other (wrong) way to build constructors is via assignment, such as:
Fred::Fred() { x_ = whatever; }. In this case the expression whatever causes a separate,
temporary object to be created, and this temporary object is passed into the x_ object's assignment
operator. Then that temporary object is destructed at the ;. That's inefficient.
As if that wasn't bad enough, there's another source of inefficiency when using assignment in a

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (4 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

constructor: the member object will get full constructed by its default constructor, and this might, for
example, allocate some default amount of memory or open some default file. All this work could be for
naught if the whatever expression and/or assignment operator causes the object to close that file and/or
release that memory (e.g., if the default constructor didn't allocate a large enough pool of memory or if it
opened the wrong file).
Conclusion: All other things being equal, your code will run faster if you use initialization lists rather
than assignment.
Note: There is no performance difference if the type of x_ is some built-in/intrinsic type, such as int or
char* or float. But even in these cases, my personal preference is to set those data members in the
initialization list rather than via assignment for symmetry.
[ Top | Bottom | Previous section | Next section ]

[10.7] Should you use the this pointer in the constructor?


[Recently rewrote because of a suggestion from Perry Rapp (on 4/01). Click here to go to the next FAQ in the "chain" of
recent changes.]

Some people feel you should not use the this pointer in a constructor because the this object is not
fully formed yet. However you can use this in the constructor (in the {body} and even in the
initialization list) if you are careful.

Here is something that always works: the {body} of a constructor (or a function called from the
constructor) can reliably access the data members declared in a base class and/or the data members
declared in the constructor's own class. This is because all those data members are guaranteed to have
been fully constructed by the time the constructor's {body} starts executing.
Here is something that never works: the {body} of a constructor (or a function called from the
constructor) cannot get down to a derived class by calling a virtual member function that is
overridden in the derived class. If your goal was to get to the overridden function in the derived class,
you won't get what you want. Note that you won't get to the override in the derived class independent of
how you call the virtual member function: explicitly using the this pointer (e.g.,
this->method()), implicitly using the this pointer (e.g., method()), or even calling some other
function that calls the virtual member function on your this object. The bottom line is this: even if
the caller is constructing an object of a derived class, during the constructor of the base class, your object
is not yet of that derived class. You have been warned.

Here is something that sometimes works: if you pass any of the data members in this object to another
data member's initializer, you must make sure that the other data member has already been initialized.
The good news is that you can determine whether the other data member has (or has not) been initialized
using some straightforward language rules that are independent of the particular compiler you're using.
The bad news it that you have to know those language rules (e.g., base class sub-objects are initialized
first (look up the order if you have multiple and/or virtual inheritance!), then data members defined
in the class are initialized in the order in which they appear in the class declaration). If you don't know
these rules, then don't pass any data member from the this object (regardless of whether or not you

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (5 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

explicitly use the this keyword) to any other data member's initializer! And if you do know the rules,
please be careful.
[ Top | Bottom | Previous section | Next section ]

[10.8] What is the "Named Constructor Idiom"?


[Recently fixed a typo (Fred vs. Point) in the prose thanks to Roy LeCates (on 7/00). Click here to go to the next FAQ
in the "chain" of recent changes.]

A technique that provides more intuitive and/or safer construction operations for users of your class.
The problem is that constructors always have the same name as the class. Therefore the only way to
differentiate between the various constructors of a class is by the parameter list. But if there are lots of
constructors, the differences between them become somewhat subtle and error prone.
With the Named Constructor Idiom, you declare all the class's constructors in the private: or
protected: sections, and you provide public static methods that return an object. These
static methods are the so-called "Named Constructors." In general there is one such static method
for each different way to construct an object.
For example, suppose we are building a Point class that represents a position on the X-Y plane. Turns
out there are two common ways to specify a 2-space coordinate: rectangular coordinates (X+Y), polar
coordinates (Radius+Angle). (Don't worry if you can't remember these; the point isn't the particulars of
coordinate systems; the point is that there are several ways to create a Point object.) Unfortunately the
parameters for these two coordinate systems are the same: two floats. This would create an ambiguity
error in the overloaded constructors:
class Point {
public:
Point(float x, float y); // Rectangular coordinates
Point(float r, float a); // Polar coordinates (radius and angle)
// ERROR: Overload is Ambiguous: Point::Point(float,float)
};

int main()
{
Point p = Point(5.7, 1.2); // Ambiguous: Which coordinate system?
}
One way to solve this ambiguity is to use the Named Constructor Idiom:
#include <cmath> // To get sin() and cos()

class Point {
public:
static Point rectangular(float x, float y); // Rectangular coord's
static Point polar(float radius, float angle); // Polar coordinates

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (6 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

// These static methods are the so-called "named constructors"


// ...
private:
Point(float x, float y); // Rectangular coordinates
float x_, y_;
};

inline Point::Point(float x, float y)


: x_(x), y_(y) { }

inline Point Point::rectangular(float x, float y)


{ return Point(x, y); }

inline Point Point::polar(float radius, float angle)


{ return Point(radius*cos(angle), radius*sin(angle)); }
Now the users of Point have a clear and unambiguous syntax for creating Points in either coordinate
system:
int main()
{
Point p1 = Point::rectangular(5.7, 1.2); // Obviously rectangular
Point p2 = Point::polar(5.7, 1.2); // Obviously polar
}
Make sure your constructors are in the protected: section if you expect Point to have derived
classes.
The Named Constructor Idiom can also be used to make sure your objects are always created via new.
[ Top | Bottom | Previous section | Next section ]

[10.9] Why can't I initialize my static member data in my


constructor's initialization list?
[Recently added a "," in the initialization list thanks to Yaroslav Mironov (on 4/01). Click here to go to the next FAQ in the
"chain" of recent changes.]

Because you must explicitly define your class's static data members.
Fred.h:
class Fred {
public:
Fred();
// ...
private:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (7 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

int i_;
static int j_;
};
Fred.cpp (or Fred.C or whatever):
Fred::Fred()
: i_(10) // OK: you can (and should) initialize member data this way
, j_(42) // Error: you cannot initialize static member data like this
{
// ...
}

// You must define static data members this way:


int Fred::j_ = 42;
[ Top | Bottom | Previous section | Next section ]

[10.10] Why are classes with static data members getting linker
errors?
Because static data members must be explicitly defined in exactly one compilation unit. If you didn't
do this, you'll probably get an "undefined external" linker error. For example:
// Fred.h

class Fred {
public:
// ...
private:
static int j_; // Declares static data member Fred::j_
// ...
};
The linker will holler at you ("Fred::j_ is not defined") unless you define (as opposed to
merely declare) Fred::j_ in (exactly) one of your source files:
// Fred.cpp

#include "Fred.h"

int Fred::j_ = some_expression_evaluating_to_an_int;

// Alternatively, if you wish to use the implicit 0 value for static ints:
// int Fred::j_;
The usual place to define static data members of class Fred is file Fred.cpp (or Fred.C or

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (8 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

whatever source file extension you use).


[ Top | Bottom | Previous section | Next section ]

[10.11] What's the "static initialization order fiasco"?


A subtle way to kill your project.
The static initialization order fiasco is a very subtle and commonly misunderstood aspect of C++.
Unfortunately it's very hard to detect the errors occur before main() begins.
In short, suppose you have two static objects x and y which exist in separate source files, say x.cpp
and y.cpp. Suppose further that the constructor for the y object calls some method on the x object.
That's it. It's that simple.
The tragedy is that you have a 50%-50% chance of dying. If the compilation unit for x.cpp happens to
get initialized first, all is well. But if the compilation unit for y.cpp get initialized first, then y's
constructor will get run before x's constructor, and you're toast. I.e., y's constructor will call a method on
the x object, yet the x object hasn't yet been constructed.
I hear they're hiring down at McDonalds. Enjoy your new job flipping burgers.
If you think it's "exciting" to play Russian Roulette with live rounds in half the chambers, you can stop
reading here. On the other hand if you like to improve your chances of survival by preventing disasters in
a systematic way, you probably want to read the next FAQ.

Note: The static initialization order fiasco does not apply to built-in/intrinsic types like int or char*.
For example if you create a static float object, there is never a problem with static initialization
order. The only time the static initialization order is truly a fiasco is when your static or global
objects have a constructor.
[ Top | Bottom | Previous section | Next section ]

[10.12] How do I prevent the "static initialization order fiasco"?


Use the "construct on first use" idiom, which simply means to wrap your static object inside a
function.
For example, suppose you have two classes, Fred and Barney. There is a global Fred object called x,
and a global Barney object called y. Barney's constructor invokes the goBowling() method on the
x object. The file x.cpp defines the x object:
// File x.cpp
#include "Fred.hpp"
Fred x;
The file y.cpp defines the y object:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (9 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

// File y.cpp
#include "Barney.hpp"
Barney y;
For completeness the Barney constructor might look something like this:
// File Barney.cpp
#include "Barney.hpp"

Barney::Barney()
{
// ...
x.goBowling();
// ...
}
As described above, the disaster occurs if y is constructed before x, which happens 50% of the time
since they're in different source files.
There are many solutions to this problem, but a very simple and completely portable solution is to
replace the global Fred object, x, with a global function, x(), that returns the Fred object by
reference.
// File x.cpp

#include "Fred.hpp"

Fred& x()
{
static Fred* ans = new Fred();
return *ans;
}
Since static local objects are constructed the first time control flows over their declaration (only), the
above new Fred() statement will only happen once: the first time x() is called. Every subsequent
call will return the same Fred object (the one pointed to by ans). Then all you do is change your usages
of x to x():
// File Barney.cpp
#include "Barney.hpp"

Barney::Barney()
{
// ...
x().goBowling();
// ...
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (10 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

This is called the Construct On First Use Idiom because it does just that: the global Fred object is
constructed on its first use.
The downside of this approach is that the Fred object is never destructed. The C++ FAQ Book has a
second technique that answers this concern (but at the cost of opening a "static de-initialization order
fiasco").
Note: You don't have to do this for built-in/intrinsic types like int or char*. For example if you create
a static or global float object, there is no need to wrap it within a function. The only time the static
initialization order is truly a fiasco is when your static or global objects have a constructor.
[ Top | Bottom | Previous section | Next section ]

[10.13] How do I prevent the "static initialization order fiasco" for


my static data members?
Just use the same technique just described, but this time use a static member function rather than a
global function.
Suppose you have a class X that has a static Fred object:
// File X.hpp

class X {
public:
// ...

private:
static Fred x_;
};
Naturally this static member is initialized separately:
// File X.cpp

#include "X.hpp"

Fred X::x_;
Naturally also the Fred object will be used in one or more of X's methods:
void X::someMethod()
{
x_.goBowling();
}
But now the "disaster scenario" is if someone somewhere somehow calls this method before the Fred
object gets constructed. For example, if someone else creates a static X object and invokes its

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (11 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

someMethod() method during static initialization, then you're at the mercy of the compiler as to
whether the compiler will construct X::x_ before or after the someMethod() is called. (Note that the
ANSI/ISO C++ committee is working on this problem, but compilers aren't yet generally available that
handle these changes; watch this space for an update in the future.)
In any event, it's always portable and safe to change the X::x_ static data member into a static
member function:
// File X.hpp

class X {
public:
// ...

private:
static Fred& x();
};
Naturally this static member is initialized separately:
// File X.cpp

#include "X.hpp"

Fred& X::x()
{
static Fred* ans = new Fred();
return *ans;
}
Then you simply change any usages of x_ to x():
void X::someMethod()
{
x().goBowling();
}
If you're super performance sensitive and you're concerned about the overhead of an extra function call
on each invocation of X::someMethod() you can set up a static Fred& instead. As you recall,
static local are only initialized once (the first time control flows over their declaration), so this will
call X::x() only once: the first time X::someMethod() is called:
void X::someMethod()
{
static Fred& x = X::x();
x.goBowling();
}
Note: You don't have to do this for built-in/intrinsic types like int or char*. For example if you create

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (12 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

a static or global float object, there is no need to wrap it within a function. The only time the static
initialization order is truly a fiasco is when your static or global objects have a constructor.
[ Top | Bottom | Previous section | Next section ]

[10.14] How can I handle a constructor that fails?


Throw an exception. See [17.2] for details.

[ Top | Bottom | Previous section | Next section ]

[10.15] What is the "Named Parameter Idiom"?


[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

It's a fairly useful/helpful way to exploit method chaining.

The fundamental problem solved by the Named Parameter Idiom is that C++ only supports positional
parameters. For example, a caller of a function isn't allowed to say, "Here's the value for formal
parameter xyz, and this other thing is the value for formal parameter pqr." All you can do in C++ (and
C and Java) is say, "Here's the first parameter, here's the second parameter, etc." The alternative, called
named parameters and implemented in the language Ada, is especially useful if a function takes a large
number of mostly default-able parameters.
Over the years people have cooked up lots of workarounds for the lack of named parameters in C and
C++. One of these involves burying the parameter values in a string parameter then parsing this string at
run-time. This is what's done in the second parameter of fopen(), for example. Another workaround is
to combine all the boolean parameters in a bit-map, then the caller or's a bunch of bit-shifted constants
together to produce the actual parameter. This is what's done in the second parameter of open(), for
example. These approaches work, but the following technique produces caller-code that's more obvious,
easier to write, easier to read, and is generally more elegant.
The idea, called the Named Parameter Idiom, is to change the function's parameters to methods of a
newly created class, where all these methods return *this by reference. Then you simply rename the
main function into a parameterless "doit" method on that class.
We'll work an example to make the previous paragraph easier to understand.
The example will be for the "open a file" concept. Let's say that concept logically requires a parameter
for the file's name, and optionally allows parameters for whether the file should be opened read-only vs.
read-write vs. write-only, whether or not the file should be created if it doesn't already exist, whether the
writing location should be at the end ("append") or the beginning ("overwrite"), the block-size if the file
is to be created, whether the I/O is buffered or non-buffered, the buffer-size, whether it is to be shared vs.
exclusive access, and probably a few others. If we implemented this concept using a normal function
with positional parameters, the caller code would be very difficult to read: there'd be as many as 8
positional parameters, and the caller would probably make a lot of mistakes. So instead we use the
Named Parameter Idiom.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (13 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

Before we go through the implementation, here's what the caller code might look like, assuming you are
willing to accept all the function's default parameters:
File f = OpenFile("foo.txt");
That's the easy case. Now here's what it might look like if you want to change a bunch of the parameters.
File f = OpenFile("foo.txt").
readonly().
createIfNotExist().
appendWhenWriting().
blockSize(1024).
unbuffered().
exclusiveAccess();
Notice how the "parameters", if it's fair to call them that, are in random order (they're not positional) and
they all have names. So the programmer doesn't have to remember the order of the parameters, and the
names are (hopefully) obvious.
So here's how to implement it: first we create a new class (OpenFile) that houses all the parameter
values as private: data members. Then all the methods (readonly(), blockSize(unsigned),
etc.) return *this (that is, they return a reference to the OpenFile object, allowing the method calls to
be chained. Finally we make the required parameter (the file's name, in this case) into a normal,
positional, parameter on OpenFile's constructor.
class File;

class OpenFile {
public:
OpenFile(const string& filename);
// sets all the default values for each data member
OpenFile& readonly(); // changes readonly_ to true
OpenFile& createIfNotExist();
OpenFile& blockSize(unsigned nbytes);
// ...
private:
friend File;
bool readonly_; // defaults to false [for example]
// ...
unsigned blockSize_; // defaults to 4096 [for example]
// ...
};
The only other thing to do is make the constructor for class File to take an OpenFile object:
class File {
public:
File(const OpenFile& params);

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (14 of 15) [3/16/2002 9:53:32 ;-]]


[10] Constructors, C++ FAQ Lite

// vacuums the actual params out of the OpenFile object

// ...
};
Note that OpenFile declares File as its friend, that way OpenFile doesn't need a bunch of
(otherwise useless) public: get methods.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/ctors.html (15 of 15) [3/16/2002 9:53:32 ;-]]


[11] Destructors, C++ FAQ Lite

[11] Destructors
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [11]:


[11.1] What's the deal with destructors?
[11.2] What's the order that local objects are destructed?
[11.3] What's the order that objects in an array are destructed?
[11.4] Can I overload the destructor for my class?
[11.5] Should I explicitly call a destructor on a local variable?
[11.6] What if I want a local to "die" before the close } of the scope in which it was created? Can I
call a destructor on a local if I really want to?
[11.7] OK, OK already; I won't explicitly call the destructor of a local; but how do I handle the
above situation?
[11.8] What if I can't wrap the local in an artificial block?
[11.9] But can I explicitly call a destructor if I've allocated my object with new?
[11.10] What is "placement new" and why would I use it?
[11.11] When I write a destructor, do I need to explicitly call the destructors for my member
objects?
[11.12] When I write a derived class's destructor, do I need to explicitly call the destructor for my
base class?
[11.13] Should my destructor throw an exception when it detects a problem?

[11.1] What's the deal with destructors?


A destructor gives an object its last rites.
Destructors are used to release any resources allocated by the object. E.g., class Lock might lock a
semaphore, and the destructor will release that semaphore. The most common example is when the
constructor uses new, and the destructor uses delete.
Destructors are a "prepare to die" member function. They are often abbreviated "dtor".
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (1 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

[11.2] What's the order that local objects are destructed?


In reverse order of construction: First constructed, last destructed.
In the following example, b's destructor will be executed first, then a's destructor:
void userCode()
{
Fred a;
Fred b;
// ...
}
[ Top | Bottom | Previous section | Next section ]

[11.3] What's the order that objects in an array are destructed?


In reverse order of construction: First constructed, last destructed.
In the following example, the order for destructors will be a[9], a[8], ..., a[1], a[0]:
void userCode()
{
Fred a[10];
// ...
}
[ Top | Bottom | Previous section | Next section ]

[11.4] Can I overload the destructor for my class?


No.
You can have only one destructor for a class Fred. It's always called Fred::~Fred(). It never takes
any parameters, and it never returns anything.
You can't pass parameters to the destructor anyway, since you never explicitly call a destructor (well,
almost never).

[ Top | Bottom | Previous section | Next section ]

[11.5] Should I explicitly call a destructor on a local variable?


No!
The destructor will get called again at the close } of the block in which the local was created. This is a
guarantee of the language; it happens automagically; there's no way to stop it from happening. But you

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (2 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

can get really bad results from calling a destructor on the same object a second time! Bang! You're dead!
[ Top | Bottom | Previous section | Next section ]

[11.6] What if I want a local to "die" before the close } of the scope in
which it was created? Can I call a destructor on a local if I really want
to?
No! [For context, please read the previous FAQ].

Suppose the (desirable) side effect of destructing a local File object is to close the File. Now suppose
you have an object f of a class File and you want File f to be closed before the end of the scope (i.e.,
the }) of the scope of object f:
void someCode()
{
File f;

// ... [This code that should execute when f is still open] ...

// < We want the side-effect of f's destructor here!

// ... [This code that should execute after f is closed] ...


}
There is a simple solution to this problem. But in the mean time, remember: Do not explicitly call the
destructor!

[ Top | Bottom | Previous section | Next section ]

[11.7] OK, OK already; I won't explicitly call the destructor of a local;


but how do I handle the above situation?
[For context, please read the previous FAQ].

Simply wrap the extent of the lifetime of the local in an artificial block {...}:
void someCode()
{
{
File f;
// ... [This code will execute when f is still open] ...
}
// ^ f's destructor will automagically be called here!

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (3 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

// ... [This code will execute after f is closed] ...


}
[ Top | Bottom | Previous section | Next section ]

[11.8] What if I can't wrap the local in an artificial block?


Most of the time, you can limit the lifetime of a local by wrapping the local in an artificial block ({...}).
But if for some reason you can't do that, add a member function that has a similar effect as the destructor.
But do not call the destructor itself!
For example, in the case of class File, you might add a close() method. Typically the destructor
will simply call this close() method. Note that the close() method will need to mark the File
object so a subsequent call won't re-close an already-closed File. E.g., it might set the fileHandle_
data member to some nonsensical value such as -1, and it might check at the beginning to see if the
fileHandle_ is already equal to -1:
class File {
public:
void close();
~File();
// ...
private:
int fileHandle_; // fileHandle_ >= 0 if/only-if it's open
};

File::~File()
{
close();
}

void File::close()
{
if (fileHandle_ >= 0) {
// ... [Perform some operating-system call to close the file] ...
fileHandle_ = -1;
}
}
Note that the other File methods may also need to check if the fileHandle_ is -1 (i.e., check if the
File is closed).
Note also that any constructors that don't actually open a file should set fileHandle_ to -1.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (4 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

[11.9] But can I explicitly call a destructor if I've allocated my object


with new?
Probably not.
Unless you used placement new, you should simply delete the object rather than explicitly calling the
destructor. For example, suppose you allocated the object via a typical new expression:
Fred* p = new Fred();
Then the destructor Fred::~Fred() will automagically get called when you delete it via:
delete p; // Automagically calls p->~Fred()
You should not explicitly call the destructor, since doing so won't release the memory that was allocated
for the Fred object itself. Remember: delete p does two things: it calls the destructor and it
deallocates the memory.
[ Top | Bottom | Previous section | Next section ]

[11.10] What is "placement new" and why would I use it?


There are many uses of placement new. The simplest use is to place an object at a particular location in
memory. This is done by supplying the place as a pointer parameter to the new part of a new expression:
#include <new> // Must #include this to use "placement new"
#include "Fred.h" // Declaration of class Fred

void someCode()
{
char memory[sizeof(Fred)]; // Line #1
void* place = memory; // Line #2

Fred* f = new(place) Fred(); // Line #3 (see "DANGER" below)


// The pointers f and place will be equal

// ...
}
Line #1 creates an array of sizeof(Fred) bytes of memory, which is big enough to hold a Fred
object. Line #2 creates a pointer place that points to the first byte of this memory (experienced C
programmers will note that this step was unnecessary; it's there only to make the code more obvious).
Line #3 essentially just calls the constructor Fred::Fred(). The this pointer in the Fred
constructor will be equal to place. The returned pointer f will therefore be equal to place.
ADVICE: Don't use this "placement new" syntax unless you have to. Use it only when you really care
that an object is placed at a particular location in memory. For example, when your hardware has a

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (5 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

memory-mapped I/O timer device, and you want to place a Clock object at that memory location.
DANGER: You are taking sole responsibility that the pointer you pass to the "placement new"
operator points to a region of memory that is big enough and is properly aligned for the object type
that you're creating. Neither the compiler nor the run-time system make any attempt to check whether
you did this right. If your Fred class needs to be aligned on a 4 byte boundary but you supplied a
location that isn't properly aligned, you can have a serious disaster on your hands (if you don't know what
"alignment" means, please don't use the placement new syntax). You have been warned.
You are also solely responsible for destructing the placed object. This is done by explicitly calling the
destructor:
void someCode()
{
char memory[sizeof(Fred)];
void* p = memory;
Fred* f = new(p) Fred();
// ...
f->~Fred(); // Explicitly call the destructor for the placed object
}
This is about the only time you ever explicitly call a destructor.
[ Top | Bottom | Previous section | Next section ]

[11.11] When I write a destructor, do I need to explicitly call the


destructors for my member objects?
No. You never need to explicitly call a destructor (except with placement new).
A class's destructor (whether or not you explicitly define one) automagically invokes the destructors for
member objects. They are destroyed in the reverse order they appear within the declaration for the class.
class Member {
public:
~Member();
// ...
};

class Fred {
public:
~Fred();
// ...
private:
Member x_;
Member y_;
Member z_;

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (6 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

};

Fred::~Fred()
{
// Compiler automagically calls z_.~Member()
// Compiler automagically calls y_.~Member()
// Compiler automagically calls x_.~Member()
}
[ Top | Bottom | Previous section | Next section ]

[11.12] When I write a derived class's destructor, do I need to


explicitly call the destructor for my base class?
No. You never need to explicitly call a destructor (except with placement new).
A derived class's destructor (whether or not you explicitly define one) automagically invokes the
destructors for base class subobjects. Base classes are destructed after member objects. In the event of
multiple inheritance, direct base classes are destructed in the reverse order of their appearance in the
inheritance list.
class Member {
public:
~Member();
// ...
};

class Base {
public:
virtual ~Base(); // A virtual destructor
// ...
};

class Derived : public Base {


public:
~Derived();
// ...
private:
Member x_;
};

Derived::~Derived()
{
// Compiler automagically calls x_.~Member()
// Compiler automagically calls Base::~Base()

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (7 of 8) [3/16/2002 9:53:33 ;-]]


[11] Destructors, C++ FAQ Lite

}
Note: Order dependencies with virtual inheritance are trickier. If you are relying on order
dependencies in a virtual inheritance hierarchy, you'll need a lot more information than is in this
FAQ.
[ Top | Bottom | Previous section | Next section ]

[11.13] Should my destructor throw an exception when it detects a


problem?
[Recently created (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Beware!!! See this FAQ for details.

[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/dtors.html (8 of 8) [3/16/2002 9:53:33 ;-]]


[22] Inheritance abstract base classes (ABCs), C++ FAQ Lite

[22] Inheritance abstract base classes


(ABCs)
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [22]:


[22.1] What's the big deal of separating interface from implementation?
[22.2] How do I separate interface from implementation in C++ (like Modula-2)?
[22.3] What is an ABC?
[22.4] What is a "pure virtual" member function?
[22.5] How do you define a copy constructor or assignment operator for a class that contains a
pointer to a (abstract) base class?

[22.1] What's the big deal of separating interface from


implementation?
Interfaces are a company's most valuable resources. Designing an interface takes longer than whipping
together a concrete class which fulfills that interface. Furthermore interfaces require the time of more
expensive people.
Since interfaces are so valuable, they should be protected from being tarnished by data structures and
other implementation artifacts. Thus you should separate interface from implementation.
[ Top | Bottom | Previous section | Next section ]

[22.2] How do I separate interface from implementation in C++ (like


Modula-2)?
Use an ABC.

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/abcs.html (1 of 4) [3/16/2002 9:53:34 ;-]]


[22] Inheritance abstract base classes (ABCs), C++ FAQ Lite

[22.3] What is an ABC?


[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

An abstract base class.


At the design level, an abstract base class (ABC) corresponds to an abstract concept. If you asked a
mechanic if he repaired vehicles, he'd probably wonder what kind-of vehicle you had in mind. Chances
are he doesn't repair space shuttles, ocean liners, bicycles, or nuclear submarines. The problem is that the
term "vehicle" is an abstract concept (e.g., you can't build a "vehicle" unless you know what kind of
vehicle to build). In C++, class Vehicle would be an ABC, with Bicycle, SpaceShuttle, etc,
being derived classes (an OceanLiner is-a-kind-of-a Vehicle). In real-world OO, ABCs show up all
over the place.
At the programming language level, an ABC is a class that has one or more pure virtual member
functions. You cannot make an object (instance) of an ABC.
[ Top | Bottom | Previous section | Next section ]

[22.4] What is a "pure virtual" member function?


[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

A member function declaration that turns a normal class into an abstract class (i.e., an ABC). You
normally only implement it in a derived class.
Some member functions exist in concept; they don't have any reasonable definition. E.g., suppose I asked
you to draw a Shape at location (x,y) that has size 7. You'd ask me "what kind of shape should I
draw?" (circles, squares, hexagons, etc, are drawn differently). In C++, we must indicate the existence of
the draw() member function (so users can call it when they have a Shape* or a Shape&), but we
recognize it can (logically) be defined only in derived classes:
class Shape {
public:
virtual void draw() const = 0; // = 0 means it is "pure virtual"
// ...
};
This pure virtual function makes Shape an ABC. If you want, you can think of the "= 0;" syntax as if
the code were at the NULL pointer. Thus Shape promises a service to its users, yet Shape isn't able to
provide any code to fulfill that promise. This forces any actual object created from a [concrete] class
derived from Shape to have the indicated member function, even though the base class doesn't have
enough information to actually define it yet.
Note that it is possible to provide a definition for a pure virtual function, but this usually confuses
novices and is best avoided until later.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/abcs.html (2 of 4) [3/16/2002 9:53:34 ;-]]


[22] Inheritance abstract base classes (ABCs), C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[22.5] How do you define a copy constructor or assignment


operator for a class that contains a pointer to a (abstract) base
class?
If the class "owns" the object pointed to by the (abstract) base class pointer, use the Virtual Constructor
Idiom in the (abstract) base class. As usual with this idiom, we declare a pure virtual clone()
method in the base class:
class Shape {
public:
// ...
virtual Shape* clone() const = 0; // The Virtual (Copy) Constructor
// ...
};
Then we implement this clone() method in each derived class:
class Circle : public Shape {
public:
// ...
virtual Shape* clone() const { return new Circle(*this); }
// ...
};

class Square : public Shape {


public:
// ...
virtual Shape* clone() const { return new Square(*this); }
// ...
};
Now suppose that each Fred object "has-a" Shape object. Naturally the Fred object doesn't know
whether the Shape is Circle or a Square or ... Fred's copy constructor and assignment operator
will invoke Shape's clone() method to copy the object:
class Fred {
public:
Fred(Shape* p) : p_(p) { assert(p != NULL); } // p must not be NULL
~Fred() { delete p_; }
Fred(const Fred& f) : p_(f.p_->clone()) { }
Fred& operator= (const Fred& f)
{
if (this != &f) { // Check for self-assignment

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/abcs.html (3 of 4) [3/16/2002 9:53:34 ;-]]


[22] Inheritance abstract base classes (ABCs), C++ FAQ Lite

Shape* p2 = f.p_->clone(); // Create the new one FIRST...


delete p_; // ...THEN delete the old one
p_ = p2;
}
return *this;
}
// ...
private:
Shape* p_;
};
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/abcs.html (4 of 4) [3/16/2002 9:53:34 ;-]]


[3] C++-FAQ-Book versus C++-FAQ-Lite, C++ FAQ Lite

[3] C++-FAQ-Book versus C++-FAQ-Lite


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [3]:


[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?
[3.2] Is there a big difference between C++ FAQ Lite and C++ FAQ Book?

[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?

[Recently added BookPool.com and AllDirect.com thanks to Stan Brown, plus reorganized (on 7/00). Click here to go to
the next FAQ in the "chain" of recent changes.]

Yes, the book is C++ FAQs by Cline, Lomow, and Girou, Addison-Wesley, 1999, ISBN 0-201-30983-1.
The book has achieved a five-star rating ( ) on Amazon.com, and is available in bookstores.
Here is the cover:

Here are some excerpts.

Here is the book at various bookstores (in alphabetical order):


On 7/3/00, the price was $33.56 at this link within AllDirect.com.

On 7/3/00, the price was $39.95 at this link within Amazon.com.


On 7/3/00, the price was $39.95 at this link within BarnesAndNoble.com.
On 7/3/00, the price was $31.50 at this link within BookPool.com.

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/faq-book.html (1 of 2) [3/16/2002 9:53:35 ;-]]


[3] C++-FAQ-Book versus C++-FAQ-Lite, C++ FAQ Lite

[3.2] Is there a big difference between C++ FAQ Lite and C++ FAQ
Book?
[Recently changed 'much' to 'many' thanks to Stan Brown (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

Yes there is a big difference.


At last count, the C++ FAQ Book is 500% larger than the C++ FAQ Lite.
Bottom line: the book and this Lite document are not the same. The book is both broader and deeper it
covers subjects that aren't covered in this Lite document, and it covers subjects in more detail than this
Lite document.
In addition, the book has lots and lots of programming examples many more than are in this Lite
document.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/faq-book.html (2 of 2) [3/16/2002 9:53:35 ;-]]


[16] Freestore management, C++ FAQ Lite

[16] Freestore management


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [16]:


[16.1] Does delete p delete the pointer p, or the pointed-to-data *p?
[16.2] Can I free() pointers allocated with new? Can I delete pointers allocated with malloc()?
[16.3] Why should I use new instead of trustworthy old malloc()?
[16.4] Can I use realloc() on pointers allocated via new?
[16.5] Do I need to check for NULL after p = new Fred()?
[16.6] How can I convince my (older) compiler to automatically check new to see if it returns NULL?
[16.7] Do I need to check for NULL before delete p?
[16.8] What are the two steps that happen when I say delete p?
[16.9] In p = new Fred(), does the Fred memory "leak" if the Fred constructor throws an exception?
[16.10] How do I allocate / unallocate an array of things?
[16.11] What if I forget the [] when deleteing array allocated via new T[n]?
[16.12] Can I drop the [] when deleteing array of some built-in type (char, int, etc)?
[16.13] After p = new Fred[n], how does the compiler know there are n objects to be destructed during
delete[] p?
[16.14] Is it legal (and moral) for a member function to say delete this?
[16.15] How do I allocate multidimensional arrays using new?
[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't there a simpler way?
[16.17] But the above Matrix class is specific to Fred! Isn't there a way to make it generic?
[16.18] What's another way to build a Matrix template?
[16.19] Does C++ have arrays whose length can be specified at run-time?
[16.20] How can I force objects of my class to always be created via new rather than as locals or global/static
objects?
[16.21] How do I do simple reference counting?
[16.22] How do I provide reference counting with copy-on-write semantics?
[16.23] How do I provide reference counting with copy-on-write semantics for a hierarchy of classes?
[16.24] Can you absolutely prevent people from subverting the reference counting mechanism, and if so, should
you?
[16.25] Can I use a garbage collector in C++?
[16.26] What are the two kinds of garbage collectors for C++?
[16.27] Where can I get more info on garbage collectors for C++?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (1 of 25) [3/16/2002 9:53:37 ;-]]


[16] Freestore management, C++ FAQ Lite

[16.1] Does delete p delete the pointer p, or the pointed-to-data *p?


The pointed-to-data.
The keyword should really be delete_the_thing_pointed_to_by. The same abuse of English occurs when
freeing the memory pointed to by a pointer in C: free(p) really means
free_the_stuff_pointed_to_by(p).
[ Top | Bottom | Previous section | Next section ]

[16.2] Can I free() pointers allocated with new? Can I delete pointers
allocated with malloc()?
No!
It is perfectly legal, moral, and wholesome to use malloc() and delete in the same program, or to use new and
free() in the same program. But it is illegal, immoral, and despicable to call free() with a pointer allocated via
new, or to call delete on a pointer allocated via malloc().
Beware! I occasionally get e-mail from people telling me that it works OK for them on machine X and compiler Y. That
does not make it right! Sometimes people say, "But I'm just working with an array of char." Nonetheless do not mix
malloc() and delete on the same pointer, or new and free() on the same pointer! If you allocated via
p = new char[n], you must use delete[] p; you must not use free(p). Or if you allocated via
p = malloc(n), you must use free(p); you must not use delete[] p or delete p! Mixing these up could
cause a catastrophic failure at runtime if the code was ported to a new machine, a new compiler, or even a new version of
the same compiler.
You have been warned.
[ Top | Bottom | Previous section | Next section ]

[16.3] Why should I use new instead of trustworthy old malloc()?


Constructors/destructors, type safety, overridability.
Constructors/destructors: unlike malloc(sizeof(Fred)), new Fred() calls Fred's constructor.
Similarly, delete p calls *p's destructor.
Type safety: malloc() returns a void* which isn't type safe. new Fred() returns a pointer of the right type
(a Fred*).
Overridability: new is an operator that can be overridden by a class, while malloc() is not overridable on a
per-class basis.
[ Top | Bottom | Previous section | Next section ]

[16.4] Can I use realloc() on pointers allocated via new?


No!
When realloc() has to copy the allocation, it uses a bitwise copy operation, which will tear many C++ objects to
shreds. C++ objects should be allowed to copy themselves. They use their own copy constructor or assignment operator.
Besides all that, the heap that new uses may not be the same as the heap that malloc() and realloc() use!

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (2 of 25) [3/16/2002 9:53:37 ;-]]


[16] Freestore management, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[16.5] Do I need to check for NULL after p = new Fred()?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

No! (But if you have an old compiler, you may have to force the new operator to throw an exception if it runs out of
memory.)

It turns out to be a real pain to always write explicit NULL tests after every new allocation. Code like the following is
very tedious:
Fred* p = new Fred();
if (p == NULL)
throw std::bad_alloc();
If your compiler doesn't support (or if you refuse to use) exceptions, your code might be even more tedious:

Fred* p = new Fred();


if (p == NULL) {
std::cerr << "Couldn't allocate memory for a Fred" << endl;
abort();
}
Take heart. In C++, if the runtime system cannot allocate sizeof(Fred) bytes of memory during
p = new Fred(), a std::bad_alloc exception will be thrown. Unlike malloc(), new never returns NULL!
Therefore you should simply write:
Fred* p = new Fred(); // No need to check if p is NULL
However, if your compiler is old, it may not yet support this. Find out by checking your compiler's documentation under
"new". If you have an old compiler, you may have to force the compiler to have this behavior.
[ Top | Bottom | Previous section | Next section ]

[16.6] How can I convince my (older) compiler to automatically check new to


see if it returns NULL?
[Recently changed the example to use throw rather than abort() thanks to Stan Brown; changed to use new-style headers and the
std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Eventually your compiler will.


If you have an old compiler that doesn't automagically perform the NULL test, you can force the runtime system to do the
test by installing a "new handler" function. Your "new handler" function can do anything you want, such as throw an
exception, delete some objects and return (in which case operator new will retry the allocation), print a message
and abort() the program, etc.
Here's a sample "new handler" that prints a message and throws an exception. The handler is installed using
std::set_new_handler():
#include <new> // To get std::set_new_handler
#include <cstdlib> // To get abort()

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (3 of 25) [3/16/2002 9:53:37 ;-]]


[16] Freestore management, C++ FAQ Lite

#include <iostream> // To get std::cerr

class alloc_error : public std::exception {


public:
alloc_error() : exception() { }
};

void myNewHandler()
{
// This is your own handler. It can do anything you want.
throw alloc_error();
}

int main()
{
std::set_new_handler(myNewHandler); // Install your "new handler"
// ...
}
After the std::set_new_handler() line is executed, operator new will call your myNewHandler()
if/when it runs out of memory. This means that new will never return NULL:
Fred* p = new Fred(); // No need to check if p is NULL
Note: If your compiler doesn't support exception handling, you can, as a last resort, change the line throw ...; to:

std::cerr << "Attempt to allocate memory failed!" << std::endl;


abort();
Note: If some global/static object's constructor uses new, it won't use the myNewHandler() function since that
constructor will get called before main() begins. Unfortunately there's no convenient way to guarantee that the
std::set_new_handler() will be called before the first use of new. For example, even if you put the
std::set_new_handler() call in the constructor of a global object, you still don't know if the module
("compilation unit") that contains that global object will be elaborated first or last or somewhere inbetween. Therefore
you still don't have any guarantee that your call of std::set_new_handler() will happen before any other global's
constructor gets invoked.
[ Top | Bottom | Previous section | Next section ]

[16.7] Do I need to check for NULL before delete p?


No!
The C++ language guarantees that delete p will do nothing if p is equal to NULL. Since you might get the test
backwards, and since most testing methodologies force you to explicitly test every branch point, you should not put in
the redundant if test.
Wrong:
if (p != NULL)
delete p;
Right:
delete p;

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (4 of 25) [3/16/2002 9:53:37 ;-]]


[16] Freestore management, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[16.8] What are the two steps that happen when I say delete p?
delete p is a two-step process: it calls the destructor, then releases the memory. The code generated for delete p
looks something like this (assuming p is of type Fred*):
// Original code: delete p;
if (p != NULL) {
p->~Fred();
operator delete(p);
}
The statement p->~Fred() calls the destructor for the Fred object pointed to by p.
The statement operator delete(p) calls the memory deallocation primitive,
void operator delete(void* p). This primitive is similar in spirit to free(void* p). (Note, however,
that these two are not interchangeable; e.g., there is no guarantee that the two memory deallocation primitives even use
the same heap!).
[ Top | Bottom | Previous section | Next section ]

[16.9] In p = new Fred(), does the Fred memory "leak" if the Fred
constructor throws an exception?
No.
If an exception occurs during the Fred constructor of p = new Fred(), the C++ language guarantees that the
memory sizeof(Fred) bytes that were allocated will automagically be released back to the heap.
Here are the details: new Fred() is a two-step process:
1. sizeof(Fred) bytes of memory are allocated using the primitive
void* operator new(size_t nbytes). This primitive is similar in spirit to
malloc(size_t nbytes). (Note, however, that these two are not interchangeable; e.g., there is no guarantee
that the two memory allocation primitives even use the same heap!).
2. It constructs an object in that memory by calling the Fred constructor. The pointer returned from the first step is
passed as the this parameter to the constructor. This step is wrapped in a try ... catch block to handle the case
when an exception is thrown during this step.
Thus the actual generated code looks something like:
// Original code: Fred* p = new Fred();
Fred* p = (Fred*) operator new(sizeof(Fred));
try {
new(p) Fred(); // Placement new
} catch (...) {
operator delete(p); // Deallocate the memory
throw; // Re-throw the exception
}
The statement marked "Placement new" calls the Fred constructor. The pointer p becomes the this pointer inside the
constructor, Fred::Fred().

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (5 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[16.10] How do I allocate / unallocate an array of things?


Use p = new T[n] and delete[] p:
Fred* p = new Fred[100];
// ...
delete[] p;
Any time you allocate an array of objects via new (usually with the [n] in the new expression), you must use [] in the
delete statement. This syntax is necessary because there is no syntactic difference between a pointer to a thing and a
pointer to an array of things (something we inherited from C).
[ Top | Bottom | Previous section | Next section ]

[16.11] What if I forget the [] when deleteing array allocated via new T[n]?
All life comes to a catastrophic end.
It is the programmer's not the compiler's responsibility to get the connection between new T[n] and
delete[] p correct. If you get it wrong, neither a compile-time nor a run-time error message will be generated by the
compiler. Heap corruption is a likely result. Or worse. Your program will probably die.
[ Top | Bottom | Previous section | Next section ]

[16.12] Can I drop the [] when deleteing array of some built-in type (char,
int, etc)?
No!
Sometimes programmers think that the [] in the delete[] p only exists so the compiler will call the appropriate
destructors for all elements in the array. Because of this reasoning, they assume that an array of some built-in type such
as char or int can be deleted without the []. E.g., they assume the following is valid code:
void userCode(int n)
{
char* p = new char[n];
// ...
delete p; // < ERROR! Should be delete[] p !
}
But the above code is wrong, and it can cause a disaster at runtime. In particular, the code that's called for delete p is
operator delete(void*), but the code that's called for delete[] p is operator delete[](void*).
The default behavior for the latter is to call the former, but users are allowed to replace the latter with a different
behavior (in which case they would normally also replace the corresponding new code in
operator new[](size_t)). If they replaced the delete[] code so it wasn't compatible with the delete code,
and you called the wrong one (i.e., if you said delete p rather than delete[] p), you could end up with a disaster
at runtime.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (6 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

[16.13] After p = new Fred[n], how does the compiler know there are n
objects to be destructed during delete[] p?
[Recently changed "popluar" to "popular" thanks to Fabrice Clerc (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Short answer: Magic.


Long answer: The run-time system stores the number of objects, n, somewhere where it can be retrieved if you only
know the pointer, p. There are two popular techniques that do this. Both these techniques are in use by commercial grade
compilers, both have tradeoffs, and neither is perfect. These techniques are:
Over-allocate the array and put n just to the left of the first Fred object.

Use an associative array with p as the key and n as the value.


[ Top | Bottom | Previous section | Next section ]

[16.14] Is it legal (and moral) for a member function to say delete this?
As long as you're careful, it's OK for an object to commit suicide (delete this).
Here's how I define "careful":
1. You must be absolutely 100% positive sure that this object was allocated via new (not by new[], nor by
placement new, nor a local object on the stack, nor a global, nor a member of another object; but by plain ordinary
new).
2. You must be absolutely 100% positive sure that your member function will be the last member function invoked
on this object.
3. You must be absolutely 100% positive sure that the rest of your member function (after the delete this line)
doesn't touch any piece of this object (including calling any other member functions or touching any data
members).
4. You must be absolutely 100% positive sure that no one even touches the this pointer itself after the delete
this line. In other words, you must not examine it, compare it with another pointer, compare it with NULL, print
it, cast it, do anything with it.
Naturally the usual caveats apply in cases where your this pointer is a pointer to a base class when you don't have a
virtual destructor.

[ Top | Bottom | Previous section | Next section ]

[16.15] How do I allocate multidimensional arrays using new?


[Recently fixed a leak in the third manipulateArray() by moving another for loop into the try block (on 7/00). Click here to go to
the next FAQ in the "chain" of recent changes.]

There are many ways to do this, depending on how flexible you want the array sizing to be. On one extreme, if you know
all the dimensions at compile-time, you can allocate multidimensional arrays statically (as in C):
class Fred { /*...*/ };
void someFunction(Fred& fred);

void manipulateArray()
{
const unsigned nrows = 10; // Num rows is a compile-time constant

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (7 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

const unsigned ncols = 20; // Num columns is a compile-time constant


Fred matrix[nrows][ncols];

for (unsigned i = 0; i < nrows; ++i) {


for (unsigned j = 0; j < ncols; ++j) {
// Here's the way you access the (i,j) element:
someFunction( matrix[i][j] );

// You can safely "return" without any special delete code:


if (today == "Tuesday" && moon.isFull())
return; // Quit early on Tuesdays when the moon is full
}
}

// No explicit delete code at the end of the function either


}
More commonly, the size of the matrix isn't known until run-time but you know that it will be rectangular. In this case
you need to use the heap ("freestore"), but at least you are able to allocate all the elements in one freestore chunk.
void manipulateArray(unsigned nrows, unsigned ncols)
{
Fred* matrix = new Fred[nrows * ncols];

// Since we used a simple pointer above, we need to be VERY


// careful to avoid skipping over the delete code.
// That's why we catch all exceptions:
try {

// Here's how to access the (i,j) element:


for (unsigned i = 0; i < nrows; ++i) {
for (unsigned j = 0; j < ncols; ++j) {
someFunction( matrix[i*ncols + j] );
}
}

// If you want to quit early on Tuesdays when the moon is full,


// make sure to do the delete along ALL return paths:
if (today == "Tuesday" && moon.isFull()) {
delete[] matrix;
return;
}

// ...

}
catch (...) {
// Make sure to do the delete when an exception is thrown:
delete[] matrix;
throw; // Re-throw the current exception
}

// Make sure to do the delete at the end of the function too:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (8 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

delete[] matrix;
}
Finally at the other extreme, you may not even be guaranteed that the matrix is rectangular. For example, if each row
could have a different length, you'll need to allocate each row individually. In the following function, ncols[i] is the
number of columns in row number i, where i varies between 0 and nrows-1 inclusive.
void manipulateArray(unsigned nrows, unsigned ncols[])
{
typedef Fred* FredPtr;

// There will not be a leak if the following throws an exception:


FredPtr* matrix = new FredPtr[nrows];

// Set each element to NULL in case there is an exception later.


// (See comments at the top of the try block for rationale.)
for (unsigned i = 0; i < nrows; ++i)
matrix[i] = NULL;

// Since we used a simple pointer above, we need to be


// VERY careful to avoid skipping over the delete code.
// That's why we catch all exceptions:
try {

// Next we populate the array. If one of these throws, all


// the allocated elements will be deleted (see catch below).
for (unsigned i = 0; i < nrows; ++i)
matrix[i] = new Fred[ ncols[i] ];

// Here's how to access the (i,j) element:


for (unsigned i = 0; i < nrows; ++i) {
for (unsigned j = 0; j < ncols[i]; ++j) {
someFunction( matrix[i][j] );
}
}

// If you want to quit early on Tuesdays when the moon is full,


// make sure to do the delete along ALL return paths:
if (today == "Tuesday" && moon.isFull()) {
for (unsigned i = nrows; i > 0; --i)
delete[] matrix[i-1];
delete[] matrix;
return;
}

// ...

}
catch (...) {
// Make sure to do the delete when an exception is thrown:
// Note that some of these matrix[...] pointers might be
// NULL, but that's okay since it's legal to delete NULL.
for (unsigned i = nrows; i > 0; --i)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (9 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

delete[] matrix[i-1];
delete[] matrix;
throw; // Re-throw the current exception
}

// Make sure to do the delete at the end of the function too.


// Note that deletion is the opposite order of allocation:
for (unsigned i = nrows; i > 0; --i)
delete[] matrix[i-1];
delete[] matrix;
}
Note the funny use of matrix[i-1] in the deletion process. This prevents wrap-around of the unsigned value when
i goes one step below zero.
Finally, note that pointers and arrays are evil. It is normally much better to encapsulate your pointers in a class that has a
safe and simple interface. The following FAQ shows how to do this.

[ Top | Bottom | Previous section | Next section ]

[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't
there a simpler way?
[Recently clarified the last paragraph (on 7/00) and fixed the Star Trek movie number thanks to Chris Sheppard (on 4/01) and wordsmithed
last paragraph at the suggestion of prapp (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Yep.
The reason the code in the previous FAQ was so tricky and error prone was that it used pointers, and we know that
pointers and arrays are evil. The solution is to encapsulate your pointers in a class that has a safe and simple interface.
For example, we can define a Matrix class that handles a rectangular matrix so our user code will be vastly simplified
when compared to the the rectangular matrix code from the previous FAQ:

// The code for class Matrix is shown below...


void someFunction(Fred& fred);

void manipulateArray(unsigned nrows, unsigned ncols)


{
Matrix matrix(nrows, ncols); // Construct a Matrix called matrix

for (unsigned i = 0; i < nrows; ++i) {


for (unsigned j = 0; j < ncols; ++j) {
// Here's the way you access the (i,j) element:
someFunction( matrix(i,j) );

// You can safely "return" without any special delete code:


if (today == "Tuesday" && moon.isFull())
return; // Quit early on Tuesdays when the moon is full
}
}

// No explicit delete code at the end of the function either


}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (10 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

The main thing to notice is the lack of clean-up code. For example, there aren't any delete statements in the above
code, yet there will be no memory leaks, assuming only that the Matrix destructor does its job correctly.
Here's the Matrix code that makes the above possible:
class Matrix {
public:
Matrix(unsigned nrows, unsigned ncols);
// Throws a BadSize object if either size is zero
class BadSize { };

// Based on the Law Of The Big Three:


~Matrix();
Matrix(const Matrix& m);
Matrix& operator= (const Matrix& m);

// Access methods to get the (i,j) element:


Fred& operator() (unsigned i, unsigned j);
const Fred& operator() (unsigned i, unsigned j) const;
// These throw a BoundsViolation object if i or j is too big
class BoundsViolation { };

private:
Fred* data_;
unsigned nrows_, ncols_;
};

inline Fred& Matrix::operator() (unsigned row, unsigned col)


{
if (row >= nrows_ || col >= ncols_) throw BoundsViolation();
return data_[row*ncols_ + col];
}

inline const Fred& Matrix::operator() (unsigned row, unsigned col) const


{
if (row >= nrows_ || col >= ncols_) throw BoundsViolation();
return data_[row*ncols_ + col];
}

Matrix::Matrix(unsigned nrows, unsigned ncols)


: data_ (new Fred[nrows * ncols]),
nrows_ (nrows),
ncols_ (ncols)
{
if (nrows == 0 || ncols == 0)
throw BadSize();
}

Matrix::~Matrix()
{
delete[] data_;
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (11 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

Note that the above Matrix class accomplishes two things: it moves some tricky memory management code from the
user code (e.g., main()) to the class, and it reduces the overall bulk of program. The latter point is important. For
example, assuming Matrix is even mildly reusable, moving complexity from the users [plural] of Matrix into
Matrix itself [singular] is equivalent to moving complexity from the many to the few. Anyone who's seen Star Trek 2
knows that the good of the many outweighs the good of the few... or the one.
[ Top | Bottom | Previous section | Next section ]

[16.17] But the above Matrix class is specific to Fred! Isn't there a way to
make it generic?
[Recently rewrote (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Yep; just use templates:


Here's how this can be used:
#include "Fred.hpp" // To get the definition for class Fred

// The code for Matrix<T> is shown below...


void someFunction(Fred& fred);

void manipulateArray(unsigned nrows, unsigned ncols)


{
Matrix<Fred> matrix(nrows, ncols); // Construct a Matrix<Fred> called matrix

for (unsigned i = 0; i < nrows; ++i) {


for (unsigned j = 0; j < ncols; ++j) {
// Here's the way you access the (i,j) element:
someFunction( matrix(i,j) );

// You can safely "return" without any special delete code:


if (today == "Tuesday" && moon.isFull())
return; // Quit early on Tuesdays when the moon is full
}
}

// No explicit delete code at the end of the function either


}
Now it's easy to use Matrix<T> for things other than Fred. For example, the following uses a Matrix of
std::string (where std::string is the standard string class):
#include <string>

void someFunction(std::string& s);

void manipulateArray(unsigned nrows, unsigned ncols)


{
Matrix<std::string> matrix(nrows, ncols); // Construct a Matrix<std::string>

for (unsigned i = 0; i < nrows; ++i) {


for (unsigned j = 0; j < ncols; ++j) {

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (12 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

// Here's the way you access the (i,j) element:


someFunction( matrix(i,j) );

// You can safely "return" without any special delete code:


if (today == "Tuesday" && moon.isFull())
return; // Quit early on Tuesdays when the moon is full
}
}

// No explicit delete code at the end of the function either


}
You can thus get an entire family of classes from a template. For example, Matrix<Fred>,
Matrix<std::string>, Matrix< Matrix<std::string> >, etc.
Here's one way that the template can be implemented:

template<class T> // See section on templates for more


class Matrix {
public:
Matrix(unsigned nrows, unsigned ncols);
// Throws a BadSize object if either size is zero
class BadSize { };

// Based on the Law Of The Big Three:


~Matrix();
Matrix(const Matrix<T>& m);
Matrix<T>& operator= (const Matrix<T>& m);

// Access methods to get the (i,j) element:


T& operator() (unsigned i, unsigned j);
const T& operator() (unsigned i, unsigned j) const;
// These throw a BoundsViolation object if i or j is too big
class BoundsViolation { };

private:
T* data_;
unsigned nrows_, ncols_;
};

template<class T>
inline T& Matrix<T>::operator() (unsigned row, unsigned col)
{
if (row >= nrows_ || col >= ncols_) throw BoundsViolation();
return data_[row*ncols_ + col];
}

template<class T>
inline const T& Matrix<T>::operator() (unsigned row, unsigned col) const
{
if (row >= nrows_ || col >= ncols_) throw BoundsViolation();
return data_[row*ncols_ + col];
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (13 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

template<class T>
inline Matrix<T>::Matrix(unsigned nrows, unsigned ncols)
: data_ (new T[nrows * ncols])
, nrows_ (nrows)
, ncols_ (ncols)
{
if (nrows == 0 || ncols == 0)
throw BadSize();
}

template<class T>
inline Matrix<T>::~Matrix()
{
delete[] data_;
}
[ Top | Bottom | Previous section | Next section ]

[16.18] What's another way to build a Matrix template?


[Recently created thanks to Jesper Rasmussen (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Use the standard vector template, and make a vector of vector.


The following uses a vector<vector<T> > (note the space between the two > symbols).
#include <vector>

template<class T> // See section on templates for more


class Matrix {
public:
Matrix(unsigned nrows, unsigned ncols);
// Throws a BadSize object if either size is zero
class BadSize { };

// No need for any of The Big Three!

// Access methods to get the (i,j) element:


T& operator() (unsigned i, unsigned j);
const T& operator() (unsigned i, unsigned j) const;
// These throw a BoundsViolation object if i or j is too big
class BoundsViolation { };

private:
vector<vector<T> > data_;
};

template<class T>
inline T& Matrix<T>::operator() (unsigned row, unsigned col)
{
if (row >= nrows_ || col >= ncols_) throw BoundsViolation();
return data_[row][col];

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (14 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

template<class T>
inline const T& Matrix<T>::operator() (unsigned row, unsigned col) const
{
if (row >= nrows_ || col >= ncols_) throw BoundsViolation();
return data_[row][col];
}

template<class T>
Matrix<T>::Matrix(unsigned nrows, unsigned ncols)
: data_ (nrows)
{
if (nrows == 0 || ncols == 0)
throw BadSize();
for (unsigned i = 0; i < nrows; ++i)
data_[i].resize(ncols);
}
[ Top | Bottom | Previous section | Next section ]

[16.19] Does C++ have arrays whose length can be specified at run-time?

[Recently changed so it uses new-style headers and the std:: syntax and reworded references to STL (on 7/00). Click here to go to the next
FAQ in the "chain" of recent changes.]

Yes, in the sense that the standard library has a std::vector template that provides this behavior.
No, in the sense that built-in array types need to have their length specified at compile time.
Yes, in the sense that even built-in array types can specify the first index bounds at run-time. E.g., comparing with the
previous FAQ, if you only need the first array dimension to vary then you can just ask new for an array of arrays, rather
than an array of pointers to arrays:
const unsigned ncols = 100; // ncols = number of columns in the array

class Fred { /*...*/ };

void manipulateArray(unsigned nrows) // nrows = number of rows in the array


{
Fred (*matrix)[ncols] = new Fred[nrows][ncols];
// ...
delete[] matrix;
}
You can't do this if you need anything other than the first dimension of the array to change at run-time.
But please, don't use arrays unless you have to. Arrays are evil. Use some object of some class if you can. Use arrays
only when you have to.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (15 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

[16.20] How can I force objects of my class to always be created via new rather
than as locals or global/static objects?
Use the Named Constructor Idiom.

As usual with the Named Constructor Idiom, the constructors are all private: or protected:, and there are one or
more public static create() methods (the so-called "named constructors"), one per constructor. In this case the
create() methods allocate the objects via new. Since the constructors themselves are not public, there is no other
way to create objects of the class.
class Fred {
public:
// The create() methods are the "named constructors":
static Fred* create() { return new Fred(); }
static Fred* create(int i) { return new Fred(i); }
static Fred* create(const Fred& fred) { return new Fred(fred); }
// ...

private:
// The constructors themselves are private or protected:
Fred();
Fred(int i);
Fred(const Fred& fred);
// ...
};
Now the only way to create Fred objects is via Fred::create():
int main()
{
Fred* p = Fred::create(5);
// ...
delete p;
}
Make sure your constructors are in the protected: section if you expect Fred to have derived classes.
Note also that you can make another class Wilma a friend of Fred if you want to allow a Wilma to have a member
object of class Fred, but of course this is a softening of the original goal, namely to force Fred objects to be allocated
via new.
[ Top | Bottom | Previous section | Next section ]

[16.21] How do I do simple reference counting?


[Recently moved definition of Fred::create() methods below the definition of class FredPtr (on 4/01). Click here to go to the next
FAQ in the "chain" of recent changes.]

If all you want is the ability to pass around a bunch of pointers to the same object, with the feature that the object will
automagically get deleted when the last pointer to it disappears, you can use something like the following "smart
pointer" class:
// Fred.h

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (16 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

class FredPtr;

class Fred {
public:
Fred() : count_(0) /*...*/ { } // All ctors set count_ to 0 !
// ...
private:
friend FredPtr; // A friend class
unsigned count_;
// count_ must be initialized to 0 by all constructors
// count_ is the number of FredPtr objects that point at this
};

class FredPtr {
public:
Fred* operator-> () { return p_; }
Fred& operator* () { return *p_; }
FredPtr(Fred* p) : p_(p) { ++p_->count_; } // p must not be NULL
~FredPtr() { if (--p_->count_ == 0) delete p_; }
FredPtr(const FredPtr& p) : p_(p.p_) { ++p_->count_; }
FredPtr& operator= (const FredPtr& p)
{ // DO NOT CHANGE THE ORDER OF THESE STATEMENTS!
// (This order properly handles self-assignment)
++p.p_->count_;
if (--p_->count_ == 0) delete p_;
p_ = p.p_;
return *this;
}
private:
Fred* p_; // p_ is never NULL
};
Naturally you can use nested classes to rename FredPtr to Fred::Ptr.
Note that you can soften the "never NULL" rule above with a little more checking in the constructor, copy constructor,
assignment operator, and destructor. If you do that, you might as well put a p_ != NULL check into the "*" and "->"
operators (at least as an assert()). I would recommend against an operator Fred*() method, since that would
let people accidentally get at the Fred*.
One of the implicit constraints on FredPtr is that it must only point to Fred objects which have been allocated via
new. If you want to be really safe, you can enforce this constraint by making all of Fred's constructors private, and
for each constructor have a public (static) create() method which allocates the Fred object via new and
returns a FredPtr (not a Fred*). That way the only way anyone could create a Fred object would be to get a
FredPtr ("Fred* p = new Fred()" would be replaced by "FredPtr p = Fred::create()"). Thus no
one could accidentally subvert the reference counted mechanism.
For example, if Fred had a Fred::Fred() and a Fred::Fred(int i, int j), the changes to class Fred
would be:
class Fred {
public:
static FredPtr create(); // Defined below class FredPtr {...}
static FredPtr create(int i, int j); // Defined below class FredPtr {...}
// ...

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (17 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

private:
Fred();
Fred(int i, int j);
// ...
};

class FredPtr { /* ... */ };

inline FredPtr Fred::create() { return new Fred(); }


inline FredPtr Fred::create(int i, int j) { return new Fred(i,j); }
The end result is that you now have a way to use simple reference counting to provide "pointer semantics" for a given
object. Users of your Fred class explicitly use FredPtr objects, which act more or less like Fred* pointers. The
benefit is that users can make as many copies of their FredPtr "smart pointer" objects, and the pointed-to Fred object
will automagically get deleted when the last such FredPtr object vanishes.
If you'd rather give your users "reference semantics" rather than "pointer semantics," you can use reference counting to
provide "copy on write".

[ Top | Bottom | Previous section | Next section ]

[16.22] How do I provide reference counting with copy-on-write semantics?

[Recently rewrote the first paragraph for clarity thanks to Fabrice Clerc (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Reference counting can be done with either pointer semantics or reference semantics. The previous FAQ shows how to
do reference counting with pointer semantics. This FAQ shows how to do reference counting with reference semantics.
The basic idea is to allow users to think they're copying your Fred objects, but in reality the underlying implementation
doesn't actually do any copying unless and until some user actually tries to modify the underlying Fred object.
Class Fred::Data houses all the data that would normally go into the Fred class. Fred::Data also has an extra
data member, count_, to manage the reference counting. Class Fred ends up being a "smart reference" that
(internally) points to a Fred::Data.
class Fred {
public:

Fred(); // A default constructor


Fred(int i, int j); // A normal constructor

Fred(const Fred& f);


Fred& operator= (const Fred& f);
~Fred();

void sampleInspectorMethod() const; // No changes to this object


void sampleMutatorMethod(); // Change this object

// ...

private:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (18 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

class Data {
public:
Data();
Data(int i, int j);
Data(const Data& d);

// Since only Fred can access a Fred::Data object,


// you can make Fred::Data's data public if you want.
// But if that makes you uncomfortable, make the data private
// and make Fred a friend class via friend Fred;
// ...

unsigned count_;
// count_ is the number of Fred objects that point at this
// count_ must be initialized to 1 by all constructors
// (it starts as 1 since it is pointed to by the Fred object that created it)
};

Data* data_;
};

Fred::Data::Data() : count_(1) /*init other data*/ { }


Fred::Data::Data(int i, int j) : count_(1) /*init other data*/ { }
Fred::Data::Data(const Data& d) : count_(1) /*init other data*/ { }

Fred::Fred() : data_(new Data()) { }


Fred::Fred(int i, int j) : data_(new Data(i, j)) { }

Fred::Fred(const Fred& f)
: data_(f.data_)
{
++ data_->count_;
}

Fred& Fred::operator= (const Fred& f)


{
// DO NOT CHANGE THE ORDER OF THESE STATEMENTS!
// (This order properly handles self-assignment)
++ f.data_->count_;
if (--data_->count_ == 0) delete data_;
data_ = f.data_;
return *this;
}

Fred::~Fred()
{
if (--data_->count_ == 0) delete data_;
}

void Fred::sampleInspectorMethod() const


{
// This method promises ("const") not to change anything in *data_

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (19 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

// Other than that, any data access would simply use "data_->..."
}

void Fred::sampleMutatorMethod()
{
// This method might need to change things in *data_
// Thus it first checks if this is the only pointer to *data_
if (data_->count_ > 1) {
Data* d = new Data(*data_); // Invoke Fred::Data's copy ctor
-- data_->count_;
data_ = d;
}
assert(data_->count_ == 1);

// Now the method proceeds to access "data_->..." as normal


}
If it is fairly common to call Fred's default constructor, you can avoid all those new calls by sharing a common
Fred::Data object for all Freds that are constructed via Fred::Fred(). To avoid static initialization order
problems, this shared Fred::Data object is created "on first use" inside a function. Here are the changes that would be
made to the above code (note that the shared Fred::Data object's destructor is never invoked; if that is a problem,
either hope you don't have any static initialization order problems, or drop back to the approach described above):
class Fred {
public:
// ...
private:
// ...
static Data* defaultData();
};

Fred::Fred()
: data_(defaultData())
{
++ data_->count_;
}

Fred::Data* Fred::defaultData()
{
static Data* p = NULL;
if (p == NULL) {
p = new Data();
++ p->count_; // Make sure it never goes to zero
}
return p;
}
Note: You can also provide reference counting for a hierarchy of classes if your Fred class would normally have been a
base class.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (20 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

[16.23] How do I provide reference counting with copy-on-write semantics for a


hierarchy of classes?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

The previous FAQ presented a reference counting scheme that provided users with reference semantics, but did so for a
single class rather than for a hierarchy of classes. This FAQ extends the previous technique to allow for a hierarchy of
classes. The basic difference is that Fred::Data is now the root of a hierarchy of classes, which probably cause it to
have some virtual functions. Note that class Fred itself will still not have any virtual functions.
The Virtual Constructor Idiom is used to make copies of the Fred::Data objects. To select which derived class to
create, the sample code below uses the Named Constructor Idiom, but other techniques are possible (a switch
statement in the constructor, etc). The sample code assumes two derived classes: Der1 and Der2. Methods in the
derived classes are unaware of the reference counting.
class Fred {
public:

static Fred create1(const std::string& s, int i);


static Fred create2(float x, float y);

Fred(const Fred& f);


Fred& operator= (const Fred& f);
~Fred();

void sampleInspectorMethod() const; // No changes to this object


void sampleMutatorMethod(); // Change this object

// ...

private:

class Data {
public:
Data() : count_(1) { }
Data(const Data& d) : count_(1) { } // Do NOT copy the 'count_' member!
Data& operator= (const Data&) { return *this; } // Do NOT copy the 'count_' member!
virtual ~Data() { assert(count_ == 0); } // A virtual destructor
virtual Data* clone() const = 0; // A virtual constructor
virtual void sampleInspectorMethod() const = 0; // A pure virtual function
virtual void sampleMutatorMethod() = 0;
private:
unsigned count_; // count_ doesn't need to be protected
friend Fred; // Allow Fred to access count_
};

class Der1 : public Data {


public:
Der1(const std::string& s, int i);
virtual void sampleInspectorMethod() const;
virtual void sampleMutatorMethod();

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (21 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

virtual Data* clone() const;


// ...
};

class Der2 : public Data {


public:
Der2(float x, float y);
virtual void sampleInspectorMethod() const;
virtual void sampleMutatorMethod();
virtual Data* clone() const;
// ...
};

Fred(Data* data);
// Creates a Fred smart-reference that owns *data
// It is private to force users to use a createXXX() method
// Requirement: data must not be NULL

Data* data_; // Invariant: data_ is never NULL


};

Fred::Fred(Data* data) : data_(data) { assert(data != NULL); }

Fred Fred::create1(const std::string& s, int i) { return Fred(new Der1(s, i)); }


Fred Fred::create2(float x, float y) { return Fred(new Der2(x, y)); }

Fred::Data* Fred::Der1::clone() const { return new Der1(*this); }


Fred::Data* Fred::Der2::clone() const { return new Der2(*this); }

Fred::Fred(const Fred& f)
: data_(f.data_)
{
++ data_->count_;
}

Fred& Fred::operator= (const Fred& f)


{
// DO NOT CHANGE THE ORDER OF THESE STATEMENTS!
// (This order properly handles self-assignment)
++ f.data_->count_;
if (--data_->count_ == 0) delete data_;
data_ = f.data_;
return *this;
}

Fred::~Fred()
{
if (--data_->count_ == 0) delete data_;
}

void Fred::sampleInspectorMethod() const


{

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (22 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

// This method promises ("const") not to change anything in *data_


// Therefore we simply "pass the method through" to *data_:
data_->sampleInspectorMethod();
}

void Fred::sampleMutatorMethod()
{
// This method might need to change things in *data_
// Thus it first checks if this is the only pointer to *data_
if (data_->count_ > 1) {
Data* d = data_->clone(); // The Virtual Constructor Idiom
-- data_->count_;
data_ = d;
}
assert(data_->count_ == 1);

// Now we "pass the method through" to *data_:


data_->sampleInspectorMethod();
}
Naturally the constructors and sampleXXX methods for Fred::Der1 and Fred::Der2 will need to be
implemented in whatever way is appropriate.
[ Top | Bottom | Previous section | Next section ]

[16.24] Can you absolutely prevent people from subverting the reference
counting mechanism, and if so, should you?
[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

No, and (normally) no.


There are two basic approaches to subverting the reference counting mechanism:
1. The scheme could be subverted if someone got a Fred* (rather than being forced to use a FredPtr). Someone
could get a Fred* if class FredPtr has an operator*() that returns a Fred&":
FredPtr p = Fred::create(); Fred* p2 = &*p;. Yes it's bizarre and unexpected, but it could
happen. This hole could be closed in two ways: overload Fred::operator&() so it returns a FredPtr, or
change the return type of FredPtr::operator*() so it returns a FredRef (FredRef would be a class that
simulates a reference; it would need to have all the methods that Fred has, and it would need to forward all those
method calls to the underlying Fred object; there might be a performance penalty for this second choice
depending on how good the compiler is at inlining methods). Another way to fix this is to eliminate
FredPtr::operator*() and lose the corresponding ability to get and use a Fred&. But even if you did
all this, someone could still generate a Fred* by explicitly calling operator->():
FredPtr p = Fred::create(); Fred* p2 = p.operator->();.
2. The scheme could be subverted if someone had a leak and/or dangling pointer to a FredPtr Basically what we're
saying here is that Fred is now safe, but we somehow want to prevent people from doing stupid things with
FredPtr objects. (And if we could solve that via FredPtrPtr objects, we'd have the same problem again with
them). One hole here is if someone created a FredPtr using new, then allowed the FredPtr to leak (worst
case this is a leak, which is bad but is usually a little better than a dangling pointer). This hole could be plugged by
declaring FredPtr::operator new() as private, thus preventing someone from saying
new FredPtr(). Another hole here is if someone creates a local FredPtr object, then takes the address of
that FredPtr and passed around the FredPtr*. If that FredPtr* lived longer than the FredPtr, you could

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (23 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

have a dangling pointer shudder. This hole could be plugged by preventing people from taking the address of a
FredPtr (by overloading FredPtr::operator&() as private), with the corresponding loss of
functionality. But even if you did all that, they could still create a FredPtr& which is almost as dangerous as a
FredPtr*, simply by doing this: FredPtr p; ... FredPtr& q = p; (or by passing the FredPtr& to
someone else).
And even if we closed all those holes, C++ has those wonderful pieces of syntax called pointer casts. Using a pointer
cast or two, a sufficiently motivated programmer can normally create a hole that's big enough to drive a proverbial truck
through.
So the lessons here seems to be: (a) you can't prevent espionage no matter how hard you try, and (b) you can easily
prevent mistakes.
So I recommend settling for the "low hanging fruit": use the easy-to-build and easy-to-use mechanisms that prevent
mistakes, and don't bother trying to prevent espionage. You won't succeed, and even if you do, it'll (probably) cost you
more than it's worth.
So if we can't use the C++ language itself to prevent espionage, are there other ways to do it? Yes. I personally use old
fashioned code-reviews for that. And since the espionage techniques usually involve some bizarre syntax and/or use of
pointer-casts and unions, you can use a tool to point out most of the "hot spots."
[ Top | Bottom | Previous section | Next section ]

[16.25] Can I use a garbage collector in C++?


[Recently created thanks to Hans Boehm (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Yes.
Compared with the "smart pointer" techniques, such as are described above, the garbage collector techniques are:
less portable

usually more efficient (especially when the average object size is small or in multithreaded environments)

able to handle "cycles" in the data (reference counting techniques normally "leak" if the data structures can form a
cycle)
sometimes leak other objects (since the garbage collectors are necessarily conservative, they sometimes see a
random bit pattern that appears to be a pointer into an allocation, especially if the allocation is large; this can allow
the allocation to leak)
work better with existing libraries (since smart pointers need to be used explicitly, they may be hard to integrate
with existing libraries)
[ Top | Bottom | Previous section | Next section ]

[16.26] What are the two kinds of garbage collectors for C++?
[Recently created thanks to Hans Boehm (on 7/00) and added a URL for Bartlett's collector thanks to Abhishek (on 4/01). Click here to go to
the next FAQ in the "chain" of recent changes.]

In general, there seem to be two flavors of garbage collectors for C++:


1. Conservative garbage collectors. These know little or nothing about the layout of the stack or of C++ objects, and
simply look for bit patterns that appear to be pointers. In practice they seem to work with both C and C++ code,
particularly when the average object size is small. Here are some examples, in alphabetical order:
Boehm-Demers-Weiser collector

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (24 of 25) [3/16/2002 9:53:38 ;-]]


[16] Freestore management, C++ FAQ Lite

Geodesic Systems collector

2. Hybrid garbage collectors. These usually scan the stack conservatively, but require the programmer to supply
layout information for heap objects. This requires more work on the programmer's part, but may result in
improved performance. Here are some examples, in alphabetical order:
Bartlett's mostly copying collector

Attardi and Flagella's CMM (if someone has a URL, please send it to me).
Since garbage collectors for C++ are normally conservative, they can sometimes leak if a bit pattern "looks like" it might
be a pointer to an otherwise unused block. Also they sometimes get confused when pointers to a block actually point
outside the block's extent (which is illegal, but some programmers simply must push the envelope; sigh) and (rarely)
when a pointer is hidden by a compiler optimization. In practice these problems are not usually serious, however
providing the collector with hints about the layout of the objects can sometimes ameliorate these issues.
[ Top | Bottom | Previous section | Next section ]

[16.27] Where can I get more info on garbage collectors for C++?
[Recently created (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

For more information, see the Garbage Collector FAQ.


[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/freestore-mgmt.html (25 of 25) [3/16/2002 9:53:38 ;-]]


[14] Friends, C++ FAQ Lite

[14] Friends
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [14]:


[14.1] What is a friend?
[14.2] Do friends violate encapsulation?
[14.3] What are some advantages/disadvantages of using friend functions?
[14.4] What does it mean that "friendship isn't inherited, transitive, nor reciprocal"?
[14.5] Should my class declare a member function or a friend function?

[14.1] What is a friend?


Something to allow your class to grant access to another class or function.
Friends can be either functions or other classes. A class grants access privileges to its friends. Normally a
developer has political and technical control over both the friend and member functions of a class
(else you may need to get permission from the owner of the other pieces when you want to update your
own class).
[ Top | Bottom | Previous section | Next section ]

[14.2] Do friends violate encapsulation?


[Recently made a bit more emphatic (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

No! If they're used properly, they actually enhance encapsulation.


You often need to split a class in half when the two halves will have different numbers of instances or
different lifetimes. In these cases, the two halves usually need direct access to each other (the two halves
used to be in the same class, so you haven't increased the amount of code that needs direct access to a
data structure; you've simply reshuffled the code into two classes instead of one). The safest way to
implement this is to make the two halves friends of each other.
If you use friends like just described, you'll keep private things private. People who don't
understand this often make naive efforts to avoid using friendship in situations like the above, and often
they actually destroy encapsulation. They either use public data (grotesque!), or they make the data
accessible between the halves via public get() and set() member functions. Having a public
get() and set() member function for a private datum is OK only when the private datum

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/friends.html (1 of 4) [3/16/2002 9:53:39 ;-]]


[14] Friends, C++ FAQ Lite

"makes sense" from outside the class (from a user's perspective). In many cases, these get()/set()
member functions are almost as bad as public data: they hide (only) the name of the private datum,
but they don't hide the existence of the private datum.
Similarly, if you use friend functions as a syntactic variant of a class's public: access functions, they
don't violate encapsulation any more than a member function violates encapsulation. In other words, a
class's friends don't violate the encapsulation barrier: along with the class's member functions, they are
the encapsulation barrier.
[ Top | Bottom | Previous section | Next section ]

[14.3] What are some advantages/disadvantages of using friend


functions?
They provide a degree of freedom in the interface design options.
Member functions and friend functions are equally privileged (100% vested). The major difference is
that a friend function is called like f(x), while a member function is called like x.f(). Thus the
ability to choose between member functions (x.f()) and friend functions (f(x)) allows a designer
to select the syntax that is deemed most readable, which lowers maintenance costs.
The major disadvantage of friend functions is that they require an extra line of code when you want
dynamic binding. To get the effect of a virtual friend, the friend function should call a hidden
(usually protected:) virtual member function. This is called the Virtual Friend Function Idiom.
For example:
class Base {
public:
friend void f(Base& b);
// ...
protected:
virtual void do_f();
// ...
};

inline void f(Base& b)


{
b.do_f();
}

class Derived : public Base {


public:
// ...
protected:
virtual void do_f(); // "Override" the behavior of f(Base& b)
// ...

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/friends.html (2 of 4) [3/16/2002 9:53:39 ;-]]


[14] Friends, C++ FAQ Lite

};

void userCode(Base& b)
{
f(b);
}
The statement f(b) in userCode(Base&) will invoke b.do_f(), which is virtual. This means
that Derived::do_f() will get control if b is actually a object of class Derived. Note that
Derived overrides the behavior of the protected: virtual member function do_f(); it does
not have its own variation of the friend function, f(Base&).
[ Top | Bottom | Previous section | Next section ]

[14.4] What does it mean that "friendship isn't inherited, transitive,


nor reciprocal"?
[Recently added the "not reciprocal" item thanks to Karel Roose (on 4/01). Click here to go to the next FAQ in the "chain"
of recent changes.]

Just because I grant you friendship access to me doesn't automatically grant your kids access to me,
doesn't automatically grant your friends access to me, and doesn't automatically grant me access to you.
I don't necessarily trust the kids of my friends. The privileges of friendship aren't inherited.
Derived classes of a friend aren't necessarily friends. If class Fred declares that class Base
is a friend, classes derived from Base don't have any automatic special access rights to Fred
objects.
I don't necessarily trust the friends of my friends. The privileges of friendship aren't transitive. A
friend of a friend isn't necessarily a friend. If class Fred declares class Wilma as a friend,
and class Wilma declares class Betty as a friend, class Betty doesn't necessarily have
any special access rights to Fred objects.
You don't necessarily trust me simply because I declare you my friend. The privileges of
friendship aren't reciprocal. If class Fred declares that class Wilma is a friend, Wilma objects
have special access to Fred objects but Fred objects do not automatically have special access to
Wilma objects.
[ Top | Bottom | Previous section | Next section ]

[14.5] Should my class declare a member function or a friend


function?
Use a member when you can, and a friend when you have to.
Sometimes friends are syntactically better (e.g., in class Fred, friend functions allow the Fred
parameter to be second, while members require it to be first). Another good use of friend functions are

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/friends.html (3 of 4) [3/16/2002 9:53:39 ;-]]


[14] Friends, C++ FAQ Lite

the binary infix arithmetic operators. E.g., aComplex + aComplex should be defined as a friend
rather than a member if you want to allow aFloat + aComplex as well (member functions don't
allow promotion of the left hand argument, since that would change the class of the object that is the
recipient of the member function invocation).
In other cases, choose a member function over a friend function.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/friends.html (4 of 4) [3/16/2002 9:53:39 ;-]]


[26] Learning OO/C++, C++ FAQ Lite

[26] Learning OO/C++


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [26]:


[26.1] What is mentoring?
[26.2] Should I learn C before I learn OO/C++?
[26.3] Should I learn Smalltalk before I learn OO/C++?
[26.4] Should I buy one book, or several?
[26.5] What are some best-of-breed C++ morality guides?
[26.6] What are some best-of-breed C++ legality guides?
[26.7] What are some best-of-breed C++ programming-by-example guides?
[26.8] Are there other OO books that are relevant to OO/C++?

[26.1] What is mentoring?


It's the most important tool in learning OO.
Object-oriented thinking is caught, not just taught. Get cozy with someone who really knows what
they're talking about, and try to get inside their head and watch them solve problems. Listen. Learn by
emulating.
If you're working for a company, get them to bring someone in who can act as a mentor and guide. We've
seen gobs and gobs of money wasted by companies who "saved money" by simply buying their
employees a book ("Here's a book; read it over the weekend; on Monday you'll be an OO developer").
[ Top | Bottom | Previous section | Next section ]

[26.2] Should I learn C before I learn OO/C++?


Don't bother.
If your ultimate goal is to learn OO/C++ and you don't already know C, reading books or taking courses
in C will not only waste your time, but it will teach you a bunch of things that you'll explicitly have to
un-learn when you finally get back on track and learn OO/C++ (e.g., malloc(), printf(),
unnecessary use of switch statements, error-code exception handling, unnecessary use of #define
macros, etc.).

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-learn-cpp.html (1 of 4) [3/16/2002 9:53:39 ;-]]


[26] Learning OO/C++, C++ FAQ Lite

If you want to learn OO/C++, learn OO/C++. Taking time out to learn C will waste your time and
confuse you.
[ Top | Bottom | Previous section | Next section ]

[26.3] Should I learn Smalltalk before I learn OO/C++?


Don't bother.
If your ultimate goal is to learn OO/C++ and you don't already know Smalltalk, reading books or taking
courses in Smalltalk will not only waste your time, but it will teach you a bunch of things that you'll
explicitly have to un-learn when you finally get back on track and learn OO/C++ (e.g., dynamic typing,
non-subtyping inheritance, error-code exception handling, etc.).

Knowing a "pure" OO language doesn't make the transition to OO/C++ any easier. This is not a theory;
we have trained and mentored literally thousands of software professionals in OO. In fact, Smalltalk
experience can make it harder for some people: they need to unlearn some rather deep notions about
typing and inheritance in addition to needing to learn new syntax and idioms. This unlearning process is
especially painful and slow for those who cling to Smalltalk with religious zeal ("C++ is not like
Smalltalk, therefore C++ is evil").
If you want to learn OO/C++, learn OO/C++. Taking time out to learn Smalltalk will waste your time
and confuse you.
Note: I sit on both the ANSI C++ (X3J16) and ANSI Smalltalk (X3J20) standardization committees. I
am not a language bigot. I'm not saying C++ is better or worse than Smalltalk; I'm simply saying that
they are different.

[ Top | Bottom | Previous section | Next section ]

[26.4] Should I buy one book, or several?


[Recently rewrote; added the "programming by example" category (on 4/01). Click here to go to the next FAQ in the
"chain" of recent changes.]

At least three.
There are three categories of insight and knowledge in OO programming using C++. You should get a
great book from each category, not an okay book that tries to do an okay job at everything. The three
OO/C++ programming categories are:
C++ legality guides what you can and can't do in C++.

C++ morality guides what you should and shouldn't do in C++.


Programming-by-example guides show lots of examples, normally making liberal use of the
C++ standard library.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-learn-cpp.html (2 of 4) [3/16/2002 9:53:39 ;-]]


[26] Learning OO/C++, C++ FAQ Lite

Legality guides describe all language features with roughly the same level of emphasis; morality guides
focus on those language features that you will use most often in typical programming tasks. Legality
guides tell you how to get a given feature past the compiler; morality guides tell you whether or not to
use that feature in the first place.
Meta comments:
Neither of these categories is optional. You must have a good grasp of both.

These categories do not trade off against each other. You shouldn't argue in favor of one over the
other. They dove-tail.
There is a fourth category you should consider in addition to the above three: OO Design books. These
are books that focus on how to think and design with objects.
[ Top | Bottom | Previous section | Next section ]

[26.5] What are some best-of-breed C++ morality guides?


Here's my personal (subjective and selective) short-list of must-read C++ morality guides, alphabetically
by author:
Cline, Lomow, and Girou, C++ FAQs, Second Edition, 587 pgs, Addison-Wesley, 1999, ISBN
0-201-30983-1. Covers around 500 topics in a FAQ-like Q&A format.
Meyers, Effective C++, Second Edition, 224 pgs, Addison-Wesley, 1998, ISBN 0-201-92488-9.
Covers 50 topics in a short essay format.
Meyers, More Effective C++, 336 pgs, Addison-Wesley, 1996, ISBN 0-201-63371-X. Covers 35
topics in a short essay format.
Similarities: All three books are extensively illustrated with code examples. All three are excellent,
insightful, useful, gold plated books. All three have excellent sales records.
Differences: Cline/Lomow/Girou's examples are complete, working programs rather than code fragments
or standalone classes. Meyers contains numerous line-drawings that illustrate the points.
[ Top | Bottom | Previous section | Next section ]

[26.6] What are some best-of-breed C++ legality guides?


Here's my personal (subjective and selective) short-list of must-read C++ legality guides, alphabetically
by author:
Lippman and Lajoie, C++ Primer, Third Edition, 1237 pgs, Addison-Wesley, 1998, ISBN
0-201-82470-1. Very readable/approachable.
Stroustrup, The C++ Programming Language, Third Edition, 911 pgs, Addison-Wesley, 1998,
ISBN 0-201-88954-4. Covers a lot of ground.
Similarities: Both books are excellent overviews of almost every language feature. I reviewed them for
back-to-back issues of C++ Report, and I said that they are both top notch, gold plated, excellent books.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-learn-cpp.html (3 of 4) [3/16/2002 9:53:39 ;-]]


[26] Learning OO/C++, C++ FAQ Lite

Both have excellent sales records.


Differences: If you don't know C, Lippman's book is better for you. If you know C and you want to cover
a lot of ground quickly, Stroustrup's book is better for you.
[ Top | Bottom | Previous section | Next section ]

[26.7] What are some best-of-breed C++ programming-by-example


guides?
[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Here's my personal (subjective and selective) short-list of must-read C++ programming-by-example


guides:
Koenig and Moo, Accelerated C++, 336 pgs, Addison-Wesley, 2000, ISBN 0-201-70353-X. Lots
of examples using the standard C++ library.
[ Top | Bottom | Previous section | Next section ]

[26.8] Are there other OO books that are relevant to OO/C++?


Yes! Tons!
The morality, legality, and by-example categories listed above were for OO programming. The areas of
OO analysis and OO design are also relevant, and have their own best-of-breed books.
There are tons and tons of good books in these other areas. The seminal book on OO design patterns is
(in my personal, subjective and selective, opinion) a must-read book: Gamma et al., Design Patterns, 395
pgs, Addison-Wesley, 1995, ISBN 0-201-63361-2. Describes "patterns" that commonly show up in good
OO designs. You must read this book if you intend to do OO design work.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-learn-cpp.html (4 of 4) [3/16/2002 9:53:39 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

[5] Netiquette when posting to


comp.lang.c++
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [5]:


[5.1] What does IMHO mean? (or IMO, IMNSHO, FWIW, OTOH, etc.)?
[5.2] How do I get other people to do my homework problem for me?
[5.3] What should I do if I see someone else posting a homework problem?
[5.4] How can I find out about general netiquette so I don't embarrass myself?
[5.5] What do I do if someone else posts a question that's already in the FAQ?
[5.6] What makes a good Subject: line?
[5.7] How do I post a question about code that doesn't work correctly?
[5.8] Which newsgroup should I post my questions?
[5.9] How do I get the FAQs for a particular newsgroup?

[5.1] What does IMHO mean? (or IMO, IMNSHO, FWIW, OTOH, etc.)?
Here's a partial list of acronyms in alphabetical order:
AFAICS = As far as I can see

BTW = By the way

FWIW = For what it's worth

FYI = For your information

IMHO = In my humble opinion (egoless)

IMAO = In my arrogant opinion (a lot of ego)

IMNSHO = In my not-so humble opinion (a lot of ego)

IMO = In my opinion (a little ego)

KUTGW = Keep Up The Good Work

MYOB = Mind your own business

OTOH = On the other hand

RTFM = Read the ___ manual

SO = Significant other (as in, "My SO and I went for a walk...")

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (1 of 7) [3/16/2002 9:53:40 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

BTW my SO says, "FWIW IMNSHO 'KUTGW' is rare; OTOH it may be helpful to somebody."
For more acronyms please see www.astro.umd.edu/~marshall/abbrev.html.
[ Top | Bottom | Previous section | Next section ]

[5.2] How do I get other people to do my homework problem for me?

[Recently added stuff about the evils of asking others to do your homework for you via email (on 4/01). Click here to go to
the next FAQ in the "chain" of recent changes.]

Shame on you!
Please do not post your homework questions to comp.lang.c++. And don't send them to people via email
either!
[ Top | Bottom | Previous section | Next section ]

[5.3] What should I do if I see someone else posting a homework


problem?
When a slackard asks comp.lang.c++ to do their homework for them, answering their question is the
worst thing for them. Please don't do it! Instead you can use the following table of "frequently asked
homework assignments" to give them a hint/pointer:
If someone asks... ...then here's a brief answer:
Use a stack of operators to convert infix to
How do I do Equation Parsing in C++? postfix, then a stack of operands to evaluate the
postfix expression.
How do I do Shortest Path in C++? Look up Dijkstra's algorithm and backtracking.
Look up heapsort, quicksort, merge sort, internal
How do I do Sorting in C++?
and external sorting.
How do I do Minimum Spanning Trees in C++? Look up Kruskal and/or Prim's algorithm.
How do I do Combinations and/or Permutations in
See your algorithms book.
C++?
How do I do <some small essay problem; obviously
Do it yourself. If you get stuck, ask a specific
contrived for a school assignment; too well defined
question.
to to be from the real world> in C++?

[If anyone has other suggestions that should go into this table, please let me know; thanks;
(cline@parashift.com)].

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (2 of 7) [3/16/2002 9:53:40 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

[5.4] How can I find out about general netiquette so I don't embarrass
myself?
Key guidelines:
Do not say, "Please respond by e-mail because I don't normally read this
newsgroup". If you don't have enough time for the newsgroup, don't expect the newsgroup to
have enough time for you.
Do not post questions that are answered in the newsgroup's FAQ. That's like saying your time (to
read the FAQ) is more valuable than the time of hundreds and hundreds of others (to answer your
question). Tres uncool. Read the FAQ first!
Do not cross post your question to a big pile of newsgroups. Post to the newsgroup (singular) that
best fits your question. If you don't get an answer in the "right" newsgroup, post somewhere else
but redirect followups back to the "right" newsgroup.
Do include a working e-mail address in your signature. If your From: address is not correct,
please notify your system administrator. Until it's fixed, add a Reply-to: line that gives your
correct e-mail address.
Many more general netiquette questions are answered in the newsgroup
news.announce.newusers. This newsgroup contains many must-read articles for new users.
[ Top | Bottom | Previous section | Next section ]

[5.5] What do I do if someone else posts a question that's already in


the FAQ?
Please don't answer a question that's already in the FAQ. Instead politely but firmly point the questioner
to the FAQ using the following template:
Subject: It's in the FAQ (was: Original_Subject_Goes_Here)

> Original_Question_Goes_Here [...]

This issue is covered in the C++ FAQ.


You can get the FAQ at:
http://www.parashift.com/c++-faq-lite/

Please read the FAQ.


If you're willing to help in this effort, consider yourself "deputized" to point people to the FAQ using
something like the above template. With your help, hopefully we can improve the signal-to-noise ratio on
comp.lang.c++ and thereby preserve it as a valuable resource.
Note #1: Please don't give them the location of the appropriate FAQ. E.g., don't say,
"Look at FAQ [10.3]" or "Look in section [10]". It's the old give-them-a-fish vs.
teach-them-to-fish problem.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (3 of 7) [3/16/2002 9:53:40 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

Note #2: Please be polite. I'm hoping we can avoid "RTFM" or "RTFFAQ" euphemisms (or worse!).
Thanks for any help you can give in this matter.
[ Top | Bottom | Previous section | Next section ]

[5.6] What makes a good Subject: line?


Be descriptive:
Bad: "Subject: HELP"

Bad: "Subject: C++ problem"

Bad: "Subject: SEX SEX SEX"

Good: "Subject: Problem new'ing a multi-dimensional array"

Mention your compiler/version if you think it's relevant.


[ Top | Bottom | Previous section | Next section ]

[5.7] How do I post a question about code that doesn't work


correctly?
Key guidelines:
1. Post compile'able code: avoid ellipses, such as void f() { ... }
2. Post complete code: put in all necessary #includes and declarations of needed types and
functions
3. Post minimal code: just enough to demonstrate the problem; skip I/O and calls to libraries if
possible
4. Post one compilation unit: if possible, combine Foo.h into Foo.cpp
5. Post the tools you used: compiler name, version number, operating system, etc
6. Post the tool options you used: libraries, exact compiler and linker options, etc
7. Post the exact messages you received; differentiate between compiler, linker, and runtime
messages
As always, make sure your question isn't already in the FAQ. Use the subject index to check.

[ Top | Bottom | Previous section | Next section ]

[5.8] Which newsgroup should I post my questions?


Only post to comp.lang.c++ if your question is about the C++ language itself. For example, C++
code design, syntax, style, rules, bugs, etc. Operating-specific questions (e.g., about Windows NT / 95 /
3.x, UNIX, etc.) should go to an operating-system-specific newsgroup (see below), not to

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (4 of 7) [3/16/2002 9:53:40 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

comp.lang.c++.
Here are some other potentially relevant newsgroups:
comp.lang.c++.moderated

A moderated variant of comp.lang.c++


The moderator's job is to keep the signal-to-noise ratio higher than in comp.lang.c++
comp.object
Mostly OO design issues, with less emphasis on OO programming)

That group's FAQ contains an excellent introduction to OO along with an overview of OO


terms and concepts
comp.std.c++
Discussion directly related to the evolving ANSI/ISO C++ standard

The evolving ANSI/ISO C++ standard is discussed below

comp.os.ms-windows.programmer.tools.*
This group is intended for discussions about the selection and use of tools for Windows

software development
comp.os.ms-windows.programmer.misc
This group is for all other discussions about Windows software development

There's one FAQ list for all the comp.os.ms-windows.programmer.* groups

Sample topic: Accessing C++ classes in a DLL

Sample topic: A dialog as an MDI child window [with OWL]

Sample topic: Disabled menu choices become enabled [with MFC]

Sample topic: Using STRICT with windows.h

Sample topic: A programmer's bibliography

comp.os.msdos.programmer
Much of the traffic is about language products, chiefly from Borland and Microsoft
Note: The FAQ for this group is not available at rtfm.mit.edu; it is at
ftp://oak.oakland.edu/pub/msdos/info and
ftp://garbo.uwasa.fi/pc/doc-net
Sample topic: How can I read a character without [waiting for] the Enter key?

Sample topic: How can I read, create, change, or delete the volume label?

Sample topic: How do I configure a COM port and use it to transmit data?

Sample topic: How can a C program send control codes to my printer?

Sample topic: How can I find the Microsoft mouse position and button status?

Sample topic: How can I write a TSR (terminate-stay-resident) utility?

Sample topic: How can I contact [Borland, Microsoft]?

comp.os.msdos.programmer.turbovision

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (5 of 7) [3/16/2002 9:53:40 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

Borland's character-mode framework


comp.unix.programmer
Sample topic: How do I use popen() to open a process for reading and writing?

Sample topic: How do I sleep() in a C program for less than one second?

comp.unix.solaris
Covers SunOS 4.x and Solaris

Sample topic: Signal Primer

Sample topic: Waiting for Children to Exit

gnu.g++.help
Sample topic: Where can I find a demangler?

Sample topic: Getting gcc/g++ binaries for Solaris 2.x

Sample topic: What documentation exists for g++ 2.x?

comp.sys.mac.programmer.* and comp.sys.mac.oop.*


Macintosh issues

gnu.g++.bug
Bug reports for g++; see the g++ docs

comp.lang.c
FAQ is posted monthly, and is maintained by Steve Summit
Sample topic: I'm confused. NULL is guaranteed to be 0, but the null pointer is not?

Sample topic: So what is meant by the "equivalence of pointers and arrays" in C?

Sample topic: Why doesn't printf("%d\n", i++ * i++); work?

Sample topic: How can I write a function that takes a variable number of arguments?
[stdarg.h or varargs.h]
Sample topic: How do I declare an array of pointers to functions returning pointers to
functions returning pointers to characters?
comp.graphics
Issues revolving around graphics programming

comp.sources.wanted
If you want some source code for something, post your request there

comp.programming
General programming issues
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (6 of 7) [3/16/2002 9:53:40 ;-]]


[5] Netiquette when posting to comp.lang.c++, C++ FAQ Lite

[5.9] How do I get the FAQs for a particular newsgroup?


Let me count the ways...
FAQs (Frequently Asked Questions lists) are available 24-hours a day via:
The web: www.faqs.org/

ftp: ftp://rtfm.mit.edu/pub/usenet/
e-mail: send a message with the line "help" to mail-server@rtfm.mit.edu
usenet: many FAQs are available in the newsgroup news.answers
Please, PLEASE do not send e-mail to me!
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/how-to-post.html (7 of 7) [3/16/2002 9:53:40 ;-]]


[9] Inline functions, C++ FAQ Lite

[9] Inline functions


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [9]:


[9.1] What's the deal with inline functions?
[9.2] How can inline functions help with the tradeoff of safety vs. speed?
[9.3] Why should I use inline functions? Why not just use plain old #define macros?

[9.4] How do you tell the compiler to make a non-member function inline?
[9.5] How do you tell the compiler to make a member function inline?
[9.6] Is there another way to tell the compiler to make a member function inline?
[9.7] Are inline functions guaranteed to make your performance better?

[9.1] What's the deal with inline functions?


An inline function is a function whose code gets inserted into the caller's code stream. Like a
#define macro, inline functions improve performance by avoiding the overhead of the call itself
and (especially!) by the compiler being able to optimize through the call ("procedural integration").
[ Top | Bottom | Previous section | Next section ]

[9.2] How can inline functions help with the tradeoff of safety vs.
speed?
In straight C, you can achieve "encapsulated structs" by putting a void* in a struct, in which case
the void* points to the real data that is unknown to users of the struct. Therefore users of the
struct don't know how to interpret the stuff pointed to by the void*, but the access functions cast the
void* to the approprate hidden type. This gives a form of encapsulation.
Unfortunately it forfeits type safety, and also imposes a function call to access even trivial fields of the
struct (if you allowed direct access to the struct's fields, anyone and everyone would be able to get
direct access since they would of necessity know how to interpret the stuff pointed to by the void*; this
would make it difficult to change the underlying data structure).
Function call overhead is small, but can add up. C++ classes allow function calls to be expanded
inline. This lets you have the safety of encapsulation along with the speed of direct access.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/inline-functions.html (1 of 5) [3/16/2002 9:53:41 ;-]]


[9] Inline functions, C++ FAQ Lite

Furthermore the parameter types of these inline functions are checked by the compiler, an
improvement over C's #define macros.
[ Top | Bottom | Previous section | Next section ]

[9.3] Why should I use inline functions? Why not just use plain old
#define macros?
[Recently rewrote the sentence on #define being evil (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Because #define macros are evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4.

Unlike #define macros, inline functions avoid infamous macro errors since inline functions
always evaluate every argument exactly once. In other words, invoking an inline function is
semantically just like invoking a regular function, only faster:
// A macro that returns the absolute value of i
#define unsafe(i) \
( (i) >= 0 ? (i) : -(i) )

// An inline function that returns the absolute value of i


inline
int safe(int i)
{
return i >= 0 ? i : -i;
}

int f();

void userCode(int x)
{
int ans;

ans = unsafe(x++); // Error! x is incremented twice


ans = unsafe(f()); // Danger! f() is called twice

ans = safe(x++); // Correct! x is incremented once


ans = safe(f()); // Correct! f() is called once
}
Also unlike macros, argument types are checked, and necessary conversions are performed correctly.
Macros are bad for your health; don't use them unless you have to.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/inline-functions.html (2 of 5) [3/16/2002 9:53:41 ;-]]


[9] Inline functions, C++ FAQ Lite

[9.4] How do you tell the compiler to make a non-member function


inline?
When you declare an inline function, it looks just like a normal function:
void f(int i, char c);
But when you define an inline function, you prepend the function's definition with the keyword
inline, and you put the definition into a header file:
inline
void f(int i, char c)
{
// ...
}
Note: It's imperative that the function's definition (the part between the {...}) be placed in a header file,
unless the function is used only in a single .cpp file. In particular, if you put the inline function's
definition into a .cpp file and you call it from some other .cpp file, you'll get an "unresolved external"
error from the linker.
[ Top | Bottom | Previous section | Next section ]

[9.5] How do you tell the compiler to make a member function


inline?
When you declare an inline member function, it looks just like a normal member function:
class Fred {
public:
void f(int i, char c);
};
But when you define an inline member function, you prepend the member function's definition with
the keyword inline, and you put the definition into a header file:
inline
void Fred::f(int i, char c)
{
// ...
}
It's usually imperative that the function's definition (the part between the {...}) be placed in a header file.
If you put the inline function's definition into a .cpp file, and if it is called from some other .cpp
file, you'll get an "unresolved external" error from the linker.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/inline-functions.html (3 of 5) [3/16/2002 9:53:41 ;-]]


[9] Inline functions, C++ FAQ Lite

[9.6] Is there another way to tell the compiler to make a member


function inline?
Yep: define the member function in the class body itself:
class Fred {
public:
void f(int i, char c)
{
// ...
}
};
Although this is easier on the person who writes the class, it's harder on all the readers since it mixes
"what" a class does with "how" it does them. Because of this mixture, we normally prefer to define
member functions outside the class body with the inline keyword. The insight that makes sense of
this: in a reuse-oriented world, there will usually be many people who use your class, but there is only
one person who builds it (yourself); therefore you should do things that favor the many rather than the
few.
[ Top | Bottom | Previous section | Next section ]

[9.7] Are inline functions guaranteed to make your performance


better?
[Recently explained "code bloat" and also added lots of if's, and's and but's (on 4/01). Click here to go to the next FAQ in
the "chain" of recent changes.]

Nope.
Beware that overuse of inline functions can cause code bloat, which can in turn have a negative
performance impact in paging environments.
The term code bloat simply means that the size of the code gets larger (bloated). In the context of
inline functions, the concern is that too many inline functions might increase the size of the
executable (i.e., cause code bloat), and that might cause the operating system to thrash, which simply
means it spends most of its time going out to disk to pull in the next chunk of code.
Of course it's also possible that inline functions will decrease the size of the executable. This may
seem backwards, but it's really true. In particular, the amount of code necessary to call a function is
sometimes greater than the amount of code to expand the function inline. This can happen with very
short functions, and it can also happen with long functions when the optimizer is able to remove a lot of
redundant code that is, when the optimizer is able to make the long function short.
So the message is this: there is no simple answer. You have to play with it to see what is best. Do not
settle for a simplistic answer like, "Never use inline functions" or "Always use inline functions" or

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/inline-functions.html (4 of 5) [3/16/2002 9:53:41 ;-]]


[9] Inline functions, C++ FAQ Lite

"Use inline functions if and only if the function is less than N lines of code." These one-size-fits-all
rules may be easy to use, but they will produce sub-optimal results.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/inline-functions.html (5 of 5) [3/16/2002 9:53:41 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

[15] Input/output via <iostream> and


<cstdio>
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [15]:


[15.1] Why should I use <iostream> instead of the traditional <cstdio>?
[15.2] Why does my program go into an infinite loop when someone enters an invalid input character?

[15.3] How does that funky while (std::cin >> foo) syntax work?
[15.4] Why does my input seem to process past the end of file?
[15.5] Why is my program ignoring my input request after the first iteration?
[15.6] How can I provide printing for my class Fred?
[15.7] But shouldn't I always use a printOn() method rather than a friend function?
[15.8] How can I provide input for my class Fred?
[15.9] How can I provide printing for an entire hierarchy of classes?
[15.10] How can I "reopen" std::cin and std::cout in binary mode under DOS and/or OS/2?

[15.11] Why can't I open a file in a different directory such as "..\test.dat"?


[15.12] How do I convert a value (a number, for example) to a std::string?
[15.13] How do I convert a std::string to a number?

[15.1] Why should I use <iostream> instead of the traditional <cstdio>?

[Recently renamed "subclassable" to "inheritable" and revamped to use new-style headers (on 7/00). Click here to go to the next
FAQ in the "chain" of recent changes.]

Increase type safety, reduce errors, improve performance, allow extensibility, and provide inheritability.
printf() is arguably not broken, and scanf() is perhaps livable despite being error prone, however both
are limited with respect to what C++ I/O can do. C++ I/O (using << and >>) is, relative to C (using printf()
and scanf()):
Better type safety: With <iostream>, the type of object being I/O'd is known statically by the
compiler. In contrast, <cstdio> uses "%" fields to figure out the types dynamically.
Less error prone: With <iostream>, there are no redundant "%" tokens that have to be consistent with

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (1 of 11) [3/16/2002 9:53:42 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

the actual objects being I/O'd. Removing redundancy removes a class of errors.
Extensible: The C++ <iostream> mechanism allows new user-defined types to be I/O'd without
breaking existing code. Imagine the chaos if everyone was simultaneously adding new incompatible "%"
fields to printf() and scanf()?!).
Inheritable: The C++ <iostream> mechanism is built from real classes such as std::ostream and
std::istream. Unlike <cstdio>'s FILE*, these are real classes and hence inheritable. This means
you can have other user-defined things that look and act like streams, yet that do whatever strange and
wonderful things you want. You automatically get to use the zillions of lines of I/O code written by users
you don't even know, and they don't need to know about your "extended stream" class.
[ Top | Bottom | Previous section | Next section ]

[15.2] Why does my program go into an infinite loop when someone


enters an invalid input character?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

For example, suppose you have the following code that reads integers from std::cin:
#include <iostream>

int main()
{
std::cout << "Enter numbers separated by whitespace (use -1 to quit): ";
int i = 0;
while (i != -1) {
std::cin >> i; // BAD FORM See comments below
std::cout << "You entered " << i << '\n';
}
}
The problem with this code is that it lacks any checking to see if someone entered an invalid input character. In
particular, if someone enters something that doesn't look like an integer (such as an 'x'), the stream std::cin
goes into a "failed state," and all subsequent input attempts return immediately without doing anything. In other
words, the program enters an infinite loop; if 42 was the last number that was successfully read, the program
will print the message You entered 42 over and over.
An easy way to check for invalid input is to move the input request from the body of the while loop into the
control-expression of the while loop. E.g.,
#include <iostream>

int main()
{
std::cout << "Enter a number, or -1 to quit: ";
int i = 0;
while (std::cin >> i) { // GOOD FORM
if (i == -1) break;

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (2 of 11) [3/16/2002 9:53:42 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

std::cout << "You entered " << i << '\n';


}
}
This will cause the while loop to exit either when you hit end-of-file, or when you enter a bad integer, or when
you enter -1.
(Naturally you can eliminate the break by changing the while loop expression from
while (std::cin >> i) to while ((std::cin >> i) && (i != -1)), but that's not really
the point of this FAQ since this FAQ has to do with iostreams rather than generic structured programming
guidelines.)
[ Top | Bottom | Previous section | Next section ]

[15.3] How does that funky while (std::cin >> foo) syntax work?

[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

See the previous FAQ for an example of the "funky while (std::cin >> foo) syntax."

The expression (std::cin >> foo) calls the appropriate operator>> (for example, it calls the
operator>> that takes an std::istream on the left and, if foo is of type int, an int& on the right).
The std::istream operator>> functions return their left argument by convention, which in this case
means it will return std::cin. Next the compiler notices that the returned std::istream is in a boolean
context, so it converts that std::istream into a boolean.
To convert an std::istream into a boolean, the compiler calls a member function called
std::istream::operator void*(). This returns a void* pointer, which is in turn converted to a
boolean (NULL becomes false, any other pointer becomes true). So in this case the compiler generates a
call to std::cin.operator void*(), just as if you had casted it explicitly such as
(void*) std::cin.
The operator void*() cast operator returns some non-NULL pointer if the stream is in a good state, or
NULL if it's in a failed state. For example, if you read one too many times (e.g., if you're already at end-of-file),
or if the actual info on the input stream isn't valid for the type of foo (e.g., if foo is an int and the data is an
'x' character), the stream will go into a failed state and the cast operator will return NULL.
The reason operator>> doesn't simply return a bool (or void*) indicating whether it succeeded or failed
is to support the "cascading" syntax:
std::cin >> foo >> bar;
The operator>> is left-associative, which means the above is parsed as:
(std::cin >> foo) >> bar;
In other words, if we replace operator>> with a normal function name such as readFrom(), this becomes
the expression:
readFrom( readFrom(std::cin, foo), bar);

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (3 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

As always, we begin evaluating at the innermost expression. Because of the left-associativity of operator>>,
this happens to be the left-most expression, std::cin >> foo. This expression returns std::cin (more
precisely, it returns a reference to its left-hand argument) to the next expression. The next expression also
returns (a reference to) std::cin, but this second reference is ignored since it's the outermost expression in
this "expression statement."
[ Top | Bottom | Previous section | Next section ]

[15.4] Why does my input seem to process past the end of file?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

Because the eof state may not get set until after a read is attempted past the end of file. That is, reading the last
byte from a file might not set the eof state. E.g., suppose the input stream is mapped to a keyboard in that
case it's not even theoretically possible for the C++ library to predict whether or not the character that the user
just typed will be the last character.
For example, the following code might have an off-by-one error with the count i:
int i = 0;
while (! std::cin.eof()) { // WRONG! (not reliable)
std::cin >> x;
++i;
// Work with x ...
}
What you really need is:
int i = 0;
while (std::cin >> x) { // RIGHT! (reliable)
++i;
// Work with x ...
}
[ Top | Bottom | Previous section | Next section ]

[15.5] Why is my program ignoring my input request after the first


iteration?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

Because the numerical extractor leaves non-digits behind in the input buffer.
If your code looks like this:
char name[1000];
int age;

for (;;) {

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (4 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

std::cout << "Name: ";


std::cin >> name;
std::cout << "Age: ";
std::cin >> age;
}
What you really want is:
for (;;) {
std::cout << "Name: ";
std::cin >> name;
std::cout << "Age: ";
std::cin >> age;
std::cin.ignore(INT_MAX, '\n');
}
Of course you might want to change the for (;;) statement to while (std::cin), but don't confuse
that with skipping the non-numeric characters at the end of the loop via the line:
std::cin.ignore(...);.
[ Top | Bottom | Previous section | Next section ]

[15.6] How can I provide printing for my class Fred?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

Use operator overloading to provide a friend left-shift operator, operator<<.

#include <iostream>

class Fred {
public:
friend std::ostream& operator<< (std::ostream& o, const Fred& fred);
// ...
private:
int i_; // Just for illustration
};

std::ostream& operator<< (std::ostream& o, const Fred& fred)


{
return o << fred.i_;
}

int main()
{
Fred f;
std::cout << "My Fred object: " << f << "\n";
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (5 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

We use a non-member function (a friend in this case) since the Fred object is the right-hand operand of the
<< operator. If the Fred object was supposed to be on the left hand side of the << (that is,
myFred << std::cout rather than std::cout << myFred), we could have used a member function
named operator<<.
Note that operator<< returns the stream. This is so the output operations can be cascaded.
[ Top | Bottom | Previous section | Next section ]

[15.7] But shouldn't I always use a printOn() method rather than a


friend function?
[Recently created (on 7/00) and fixed a bug thanks to Richard Hector (on 4/01). Click here to go to the next FAQ in the "chain" of
recent changes.]

No.
The usual reason people want to always use a printOn() method rather than a friend function is because
they wrongly believe that friends violate encapsulation and/or that friends are evil. These beliefs are naive and
wrong: when used properly, friends can actually enhance encapsulation.

This is not to say that the printOn() method approach is never useful. For example, it is useful when
providing printing for an entire hierarchy of classes. But if you use a printOn() method, it should normally
be protected, not public.
For completeness, here is "the printOn() method approach." The idea is to have a member function (often
called printOn() that does the actual printing, then have operator<< call that printOn() method.
When it is done wrongly, the printOn() method is public so operator<< doesn't have to be a friend
it can be a simple top-level function that is neither a friend nor a member of the class. Here's some sample
code:
#include <iostream>

class Fred {
public:
void printOn(std::ostream& o) const;
// ...
};

// operator<< can be declared as a non-friend [NOT recommended!]


std::ostream& operator<< (std::ostream& o, const Fred& fred);

// The actual printing is done inside the printOn() method [NOT recommended!]
void Fred::printOn(std::ostream& o) const
{
// ...
}

// operator<< calls printOn() [NOT recommended!]


std::ostream& operator<< (std::ostream& o, const Fred& fred)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (6 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

{
fred.printOn(o);
return o;
}
People wrongly assume that this reduces maintenance cost "since it avoids having a friend function." This is a
wrong assumption because:
1. The member-called-by-top-level-function approach has zero benefit in terms of maintenance cost.
Let's say it takes N lines of code to do the actual printing. In the case of a friend function, those N lines
of code will have direct access to the class's private/protected parts, which means whenever
someone changes the class's private/protected parts, those N lines of code will need to be scanned
and possibly modified, which increases the maintenance cost. However using the printOn() method
doesn't change this at all: we still have N lines of code that have direct access to the class's
private/protected parts. Thus moving the code from a friend function into a member function
does not reduce the maintenance cost at all. Zero reduction. No benefit in maintenance cost. (If anything
it's a bit worse with the printOn() method since you now have more lines of code to maintain since
you have an extra function that you didn't have before.)
2. The member-called-by-top-level-function approach makes the class harder to use, particularly by
programmers who are not also class designers. The approach exposes a public method that
programmers are not supposed to call. When a programmer reads the public methods of the class,
they'll see two ways to do the same thing. The documentation would need to say something like, "This
does exactly the same as that, but don't use this; instead use that." And the average programmer will say,
"Huh? Why make the method public if I'm not supposed to use it?" In reality the only reason the
printOn() method is public is to avoid granting friendship status to operator<<, and that is a
notion that is somewhere between subtle and incomprehensible to a programmer who simply wants to use
the class.
Net: the member-called-by-top-level-function approach has a cost but no benefit. Therefore it is, in general, a
bad idea.
Note: if the printOn() method is protected or private, the second objection doesn't apply. There are
cases when that approach is reasonable, such as when providing printing for an entire hierarchy of classes. Note
also that when the printOn() method is non-public, operator<< needs to be a friend.
[ Top | Bottom | Previous section | Next section ]

[15.8] How can I provide input for my class Fred?


[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

Use operator overloading to provide a friend right-shift operator, operator>>. This is similar to the
output operator, except the parameter doesn't have a const: "Fred&" rather than "const Fred&".

#include <iostream>

class Fred {
public:
friend std::istream& operator>> (std::istream& i, Fred& fred);

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (7 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

// ...
private:
int i_; // Just for illustration
};

std::istream& operator>> (std::istream& i, Fred& fred)


{
return i >> fred.i_;
}

int main()
{
Fred f;
std::cout << "Enter a Fred object: ";
std::cin >> f;
// ...
}
Note that operator>> returns the stream. This is so the input operations can be cascaded and/or used in a
while loop or if statement.
[ Top | Bottom | Previous section | Next section ]

[15.9] How can I provide printing for an entire hierarchy of classes?

[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

Provide a friend operator<< that calls a protected virtual function:

class Base {
public:
friend std::ostream& operator<< (std::ostream& o, const Base& b);
// ...
protected:
virtual void printOn(std::ostream& o) const;
};

inline std::ostream& operator<< (std::ostream& o, const Base& b)


{
b.printOn(o);
return o;
}

class Derived : public Base {


protected:
virtual void printOn(std::ostream& o) const;
};

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (8 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

The end result is that operator<< acts as if it was dynamically bound, even though it's a friend function.
This is called the Virtual Friend Function Idiom.
Note that derived classes override printOn(std::ostream&) const. In particular, they do not provide
their own operator<<.
Naturally if Base is an ABC, Base::printOn(std::ostream&) const can be declared pure
virtual using the "= 0" syntax.
[ Top | Bottom | Previous section | Next section ]

[15.10] How can I "reopen" std::cin and std::cout in binary mode


under DOS and/or OS/2?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of
recent changes.]

This is implementation dependent. Check with your compiler's documentation.


For example, suppose you want to do binary I/O using std::cin and std::cout. Suppose further that your
operating system (such as DOS or OS/2) insists on translating "\r\n" into "\n" on input from std::cin,
and "\n" to "\r\n" on output to std::cout or std::cerr.
Unfortunately there is no standard way to cause std::cin, std::cout, and/or std::cerr to be opened
in binary mode. Closing the streams and attempting to reopen them in binary mode might have unexpected or
undesirable results.
On systems where it makes a difference, the implementation might provide a way to make them binary streams,
but you would have to check the manuals to find out.
[ Top | Bottom | Previous section | Next section ]

[15.11] Why can't I open a file in a different directory such as


"..\test.dat"?
[Recently changed so it uses new-style headers and uses the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

Because "\t" is a tab character.


You should use forward slashes in your filenames, even on an operating system that uses backslashes such as
DOS, Windows, OS/2, etc. For example:
#include <iostream>
#include <fstream>

int main()
{
#if 1
std::ifstream file("../test.dat"); // RIGHT!

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (9 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

#else
std::ifstream file("..\test.dat"); // WRONG!
#endif

// ...
}
Remember, the backslash ("\") is used in string literals to create special characters: "\n" is a newline, "\b"
is a backspace, and "\t" is a tab, "\a" is an "alert", "\v" is a vertical-tab, etc. Therefore the file name
"\version\next\alpha\beta\test.dat" is interpreted as a bunch of very funny characters; use
"/version/next/alpha/beta/test.dat" instead, even on systems that use a "\" as the directory
separator such as DOS, Windows, OS/2, etc. This is because the library routines on these operating systems
handle "/" and "\" interchangeably.
[ Top | Bottom | Previous section | Next section ]

[15.12] How do I convert a value (a number, for example) to a


std::string?
[Recently created thanks to Rob Stewart (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

There are two easy ways to do this: you can use the <stdio> facilities or the <iostream> library. In
general, you should prefer the <iostream> library.

The <iostream> library allows you to convert pretty much anything to a std::string using the
following syntax (the example converts a double, but you could substitute pretty much anything that prints
using the << operator):
#include <iostream>
#include <sstream>
#include <string>

std::string convertToString(double x)
{
std::ostringstream o;
if (o << x)
return o.str();
// some sort of error handling goes here...
return "conversion error";
}
The std::ostringstream object o offers formatting facilities just like those for std::cout. You can
use manipulators and format flags to control the formatting of the result, just as you can for other std::cout.
In this example, we insert x into o via the overloaded insertion operator, <<. This invokes the iostream
formatting facilities to convert x into a std::string. The if test makes sure the conversion works correctly
it should always succeed for built-in/intrinsic types, but the if test is good style.
The expression os.str() returns the std::string that contains whatever has been inserted into stream o,
in this case the string value of x.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (10 of 11) [3/16/2002 9:53:43 ;-]]


[15] Input/output via <iostream> and <cstdio>, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[15.13] How do I convert a std::string to a number?


[Recently created thanks to Rob Stewart (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

There are two easy ways to do this: you can use the <stdio> facilities or the <iostream> library. In
general, you should prefer the <iostream> library.

The <iostream> library allows you to convert a std::string to pretty much anything using the
following syntax (the example converts a double, but you could substitute pretty much anything that can be
read using the >> operator):
#include <iostream>
#include <sstream>
#include <string>

double convertFromString(const std::string& s)


{
std::istringstream i(s);
double x;
if (i >> x)
return x;
// some sort of error handling goes here...
return 0.0;
}
The std::istringstream object i offers formatting facilities just like those for std::cin. You can use
manipulators and format flags to control the formatting of the result, just as you can for other std::cin.
In this example, we initialize the std::istringstream i passing the std::string s (for example, s
might be the string "123.456"), then we extract i into x via the overloaded extraction operator, >>. This
invokes the iostream formatting facilities to convert as much of the string as possible/appropriate based on the
type of x.
The if test makes sure the conversion works correctly. For example, if the string contains characters that are
inappropriate for the type of x, the if test will fail.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/input-output.html (11 of 11) [3/16/2002 9:53:43 ;-]]


[35] Miscellaneous environmental issues, C++ FAQ Lite

[35] Miscellaneous environmental issues


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline, cline@parashift.com)

FAQs in section [35]:


[35.1] Is there a TeX or LaTeX macro that fixes the spacing on "C++"?
[35.2] Are there any pretty-printers that reformat C++ source code?
[35.3] Is there a C++-mode for GNU emacs? If so, where can I get it?
[35.4] Where can I get OS-specific questions answered (e.g., BC++, DOS, Windows, etc)?
[35.5] Why does my DOS C++ program says "Sorry: floating point code not linked"?
[35.6] Why does my BC++ Windows app crash when I'm not running the BC45 IDE?

[35.1] Is there a TeX or LaTeX macro that fixes the spacing on "C++"?
[Recently added a new LaTeX macro thanks to Bob Kline; rewrote (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Yes.
Here are two LaTeX macros for the word "C++". They prevent line breaks between the C and "++", and the first packs the two "+"s close to each other, the second does not. Try them both and
see which one you like best.
\newcommand{\CC}{C\nolinebreak\hspace{-.05em}\raisebox{.4ex}{\tiny\bf +}\nolinebreak\hspace{-.10em}\raisebox{.4ex}{\tiny\bf +}}

\def\CC{{C\nolinebreak[4]\hspace{-.05em}\raisebox{.4ex}{\tiny\bf ++}}}
Here are two more LaTeX macros for the word "C++". They allow line breaks between the C and "++", which may not be desirable, but they're included here just in case.
\def\CC{C\raise.22ex\hbox{{\footnotesize +}}\raise.22ex\hbox{\footnotesize +}}

\def\CC{{C\hspace{-.05em}\raisebox{.4ex}{\tiny\bf ++}}}
[ Top | Bottom | Previous section ]

[35.2] Are there any pretty-printers that reformat C++ source code?
[Recently added HPS Beauty (on 7/00) and fixed the URL for Artistic Style thanks to Claus Dahl; added A2PS thanks to Clark Dorman (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

In alphabetical order:
A2PS is a Unix-based pretty-printer. It is available from www.infres.enst.fr/~demaille/a2ps/

Artistic Style is a reindenter and reformatter of C++, C and Java source code. It is available from astyle.sourceforge.net/
C++2LaTeX is a LaTeX pretty printer. It is available from mirriwinni.cse.rmit.edu.au/ftp/pub/languages/C++2LaTeX-4.0.tar.gz
C-Clearly by V Communications, Inc. is a Windows program that comes with standard formatting templates and also allows you to customize your own.
www.mixsoftware.com/product/ccl.htm
GNU indent program may help. It's available at www.arceneaux.com/indent.html. You can also find an "official" GNU mirror site by looking at

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-environmental-issues.html (1 of 3) [3/16/2002 9:53:43 ;-]]


[35] Miscellaneous environmental issues, C++ FAQ Lite
www.gnu.org/order/ftp.html or perhaps the original GNU site, ftp://prep.ai.mit.edu/pub/gnu/ (e.g., if the current version is 1.9.1 you could use
ftp://prep.ai.mit.edu/pub/gnu/indent-1.9.1.tar.gz).
"HPS Beauty" is reported to be a Windows 95/98/NT4/NT2000 utility that beautifies C/C++ source code based on rules. The interface is entirely GUI, but HPS Beauty may also be run
from the command line. It supports style files, which allow you to save and restore groups of settings. HPS Beauty also offers an optional visual results window, that shows both the
before and the after file. Optional HTML output allows you to view source code with syntax highlighting in your browser. www.highplains.net.
tgrind is a Unix based pretty printer. It usually comes with the public distribution of TeX and LaTeX in the directory "...tex82/contrib/van/tgrind". A more up-to-date
version of tgrind by Jerry Leichter can be found on: ftp://venus.ycc.yale.edu/pub in [.TGRIND]. [Note: If anyone has an updated URL for tgrind, please let me know
(cline@parashift.com).]

Finally, you might consider lgrind which is another C++ to LaTeX translator (check for the closest mirror site of the ctan archive). The following is a grind definition for C++ (but this one
doesn't recognize some new keywords such as bool or wchar_t, and it doesn't recognize a file ending with .cpp as C++):
C++|c++|CC:\
:pb=\p\d?\(:cf:np=\)\d?;:bb={:be=}:\
:cb=/*:ce=*/:ab=//:ae=$:sb=":se=\e":lb=':\
:zb=@:ze=@:tb=%%:te=%%:mb=%\$:me=\$%:vb=%\|:ve=\|%:\
:le=\e':tl:id=_~\::\
:kw=asm auto break case cdecl char continue default do double else\
enum extern far float for fortran goto huge if int interrupt long\
near pascal register return short signed sizeof static struct\
switch typedef union unsigned while void\
#define #else #endif #if #ifdef #ifndef #include #undef # define\
endif ifdef ifndef include undef defined #pragma\
class const delete friend inline new operator overload private\
protected public template this virtual:
[ Top | Bottom | Previous section ]

[35.3] Is there a C++-mode for GNU emacs? If so, where can I get it?
Yes, there is a C++-mode for GNU emacs.
The latest and greatest version of C++-mode (and C-mode) is implemented in the file cc-mode.el. It is an extension of Detlef and Clamen's version. A version is included with emacs.
Newer version are available from the elisp archives.
[ Top | Bottom | Previous section ]

[35.4] Where can I get OS-specific questions answered (e.g., BC++, DOS, Windows, etc)?
See one of the following:
MS-DOS issues: comp.os.msdos.programmer

MS-Windows issues: comp.windows.ms.programmer


Unix issues: comp.unix.programmer
Borland C++ issues (e.g., OWL, BC++ compiler bugs, general C++ concepts, windows programming):
Using your Web browser: www.cs.rpi.edu/~wiseb/owl-list/

To get on the mailing list: send an e-mail message with the word "SUBSCRIBE" in the Subject: line to majordomo@netlab.cs.rpi.edu
To get the FAQ: ftp://ftp.netlab.cs.rpi.edu/pub/lists/owl-list-faq/drafts/owl_faq.hlp

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-environmental-issues.html (2 of 3) [3/16/2002 9:53:43 ;-]]


[35] Miscellaneous environmental issues, C++ FAQ Lite
[ Top | Bottom | Previous section ]

[35.5] Why does my DOS C++ program says "Sorry: floating point code not linked"?
[Recently added a cross reference and updated to new header syntax (on 7/00). Click here to go back to the beginning of the "chain" of recent changes.]

The compiler attempts to save space in the executable by not including the float-to-string format conversion routines unless they are necessary, but sometimes it guesses wrong, and gives you
the above error message. You can fix this by (1) using <iostream> instead of <cstdio>, or (2) by including the following function somewhere in your compilation (but don't call it!):
static void dummyfloat(float *x) { float y; dummyfloat(&y); }
See the FAQ on stream I/O for more reasons to use <iostream> vs. <cstdio>.
[ Top | Bottom | Previous section ]

[35.6] Why does my BC++ Windows app crash when I'm not running the BC45 IDE?
If you're using BC++ for a Windows app, and it works OK as long as you have the BC45 IDE running, but when the BC45 IDE is shut down you get an exception during the creation of a
window, then add the following line of code to the InitMainWindow() member function of your application (YourApp::InitMainWindow()):
EnableBWCC(TRUE);

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-environmental-issues.html (3 of 3) [3/16/2002 9:53:43 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

[34] Miscellaneous technical issues


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [34]:


[34.1] What should be done with macros that contain if?
[34.2] What should be done with macros that have multiple lines?
[34.3] What should be done with macros that need to paste two tokens together?
[34.4] Why can't the compiler find my header file in #include "c:\test.hpp" ?
[34.5] What are the C++ scoping rules for for loops?
[34.6] Why can't I overload a function by its return type?
[34.7] What is "persistence"? What is a "persistent object"?
[34.8] Why is floating point so inaccurate? Why doesn't this print 0.43?
[34.9] How can I create two classes that both know about each other?
[34.10] What special considerations are needed when forward declarations are used with member
objects?
[34.11] What special considerations are needed when forward declarations are used with inline
functions?
[34.12] Why can't I put a forward-declared class in a std::vector<>?

[34.1] What should be done with macros that contain if?


[Recently added the last three paragraphs, including the link showing why we don't use do {...} while (false) (on
7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

First, the best thing to do is get rid of the macro if at all possible. In fact, get rid of all macros: they're
evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4, regardless of whether the contain an if (but
they're especially evil if they contain an if).
But if you can't (or don't want to) kill the macro that contains an if, here's how to make it less evil:
Suppose the macro looks like this:
#define MYMACRO(a,b) \
if (xyzzy) asdf()
This will cause big problems if someone uses that macro in an if statement:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (1 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

if (whatever)
MYMACRO(foo,bar);
else
baz;
The problem is that the else baz nests with the wrong if: the compiler sees this:
if (whatever)
if (xyzzy) asdf();
else baz;
Obviously that's a bug.
The easy solution is to require {...} everywhere, but there's another solution that I prefer even if there's a
coding standard that requires {...} everywhere (just in case someone somewhere forgets): add a
balancing else to the macro definition:
#define MYMACRO(a,b) \
if (xyzzy) asdf(); \
else
Now the compiler will see a balanced set of ifs and elses:
if (whatever)
if (xyzzy)
asdf();
else
; // that's an empty statement
else
baz;
Like I said, I personally do the above even when the coding standard calls for {...} in all the ifs. Call
me paranoid, but I sleep better at night and my code has fewer bugs.
Note: you need to make sure to put a ; at the end of the macro usage (not at the end of the macro
definition!!). For example, the macro usage should look like this:
if (whatever)
MYMACRO(foo,bar); // right: there is a ; after MYMACRO(...)
else
baz;
Note: there is another #define macro (do {...} while (false)) that is fairly popular, but that has
some strange side-effects when used in C++.

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (2 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

[34.2] What should be done with macros that have multiple lines?

[Recently changed "if (1)..." to "if (true)..." and "do...while (0)" to "do...while (false)" (on 7/00).
Click here to go to the next FAQ in the "chain" of recent changes.]

Answer: Choke, gag, cough. Macros are evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4. Kill
them all!!
But if you can't (or don't want to) kill them, here's how to make them less evil:
Suppose the macro looks like this:
#define MYMACRO(a,b) \
statement1; \
statement2; \
... \
statementN;
This can cause problems if someone uses the macro in a context that demands a single statement. E.g.,
while (whatever)
MYMACRO(foo, bar);
The naive solution is to wrap the statements inside {...}, such as this:
#define MYMACRO(a,b) \
{ \
statement1; \
statement2; \
... \
statementN; \
}
But this will cause compile-time errors with things like the following:
if (whatever)
MYMACRO(foo, bar);
else
baz;
since the compiler will see a } ; else which is illegal:
if (whatever)
{
statement1;
statement2;
...
statementN;
}; // ERROR: { } cannot have a ; before an else

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (3 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

else
baz;
The usual solution in C was to wrap the statements inside a do { <statements go here>
} while (false), since that will execute the <statements go here> part exactly once. E.g., the
macro might look like this:
#define MYMACRO(a, b) \
do { \
statement1; \
statement2; \
... \
statementN; \
} while (false)
Note that there is no ; at the end of the macro definition. The ; gets added by the user of the macro, such
as the following:
if (whatever)
MYMACRO(foo, bar); // The ; is added here
else
baz;
This will expand to the following (note that the ; added by the user goes after (and completes) the "}
while (false)" part):
if (whatever)
do {
statement1;
statement2;
...
statementN;
} while (false);
else
baz;
The only problem with this is that it looks like a loop, and some C++ compilers refuse to "inline expand"
any method that has a loop in it.
So in C++ the best solution is to wrap the statements in an if (true) { <statements go here>
} else construct (note that the else is dangling, just like the situation described in the previous
FAQ):
#define MYMACRO(a, b) \
if (true) { \
statement1; \
statement2; \
... \
statementN; \

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (4 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

} else
Now the code will expand into this (note the balanced set of ifs and elses):
if (whatever)
if (true) {
statement1;
statement2;
...
statementN;
} else
; // that's a null statement
else
baz;
[ Top | Bottom | Previous section | Next section ]

[34.3] What should be done with macros that need to paste two
tokens together?
Groan. I really hate macros. Yes they're useful sometimes, and yes I use them. But I always wash my
hands afterwards. Twice. Macros are evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4.

Okay, here we go again, desperately trying to make an inherently evil thing a little less evil.
First, the basic approach is use the ISO/ANSI C and ISO/ANSI C++ "token pasting" feature: ##. On the
surface this would look like the following:
Suppose you have a macro called "MYMACRO", and suppose you're passing a token as the parameter of
that macro, and suppose you want to concatenate that token with the token "Tmp" to create a variable
name. For example, the use of MYMACRO(Foo) would create a variable named "FooTmp" and the use
of MYMACRO(Bar) would create a variable named "BarTmp". In this case the naive approach would be
to say this:
#define MYMACRO(a) \
/*...*/ a ## Tmp /*...*/
However (and I don't remember whether the following is a workaround for some buggy compilers or
whether it's a rule in the language, but regardless it's a good idea), you are better off with a double layer
of indirection when you use ##. Basically you ought to create a special macro for "token pasting" such as
this:
#define name2(a,b) name2_hidden(a,b)
#define name2_hidden(a,b) a ## b
Then replace your use of a ## Tmp with name2(a,Tmp):
#define MYMACRO(a) \

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (5 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

/*...*/ name2(a,Tmp) /*...*/


And if you have a three-way concatenation to do (e.g., to paste three tokens together), you'd create a
name3() macro like this:
#define name3(a,b,c) name3_hidden(a,b,c)
#define name3_hidden(a,b,c) a ## b ## c
[ Top | Bottom | Previous section | Next section ]

[34.4] Why can't the compiler find my header file in


#include "c:\test.hpp" ?
Because "\t" is a tab character.
You should use forward slashes ("/") rather than backslashes ("\") in your #include filenames,
even on an operating system that uses backslashes such as DOS, Windows, OS/2, etc. For example:
#if 1
#include "/version/next/alpha/beta/test.hpp" // RIGHT!
#else
#include "\version\next\alpha\beta\test.hpp" // WRONG!
#endif
Note that you should use forward slashes ("/") on all your filenames, not just on your #include files.
[ Top | Bottom | Previous section | Next section ]

[34.5] What are the C++ scoping rules for for loops?
[Recently because the scoping rules for for loops are no longer "new" (thanks Stan Brown), rewote the FAQ (on 7/00).
Click here to go to the next FAQ in the "chain" of recent changes.]

Yep.
The following code used to be legal, but not any more, since i's scope is now inside the for loop only:
for (int i = 0; i < 10; ++i) {
// ...
if ( /* something weird */ )
break;
// ...
}

if (i != 10) {
// We exited the loop early; handle this situation separately
// ...

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (6 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

}
If you're working with some old code that uses a for loop variable after the for loop, the compiler will
(hopefully!) give you wa warning or an error message such as "Variable i is not in scope".
Unfortunately there are cases when old code will compile cleanly, but will do something different the
wrong thing. For example, if the old code has a global variable i, the above code if (i != 10)
silently change in meaning from the for loop variable i under the old rule to the global variable i under
the current rule. This is not good. If you're concerned, you should check with your compiler to see if it
has some option that forces it to use the old rules with your old code.
Note: You should avoid having the same variable name in nested scopes, such as a global i and a local
i. In fact, you should avoid globals althogether whenever you can. If you abided by these coding
standards in your old code, you won't be hurt by a lot of things, including the scoping rules for for loop
variables.
Note: If your new code might get compiled with an old compiler, you might want to put {...} around the
for loop to force even old compilers to scope the loop variable to the loop. And please try to avoid the
temptation to use macros for this. Remember: macros are evil in 4 different ways: evil#1, evil#2, evil#3,
and evil#4.

[ Top | Bottom | Previous section | Next section ]

[34.6] Why can't I overload a function by its return type?


If you declare both char f() and float f(), the compiler gives you an error message, since calling
simply f() would be ambiguous.
[ Top | Bottom | Previous section | Next section ]

[34.7] What is "persistence"? What is a "persistent object"?


A persistent object can live after the program which created it has stopped. Persistent objects can even
outlive different versions of the creating program, can outlive the disk system, the operating system, or
even the hardware on which the OS was running when they were created.
The challenge with persistent objects is to effectively store their member function code out on secondary
storage along with their data bits (and the data bits and member function code of all member objects, and
of all their member objects and base classes, etc). This is non-trivial when you have to do it yourself. In
C++, you have to do it yourself. C++/OO databases can help hide the mechanism for all this.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (7 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

[34.8] Why is floating point so inaccurate? Why doesn't this print


0.43?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

#include <iostream>

int main()
{
float a = 1000.43;
float b = 1000.0;
std::cout << a - b << '\n';
}
(On one C++ implementation, this prints 0.429993)
Disclaimer: Frustration with rounding/truncation/approximation isn't really a C++ issue; it's a computer
science issue. However, people keep asking about it on comp.lang.c++, so what follows is a nominal
answer.
Answer: Floating point is an approximation. The IEEE standard for 32 bit float supports 1 bit of sign, 8
bits of exponent, and 23 bits of mantissa. Since a normalized binary-point mantissa always has the form
1.xxxxx... the leading 1 is dropped and you get effectively 24 bits of mantissa. The number 1000.43 (and
many, many others) is not exactly representable in float or double format. 1000.43 is actually represented
as the following bitpattern (the "s" shows the position of the sign bit, the "e"s show the positions of the
exponent bits, and the "m"s show the positions of the mantissa bits):
seeeeeeeemmmmmmmmmmmmmmmmmmmmmmm
01000100011110100001101110000101
The shifted mantissa is 1111101000.01101110000101 or 1000 + 7045/16384. The fractional part is
0.429992675781. With 24 bits of mantissa you only get about 1 part in 16M of precision for float. The
double type provides more precision (53 bits of mantissa).
[ Top | Bottom | Previous section | Next section ]

[34.9] How can I create two classes that both know about each
other?
Use a forward declaration.
Sometimes you must create two classes that use each other. This is called a circular dependency. For
example:
class Fred {
public:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (8 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

Barney* foo(); // Error: Unknown symbol 'Barney'


};

class Barney {
public:
Fred* bar();
};
The Fred class has a member function that returns a Barney*, and the Barney class has a member
function that returns a Fred. You may inform the compiler about the existence of a class or structure by
using a "forward declaration":
class Barney;
This line must appear before the declaration of class Fred. It simply informs the compiler that the name
Barney is a class, and further it is a promise to the compiler that you will eventually supply a complete
definition of that class.
[ Top | Bottom | Previous section | Next section ]

[34.10] What special considerations are needed when forward


declarations are used with member objects?
The order of class declarations is critical.
The compiler will give you a compile-time error if the first class contains an object (as opposed to a
pointer to an object) of the second class. For example,
class Fred; // Okay: forward declaration

class Barney {
Fred x; // Error: The declaration of Fred is incomplete
};

class Fred {
Barney* y;
};
One way to solve this problem is to reverse order of the classes so the "used" class is defined before the
class that uses it:
class Barney; // Okay: forward declaration

class Fred {
Barney* y; // Okay: the first can point to an object of the second
};

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (9 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

class Barney {
Fred x; // Okay: the second can have an object of the first
};
Note that it is never legal for each class to fully contain an object of the other class since that would
imply infinitely large objects. In other words, if an instance of Fred contains a Barney (as opposed to
a Barney*), and a Barney contains a Fred (as opposed to a Fred*), the compiler will give you an
error.
[ Top | Bottom | Previous section | Next section ]

[34.11] What special considerations are needed when forward


declarations are used with inline functions?
The order of class declarations is critical.
The compiler will give you a compile-time error if the first class contains an inline function that invokes
a member function of the second class. For example,
class Fred; // Okay: forward declaration

class Barney {
public:
void method()
{
x->yabbaDabbaDo(); // Error: Fred used before it was defined
}
private:
Fred* x; // Okay: the first can point to an object of the second
};

class Fred {
public:
void yabbaDabbaDo();
private:
Barney* y;
};
One way to solve this problem is to move the offending member function into the Barney.cpp file as a
non-inline member function. Another way to solve this problem is to reverse order of the classes so
the "used" class is defined before the class that uses it:
class Barney; // Okay: forward declaration

class Fred {
public:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (10 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

void yabbaDabbaDo();
private:
Barney* y; // Okay: the first can point to an object of the second
};

class Barney {
public:
void method()
{
x->yabbaDabbaDo(); // Okay: Fred is fully defined at this point
}
private:
Fred* x;
};
Just remember this: Whenever you use forward declaration, you can use only that symbol; you may not
do anything that requires knowledge of the forward-declared class. Specifically you may not access any
members of the second class.
[ Top | Bottom | Previous section | Next section ]

[34.12] Why can't I put a forward-declared class in a


std::vector<>?
[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

Because the std::vector<> template needs to know the sizeof() its contained elements, plus the
std::vector<> probably accesses members of the contained elements (such as the copy constructor,
the destructor, etc.). For example,
class Fred; // Okay: forward declaration

class Barney {
std::vector<Fred> x; // Error: the declaration of Fred is incomplete
};

class Fred {
Barney* y;
};
One solution to this problem is to change Barney so it uses a std::vector<> of Fred pointers
rather than a std::vector<> of Fred objects:
class Fred; // Okay: forward declaration

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (11 of 12) [3/16/2002 9:53:45 ;-]]


[34] Miscellaneous technical issues, C++ FAQ Lite

class Barney {
std::vector<Fred*> x; // Okay: Barney can use Fred pointers
};

class Fred {
Barney* y;
};
Another solution to this problem is to reverse the order of the classes so Fred is defined before
Barney:
class Barney; // Okay: forward declaration

class Fred {
Barney* y; // Okay: the first can point to an object of the second
};

class Barney {
std::vector<Fred> x; // Okay: Fred is fully defined at this point
};
Just remember this: Whenever you use a class as a template parameter, the declaration of that class must
be complete and not simply forward declared.

[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/misc-technical-issues.html (12 of 12) [3/16/2002 9:53:45 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

[29] How to mix C and C++


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [29]:


[29.1] What do I need to know when mixing C and C++ code?
[29.2] How can I include a standard C header file in my C++ code?
[29.3] How can I include a non-system C header file in my C++ code?
[29.4] How can I modify my own C header files so it's easier to #include them in C++ code?
[29.5] How can I call a non-system C function f(int,char,float) from my C++ code?
[29.6] How can I create a C++ function f(int,char,float) that is callable by my C code?
[29.7] Why is the linker giving errors for C/C++ functions being called from C++/C functions?
[29.8] How can I pass an object of a C++ class to/from a C function?
[29.9] Can my C function directly access data in an object of a C++ class?
[29.10] Why do I feel like I'm "further from the machine" in C++ as opposed to C?

[29.1] What do I need to know when mixing C and C++ code?


There are several caveats:
Your must use your C++ compiler when compiling main() (e.g., for static initialization)

Your C++ compiler should direct the linking process (e.g., so it can get its special libraries)

Your C and C++ compilers probably need to come from same vendor and have compatible
versions (e.g., so they have the same calling conventions)
In addition, you'll need to read the rest of this section to find out how to make your C functions callable
by C++ and/or your C++ functions callable by C.
[ Top | Bottom | Previous section | Next section ]

[29.2] How can I include a standard C header file in my C++ code?

[Recently added the whole section on "compiling C code with a C++ compiler," with inspiration thanks to Sebastian
Kapfer (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

To #include a standard header file (such as <cstdio>), you don't have to do anything unusual. E.g.,

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (1 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

// This is C++ code

#include <cstdio> // Nothing unusual in #include line

int main()
{
std::printf("Hello world\n"); // Nothing unusual in the call either
}
If you consider the std:: part of the std::printf() call is unusual, then the best thing to do is "get
over it." In other words, it's the standard way to use names in the standard library, so you might as well
start getting used to it now.
However if you are compiling C code using your C++ compiler, you don't want to have to tweak all these
calls from printf() to std::printf(). Fortunately in this case the C code will use the old-style
header, <stdio.h>, rather than the new-style header, <cstdio>, and the magical of namespaces
takes care of everything else:
/* This is C code that I'm compiling using a C++ compiler */

#include <stdio.h> /* Nothing unusual in #include line */

int main()
{
printf("Hello world\n"); /* Nothing unusual in the call either */
}
Final comment: if you have C headers that are not part of the standard library, we have somewhat
different guidelines for you. There are two cases: either you can't change the header, or you can change
the header.

[ Top | Bottom | Previous section | Next section ]

[29.3] How can I include a non-system C header file in my C++ code?


If you are including a C header file that isn't provided by the system, you may need to wrap the
#include line in an extern C { /*...*/ } construct. This tells the C++ compiler that the
functions declared in the header file are are C functions.
// This is C++ code

extern "C" {
// Get declaration for f(int i, char c, float x)
#include "my-C-code.h"
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (2 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

int main()
{
f(7, 'x', 3.14); // Note: nothing unusual in the call
}
Note: Somewhat different guidelines apply for C headers provided by the system (such as <cstdio>)
and for C headers that you can change.

[ Top | Bottom | Previous section | Next section ]

[29.4] How can I modify my own C header files so it's easier to


#include them in C++ code?
If you are including a C header file that isn't provided by the system, and if you are able to change the C
header, you should strongly consider adding the extern C {...} logic inside the header to make it
easier for C++ users to #include it into their C++ code. Since a C compiler won't understand the
extern C construct, you must wrap the extern C { and } lines in an #ifdef so they won't be
seen by normal C compilers.
Step #1: Put the following lines at the very top of your C header file (note: the symbol __cplusplus is
#defined if/only-if the compiler is a C++ compiler):
#ifdef __cplusplus
extern "C" {
#endif
Step #2: Put the following lines at the very bottom of your C header file:
#ifdef __cplusplus
}
#endif
Now you can #include your C header without any extern C nonsense in your C++ code:
// This is C++ code

// Get declaration for f(int i, char c, float x)


#include "my-C-code.h" // Note: nothing unusual in #include line

int main()
{
f(7, 'x', 3.14); // Note: nothing unusual in the call
}
Note: Somewhat different guidelines apply for C headers provided by the system (such as <cstdio>)
and for C headers that you can't change.

Note: #define macros are evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4. But they're still

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (3 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

useful sometimes. Just wash your hands after using them.


[ Top | Bottom | Previous section | Next section ]

[29.5] How can I call a non-system C function f(int,char,float)


from my C++ code?
If you have an individual C function that you want to call, and for some reason you don't have or don't
want to #include a C header file in which that function is declared, you can declare the individual C
function in your C code using the extern C syntax. Naturally you need to use the full function
prototype:
extern "C" void f(int i, char c, float x);
A block of several C functions can be grouped via braces:
extern "C" {
void f(int i, char c, float x);
int g(char* s, const char* s2);
double sqrtOfSumOfSquares(double a, double b);
}
After this you simply call the function just as if it was a C++ function:
int main()
{
f(7, 'x', 3.14); // Note: nothing unusual in the call
}
[ Top | Bottom | Previous section | Next section ]

[29.6] How can I create a C++ function f(int,char,float) that is


callable by my C code?
The C++ compiler must know that f(int,char,float) is to be called by a C compiler using the
extern C construct:

// This is C++ code

// Declare f(int,char,float) using extern C:


extern "C" void f(int i, char c, float x);

// ...

// Define f(int,char,float) in some C++ module:


void f(int i, char c, float x)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (4 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

{
// ...
}
The extern C line tells the compiler that the external information sent to the linker should use C
calling conventions and name mangling (e.g., preceded by a single underscore). Since name overloading
isn't supported by C, you can't make several overloaded functions simultaneously callable by a C
program.
[ Top | Bottom | Previous section | Next section ]

[29.7] Why is the linker giving errors for C/C++ functions being called
from C++/C functions?
If you didn't get your extern C right, you'll sometimes get linker errors rather than compiler errors.
This is due to the fact that C++ compilers usually "mangle" function names (e.g., to support function
overloading) differently than C compilers.
See the previous two FAQs on how to use extern C.
[ Top | Bottom | Previous section | Next section ]

[29.8] How can I pass an object of a C++ class to/from a C function?


Here's an example (for info on extern C, see the previous two FAQs).
Fred.h:
/* This header can be read by both C and C++ compilers */
#ifndef FRED_H
#define FRED_H

#ifdef __cplusplus
class Fred {
public:
Fred();
void wilma(int);
private:
int a_;
};
#else
typedef
struct Fred
Fred;
#endif

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (5 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

#ifdef __cplusplus
extern "C" {
#endif

#if defined(__STDC__) || defined(__cplusplus)


extern void c_function(Fred*); /* ANSI C prototypes */
extern Fred* cplusplus_callback_function(Fred*);
#else
extern void c_function(); /* K&R style */
extern Fred* cplusplus_callback_function();
#endif

#ifdef __cplusplus
}
#endif

#endif /*FRED_H*/
Fred.cpp:
// This is C++ code

#include "Fred.h"

Fred::Fred() : a_(0) { }

void Fred::wilma(int a) { }

Fred* cplusplus_callback_function(Fred* fred)


{
fred->wilma(123);
return fred;
}
main.cpp:
// This is C++ code

#include "Fred.h"

int main()
{
Fred fred;
c_function(&fred);
return 0;
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (6 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

c-function.c:
/* This is C code */

#include "Fred.h"

void c_function(Fred* fred)


{
cplusplus_callback_function(fred);
}
Passing pointers to C++ objects to/from C functions will fail if you pass and get back something that isn't
exactly the same pointer. For example, don't pass a base class pointer and receive back a derived class
pointer, since your C compiler won't understand the pointer conversions necessary to handle multiple
and/or virtual inheritance.
[ Top | Bottom | Previous section | Next section ]

[29.9] Can my C function directly access data in an object of a C++


class?
Sometimes.
(For basic info on passing C++ objects to/from C functions, read the previous FAQ).
You can safely access a C++ object's data from a C function if the C++ class:
Has no virtual functions (including inherited virtual functions)

Has all its data in the same access-level section (private/protected/public)


Has no fully-contained subobjects with virtual functions
If the C++ class has any base classes at all (or if any fully contained subobjects have base classes),
accessing the data will technically be non-portable, since class layout under inheritance isn't imposed
by the language. However in practice, all C++ compilers do it the same way: the base class object
appears first (in left-to-right order in the event of multiple inheritance), and member objects follow.
Furthermore, if the class (or any base class) contains any virtual functions, almost all C++ compliers
put a void* into the object either at the location of the first virtual function or at the very beginning
of the object. Again, this is not required by the language, but it is the way "everyone" does it.
If the class has any virtual base classes, it is even more complicated and less portable. One common
implementation technique is for objects to contain an object of the virtual base class (V) last
(regardless of where V shows up as a virtual base class in the inheritance hierarchy). The rest of the
object's parts appear in the normal order. Every derived class that has V as a virtual base class
actually has a pointer to the V part of the final object.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (7 of 8) [3/16/2002 9:53:46 ;-]]


[29] How to mix C and C++, C++ FAQ Lite

[29.10] Why do I feel like I'm "further from the machine" in C++ as
opposed to C?
Because you are.
As an OO programming language, C++ allows you to model the problem domain itself, which allows
you to program in the language of the problem domain rather than in the language of the solution
domain.
One of C's great strengths is the fact that it has "no hidden mechanism": what you see is what you get.
You can read a C program and "see" every clock cycle. This is not the case in C++; old line C
programmers (such as many of us once were) are often ambivalent (can you say, "hostile"?) about this
feature. However after they've made the transition to OO thinking, they often realize that although C++
hides some mechanism from the programmer, it also provides a level of abstraction and economy of
expression which lowers maintenance costs without destroying run-time performance.
Naturally you can write bad code in any language; C++ doesn't guarantee any particular level of quality,
reusability, abstraction, or any other measure of "goodness."
C++ doesn't try to make it impossible for bad programmers to write bad programs; it enables
reasonable developers to create superior software.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/mixing-c-and-cpp.html (8 of 8) [3/16/2002 9:53:46 ;-]]


[2] On-line sites that distribute this document, C++ FAQ Lite

[2] On-line sites that distribute this


document
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [2]:


[2.1] Where's the closest mirror site to access this document?
[2.2] How can I get a Copy of all the HTML files of C++ FAQ Lite so I can read them Off-Line?
[2.3] How can I get a Copy of all the "plaintext" files of C++ FAQ Lite so I can read them
Off-Line?
[2.4] Why is the download via email? Why not via ftp?
[2.5] Where can I download a Chinese translation of this on-line document?
[2.6] Where can I download a Portuguese translation of this on-line document?
[2.7] Where can I download a French translation of this on-line document?
[2.8] Where can I download a Russian translation of this on-line document?

[2.1] Where's the closest mirror site to access this document?


You'll probably reduce overall 'net traffic a bit by choosing a close site:
USA: www.parashift.com/c++-faq-lite/

USA #2: www.awtechnologies.com/bytes/c++/faq-lite/


Canada: new-brunswick.net/workshop/c++/faq
Finland: www.utu.fi/~sisasa/oasis/cppfaq/
France: caor.ensmp.fr/FAQ/c++-faq-lite/
Germany: www.informatik.uni-konstanz.de/~kuehl/cpp/cppfaq.htm
Ireland: snet.wit.ie/GreenSpirit/c++-faq-lite/
Spain: geneura.ugr.es/~jmerelo/c++-faq/
Taiwan: www.cis.nctu.edu.tw/c++/C++FAQ-English/
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/on-line-availability.html (1 of 5) [3/16/2002 9:53:47 ;-]]


[2] On-line sites that distribute this document, C++ FAQ Lite

[2.2] How can I get a Copy of all the HTML files of C++ FAQ Lite so I
can read them Off-Line?
Here's how you can get a bundled and compressed copy of the HTML files of C++ FAQ Lite e-mailed to
you:
1. Select a format (.zip is common on Windows and the Mac, .tar.Z and .tar.gz are common
on UNIX), then click the associated button below (but only click it once). You won't see a
confirmation page in your Web browser (although some browsers show you an e-mail window; if
so, just click "SEND"):
.zip .tar.Z .tar.gz

If that doesn't work then send an e-mail message to


cline-cpp-faq-html-zip@crynwr.com (for .zip),
cline-cpp-faq-html-tarz@crynwr.com (for .tar.Z), or
cline-cpp-faq-html-targz@crynwr.com (for .tar.gz) [the contents and Subject: of
the email message are irrelevant].
2. Wait a few minutes, then check your e-mail. If you don't receive an e-mail message containing the
bundled FAQ, wait a while longer and check again. If you still haven't received it after waiting an
entire day, something is wrong and you can send me e-mail or try again.
3. Once you receive the FAQ in your e-mail, unpack the FAQ using the instructions contained in the
associated e-mail message.
Restriction: you must still abide by the Copyright Notice and Copying Permissions. In particular, you
must not redistribute C++ FAQ Lite to others without permission from the author. If you want to
redistribute C++ FAQ Lite to someone else, the easiest way is to tell them about this one-click download
feature, and let them get their own copy.

Restriction: the FAQ uses "long filenames." If your machine can't handle long filenames (e.g., if it's DOS
and/or Windows 3.x), you cannot unpack the FAQ. UNIX, Windows NT, Windows 95, Windows 98,
and Mac all handle long filenames correctly.
Note: e-mail was selected over FTP or HTTP.

[ Top | Bottom | Previous section | Next section ]

[2.3] How can I get a Copy of all the "plaintext" files of C++ FAQ Lite
so I can read them Off-Line?
The "plaintext" version of C++ FAQ Lite is posted monthly on comp.lang.c++. These simple text
files are mechanically produced by stripping the HTML tags from the HTML files on
www.parashift.com/c++-faq-lite/. Therefore the plaintext files aren't as pretty to look at and
don't have the hyper-linked cross references, but they have basically the same information as the HTML
files.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/on-line-availability.html (2 of 5) [3/16/2002 9:53:47 ;-]]


[2] On-line sites that distribute this document, C++ FAQ Lite

Here's how you can get a bundled and compressed copy of the plaintext files of C++ FAQ Lite e-mailed
to you:
1. Select a format (.zip is common on Windows and the Mac, .tar.Z and .tar.gz are common
on UNIX), then click the associated button below (but only click it once). You won't see a
confirmation page in your Web browser (although some browsers show you an e-mail window; if
so, just click "SEND"):
.zip .tar.Z .tar.gz

If that doesn't work then send an e-mail message to


cline-cpp-faq-plaintext-zip@crynwr.com (for .zip),
cline-cpp-faq-plaintext-tarz@crynwr.com (for .tar.Z), or
cline-cpp-faq-plaintext-targz@crynwr.com (for .tar.gz) [the contents and
Subject: of the email message are irrelevant].
2. Wait a few minutes, then check your e-mail. If you don't receive an e-mail message containing the
bundled FAQ, wait a while longer and check again. If you still haven't received it after waiting an
entire day, something is wrong and you can send me e-mail or try again.
3. Once you receive the FAQ in your e-mail, unpack the FAQ using the instructions contained in the
associated e-mail message.
Restriction: you must still abide by the Copyright Notice and Copying Permissions. In particular, you
must not redistribute C++ FAQ Lite to others without permission from the author. If you want to
redistribute C++ FAQ Lite to someone else, the easiest way is to tell them about this one-click download
feature, and let them get their own copy.

Note: e-mail was selected over FTP or HTTP.

[ Top | Bottom | Previous section | Next section ]

[2.4] Why is the download via email? Why not via ftp?
Using FTP or HTTP would have a "cache coherency" problem.
Over the years I've noticed that there are a lot of out-of-date (nay, ancient) copies of C++ FAQ Lite
floating around the Internet. This has caused a lot of confusion since these ancient versions often
contained bugs, missed features, and generally outdated information. Not only has it caused confusion
for many, it has resulted in a plethora of worthless email in my inbox. I couldn't ever seem to get "over
the hump": no matter how clear I made the current version, hundreds (perhaps thousands) of people were
unaware that they were reading an outdated version. That made it harder for both them and me.
By downloading the C++ FAQ Lite via email rather than ftp, I'm able to provide an extra service for
people: the robot mailer (the Perl script that sends the FAQ copies to everyone) remembers which
version of the FAQ each person has, and when someone's version becomes out of date, the robot will
send them a courtesy email. Something like, "Your copy of the FAQ is out of date; if you want to
upgrade, click here". (Note: I haven't built this feature yet; please be patient.)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/on-line-availability.html (3 of 5) [3/16/2002 9:53:47 ;-]]


[2] On-line sites that distribute this document, C++ FAQ Lite

The goal is to help you keep up-to-date, so you won't end up reading outdated information. And also to
keep my inbox from getting flooded with questions from confused readers who are reading a copy of the
FAQ written before they discovered Fire.
So please please don't send me e-mail asking for an FTP address since there isn't one. Thanks!
[ Top | Bottom | Previous section | Next section ]

[2.5] Where can I download a Chinese translation of this on-line


document?
[Recently updated the URL (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

www.cis.nctu.edu.tw/chinese/doc/research/c++/C++FAQ-Chinese/ contains a
Chinese translation encoded in the "Big5" code. Note: "Big5" is a 16-bit Chinese code used mostly in
Taiwan.
[ Top | Bottom | Previous section | Next section ]

[2.6] Where can I download a Portuguese translation of this on-line


document?
www.mathematica.com.br/CPPFL00.htm contains a Portuguese translation of the FAQ.
[ Top | Bottom | Previous section | Next section ]

[2.7] Where can I download a French translation of this on-line


document?
www.ifrance.com/jlecomte/c++/c++-faq-lite/ contains a French translation of the FAQ.
[ Top | Bottom | Previous section | Next section ]

[2.8] Where can I download a Russian translation of this on-line


document?
[Recently created thanks to Yaroslav Mironov (on 4/01). Click here to go to the next FAQ in the "chain" of recent
changes.]

quirks.chat.ru/cpp/faq/ contains a Russian translation of the FAQ.


[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/on-line-availability.html (4 of 5) [3/16/2002 9:53:47 ;-]]


[2] On-line sites that distribute this document, C++ FAQ Lite

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/on-line-availability.html (5 of 5) [3/16/2002 9:53:47 ;-]]


[13] Operator overloading, C++ FAQ Lite

[13] Operator overloading


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [13]:


[13.1] What's the deal with operator overloading?
[13.2] What are the benefits of operator overloading?
[13.3] What are some examples of operator overloading?
[13.4] But operator overloading makes my class look ugly; isn't it supposed to make my code
clearer?
[13.5] What operators can/cannot be overloaded?
[13.6] Can I overload operator== so it lets me compare two char[] using a string comparison?

[13.7] Can I create a operator** for "to-the-power-of" operations?


[13.8] How do I create a subscript operator for a Matrix class?
[13.9] Why shouldn't my Matrix class's interface look like an array-of-array?
[13.10] Should I design my classes from the outside (interfaces first) or from the inside (data first)?

[13.1] What's the deal with operator overloading?


It allows you to provide an intuitive interface to users of your class.
Operator overloading allows C/C++ operators to have user-defined meanings on user-defined types
(classes). Overloaded operators are syntactic sugar for function calls:
class Fred {
public:
// ...
};

#if 0

// Without operator overloading:


Fred add(Fred, Fred);
Fred mul(Fred, Fred);

Fred f(Fred a, Fred b, Fred c)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (1 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

{
return add(add(mul(a,b), mul(b,c)), mul(c,a)); // Yuk...
}

#else

// With operator overloading:


Fred operator+ (Fred, Fred);
Fred operator* (Fred, Fred);

Fred f(Fred a, Fred b, Fred c)


{
return a*b + b*c + c*a;
}

#endif
[ Top | Bottom | Previous section | Next section ]

[13.2] What are the benefits of operator overloading?


By overloading standard operators on a class, you can exploit the intuition of the users of that class. This
lets users program in the language of the problem domain rather than in the language of the machine.
The ultimate goal is to reduce both the learning curve and the defect rate.
[ Top | Bottom | Previous section | Next section ]

[13.3] What are some examples of operator overloading?


[Recently changed so it uses the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Here are a few of the many examples of operator overloading:


myString + yourString might concatenate two std::string objects

myDate++ might increment a Date object

a * b might multiply two Number objects

a[i] might access an element of an Array object

x = *p might dereference a "smart pointer" that actually "points" to a disk record it could
actually seek to the location on disk where p "points" and return the appropriate record into x
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (2 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

[13.4] But operator overloading makes my class look ugly; isn't it


supposed to make my code clearer?
Operator overloading makes life easier for the users of a class, not for the developer of the class!

Consider the following example.


class Array {
public:
int& operator[] (unsigned i); // Some people don't like this syntax
// ...
};

inline
int& Array::operator[] (unsigned i) // Some people don't like this syntax
{
// ...
}
Some people don't like the keyword operator or the somewhat funny syntax that goes with it in the body
of the class itself. But the operator overloading syntax isn't supposed to make life easier for the
developer of a class. It's supposed to make life easier for the users of the class:
int main()
{
Array a;
a[3] = 4; // User code should be obvious and easy to understand...
}
Remember: in a reuse-oriented world, there will usually be many people who use your class, but there is
only one person who builds it (yourself); therefore you should do things that favor the many rather than the
few.
[ Top | Bottom | Previous section | Next section ]

[13.5] What operators can/cannot be overloaded?


Most can be overloaded. The only C operators that can't be are . and ?: (and sizeof, which is
technically an operator). C++ adds a few of its own operators, most of which can be overloaded except ::
and .*.
Here's an example of the subscript operator (it returns a reference). First without operator
overloading:
class Array {
public:
int& elem(unsigned i) { if (i > 99) error(); return data[i]; }
private:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (3 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

int data[100];
};

int main()
{
Array a;
a.elem(10) = 42;
a.elem(12) += a.elem(13);
}
Now the same logic is presented with operator overloading:
class Array {
public:
int& operator[] (unsigned i) { if (i > 99) error(); return data[i]; }
private:
int data[100];
};

int main()
{
Array a;
a[10] = 42;
a[12] += a[13];
}
[ Top | Bottom | Previous section | Next section ]

[13.6] Can I overload operator== so it lets me compare two char[]


using a string comparison?
[Recently changed so it uses the std:: syntax (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

No: at least one operand of any overloaded operator must be of some user-defined type (most of the
time that means a class).
But even if C++ allowed you to do this, which it doesn't, you wouldn't want to do it anyway since you
really should be using a std::string-like class rather than an array of char in the first place since
arrays are evil.

[ Top | Bottom | Previous section | Next section ]

[13.7] Can I create a operator** for "to-the-power-of" operations?


Nope.
The names of, precedence of, associativity of, and arity of operators is fixed by the language. There is no

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (4 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

operator** in C++, so you cannot create one for a class type.


If you're in doubt, consider that x ** y is the same as x * (*y) (in other words, the compiler assumes
y is a pointer). Besides, operator overloading is just syntactic sugar for function calls. Although this
particular syntactic sugar can be very sweet, it doesn't add anything fundamental. I suggest you overload
pow(base,exponent) (a double precision version is in <cmath>).
By the way, operator^ can work for to-the-power-of, except it has the wrong precedence and
associativity.
[ Top | Bottom | Previous section | Next section ]

[13.8] How do I create a subscript operator for a Matrix class?

[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

Use operator() rather than operator[].


When you have multiple subscripts, the cleanest way to do it is with operator() rather than with
operator[]. The reason is that operator[] always takes exactly one parameter, but operator()
can take any number of parameters (in the case of a rectangular matrix, two paramters are needed).
For example:
class Matrix {
public:
Matrix(unsigned rows, unsigned cols);
double& operator() (unsigned row, unsigned col);
double operator() (unsigned row, unsigned col) const;
// ...
~Matrix(); // Destructor
Matrix(const Matrix& m); // Copy constructor
Matrix& operator= (const Matrix& m); // Assignment operator
// ...
private:
unsigned rows_, cols_;
double* data_;
};

inline
Matrix::Matrix(unsigned rows, unsigned cols)
: rows_ (rows),
cols_ (cols),
data_ (new double[rows * cols])
{
if (rows == 0 || cols == 0)
throw BadIndex("Matrix constructor has 0 size");

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (5 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

inline
Matrix::~Matrix()
{
delete[] data_;
}

inline
double& Matrix::operator() (unsigned row, unsigned col)
{
if (row >= rows_ || col >= cols_)
throw BadIndex("Matrix subscript out of bounds");
return data_[cols_*row + col];
}

inline
double Matrix::operator() (unsigned row, unsigned col) const
{
if (row >= rows_ || col >= cols_)
throw BadIndex("const Matrix subscript out of bounds");
return data_[cols_*row + col];
}
Then you can access an element of Matrix m using m(i,j) rather than m[i][j]:
int main()
{
Matrix m(10,10);
m(5,8) = 106.15;
std::cout << m(5,8);
// ...
}
[ Top | Bottom | Previous section | Next section ]

[13.9] Why shouldn't my Matrix class's interface look like an


array-of-array?
Here's what this FAQ is really all about: Some people build a Matrix class that has an operator[] that
returns a reference to an Array object, and that Array object has an operator[] that returns an
element of the Matrix (e.g., a reference to a double). Thus they access elements of the matrix using
syntax like m[i][j] rather than syntax like m(i,j).

The array-of-array solution obviously works, but it is less flexible than the operator() approach.
Specifically, there are easy performance tuning tricks that can be done with the operator() approach
that are more difficult in the [][] approach, and therefore the [][] approach is more likely to lead to bad

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (6 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

performance, at least in some cases.


For example, the easiest way to implement the [][] approach is to use a physical layout of the matrix as a
dense matrix that is stored in row-major form (or is it column-major; I can't ever remember). In contrast,
the operator() approach totally hides the physical layout of the matrix, and that can lead to better
performance in some cases.
Put it this way: the operator() approach is never worse than, and sometimes better than, the [][]
approach.
The operator() approach is never worse because it is easy to implement the dense, row-major
physical layout using the operator() approach, so when that configuration happens to be the
optimal layout from a performance standpoint, the operator() approach is just as easy as the
[][] approach (perhaps the operator() approach is a tiny bit easier, but I won't quibble over
minor nits).
The operator() approach is sometimes better because whenever the optimal layout for a given
application happens to be something other than dense, row-major, the implementation is often
significantly easier using the operator() approach compared to the [][] approach.
As an example of when a physical layout makes a significant difference, a recent project happened to
access the matrix elements in columns (that is, the algorithm accesses all the elements in one column, then
the elements in another, etc.), and if the physical layout is row-major, the accesses can "stride the cache".
For example, if the rows happen to be almost as big as the processor's cache size, the machine can end up
with a "cache miss" for almost every element access. In this particular project, we got a 20% improvement
in performance by changing the mapping from the logical layout (row,column) to the physical layout
(column,row).
Of course there are many examples of this sort of thing from numerical methods, and sparse matrices are a
whole other dimension on this issue. Since it is, in general, easier to implement a sparse matrix or swap
row/column ordering using the operator() approach, the operator() approach loses nothing and
may gain something it has no down-side and a potential up-side.
Use the operator() approach.
[ Top | Bottom | Previous section | Next section ]

[13.10] Should I design my classes from the outside (interfaces first)


or from the inside (data first)?
[Recently changed so it uses new-style headers and the std:: syntax and reworded references to STL (on 7/00). Click here
to go to the next FAQ in the "chain" of recent changes.]

From the outside!


A good interface provides a simplified view that is expressed in the vocabulary of a user. In the case of OO
software, the interface is normally the set of public methods of either a single class or a tight group of
classes.

First think about what the object logically represents, not how you intend to physically build it. For

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (7 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

example, suppose you have a Stack class that will be built by containing a LinkedList:
class Stack {
public:
// ...
private:
LinkedList list_;
};
Should the Stack have a get() method that returns the LinkedList? Or a set() method that takes a
LinkedList? Or a constructor that takes a LinkedList? Obviously the answer is No, since you should
design your interfaces from the outside-in. I.e., users of Stack objects don't care about LinkedLists;
they care about pushing and popping.
Now for another example that is a bit more subtle. Suppose class LinkedList is built using a linked list
of Node objects, where each Node object has a pointer to the next Node:
class Node { /*...*/ };

class LinkedList {
public:
// ...
private:
Node* first_;
};
Should the LinkedList class have a get() method that will let users access the first Node? Should the
Node object have a get() method that will let users follow that Node to the next Node in the chain? In
other words, what should a LinkedList look like from the outside? Is a LinkedList really a chain of
Node objects? Or is that just an implementation detail? And if it is just an implementation detail, how will
the LinkedList let users access each of the elements in the LinkedList one at a time?
One man's answer: A LinkedList is not a chain of Nodes. That may be how it is built, but that is not
what it is. What it is is a sequence of elements. Therefore the LinkedList abstraction should provide a
"LinkedListIterator" class as well, and that "LinkedListIterator" might have an operator++ to go to
the next element, and it might have a get()/set() pair to access its value stored in the Node (the value
in the Node element is solely the responsibility of the LinkedList user, which is why there is a
get()/set() pair that allows the user to freely manipulate that value).
Starting from the user's perspective, we might want our LinkedList class to support operations that
look similar to accessing an array using pointer arithmetic:
void userCode(LinkedList& a)
{
for (LinkedListIterator p = a.begin(); p != a.end(); ++p)
std::cout << *p << '\n';
}
To implement this interface, LinkedList will need a begin() method and an end() method. These
return a "LinkedListIterator" object. The "LinkedListIterator" will need a method to go forward, ++p; a

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (8 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

method to access the current element, *p; and a comparison operator, p != a.end().
The code follows. The key insight is that the LinkedList class does not have any methods that lets
users access the Nodes. Nodes are an implementation technique that is completely buried. The
LinkedList class could have its internals replaced with a doubly linked list, or even an array, and the
only difference would be some performance differences with the prepend(elem) and append(elem)
methods.
#include <cassert> // Poor man's exception handling

class LinkedListIterator;
class LinkedList;

class Node {
// No public members; this is a "private class"
friend LinkedListIterator; // A friend class
friend LinkedList;
Node* next_;
int elem_;
};

class LinkedListIterator {
public:
bool operator== (LinkedListIterator i) const;
bool operator!= (LinkedListIterator i) const;
void operator++ (); // Go to the next element
int& operator* (); // Access the current element
private:
LinkedListIterator(Node* p);
Node* p_;
friend LinkedList; // so LinkedList can construct a LinkedListIterator
};

class LinkedList {
public:
void append(int elem); // Adds elem after the end
void prepend(int elem); // Adds elem before the beginning
// ...
LinkedListIterator begin();
LinkedListIterator end();
// ...
private:
Node* first_;
};
Here are the methods that are obviously inlinable (probably in the same header file):
inline bool LinkedListIterator::operator== (LinkedListIterator i) const

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (9 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

{
return p_ == i.p_;
}

inline bool LinkedListIterator::operator!= (LinkedListIterator i) const


{
return p_ != i.p_;
}

inline void LinkedListIterator::operator++()


{
assert(p_ != NULL); // or if (p_==NULL) throw ...
p_ = p_->next_;
}

inline int& LinkedListIterator::operator*()


{
assert(p_ != NULL); // or if (p_==NULL) throw ...
return p_->elem_;
}

inline LinkedListIterator::LinkedListIterator(Node* p)
: p_(p)
{ }

inline LinkedListIterator LinkedList::begin()


{
return first_;
}

inline LinkedListIterator LinkedList::end()


{
return NULL;
}
Conclusion: The linked list had two different kinds of data. The values of the elements stored in the linked
list are the responsibility of the user of the linked list (and only the user; the linked list itself makes no
attempt to prohibit users from changing the third element to 5), and the linked list's infrastructure data
(next pointers, etc.), whose values are the responsibility of the linked list (and only the linked list; e.g., the
linked list does not let users change (or even look at!) the various next pointers).
Thus the only get()/set() methods were to get and set the elements of the linked list, but not the
infrastructure of the linked list. Since the linked list hides the infrastructure pointers/etc., it is able to make
very strong promises regarding that infrastructure (e.g., if it was a doubly linked list, it might guarantee that
every forward pointer was matched by a backwards pointer from the next Node).
So, we see here an example of where the values of some of a class's data is the responsibility of users (in
which case the class needs to have get()/set() methods for that data) but the data that the class wants

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (10 of 11) [3/16/2002 9:53:48 ;-]]


[13] Operator overloading, C++ FAQ Lite

to control does not necessarily have get()/set() methods.


Note: the purpose of this example is not to show you how to write a linked-list class. In fact you should not
"roll your own" linked-list class since you should use one of the "container classes" provided with your
compiler. Ideally you'll use one of the standard container classes such as the std::list<T> template.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/operator-overloading.html (11 of 11) [3/16/2002 9:53:48 ;-]]


[30] Pointers to member functions, C++ FAQ Lite

[30] Pointers to member functions


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [30]:


[30.1] Is the type of "pointer-to-member-function" different from "pointer-to-function"?
[30.2] How do I pass a pointer to member function to a signal handler, X event callback, etc?
[30.3] Why do I keep getting compile errors (type mismatch) when I try to use a member function as an
interrupt service routine?
[30.4] Why am I having trouble taking the address of a C++ function?
[30.5] How can I avoid syntax errors when calling a member function using a
pointer-to-member-function?
[30.6] How do I create and use an array of pointers to member functions?

[30.1] Is the type of "pointer-to-member-function" different from


"pointer-to-function"?
Yep.
Consider the following function:
int f(char a, float b);
The type of this function is different depending on whether it is an ordinary function or a non-static
member function of some class:
Its type is "int (*)(char,float)" if an ordinary function

Its type is "int (Fred::*)(char,float)" if a non-static member function of class Fred

Note: if it's a static member function of class Fred, its type is the same as if it was an ordinary
function: "int (*)(char,float)".
[ Top | Bottom | Previous section | Next section ]

[30.2] How do I pass a pointer to member function to a signal handler, X


event callback, etc?
Don't.
Because a member function is meaningless without an object to invoke it on, you can't do this directly (if The
X Windows System was rewritten in C++, it would probably pass references to objects around, not just

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/pointers-to-members.html (1 of 5) [3/16/2002 9:53:49 ;-]]


[30] Pointers to member functions, C++ FAQ Lite

pointers to functions; naturally the objects would embody the required function and probably a whole lot
more).
As a patch for existing software, use a top-level (non-member) function as a wrapper which takes an object
obtained through some other technique (held in a global, perhaps). The top-level function would apply the
desired member function against the global object.
E.g., suppose you want to call Fred::memberFunction() on interrupt:
class Fred {
public:
void memberFunction();
static void staticMemberFunction(); // A static member function can handle it
// ...
};

// Wrapper function uses a global to remember the object:


Fred* object_which_will_handle_signal;
void Fred_memberFunction_wrapper()
{
object_which_will_handle_signal->memberFunction();
}

int main()
{
/* signal(SIGINT, Fred::memberFunction); */ // Can NOT do this
signal(SIGINT, Fred_memberFunction_wrapper); // OK
signal(SIGINT, Fred::staticMemberFunction); // Also OK
}
Note: static member functions do not require an actual object to be invoked, so
pointers-to-static-member-functions are type compatible with regular pointers-to-functions.
[ Top | Bottom | Previous section | Next section ]

[30.3] Why do I keep getting compile errors (type mismatch) when I try
to use a member function as an interrupt service routine?
This is a special case of the previous two questions, therefore read the previous two answers first.
Non-static member functions have a hidden parameter that corresponds to the this pointer. The this
pointer points to the instance data for the object. The interrupt hardware/firmware in the system is not capable
of providing the this pointer argument. You must use "normal" functions (non class members) or static
member functions as interrupt service routines.
One possible solution is to use a static member as the interrupt service routine and have that function look
somewhere to find the instance/member pair that should be called on interrupt. Thus the effect is that a
member function is invoked on an interrupt, but for technical reasons you need to call an intermediate function
first.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/pointers-to-members.html (2 of 5) [3/16/2002 9:53:49 ;-]]


[30] Pointers to member functions, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[30.4] Why am I having trouble taking the address of a C++ function?


This is a corollary to the previous FAQ.
Long answer: In C++, member functions have an implicit parameter which points to the object (the this
pointer inside the member function). Normal C functions can be thought of as having a different calling
convention from member functions, so the types of their pointers (pointer-to-member-function vs.
pointer-to-function) are different and incompatible. C++ introduces a new type of pointer, called a
pointer-to-member, which can be invoked only by providing an object.
NOTE: do not attempt to "cast" a pointer-to-member-function into a pointer-to-function; the result is
undefined and probably disastrous. E.g., a pointer-to-member-function is not required to contain the machine
address of the appropriate function. As was said in the last example, if you have a pointer to a regular C
function, use either a top-level (non-member) function, or a static (class) member function.
[ Top | Bottom | Previous section | Next section ]

[30.5] How can I avoid syntax errors when calling a member function
using a pointer-to-member-function?
Two things: (1) use a typedef, and (2) use a #define macro.
Here's the way you create the typedef:
class Fred {
public:
int f(char x, float y);
int g(char x, float y);
int h(char x, float y);
int i(char x, float y);
// ...
};

// FredMemberFn points to a member of Fred that takes (char,float)


typedef int (Fred::*FredMemberFn)(char x, float y);
Here's the way you create the #define macro (normally I dislike #define macros, but this is one of those
rare cases where they actually improve the readability and writability of your code):
#define callMemberFunction(object,ptrToMember) ((object).*(ptrToMember))
Here's how you use these features:
void userCode(Fred& fred, FredMemberFn memFn)
{
callMemberFunction(fred,memFn)('x', 3.14);
// Would normally be: (fred.*memFn)('x', 3.14);

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/pointers-to-members.html (3 of 5) [3/16/2002 9:53:49 ;-]]


[30] Pointers to member functions, C++ FAQ Lite

}
I strongly recommend these features. In the real world, member function invocations are a lot more complex
than the simple example just given, and the difference in readability and writability is significant.
comp.lang.c++ has had to endure hundreds and hundreds of postings from confused programmers who
couldn't quite get the syntax right. Almost all these errors would have vanished had they used these features.
Note: #define macros are evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4. But they're still useful
sometimes. But you should still feel a vague sense of shame after using them.
[ Top | Bottom | Previous section | Next section ]

[30.6] How do I create and use an array of pointers to member


functions?
[Recently removed the array size from the declaration of array a, that way there's one less thing to change if someone ever adds
another function-pointer to the array thanks to Serge Ansay (on 4/01). Click here to go to the next FAQ in the "chain" of recent
changes.]

Use the usual typedef and #define macro and you're 90% done.

First, use a typedef:


class Fred {
public:
int f(char x, float y);
int g(char x, float y);
int h(char x, float y);
int i(char x, float y);
// ...
};

// FredMemberFn points to a member of Fred that takes (char,float)


typedef int (Fred::*FredMemberFn)(char x, float y);
That makes the array of pointers-to-member-functions straightforward:
FredMemberFn a[] = { &Fred::f, &Fred::g, &Fred::h, &Fred::i };
Second, use the callMemberFunction macro:
#define callMemberFunction(object,ptrToMember) ((object).*(ptrToMember))
That makes calling one of the member functions on object "fred" straightforward:
void userCode(Fred& fred, int memberFunctionNum)
{
// Assume memberFunctionNum is between 0 and 3 inclusive:
callMemberFunction(fred, a[memberFunctionNum]) ('x', 3.14);
}

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/pointers-to-members.html (4 of 5) [3/16/2002 9:53:49 ;-]]


[30] Pointers to member functions, C++ FAQ Lite

Note: #define macros are evil in 4 different ways: evil#1, evil#2, evil#3, and evil#4. But they're still useful
sometimes. Feel ashamed, feel guilty, but when an evil construct like a macro improves your software, use it.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/pointers-to-members.html (5 of 5) [3/16/2002 9:53:49 ;-]]


[24] Inheritance private and protected inheritance, C++ FAQ Lite

[24] Inheritance private and


protected inheritance
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [24]:


[24.1] How do you express "private inheritance"?
[24.2] How are "private inheritance" and "composition" similar?
[24.3] Which should I prefer: composition or private inheritance?
[24.4] Should I pointer-cast from a private derived class to its base class?
[24.5] How is protected inheritance related to private inheritance?
[24.6] What are the access rules with private and protected inheritance?

[24.1] How do you express "private inheritance"?


When you use : private instead of : public. E.g.,
class Foo : private Bar {
public:
// ...
};
[ Top | Bottom | Previous section | Next section ]

[24.2] How are "private inheritance" and "composition" similar?

[Recently changed the syntax to using Engine::start; and added the sixth distinction thanks to Stan Brown;
added the third similarity; added "aggregation" as another synonym; general wordsmithing (on 4/01). Click here to go to
the next FAQ in the "chain" of recent changes.]

private inheritance is a syntactic variant of composition (AKA aggregation and/or has-a).


E.g., the "Car has-a Engine" relationship can be expressed using simple composition:
class Engine {
public:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/private-inheritance.html (1 of 5) [3/16/2002 9:53:49 ;-]]


[24] Inheritance private and protected inheritance, C++ FAQ Lite

Engine(int numCylinders);
void start(); // Starts this Engine
};

class Car {
public:
Car() : e_(8) { } // Initializes this Car with 8 cylinders
void start() { e_.start(); } // Start this Car by starting its Engine
private:
Engine e_; // Car has-a Engine
};
The "Car has-a Engine" relationship can also be expressed using private inheritance:
class Car : private Engine { // Car has-a Engine
public:
Car() : Engine(8) { } // Initializes this Car with 8 cylinders
using Engine::start; // Start this Car by starting its Engine
};
There are several similarities between these two variants:
In both cases there is exactly one Engine member object contained in every Car object

In neither case can users (outsiders) convert a Car* to an Engine*

In both cases the Car class has a start() method that calls the start() method on the
contained Engine object.
There are also several distinctions:
The simple-composition variant is needed if you want to contain several Engines per Car

The private-inheritance variant can introduce unnecessary multiple inheritance

The private-inheritance variant allows members of Car to convert a Car* to an Engine*

The private-inheritance variant allows access to the protected members of the base class

The private-inheritance variant allows Car to override Engine's virtual functions

The private-inheritance variant makes it slightly simpler (20 characters compared to 28


characters) to give Car a start() method that simply calls through to the Engine's start()
method
Note that private inheritance is usually used to gain access into the protected: members of the
base class, but this is usually a short-term solution (translation: a band-aid).

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/private-inheritance.html (2 of 5) [3/16/2002 9:53:49 ;-]]


[24] Inheritance private and protected inheritance, C++ FAQ Lite

[24.3] Which should I prefer: composition or private inheritance?

[Recently changed so it uses new-style headers and the std:: syntax (on 7/00). Click here to go to the next FAQ in the
"chain" of recent changes.]

Use composition when you can, private inheritance when you have to.
Normally you don't want to have access to the internals of too many other classes, and private
inheritance gives you some of this extra power (and responsibility). But private inheritance isn't evil;
it's just more expensive to maintain, since it increases the probability that someone will change
something that will break your code.
A legitimate, long-term use for private inheritance is when you want to build a class Fred that
uses code in a class Wilma, and the code from class Wilma needs to invoke member functions
from your new class, Fred. In this case, Fred calls non-virtuals in Wilma, and Wilma calls
(usually pure virtuals) in itself, which are overridden by Fred. This would be much harder to do with
composition.
class Wilma {
protected:
void fredCallsWilma()
{
std::cout << "Wilma::fredCallsWilma()\n";
wilmaCallsFred();
}
virtual void wilmaCallsFred() = 0; // A pure virtual function
};

class Fred : private Wilma {


public:
void barney()
{
std::cout << "Fred::barney()\n";
Wilma::fredCallsWilma();
}
protected:
virtual void wilmaCallsFred()
{
std::cout << "Fred::wilmaCallsFred()\n";
}
};
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/private-inheritance.html (3 of 5) [3/16/2002 9:53:49 ;-]]


[24] Inheritance private and protected inheritance, C++ FAQ Lite

[24.4] Should I pointer-cast from a private derived class to its base


class?
Generally, No.
From a member function or friend of a privately derived class, the relationship to the base class is known,
and the upward conversion from PrivatelyDer* to Base* (or PrivatelyDer& to Base&) is
safe; no cast is needed or recommended.
However users of PrivatelyDer should avoid this unsafe conversion, since it is based on a private
decision of PrivatelyDer, and is subject to change without notice.
[ Top | Bottom | Previous section | Next section ]

[24.5] How is protected inheritance related to private inheritance?

[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Similarities: both allow overriding virtual functions in the private/protected base class,
neither claims the derived is a kind-of its base.
Dissimilarities: protected inheritance allows derived classes of derived classes to know about the
inheritance relationship. Thus your grand kids are effectively exposed to your implementation details.
This has both benefits (it allows derived classes of the protected derived class to exploit the
relationship to the protected base class) and costs (the protected derived class can't change the
relationship without potentially breaking further derived classes).
Protected inheritance uses the : protected syntax:
class Car : protected Engine {
public:
// ...
};
[ Top | Bottom | Previous section | Next section ]

[24.6] What are the access rules with private and protected
inheritance?
[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Take these classes as examples:


class B { /*...*/ };

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/private-inheritance.html (4 of 5) [3/16/2002 9:53:49 ;-]]


[24] Inheritance private and protected inheritance, C++ FAQ Lite

class D_priv : private B { /*...*/ };


class D_prot : protected B { /*...*/ };
class D_publ : public B { /*...*/ };
class UserClass { B b; /*...*/ };
None of the derived classes can access anything that is private in B. In D_priv, the public and
protected parts of B are private. In D_prot, the public and protected parts of B are
protected. In D_publ, the public parts of B are public and the protected parts of B are
protected (D_publ is-a-kind-of-a B). class UserClass can access only the public parts of B,
which "seals off" UserClass from B.
To make a public member of B so it is public in D_priv or D_prot, state the name of the
member with a B:: prefix. E.g., to make member B::f(int,float) public in D_prot, you
would say:
class D_prot : protected B {
public:
using B::f; // Note: Not using B::f(int,float)
};
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/private-inheritance.html (5 of 5) [3/16/2002 9:53:49 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

[21] Inheritance proper inheritance


and substitutability
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [21]:


[21.1] Should I hide member functions that were public in my base class?
[21.2] Derived* > Base* works OK; why doesn't Derived** > Base** work?
[21.3] Is a parking-lot-of-Car a kind-of parking-lot-of-Vehicle?
[21.4] Is an array of Derived a kind-of array of Base?
[21.5] Does array-of-Derived is-not-a-kind-of array-of-Base mean arrays are bad?
[21.6] Is a Circle a kind-of an Ellipse?
[21.7] Are there other options to the "Circle is/isnot kind-of Ellipse" dilemma?
[21.8] But I have a Ph.D. in Mathematics, and I'm sure a Circle is a kind of an Ellipse! Does this
mean Marshall Cline is stupid? Or that C++ is stupid? Or that OO is stupid?
[21.9] Perhaps Ellipse should inherit from Circle then?
[21.10] But my problem doesn't have anything to do with circles and ellipses, so what good is that
silly example to me?

[21.1] Should I hide member functions that were public in my base


class?
Never, never, never do this. Never. Never!
Attempting to hide (eliminate, revoke, privatize) inherited public member functions is an
all-too-common design error. It usually stems from muddy thinking.
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (1 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

[21.2] Derived* > Base* works OK; why doesn't Derived** >
Base** work?
C++ allows a Derived* to be converted to a Base*, since a Derived object is a kind of a Base
object. However trying to convert a Derived** to a Base** is flagged as an error. Although this error
may not be obvious, it is nonetheless a good thing. For example, if you could convert a Car** to a
Vehicle**, and if you could similarly convert a NuclearSubmarine** to a Vehicle**, you
could assign those two pointers and end up making a Car* point at a NuclearSubmarine:
class Vehicle {
public:
virtual ~Vehicle() { }
virtual void startEngine() = 0;
};

class Car : public Vehicle {


public:
virtual void startEngine();
virtual void openGasCap();
};

class NuclearSubmarine : public Vehicle {


public:
virtual void startEngine();
virtual void fireNuclearMissle();
};

int main()
{
Car car;
Car* carPtr = &car;
Car** carPtrPtr = &carPtr;
Vehicle** vehiclePtrPtr = carPtrPtr; // This is an error in C++
NuclearSubmarine sub;
NuclearSubmarine* subPtr = &sub;
*vehiclePtrPtr = subPtr;
// This last line would have caused carPtr to point to sub !
carPtr->openGasCap(); // This might call fireNuclearMissle()!
}
In other words, if it was legal to convert a Derived** to a Base**, the Base** could be
dereferenced (yielding a Base*), and the Base* could be made to point to an object of a different
derived class, which could cause serious problems for national security (who knows what would happen
if you invoked the openGasCap() member function on what you thought was a Car, but in reality it
was a NuclearSubmarine!! Try the above code out and see what it does on most compilers it will
call NuclearSubmarine::fireNuclearMissle()!

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (2 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

[21.3] Is a parking-lot-of-Car a kind-of parking-lot-of-Vehicle?


Nope.
I know it sounds strange, but it's true. You can think of this as a direct consequence of the previous FAQ,
or you can reason it this way: if the kind-of relationship were valid, then someone could point a
parking-lot-of-Vehicle pointer at a parking-lot-of-Car. But parking-lot-of-Vehicle has a
addNewVehicleToParkingLot(Vehicle&) member function which can add any Vehicle
object to the parking lot. This would allow you to park a NuclearSubmarine in a
parking-lot-of-Car. Certainly it would be surprising if someone removed what they thought was a Car
from the parking-lot-of-Car, only to find that it is actually a NuclearSubmarine.
Another way to say this truth: a container of Thing is not a kind-of container of Anything even if a
Thing is a kind-of an Anything. Swallow hard; it's true.
You don't have to like it. But you do have to accept it.
One last example which we use in our OO/C++ training courses: "A Bag-of-Apple is not a kind-of
Bag-of-Fruit." If a Bag-of-Apple could be passed as a Bag-of-Fruit, someone could put a
Banana into the Bag, even though it is supposed to only contain Apples!
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

[21.4] Is an array of Derived a kind-of array of Base?


[Recently changed so it uses new-style headers and the std:: syntax and reworded references to STL (on 7/00). Click
here to go to the next FAQ in the "chain" of recent changes.]

Nope.
This is a corollary of the previous FAQ. Unfortunately this one can get you into a lot of hot water.
Consider this:
class Base {
public:
virtual void f(); // 1
};

class Derived : public Base {

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (3 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

public:
// ...
private:
int i_; // 2
};

void userCode(Base* arrayOfBase)


{
arrayOfBase[1].f(); // 3
}

int main()
{
Derived arrayOfDerived[10]; // 4
userCode(arrayOfDerived); // 5
}
The compiler thinks this is perfectly type-safe. Line 5 converts a Derived* to a Base*. But in reality
it is horrendously evil: since Derived is larger than Base, the pointer arithmetic done on line 3 is
incorrect: the compiler uses sizeof(Base) when computing the address for arrayOfBase[1], yet
the array is an array of Derived, which means the address computed on line 3 (and the subsequent
invocation of member function f()) isn't even at the beginning of any object! It's smack in the middle of
a Derived object. Assuming your compiler uses the usual approach to virtual functions, this will
reinterpret the int i_ of the first Derived as if it pointed to a virtual table, it will follow that
"pointer" (which at this point means we're digging stuff out of a random memory location), and grab one
of the first few words of memory at that location and interpret them as if they were the address of a C++
member function, then load that (random memory location) into the instruction pointer and begin
grabbing machine instructions from that memory location. The chances of this crashing are very high.
The root problem is that C++ can't distinguish between a pointer-to-a-thing and a
pointer-to-an-array-of-things. Naturally C++ "inherited" this feature from C.
NOTE: If we had used an array-like class (e.g., std::vector<Derived> from the standard library)
instead of using a raw array, this problem would have been properly trapped as an error at compile time
rather than a run-time disaster.
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

[21.5] Does array-of-Derived is-not-a-kind-of array-of-Base mean


arrays are bad?
[Recently changed so it uses new-style headers and the std:: syntax and reworded references to STL (on 7/00). Click
here to go to the next FAQ in the "chain" of recent changes.]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (4 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

Yes, arrays are evil. (only half kidding).

Seriously, arrays are very closely related to pointers, and pointers are notoriously difficult to deal with.
But if you have a complete grasp of why the above few FAQs were a problem from a design perspective
(e.g., if you really know why a container of Thing is not a kind-of container of Anything), and if you
think everyone else who will be maintaining your code also has a full grasp on these OO design truths,
then you should feel free to use arrays. But if you're like most people, you should use a template
container class such as std::vector<T> from the standard library rather than raw arrays.

(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

[21.6] Is a Circle a kind-of an Ellipse?


Not if Ellipse promises to be able to change its size asymmetrically.
For example, suppose Ellipse has a setSize(x,y) member function, and suppose this member
function promises the Ellipse's width() will be x, and its height() will be y. In this case,
Circle can't be a kind-of Ellipse. Simply put, if Ellipse can do something Circle can't, then
Circle can't be a kind of Ellipse.
This leaves two potential (valid) relationships between Circle and Ellipse:
Make Circle and Ellipse completely unrelated classes

Derive Circle and Ellipse from a base class representing "Ellipses that can't necessarily
perform an unequal-setSize() operation"
In the first case, Ellipse could be derived from class AsymmetricShape, and setSize(x,y)
could be introduced in AsymmetricShape. However Circle could be derived from
SymmetricShape which has a setSize(size) member function.
In the second case, class Oval could only have setSize(size) which sets both the width() and
the height() to size. Ellipse and Circle could both inherit from Oval. Ellipse but not
Circle could add the setSize(x,y) operation (but beware of the hiding rule if the same member
function name setSize() is used for both operations).
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
(Note: setSize(x,y) isn't sacred. Depending on your goals, it may be okay to prevent users from
changing the dimensions of an Ellipse, in which case it would be a valid design choice to not have a
setSize(x,y) method in Ellipse. However this series of FAQs discusses what to do when you
want to create a derived class of a pre-existing base class that has an "unacceptable" method in it. Of
course the ideal situation is to discover this problem when the base class doesn't yet exist. But life isn't
always ideal...)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (5 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[21.7] Are there other options to the "Circle is/isnot kind-of


Ellipse" dilemma?
If you claim that all Ellipses can be squashed asymmetrically, and you claim that Circle is a
kind-of Ellipse, and you claim that Circle can't be squashed asymmetrically, clearly you've got to
adjust (revoke, actually) one of your claims. Thus you've either got to get rid of
Ellipse::setSize(x,y), get rid of the inheritance relationship between Circle and Ellipse,
or admit that your Circles aren't necessarily circular.
Here are the two most common traps new OO/C++ programmers regularly fall into. They attempt to use
coding hacks to cover up a broken design (they redefine Circle::setSize(x,y) to throw an
exception, call abort(), choose the average of the two parameters, or to be a no-op). Unfortunately all
these hacks will surprise users, since users are expecting width() == x and height() == y. The
one thing you must not do is surprise your users.
If it is important to you to retain the "Circle is a kind-of Ellipse" inheritance relationship, you can
weaken the promise made by Ellipse's setSize(x,y). E.g., you could change the promise to,
"This member function might set width() to x and/or it might set height() to y, or it might do
nothing". Unfortunately this dilutes the contract into dribble, since the user can't rely on any meaningful
behavior. The whole hierarchy therefore begins to be worthless (it's hard to convince someone to use an
object if you have to shrug your shoulders when asked what the object does for them).
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
(Note: setSize(x,y) isn't sacred. Depending on your goals, it may be okay to prevent users from
changing the dimensions of an Ellipse, in which case it would be a valid design choice to not have a
setSize(x,y) method in Ellipse. However this series of FAQs discusses what to do when you
want to create a derived class of a pre-existing base class that has an "unacceptable" method in it. Of
course the ideal situation is to discover this problem when the base class doesn't yet exist. But life isn't
always ideal...)
[ Top | Bottom | Previous section | Next section ]

[21.8] But I have a Ph.D. in Mathematics, and I'm sure a Circle is a


kind of an Ellipse! Does this mean Marshall Cline is stupid? Or that
C++ is stupid? Or that OO is stupid?
Actually, it doesn't mean any of these things. The sad reality is that it means your intuition is wrong.
Look, I have received and answered dozens of passionate e-mail messages about this subject. I have
taught it hundreds of times to thousands of software professionals all over the place. I know it goes
against your intuition. But trust me; your intuition is wrong.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (6 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

The real problem is your intuitive notion of "kind of" doesn't match the OO notion of proper inheritance
(technically called "subtyping"). The bottom line is that the derived class objects must be substitutable
for the base class objects. In the case of Circle/Ellipse, the setSize(x,y) member function
violates this substitutability.
You have three choices: [1] remove the setSize(x,y) member function from Ellipse (thus
breaking existing code that calls the setSize(x,y) member function), [2] allow a Circle to have a
different height than width (an asymmetrical circle; hmmm), or [3] drop the inheritance relationship.
Sorry, but there simply are no other choices. Note that some people mention the option of deriving both
Circle and Ellipse from a third common base class, but that's just a variant of option [3] above.
Another way to say this is that you have to either make the base class weaker (in this case braindamage
Ellipse to the point that you can't set its width and height to different values), or make the derived
class stronger (in this case empower a Circle with the ability to be both symmetric and, ahem,
asymmetric). When neither of these is very satisfying (such as in the Circle/Ellipse case), one
normally simply removes the inheritance relationship. If the inheritance relationship simply has to exist,
you may need to remove the mutator member functions (setHeight(y), setWidth(x), and
setSize(x,y)) from the base class.
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
(Note: setSize(x,y) isn't sacred. Depending on your goals, it may be okay to prevent users from
changing the dimensions of an Ellipse, in which case it would be a valid design choice to not have a
setSize(x,y) method in Ellipse. However this series of FAQs discusses what to do when you
want to create a derived class of a pre-existing base class that has an "unacceptable" method in it. Of
course the ideal situation is to discover this problem when the base class doesn't yet exist. But life isn't
always ideal...)
[ Top | Bottom | Previous section | Next section ]

[21.9] Perhaps Ellipse should inherit from Circle then?


[Recently created (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

If Circle is the base class and Ellipse is the derived class, then you run into a whole new set of
problems. For example, suppose Circle has a radius() method. Then Ellipse will also need to
have a radius() method, but that doesn't make much sense: what does it even mean for a (possibly
assymetric) ellipse to have a radius?
If you get over that hurdle (e.g., by having Ellipse::radius() return the average of the major and
minor axes, or whatever), then there is a problem with the relationship between radius() and
area(). E.g., suppose Circle has an area() method that promises to return 3.14159[etc] times the
square whatever radius() returns. Then either Ellipse::area() will not return the true area of
the ellipse, or you'll have to stand on your head to get radius() to return something that matches the
above formula.
Even if you get past that one (i.e., by having Ellipse::radius() return the square root of the

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (7 of 8) [3/16/2002 9:53:50 ;-]]


[21] Inheritance proper inheritance and substitutability, C++ FAQ Lite

ellipse's area divided by pi), you'll get stuck by the circumference() method. E.g., suppose
Circle has a circumference() method that promises to return two times pi times whatever is
returned by radius(). Now you're stuck: there's no way to make all those constraints work out for
Ellipse: the Ellipse class will have to lie about its area, its circumference, or both.
Bottom line: you can make anything inherit from anything provided the methods in the derived class
abide by the promises made in the base class. But you ought not to use inheritance just because you feel
like it, or just because you want to get code reuse. You should use inheritance (a) only if the derived
class's methods can abide by all the promises made in the base class, and (b) only if you don't think you'll
confuse your users, and (c) only if there's something to be gained by using the inheritance some real,
measurable improvement in time, money or risk.
[ Top | Bottom | Previous section | Next section ]

[21.10] But my problem doesn't have anything to do with circles and


ellipses, so what good is that silly example to me?
Ahhh, there's the rub. You think the Circle/Ellipse example is just a silly example. But in reality,
your problem is an isomorphism to that example.
I don't care what your inheritance problem is, but all (yes all) bad inheritances boil down to the
Circle-is-not-a-kind-of-Ellipse example.
Here's why: Bad inheritances always have a base class with an extra capability (often an extra member
function or two; sometimes an extra promise made by one or a combination of member functions) that a
derived class can't satisfy. You've either got to make the base class weaker, make the derived class
stronger, or eliminate the proposed inheritance relationship. I've seen lots and lots and lots of these bad
inheritance proposals, and believe me, they all boil down to the Circle/Ellipse example.
Therefore, if you truly understand the Circle/Ellipse example, you'll be able to recognize bad
inheritance everywhere. If you don't understand what's going on with the Circle/Ellipse problem,
the chances are high that you'll make some very serious and very expensive inheritance mistakes.
Sad but true.
(Note: this FAQ has to do with public inheritance; private and protected inheritance are
different.)
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/proper-inheritance.html (8 of 8) [3/16/2002 9:53:50 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[4] Recent changes to this document


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [4]:


[4.1] What updates were made for the 04/01 release?
[4.2] What updates were made for the 07/00 release?
[4.3] What updates were made for the 03/00 release?
[4.4] What updates were made for the 01/00 release?
[4.5] What updates were made for the 10/99 release?
[4.6] What updates were made for the 07/99 release?
[4.7] What updates were made for the 06/98 release?
[4.8] What updates were made for the 05/98 release?
[4.9] What updates were made for the 09/97 release?
[4.10] What updates were made for the 01/97 release?
[4.11] What updates were made for the 11/96 release?
[4.12] What updates were made for the 10/96 release?
[4.13] What updates were made for the 09/96 release?
[4.14] What updates were made for the 08/96 release?
[4.15] What updates were made for the 07/96 release?
[4.16] What updates were made for the 06/96 release?
[4.17] What updates were made for the 05/96 release?
[4.18] What updates were made for the 04/96 release?
[4.19] What updates were made for the 03/96 release?
[4.20] What updates were made for the 09/95 release?
[4.21] What updates were made for the 06/95 release?
[4.22] What updates were made for the 04/95 release?
[4.23] What updates were made for the 03/95 release?
[4.24] What updates were made for the 01/95 release?
[4.25] What updates were made for the 12/94 release?
[4.26] What updates were made for the 11/94 release?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (1 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[4.27] What updates were made for the 08/94 release?


[4.28] What updates were made before 08/94?

[4.1] What updates were made for the 04/01 release?


[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Global changes:
Updated the opening page so it lists both the chain of recent changes as well as the table of recent
changes. This improvement is thanks to a suggestion by John Kewley.

Moved the main FAQ site to www.parashift.com/c++-faq-lite/. (This was


unfortunately necessary due to a business issue involving AT&T and the previous web hosting
company, Cerf-Net.)
New FAQs:
[2.8] Where can I download a Russian translation of this on-line document?
(thanks to Yaroslav Mironov)
[4.1] What updates were made for the 04/01 release?
[8.4] What does object.method1().method2() mean?
(thanks to Robert Cullen)
[8.7] What is a handle to an object? Is it a pointer? Is it a reference? Is it a pointer-to-a-pointer?
What is it?
[10.15] What is the "Named Parameter Idiom"?
[16.18] What's another way to build a Matrix template?
(thanks to Jesper Rasmussen)
[16.24] Can you absolutely prevent people from subverting the reference counting mechanism, and
if so, should you?
[23.1] Is it okay for a non-virtual function of the base class to call a virtual function?
[23.2] That last FAQ confuses me. Is it a different strategy from the other ways to use virtual
functions? What's going on?
[26.7] What are some best-of-breed C++ programming-by-example guides?
[31.8] How do I explicitly select which version of a function template should get called?
(with help from Perry Rapp)

Changed FAQs:
[5.2] How do I get other people to do my homework problem for me?
(added stuff about the evils of asking others to do your homework for you via email)
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (2 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(total rewrite; changed several URLs thanks to Brian K. Hamon and Garen Parham)
[9.7] Are inline functions guaranteed to make your performance better?
(explained "code bloat" and also added lots of if's, and's and but's)
[10.6] Should my constructors use "initialization lists" or "assignment"?
(rewrote)
[10.7] Should you use the this pointer in the constructor?
(rewrote because of a suggestion from Perry Rapp)
[10.9] Why can't I initialize my static member data in my constructor's initialization list?
(added a "," in the initialization list thanks to Yaroslav Mironov)
[14.2] Do friends violate encapsulation?
(made a bit more emphatic)
[14.4] What does it mean that "friendship isn't inherited, transitive, nor reciprocal"?
(added the "not reciprocal" item thanks to Karel Roose)
[15.7] But shouldn't I always use a printOn() method rather than a friend function?
(fixed a bug thanks to Richard Hector)
[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't there a simpler way?
(fixed the Star Trek movie number thanks to Chris Sheppard)
[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't there a simpler way?
(wordsmithed last paragraph at the suggestion of prapp)
[16.21] How do I do simple reference counting?
(moved definition of Fred::create() methods below the definition of class FredPtr)
[16.26] What are the two kinds of garbage collectors for C++?
(added a URL for Bartlett's collector thanks to Abhishek)
[17.2] How can I handle a constructor that fails?
(fixed typo ("its" vs. "it's") thanks to Wes Bemont)
[24.2] How are "private inheritance" and "composition" similar?
(changed the syntax to using Engine::start; and added the sixth distinction thanks to Stan
Brown; added the third similarity; added "aggregation" as another synonym; general
wordsmithing)
[25.1] What are some good C++ coding standards?
(fixed typo changing "where" to "were" thanks to Robert Marshall)
[25.10] Which is better: identifier names that_look_like_this or identifier names
thatLookLikeThis?
(clarified the last paragraph)
[25.11] Are there any other sources of coding standards?
(added a new URL thanks to Christopher Lott <chris "at" lott.com>; added
www.arcticlabs.com/codingstandards/ thanks to Richard)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (3 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[26.4] Should I buy one book, or several?


(rewrote; added the "programming by example" category)
[28.2] What is "virtual data," and how-can / why-would I use it in C++?
(fixed the sentence just before Pros & Cons list (changed StretchableArray to
StretchableStack) thanks to Harri Klapuri)
[29.2] How can I include a standard C header file in my C++ code?
(added the whole section on "compiling C code with a C++ compiler," with inspiration thanks to
Sebastian Kapfer)
[30.6] How do I create and use an array of pointers to member functions?
(removed the array size from the declaration of array a, that way there's one less thing to change if
someone ever adds another function-pointer to the array thanks to Serge Ansay)
[31.1] Why should I use container classes rather than simple arrays?
(clarified "local" vs. "non-static local" thanks to Garen Parham)
[33.1] Where can I download a free C++ compiler?
(changed to a different site since the old URL was dead thanks to Victor R. Volkman)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(fixed "Semantic" to "Symantec" and "Gary Comeau" to "Greg Comeau" thanks to Scott Tringali;
fixed the URL to SGI's compiler thanks to Toon Knapen)
[33.10] Is there a yacc-able C++ grammar?
(rewrote; added a new grammar/lexer plus a new URL for the old grammar/lexer thanks to Ed
Willink)
[35.1] Is there a TeX or LaTeX macro that fixes the spacing on "C++"?
(added a new LaTeX macro thanks to Bob Kline; rewrote)
[35.2] Are there any pretty-printers that reformat C++ source code?
(fixed the URL for Artistic Style thanks to Claus Dahl; added A2PS thanks to Clark Dorman)
[ Top | Bottom | Previous section | Next section ]

[4.2] What updates were made for the 07/00 release?


[Recently created (on 7/00). Click here to go to the next FAQ in the "chain" of recent changes.]

Global changes:
Moved the main FAQ site to www.parashift.com/c++-faq-lite/. (This was
unfortunately necessary due to a business issue involving AT&T and the previous web hosting
company, Cerf-Net.)
New FAQs:
[4.2] What updates were made for the 07/00 release?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (4 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[11.13] Should my destructor throw an exception when it detects a problem?


[15.7] But shouldn't I always use a printOn() method rather than a friend function?
[15.12] How do I convert a value (a number, for example) to a std::string?
(thanks to Rob Stewart)
[15.13] How do I convert a std::string to a number?
(thanks to Rob Stewart)
[16.25] Can I use a garbage collector in C++?
(thanks to Hans Boehm)
[16.26] What are the two kinds of garbage collectors for C++?
(thanks to Hans Boehm)
[16.27] Where can I get more info on garbage collectors for C++?
[17.1] What are some ways try / catch / throw can improve software quality?
[17.3] How can I handle a destructor that fails?
[21.9] Perhaps Ellipse should inherit from Circle then?
[31.1] Why should I use container classes rather than simple arrays?
(with help from Stan Brown)

Changed FAQs:
[2.5] Where can I download a Chinese translation of this on-line document?
(updated the URL)
[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?
(added BookPool.com and AllDirect.com thanks to Stan Brown, plus reorganized)
[3.2] Is there a big difference between C++ FAQ Lite and C++ FAQ Book?
(changed 'much' to 'many' thanks to Stan Brown)
[6.5] Who uses C++?
(rewrote)
[6.8] Are virtual functions (dynamic binding) central to OO/C++?
(inserted "the" before "difference" thanks to Stan Brown and reworded references to STL)
[6.11] Is C++ standardized?
(changed "has been finalized" to "was finalized" thanks to Stan Brown)
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?
(added URLs to free copies of CD2)
[9.3] Why should I use inline functions? Why not just use plain old #define macros?
(rewrote the sentence on #define being evil)
[10.5] Which constructor gets called when I create an array of Fred objects?
(changed so it uses new-style headers and the std:: syntax and reworded references to STL)
[10.8] What is the "Named Constructor Idiom"?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (5 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(fixed a typo (Fred vs. Point) in the prose thanks to Roy LeCates)
[12.3] OK, OK, already; I'll handle self-assignment. How do I do it?
(reworded the last paragraph)
[13.3] What are some examples of operator overloading?
(changed so it uses the std:: syntax)
[13.6] Can I overload operator== so it lets me compare two char[] using a string
comparison?
(changed so it uses the std:: syntax)
[13.8] How do I create a subscript operator for a Matrix class?
(changed so it uses new-style headers and the std:: syntax)
[13.10] Should I design my classes from the outside (interfaces first) or from the inside (data
first)?
(changed so it uses new-style headers and the std:: syntax and reworded references to STL)
[15.1] Why should I use <iostream> instead of the traditional <cstdio>?
(renamed "subclassable" to "inheritable" and revamped to use new-style headers)
[15.2] Why does my program go into an infinite loop when someone enters an invalid input
character?
(changed so it uses new-style headers and the std:: syntax)
[15.3] How does that funky while (std::cin >> foo) syntax work?
(changed so it uses new-style headers and the std:: syntax)
[15.4] Why does my input seem to process past the end of file?
(changed so it uses new-style headers and the std:: syntax)
[15.5] Why is my program ignoring my input request after the first iteration?
(changed so it uses new-style headers and the std:: syntax)
[15.6] How can I provide printing for my class Fred?
(changed so it uses new-style headers and the std:: syntax)
[15.8] How can I provide input for my class Fred?
(changed so it uses new-style headers and the std:: syntax)
[15.9] How can I provide printing for an entire hierarchy of classes?
(changed so it uses new-style headers and the std:: syntax)
[15.10] How can I "reopen" std::cin and std::cout in binary mode under DOS and/or
OS/2?
(changed so it uses new-style headers and the std:: syntax)
[15.11] Why can't I open a file in a different directory such as "..\test.dat"?
(changed so it uses new-style headers and uses the std:: syntax)
[16.5] Do I need to check for NULL after p = new Fred()?
(changed so it uses new-style headers and the std:: syntax)
[16.6] How can I convince my (older) compiler to automatically check new to see if it returns

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (6 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

NULL?
(changed the example to use throw rather than abort() thanks to Stan Brown; changed to use
new-style headers and the std:: syntax)
[16.13] After p = new Fred[n], how does the compiler know there are n objects to be
destructed during delete[] p?
(changed "popluar" to "popular" thanks to Fabrice Clerc)
[16.15] How do I allocate multidimensional arrays using new?
(fixed a leak in the third manipulateArray() by moving another for loop into the try
block)
[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't there a simpler way?
(clarified the last paragraph)
[16.17] But the above Matrix class is specific to Fred! Isn't there a way to make it generic?
(rewrote)
[16.19] Does C++ have arrays whose length can be specified at run-time?
(changed so it uses new-style headers and the std:: syntax and reworded references to STL)
[16.22] How do I provide reference counting with copy-on-write semantics?
(rewrote the first paragraph for clarity thanks to Fabrice Clerc)
[16.23] How do I provide reference counting with copy-on-write semantics for a hierarchy of
classes?
(changed so it uses new-style headers and the std:: syntax)
[17.5] How do I change the string-length of an array of char to prevent memory leaks even
if/when someone throws an exception?
(rewrote the last half)
[18.1] What is "const correctness"?
(changed so it uses new-style headers and the std:: syntax)
[18.2] How is "const correctness" related to ordinary type safety?
(changed so it uses new-style headers and the std:: syntax)
[18.9] What is a "const member function"?
(removed a spurious ")" thanks to Stan Brown)
[18.12] Why does the compiler allow me to change an int after I've pointed at it with a
const int*?
(changed so it uses new-style headers and the std:: syntax)
[19.3] How do you express inheritance in C++?
(added "derived class of" to the list of synonyms)
[19.7] How can I protect derived classes from breaking when I change internal parts?
(renamed "subclass" to "derived class")
[21.4] Is an array of Derived a kind-of array of Base?
(changed so it uses new-style headers and the std:: syntax and reworded references to STL)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (7 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[21.5] Does array-of-Derived is-not-a-kind-of array-of-Base mean arrays are bad?


(changed so it uses new-style headers and the std:: syntax and reworded references to STL)
[22.3] What is an ABC?
(renamed "subclass" to "derived class")
[22.4] What is a "pure virtual" member function?
(renamed "subclass" to "derived class")
[24.3] Which should I prefer: composition or private inheritance?
(changed so it uses new-style headers and the std:: syntax)
[24.5] How is protected inheritance related to private inheritance?
(renamed "subclass" to "derived class")
[24.6] What are the access rules with private and protected inheritance?
(renamed "subclass" to "derived class")
[25.4] What's the difference between <xxx> and <xxx.h> headers?
(changed <xyz.h> to <xxx.h> and misc wordsmithing thanks to Stan Brown)
[25.5] Is the ?: operator evil since it can be used to create unreadable code?
(changed so it uses new-style headers and the std:: syntax)
[25.9] Are there any lint-like guidelines for C++?
(changed so it uses new-style headers and the std:: syntax)
[25.10] Which is better: identifier names that_look_like_this or identifier names
thatLookLikeThis?
(improved the precision and added the last two paragraphs thanks to Chris Hurst)
[25.11] Are there any other sources of coding standards?
(fixed some URLs thanks to James S. Adelman and Stan Brown)
[27.4] How do you use inheritance in C++, and is that different from Smalltalk?
(renamed "subclass" to "derived class")
[27.5] What are the practical consequences of differences in Smalltalk/C++ inheritance?
(renamed "subclass" to "derived class")
[28.3] What's the difference between virtual data and dynamic data?
(renamed "subclass" to "derived class")
[28.8] Does the poor performance of reference semantics mean I should pass-by-value?
(renamed "subclass" to "derived class")
[31.2] How can I make a perl-like associative array in C++?
(changed so it uses new-style headers and the std:: syntax)
[31.4] How can I insert/access/change elements from a linked list/hashtable/etc?
(reworded, plus changed so it uses new-style headers and the std:: syntax)
[31.6] What's the syntax / semantics for a "class template"?
(changed so it uses new-style headers and the std:: syntax)
[31.7] What's the syntax / semantics for a "function template"?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (8 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(changed so it uses new-style headers and the std:: syntax)


[32.1] What is the "STL"?
(changed so it uses new-style headers and the std:: syntax)
[32.2] Where can I get a copy of "STL"?
(added URLs for the SGI implementation and STLport thanks to Stan Brown)
[32.3] How can I find a Fred object in an STL container of Fred* such as
std::vector<Fred*>?
(changed so it uses new-style headers and the std:: syntax)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(updated the URL for IBM VisualAge C++ thanks to Rick Alther; updated the URL for GNU C++
thanks to Martin Honnen)
[34.1] What should be done with macros that contain if?
(added the last three paragraphs, including the link showing why we don't use
do {...} while (false))
[34.2] What should be done with macros that have multiple lines?
(changed "if (1)..." to "if (true)..." and "do...while (0)" to "do...while (false)")
[34.5] What are the C++ scoping rules for for loops?
(because the scoping rules for for loops are no longer "new" (thanks Stan Brown), rewote the
FAQ)
[34.8] Why is floating point so inaccurate? Why doesn't this print 0.43?
(changed so it uses new-style headers and the std:: syntax)
[34.12] Why can't I put a forward-declared class in a std::vector<>?
(changed so it uses new-style headers and the std:: syntax)
[35.2] Are there any pretty-printers that reformat C++ source code?
(added HPS Beauty)
[35.5] Why does my DOS C++ program says "Sorry: floating point code not linked"?
(added a cross reference and updated to new header syntax)
[ Top | Bottom | Previous section | Next section ]

[4.3] What updates were made for the 03/00 release?


New FAQs:
[4.3] What updates were made for the 03/00 release?

[34.1] What should be done with macros that contain if?


[34.2] What should be done with macros that have multiple lines?
[34.3] What should be done with macros that need to paste two tokens together?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (9 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

Changed FAQs:
[2.6] Where can I download a Portuguese translation of this on-line document?
(updated the URL for the Portuguese translation of the FAQ thanks to Ricardo F. de Oliveira)
[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?
(rewrote)
[3.2] Is there a big difference between C++ FAQ Lite and C++ FAQ Book?
(rewrote)
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?
(changed the URL for the electronic copy of the Standard thanks to Wolfgang Haefelinger)
[9.3] Why should I use inline functions? Why not just use plain old #define macros?
(added cross references to other evilness of macros)
[11.8] What if I can't wrap the local in an artificial block?
(added the note about constructors at the end)
[13.10] Should I design my classes from the outside (interfaces first) or from the inside (data
first)?
(added friend relationship between LinkedListIterator and LinkedList thanks to
Mnica Garca Garca; reworded "In the case of OO software..." sentence thanks to Fabrice Clerc)
[18.10] What do I do if I want to update an "invisible" data member inside a const member
function?
(added a warning against use of const_cast on const objects thanks to TiTi)
[20.5] What is a "virtual constructor"?
(added the paragraph on Covariant Return Types)
[27.3] Which is a better fit for C++: "static typing" or "dynamic typing"?
(added cross references to evilness of macros)
[29.4] How can I modify my own C header files so it's easier to #include them in C++ code?
(added the "macros are sometimes useful" paragraph at the end)
[30.1] Is the type of "pointer-to-member-function" different from "pointer-to-function"?
(changed another "It's" to "Its" thanks to Chris Young)
[30.5] How can I avoid syntax errors when calling a member function using a
pointer-to-member-function?
(added the "macros are sometimes useful" paragraph at the end)
[30.6] How do I create and use an array of pointers to member functions?
(added the "macros are sometimes useful" paragraph at the end)
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (10 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[4.4] What updates were made for the 01/00 release?


New FAQs:
[4.4] What updates were made for the 01/00 release?

[10.7] Should you use the this pointer in the constructor?


(with the help of Jim Hyslop)
[25.4] What's the difference between <xxx> and <xxx.h> headers?
(thanks to Stan Brown)

Changed FAQs:
[2.1] Where's the closest mirror site to access this document?
(changed the rationale for choosing a close site thanks to Stan Brown)
[2.4] Why is the download via email? Why not via ftp?
(added caveat that out-of-date reminders aren't implemented yet thanks to Stan Brown)
[5.1] What does IMHO mean? (or IMO, IMNSHO, FWIW, OTOH, etc.)?
(added IMAO thanks to Charles R Martin)
[5.9] How do I get the FAQs for a particular newsgroup?
(added www.faqs.org thanks to Dan Kegel)
[6.8] Are virtual functions (dynamic binding) central to OO/C++?
(reworded the second paragraph thanks to Stan Brown)
[6.11] Is C++ standardized?
(changed "American National Standards Organization" to "American National Standards Institute"
thanks to Mark Jones; also reworded first paragraph thanks to Stan Brown)
[12.1] What is "self assignment"?
(changed "knowning" to "knowing" thanks to Stan Brown)
[12.3] OK, OK, already; I'll handle self-assignment. How do I do it?
(reworded the last paragraph thanks to Stan Brown)
[13.5] What operators can/cannot be overloaded?
(got rid of #if/#else/#endif by splitting the example thanks to Stan Brown)
[15.11] Why can't I open a file in a different directory such as "..\test.dat"?
(added an explanation that the library routines treat "/" and "\" interchangeably thanks to Stan
Brown)
[18.13] Does "const Fred* p" mean that *p can't change?
(added an indication that there might be other non-const ways to get at the object thanks to Stan
Brown)
[20.2] How can C++ achieve dynamic binding yet also static typing?
(added the definition of polymorphism thanks to Kemberli Jennings)
[22.5] How do you define a copy constructor or assignment operator for a class that contains a

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (11 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

pointer to a (abstract) base class?


(fixed Circle and Square so they inherit from Shape thanks to Paul Campbell)
[30.1] Is the type of "pointer-to-member-function" different from "pointer-to-function"?
(changed "It's type is..." to "Its type is..." thanks to Graham Borland)
[31.4] How can I insert/access/change elements from a linked list/hashtable/etc?
(reworded first 4 paragraphs thanks to Stan Brown)
[33.2] Where can I get more information on using MFC and Visual C++?
(updated the URL thanks to Katy Mulvey; changed the maintainer's name thanks to AllanW)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(changed the URL for Watcom C++ thanks to Stephen Howe; added Comeau C++ thanks to Greg
Comeau)

[ Top | Bottom | Previous section | Next section ]

[4.5] What updates were made for the 10/99 release?


New FAQs:
[2.7] Where can I download a French translation of this on-line document?

[4.5] What updates were made for the 10/99 release?


[13.9] Why shouldn't my Matrix class's interface look like an array-of-array?
[32.1] What is the "STL"?
[34.9] How can I create two classes that both know about each other?
(thanks to Steve Horne)
[34.10] What special considerations are needed when forward declarations are used with member
objects?
(thanks to Steve Horne)
[34.11] What special considerations are needed when forward declarations are used with inline
functions?
(thanks to Steve Horne)
[34.12] Why can't I put a forward-declared class in a std::vector<>?
(thanks to Steve Horne)

Changed FAQs:
[6.11] Is C++ standardized?
(changed "International Standards Organization" to "International Organization for
Standardization" thanks to savvysoft2@aol.com)
[7.1] What is a class?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (12 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(cleaned up wording so no one thinks int is a class thanks to Ron Natalie)


[8.1] What is a reference?
(added return type to main())
[8.2] What happens if you assign to a reference?
(inserted "state of the" to avoid ambiguity thanks to Donna)
[8.3] What happens if you return a reference?
(added return type to main())
[10.5] Which constructor gets called when I create an array of Fred objects?
(added return type to main(), plus added stuff about "explicit initialization of arrays" thanks to
Keller Beyer)
[10.8] What is the "Named Constructor Idiom"?
(added return type to main())
[12.1] What is "self assignment"?
(added return type to main())
[13.4] But operator overloading makes my class look ugly; isn't it supposed to make my code
clearer?
(added return type to main())
[13.5] What operators can/cannot be overloaded?
(added return type to main())
[13.6] Can I overload operator== so it lets me compare two char[] using a string
comparison?
(replaced "class type" with "user-defined type" in first paragraph thanks to Daryle Walker)
[13.8] How do I create a subscript operator for a Matrix class?
(added return type to main(); added parameters to the instantiation of m in main() thanks to
Boris Pulatov)
[13.10] Should I design my classes from the outside (interfaces first) or from the inside (data
first)?
(added an admonition to not "roll your own" container classes)
[15.2] Why does my program go into an infinite loop when someone enters an invalid input
character?
(added return type to main())
[15.4] Why does my input seem to process past the end of file?
(strengthened the message with another example)
[15.6] How can I provide printing for my class Fred?
(added return type to main())
[15.8] How can I provide input for my class Fred?
(added return type to main())
[15.11] Why can't I open a file in a different directory such as "..\test.dat"?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (13 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(added return type to main())


[16.6] How can I convince my (older) compiler to automatically check new to see if it returns
NULL?
(added return type to main())
[16.20] How can I force objects of my class to always be created via new rather than as locals or
global/static objects?
(added return type to main())
[18.12] Why does the compiler allow me to change an int after I've pointed at it with a
const int*?
(added return type to main())
[18.13] Does "const Fred* p" mean that *p can't change?
(added return type to main())
[21.2] Derived* > Base* works OK; why doesn't Derived** > Base** work?
(added return type to main(); added methods openGasCap() and fireNuclearMissle()
makes the example more exciting)
[21.4] Is an array of Derived a kind-of array of Base?
(added return type to main())
[24.4] Should I pointer-cast from a private derived class to its base class?
(changed PrivateDer to PrivatelyDer in last paragraph)
[24.6] What are the access rules with private and protected inheritance?
(rewritten with the using syntax; thanks to Stephen Vance)
[29.2] How can I include a standard C header file in my C++ code?
(added return type to main())
[29.3] How can I include a non-system C header file in my C++ code?
(added return type to main())
[29.4] How can I modify my own C header files so it's easier to #include them in C++ code?
(added return type to main())
[29.5] How can I call a non-system C function f(int,char,float) from my C++ code?
(added return type to main())
[30.2] How do I pass a pointer to member function to a signal handler, X event callback, etc?
(added return type to main())
[31.2] How can I make a perl-like associative array in C++?
(added return type to main())
[31.6] What's the syntax / semantics for a "class template"?
(added return type to main())
[31.7] What's the syntax / semantics for a "function template"?
(added return type to main())
[33.1] Where can I download a free C++ compiler?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (14 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(fixed the URL)


[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(added Edison Design Group C++ thanks to Matt Page)
[34.8] Why is floating point so inaccurate? Why doesn't this print 0.43?
(added return type to main())
[35.2] Are there any pretty-printers that reformat C++ source code?
(added Artistic Style thanks to Philipp Berndt, fixed the URL for C++2LaTeX thanks to Vinay
Kumar Nallamothu, fixed the URL for C-Clearly thanks to Bill Robertson; fixed the plaintext
version (the "grind" definition didn't show up there) thanks to Nimrod Zimerman)

[ Top | Bottom | Previous section | Next section ]

[4.6] What updates were made for the 07/99 release?


New FAQs:
[4.6] What updates were made for the 07/99 release?

[33.1] Where can I download a free C++ compiler?

Changed FAQs:
[1.6] C++-FAQ-Lite != C++-FAQ-Book
(updated due to the Second Edition of the book)
[2.1] Where's the closest mirror site to access this document?
(added Ireland mirror site: snet.wit.ie/GreenSpirit/c++-faq-lite)
[2.2] How can I get a Copy of all the HTML files of C++ FAQ Lite so I can read them Off-Line?
(added "Windows 98" to last paragraph)
[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?
(updated due to the Second Edition of the book)
[6.5] Who uses C++?
(corrected the growth rate)
[6.8] Are virtual functions (dynamic binding) central to OO/C++?
(added STL and generic programming)
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?
(added new ways to get a copy via the web)
[12.3] OK, OK, already; I'll handle self-assignment. How do I do it?
(tightened the wording of the last paragraph thanks to Andy Glew)
[15.3] How does that funky while (std::cin >> foo) syntax work?
(corrected a serious bug: changed operator bool() to operator void*(); thanks to
Rajinikanth Sivalingam)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (15 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[16.23] How do I provide reference counting with copy-on-write semantics for a hierarchy of
classes?
(fixed a bug by making Fred a friend of Fred::Data)
[18.9] What is a "const member function"?
(changed "const pointer" to "pointer-to-const" thanks to Saieb Khalil)
[20.4] When should my destructor be virtual?
(changed "explicit destructor" to "explicitly defined destructor" to avoid confusion with the
explicit keyword used with constructors)
[23.4] Should a derived class replace ("override") a non-virtual function from a base class?
(reworded first full paragraph)
[25.11] Are there any other sources of coding standards?
(removed the URL for the anti-guide (thanks to Bill Seymour for letting me know that the
anti-guide disappeared))
[26.5] What are some best-of-breed C++ morality guides?
(updated info on C++ FAQs book because of its Second Edition)
[26.6] What are some best-of-breed C++ legality guides?
(fixed the ISBN for Bjarne Stroustrup's book)
[28.1] What is value and/or reference semantics, and which is best in C++?
(wordsmithing changes thanks to Lance Ware)
[31.4] How can I insert/access/change elements from a linked list/hashtable/etc?
(reworded item #3 thanks to John Millaway)
[32.3] How can I find a Fred object in an STL container of Fred* such as
std::vector<Fred*>?
(fixed a typo in the code thanks to Scott Maxwell and Bill Sloan)
[33.4] How can I decompile an executable program back into C++ source code?
(wordsmithing changes thanks to Lance Ware)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(corrected the URL for KAI C++ and added Rational APEX C/C++ thanks to Kevin Broadey;
corrected the URL for Borland C++ FAQ thanks to Kent Reisdorph and Michael J. Reeves)
[34.5] What are the C++ scoping rules for for loops?
(wordsmithing changes thanks to Lance Ware)

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (16 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[4.7] What updates were made for the 06/98 release?


New FAQs:
[4.7] What updates were made for the 06/98 release?

[10.14] How can I handle a constructor that fails?

Changed FAQs:
[32.9] Where can I get tons and tons of more information on C++ class libraries?
(fixed the URL)
[ Top | Bottom | Previous section | Next section ]

[4.8] What updates were made for the 05/98 release?


Global changes:
Removed the grey background color on the HTML version. It now displays in the Web Browser's
own preferences.
New FAQs:
[1.5] Trademarks

[2.4] Why is the download via email? Why not via ftp?
[2.6] Where can I download a Portuguese translation of this on-line document?
[4.8] What updates were made for the 05/98 release?
[10.6] Should my constructors use "initialization lists" or "assignment"?
[33.2] Where can I get more information on using MFC and Visual C++?

Changed FAQs:
[2.2] How can I get a Copy of all the HTML files of C++ FAQ Lite so I can read them Off-Line?
(made it clearer why there is no FTP or HTTP address for downloading the FAQ)
[2.3] How can I get a Copy of all the "plaintext" files of C++ FAQ Lite so I can read them
Off-Line?
(made it clearer why there is no FTP or HTTP address for downloading the FAQ)
[6.11] Is C++ standardized?
(rewrote now that the standard is here)
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?
(rewrote now that the standard is here)
[16.17] But the above Matrix class is specific to Fred! Isn't there a way to make it generic?
(fixed Matrix's ctor thanks to Dhavide Aruliah)
[16.22] How do I provide reference counting with copy-on-write semantics?
(fixed Fred's default ctor thanks to Scott Harris)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (17 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[32.3] How can I find a Fred object in an STL container of Fred* such as
std::vector<Fred*>?
(changed operator==() to operator()() thanks to Ali Tajeldin)
[32.4] Where can I get help on how to use STL?
(added the URL for the STL FAQ)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(corrected the URL for Borland C++ & HP C++; added GNU C++, Intel Reference C++, KAI
C++, and Portland Group C++)
[35.2] Are there any pretty-printers that reformat C++ source code?
(added a URL for "GNU indent")
[ Top | Bottom | Previous section | Next section ]

[4.9] What updates were made for the 09/97 release?


New FAQs:
[4.9] What updates were made for the 09/97 release?

[10.11] What's the "static initialization order fiasco"?


[10.12] How do I prevent the "static initialization order fiasco"?
[10.13] How do I prevent the "static initialization order fiasco" for my static data members?
[16.17] But the above Matrix class is specific to Fred! Isn't there a way to make it generic?
Changed FAQs:
[1.3] Copying Permissions
(clarified)
[5.1] What does IMHO mean? (or IMO, IMNSHO, FWIW, OTOH, etc.)?
(added silly acronym-laden comment at the bottom (adapted from e-mail from Erik Corry)
[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't there a simpler way?
(fixed some inconsistencies between FredMatrix and Matrix thanks to Jeff Baker)
[16.21] How do I do simple reference counting?
(fixed FredPtr's constructor thanks to Chichiang Wan)
[23.5] What's the meaning of, Warning: Derived::f(float) hides Base::f(int)?
(rewritten with the using syntax; thanks to Matt Seitz)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(corrected the URL for Symantec C++ thanks to Michel Joly de Lotbiniere and added the URL for
HP C++ thanks to David Green)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (18 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(corrected the URL for Microsoft Visual C++ thanks to Leila Rannanjarvi, and added the URL for
Sun C++ thanks to Aryan Mirsepassi)
[35.2] Are there any pretty-printers that reformat C++ source code?
(added information about tgrind)
[ Top | Bottom | Previous section | Next section ]

[4.10] What updates were made for the 01/97 release?


Global changes:
Added the (much requested!) one-click download feature. This automagically sends you a copy of
the entire FAQ so you can browse off-line. There's a similar feature to get a copy of the "plaintext"
version of the FAQ.
Removed those pesky "hit counters" from each HTML page.
Added nifty forward and backward links just after each FAQ.
Added more nifty navigation aids at the bottom of each page.
Renamed section [6] from "Management Issues" to "Big Picture Issues."

New FAQs:
[4.10] What updates were made for the 01/97 release?

[15.2] Why does my program go into an infinite loop when someone enters an invalid input
character?
[15.3] How does that funky while (std::cin >> foo) syntax work?
[16.16] But the previous FAQ's code is SOOOO tricky and error prone! Isn't there a simpler way?
[25.5] Is the ?: operator evil since it can be used to create unreadable code?
Changed FAQs:
[1.3] Copying Permissions
(simplified)
[2.1] Where's the closest mirror site to access this document?
(removed the "USA-2" site)
[2.2] How can I get a Copy of all the HTML files of C++ FAQ Lite so I can read them Off-Line?
(rewrote and added a one-click feature to get .zip, .tar.Z or .tar.gz format)
[2.3] How can I get a Copy of all the "plaintext" files of C++ FAQ Lite so I can read them
Off-Line?
(rewrote and added a one-click feature to get .zip, .tar.Z or .tar.gz format)
[5.1] What does IMHO mean? (or IMO, IMNSHO, FWIW, OTOH, etc.)?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (19 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(added KUTGW (thanks to Bengt Richter))


[15.6] How can I provide printing for my class Fred?
(added note about cascading operator<< calls)
[15.8] How can I provide input for my class Fred?
(added note about cascading operator<< calls)
[16.6] How can I convince my (older) compiler to automatically check new to see if it returns
NULL?
(fixed bugs: new handlers don't take arguments, thanks to Scott Aaron; changed
set_new_hanlder to set_new_handler, thanks to Peter Andersson)
[16.15] How do I allocate multidimensional arrays using new?
(rewritten and expanded with a rectangular-matrix case)
[18.1] What is "const correctness"?
(rewrote because of helpful feedback from Nor Jaidi)
[21.6] Is a Circle a kind-of an Ellipse?
(added a caveat that setSize(x,y) isn't sacred)
[21.7] Are there other options to the "Circle is/isnot kind-of Ellipse" dilemma?
(added a caveat that setSize(x,y) isn't sacred)
[21.8] But I have a Ph.D. in Mathematics, and I'm sure a Circle is a kind of an Ellipse! Does this
mean Marshall Cline is stupid? Or that C++ is stupid? Or that OO is stupid?
(added a caveat that setSize(x,y) isn't sacred)
[23.3] When my base class's constructor calls a virtual function, why doesn't my derived
class's override of that virtual function get invoked?
(rewrote)
[29.8] How can I pass an object of a C++ class to/from a C function?
(added #ifndef FRED_H / #define FRED_H to code)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(added HP C++)
[35.4] Where can I get OS-specific questions answered (e.g., BC++, DOS, Windows, etc)?
(added Borland C++ URLs thanks to Simon Edlund)

[ Top | Bottom | Previous section | Next section ]

[4.11] What updates were made for the 11/96 release?


New FAQs:
[2.2] How can I get a Copy of all the HTML files of C++ FAQ Lite so I can read them Off-Line?

[4.11] What updates were made for the 11/96 release?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (20 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[20.3] What's the difference between how virtual and non-virtual member functions are
called?
[33.3] How do I display text in the status bar using MFC?
(with the help of Paul Ganney)

Changed FAQs:
[8.5] How can you reseat a reference to make it refer to a different object?
(changed last line from "pointer to const" to "const pointer" thanks to Neelesh Pandit)
[25.11] Are there any other sources of coding standards?
(rewrote and added more URLs)
[33.8] If name mangling was standardized, could I link code compiled with compilers from
different compiler vendors?
(reworded and added v-table and v-pointer references)

[ Top | Bottom | Previous section | Next section ]

[4.12] What updates were made for the 10/96 release?


New FAQs:
[4.12] What updates were made for the 10/96 release?

Changed FAQs:
[5.8] Which newsgroup should I post my questions?
(added comp.sys.mac.programmer.* and comp.sys.mac.oop.*)
[16.6] How can I convince my (older) compiler to automatically check new to see if it returns
NULL?
(added comments on constructors of globals; thanks to William Carroll)
[25.11] Are there any other sources of coding standards?
(added URLs)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?
(added URL for Metrowerks and Watcom compilers)
[ Top | Bottom | Previous section | Next section ]

[4.13] What updates were made for the 09/96 release?


New FAQs:
[4.13] What updates were made for the 09/96 release?

[5.1] What does IMHO mean? (or IMO, IMNSHO, FWIW, OTOH, etc.)?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (21 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[5.2] How do I get other people to do my homework problem for me?


[5.3] What should I do if I see someone else posting a homework problem?
(with the help of Phil Staite)
[18.4] What does "const Fred* p" mean?
[18.5] What's the difference between "const Fred* p", "Fred* const p" and
"const Fred* const p"?
[18.6] What does "const Fred& x" mean?
[18.7] Does "Fred& const x" make any sense?
[18.8] What does "Fred const& x" mean?
[18.13] Does "const Fred* p" mean that *p can't change?
[25.11] Are there any other sources of coding standards?
[33.4] How can I decompile an executable program back into C++ source code?
(with the help of Phil Staite)

Changed FAQs:
[8.5] How can you reseat a reference to make it refer to a different object?
(added a cross reference regarding pointer to const)
[9.4] How do you tell the compiler to make a non-member function inline?
(strengthened the "Note:" at the end)
[16.20] How can I force objects of my class to always be created via new rather than as locals or
global/static objects?
(reworded and added a paragraph on using friend to soften the original goal)
[16.22] How do I provide reference counting with copy-on-write semantics?
(added links to the self assignment discussion)
[16.23] How do I provide reference counting with copy-on-write semantics for a hierarchy of
classes?
(added links to the self assignment discussion)
[17.4] How should I handle resources if my constructors may throw exceptions?
(added cross-references for reference-counted and remote smart-pointers)
[21.2] Derived* > Base* works OK; why doesn't Derived** > Base** work?
(fixed a bug with help from William Wu)
[22.4] What is a "pure virtual" member function?
(reworded)
[32.4] Where can I get help on how to use STL?
(fixed the URL for Kenny Zalewski's STL guide)
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (22 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(added URLs for Silicon Graphics and Symantec compilers)


[35.2] Are there any pretty-printers that reformat C++ source code?
(added a URL for "V Communications")
[ Top | Bottom | Previous section | Next section ]

[4.14] What updates were made for the 08/96 release?


Global changes:
Recently added/changed FAQs are now chained together using hyper-links (mainly for those who
want to find out what has changed since the last time they read this document)
Recently added FAQs are now decorated with ("recently" = "in the current or previous
release")
Recently changed FAQs are now decorated with ("recently" = "in the current or
previous release")
The look-and-feel of hyper-linked cross references is changed
The old look-and-feel "looks like this[4.14]"

The new look-and-feel "looks like this"


Added section [12] Assignment operators
Added section [26] Learning OO/C++

New FAQs:
[4.14] What updates were made for the 08/96 release?

[7.3] When is an interface "good"?


[7.4] What is encapsulation?
[7.5] How does C++ help with the tradeoff of safety vs. usability?
[9.2] How can inline functions help with the tradeoff of safety vs. speed?
[12.1] What is "self assignment"?
[12.2] Why should I worry about "self assignment"?
[12.3] OK, OK, already; I'll handle self-assignment. How do I do it?
[13.3] What are some examples of operator overloading?
[15.11] Why can't I open a file in a different directory such as "..\test.dat"?
[26.1] What is mentoring?
[26.2] Should I learn C before I learn OO/C++?
[26.3] Should I learn Smalltalk before I learn OO/C++?
[26.4] Should I buy one book, or several?
[26.5] What are some best-of-breed C++ morality guides?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (23 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[26.6] What are some best-of-breed C++ legality guides?


[26.8] Are there other OO books that are relevant to OO/C++?
[33.5] Where can I get information about the C++ compiler from {Borland, IBM, Microsoft,
Symantec, Sun, etc.}?

Changed FAQs:
[6.4] Is C++ better than Ada? (or Visual Basic, C, FORTRAN, Pascal, Smalltalk, or any other
language?)
(reworded the last paragraph)
[6.6] How long does it take to learn OO/C++?
(added management-level hints for training developers in OO/C++)
[9.3] Why should I use inline functions? Why not just use plain old #define macros?
(moved)
[13.4] But operator overloading makes my class look ugly; isn't it supposed to make my code
clearer?
(rewritten)
[13.8] How do I create a subscript operator for a Matrix class?
(fixed a bug: "double** data_" is now "double* data_")
[25.9] Are there any lint-like guidelines for C++?
(added links to the self assignment discussion)
[26.6] What are some best-of-breed C++ legality guides?
(fixed the ISBN for Stan Lippman's book)
[27.1] What's the difference between C++ and Smalltalk?
(rewritten)
[32.5] How can you tell if you have a dynamically typed C++ class library?
(moved from the section on Smalltalk)
[32.6] What is the NIHCL? Where can I get it?
(moved from the section on Smalltalk)
[32.9] Where can I get tons and tons of more information on C++ class libraries?
(updated the URL)
[34.4] Why can't the compiler find my header file in #include "c:\test.hpp" ?
(updated to refer to [15.11])

[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (24 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[4.15] What updates were made for the 07/96 release?


Global changes:
Created an extensive subject index

Added hyper-linked internal cross references throughout


Changed the name of the document from On-Line C++ FAQs to C++ FAQs Lite
Created section [23] Inheritance what your mother never told you
Split sections [10] Constructors and [11] Destructors into two distinct sections
Major reorganization of sections [19] Inheritance basics, [20] Inheritance virtual
functions, [21] Inheritance proper inheritance and substitutability, and [22] Inheritance
abstract base classes (ABCs)
Added example code throughout section [29] How to mix C and C++

New FAQs:
[4.15] What updates were made for the 07/96 release?

[5.5] What do I do if someone else posts a question that's already in the FAQ?
[5.6] What makes a good Subject: line?
[6.8] Are virtual functions (dynamic binding) central to OO/C++?
[6.9] I'm from Missouri. Can you give me a simple reason why virtual functions (dynamic
binding) make a big difference?
[7.6] How can I prevent other programmers from violating encapsulation by seeing the private
parts of my class?
[7.7] Is Encapsulation a Security device?
[10.4] Is the default constructor for Fred always Fred::Fred()?
[10.5] Which constructor gets called when I create an array of Fred objects?
[10.8] What is the "Named Constructor Idiom"?
[10.9] Why can't I initialize my static member data in my constructor's initialization list?
[11.2] What's the order that local objects are destructed?
[11.3] What's the order that objects in an array are destructed?
[11.4] Can I overload the destructor for my class?
[11.5] Should I explicitly call a destructor on a local variable?
[11.6] What if I want a local to "die" before the close } of the scope in which it was created? Can I
call a destructor on a local if I really want to?
[11.7] OK, OK already; I won't explicitly call the destructor of a local; but how do I handle the
above situation?
[11.8] What if I can't wrap the local in an artificial block?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (25 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[11.9] But can I explicitly call a destructor if I've allocated my object with new?
[11.10] What is "placement new" and why would I use it?
[11.11] When I write a destructor, do I need to explicitly call the destructors for my member
objects?
[13.6] Can I overload operator== so it lets me compare two char[] using a string
comparison?
[13.8] How do I create a subscript operator for a Matrix class?
[13.10] Should I design my classes from the outside (interfaces first) or from the inside (data
first)?
[15.8] How can I provide input for my class Fred?
[16.5] Do I need to check for NULL after p = new Fred()?
[16.6] How can I convince my (older) compiler to automatically check new to see if it returns
NULL?
[16.7] Do I need to check for NULL before delete p?
[16.8] What are the two steps that happen when I say delete p?
[16.9] In p = new Fred(), does the Fred memory "leak" if the Fred constructor throws an
exception?
[16.12] Can I drop the [] when deleteing array of some built-in type (char, int, etc)?
[16.13] After p = new Fred[n], how does the compiler know there are n objects to be
destructed during delete[] p?
[16.21] How do I do simple reference counting?
[16.22] How do I provide reference counting with copy-on-write semantics?
[16.23] How do I provide reference counting with copy-on-write semantics for a hierarchy of
classes?
[17.5] How do I change the string-length of an array of char to prevent memory leaks even
if/when someone throws an exception?
[18.12] Why does the compiler allow me to change an int after I've pointed at it with a
const int*?
[22.5] How do you define a copy constructor or assignment operator for a class that contains a
pointer to a (abstract) base class?
[23.6] What does it mean that the "virtual table" is an unresolved external?
[25.10] Which is better: identifier names that_look_like_this or identifier names
thatLookLikeThis?
(with the help of James Robinson)
[29.1] What do I need to know when mixing C and C++ code?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (26 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[30.5] How can I avoid syntax errors when calling a member function using a
pointer-to-member-function?
[31.2] How can I make a perl-like associative array in C++?
[32.3] How can I find a Fred object in an STL container of Fred* such as
std::vector<Fred*>?
[32.9] Where can I get tons and tons of more information on C++ class libraries?
[33.6] How do compilers use "over-allocation" to remember the number of elements in an
allocated array?
[33.7] How do compilers use an "associative array" to remember the number of elements in an
allocated array?
[34.4] Why can't the compiler find my header file in #include "c:\test.hpp" ?
[34.5] What are the C++ scoping rules for for loops?
Changed FAQs:
[5.4] How can I find out about general netiquette so I don't embarrass myself?
(rewritten)
[5.7] How do I post a question about code that doesn't work correctly?
(rewritten)
[7.8] What's the difference between the keywords struct and class?
(rewritten)
[10.10] Why are classes with static data members getting linker errors?
(rewritten)
[11.12] When I write a derived class's destructor, do I need to explicitly call the destructor for my
base class?
(added example code to illustrate the compiler's automagic calls to destructors of member objects
and base class subobjects)
[15.6] How can I provide printing for my class Fred?
(added example code to illustrate operator<< on an ostream)
[15.9] How can I provide printing for an entire hierarchy of classes?
(moved from the section on Abstraction)
[16.20] How can I force objects of my class to always be created via new rather than as locals or
global/static objects?
(added a reference to the Named Constructor Idiom)
[29.2] How can I include a standard C header file in my C++ code?
(rewritten)
[29.3] How can I include a non-system C header file in my C++ code?
(rewritten)
[29.4] How can I modify my own C header files so it's easier to #include them in C++ code?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (27 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(rewritten)
[33.10] Is there a yacc-able C++ grammar?
(updated the URL for the yacc-able C++ grammar)
[35.2] Are there any pretty-printers that reformat C++ source code?
(added "C-Clearly" and GNU indent to the list of pretty-printers)
[ Top | Bottom | Previous section | Next section ]

[4.16] What updates were made for the 06/96 release?


New FAQs:
[4.16] What updates were made for the 06/96 release?

[10.2] Is there any difference between List x; and List x();?


[34.8] Why is floating point so inaccurate? Why doesn't this print 0.43?
(with the help of Phil Staite)

Changed FAQs:
[2.1] Where's the closest mirror site to access this document?
(added Finland mirror site: www.utu.fi/~sisasa/oasis/cppfaq/)
[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?
(fixed URL of book at Addison-Wesley)
[18.1] What is "const correctness"?
(added info on what happens when you try to pass a const parameter to a non-const function)
[20.4] When should my destructor be virtual?
(added the nitty-gritty rule for when you need to have a virtual destructor)
[21.4] Is an array of Derived a kind-of array of Base?
(fixed bug in code)
[22.3] What is an ABC?
(reworded)
[22.4] What is a "pure virtual" member function?
(reworded)
[28.4] Should I normally use pointers to freestore allocated objects for my data members, or
should I use "composition"?
(reworded)
[29.8] How can I pass an object of a C++ class to/from a C function?
(fixed a bug in the code)
[31.5] What's the idea behind templates?
(reworded)
[31.6] What's the syntax / semantics for a "class template"?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (28 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

(reworded)
[35.1] Is there a TeX or LaTeX macro that fixes the spacing on "C++"?
(added a new LaTeX macro)
[35.2] Are there any pretty-printers that reformat C++ source code?
(fixed URL of C++2LaTeX)
[ Top | Bottom | Previous section | Next section ]

[4.17] What updates were made for the 05/96 release?


Updated everything. Transformed the source from raw text to HTML. Reorganized, reworded, expanded,
added example code, etc, etc.
[ Top | Bottom | Previous section | Next section ]

[4.18] What updates were made for the 04/96 release?


New FAQs:
[4.18] What updates were made for the 04/96 release?

[29.2] How can I include a standard C header file in my C++ code?


[29.3] How can I include a non-system C header file in my C++ code?
[29.4] How can I modify my own C header files so it's easier to #include them in C++ code?
Changed FAQs:
[2.1] Where's the closest mirror site to access this document?
(added European mirror site:
www.informatik.uni-konstanz.de/~kuehl/cpp/cppfaq.htm)
[16.14] Is it legal (and moral) for a member function to say delete this?
(rewritten)
[22.4] What is a "pure virtual" member function?
(rewritten)
[ Top | Bottom | Previous section | Next section ]

[4.19] What updates were made for the 03/96 release?


New FAQs:
[4.19] What updates were made for the 03/96 release?

[6.4] Is C++ better than Ada? (or Visual Basic, C, FORTRAN, Pascal, Smalltalk, or any other
language?)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (29 of 33) [3/16/2002 9:53:54 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[31.3] How can I build a <favorite container> of objects of different types?


(with the help of Phil Staite)

Changed FAQs:
[2.3] How can I get a Copy of all the "plaintext" files of C++ FAQ Lite so I can read them
Off-Line?
(added URL ftp://rtfm.mit.edu/pub/usenet-by-group/comp.lang.c++/)
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?
(fixed the URL for the ANSI/ISO C++ Committee Draft)
[15.1] Why should I use <iostream> instead of the traditional <cstdio>?
(reworded)
[16.2] Can I free() pointers allocated with new? Can I delete pointers allocated with
malloc()?
(added an admonition not to mix new and free() or malloc() and delete)
[25.1] What are some good C++ coding standards?
(reworded)
[25.2] Are coding standards necessary? Are they sufficient?
(reworded)
[25.3] Should our organization determine coding standards from our C experience?
(reworded)
[25.9] Are there any lint-like guidelines for C++?
(reworded)
[27.3] Which is a better fit for C++: "static typing" or "dynamic typing"?
(updated info on dynamic_cast and typeid())
[35.2] Are there any pretty-printers that reformat C++ source code?
(fixed URL of C++2LaTeX)
[ Top | Bottom | Previous section | Next section ]

[4.20] What updates were made for the 09/95 release?


New FAQs:
[4.20] What updates were made for the 09/95 release?

[15.10] How can I "reopen" std::cin and std::cout in binary mode under DOS and/or
OS/2?
[32.4] Where can I get help on how to use STL?
[32.7] Where can I ftp the code that accompanies "Numerical Recipes"?
[32.8] Why is my executable so large?

Changed FAQs:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (30 of 33) [3/16/2002 9:53:55 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[6.12] Where can I get a copy of the ANSI/ISO C++ standard?


(added info on FTP access for the ANSI/ISO C++ Committee Draft)
[8.3] What happens if you return a reference?
(fixed a bug (variable i was not declared))
[16.15] How do I allocate multidimensional arrays using new?
(reworded)
[32.2] Where can I get a copy of "STL"?
(reworded)
[ Top | Bottom | Previous section | Next section ]

[4.21] What updates were made for the 06/95 release?


New FAQs:
[4.21] What updates were made for the 06/95 release?

[16.15] How do I allocate multidimensional arrays using new?


(with the help of Doug Shapter)
[30.3] Why do I keep getting compile errors (type mismatch) when I try to use a member function
as an interrupt service routine?

Changed FAQs:
[6.12] Where can I get a copy of the ANSI/ISO C++ standard?
(fixed the US-Mail access for the ANSI/ISO C++ Committee Draft)
[16.20] How can I force objects of my class to always be created via new rather than as locals or
global/static objects?
(rewritten)
[ Top | Bottom | Previous section | Next section ]

[4.22] What updates were made for the 04/95 release?


New FAQs:
[4.22] What updates were made for the 04/95 release?

[35.4] Where can I get OS-specific questions answered (e.g., BC++, DOS, Windows, etc)?

Changed FAQs:
[32.6] What is the NIHCL? Where can I get it?
(fixed the FTP address)
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (31 of 33) [3/16/2002 9:53:55 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[4.23] What updates were made for the 03/95 release?


New FAQs:
[4.23] What updates were made for the 03/95 release?

[15.4] Why does my input seem to process past the end of file?
[15.5] Why is my program ignoring my input request after the first iteration?
[16.14] Is it legal (and moral) for a member function to say delete this?
Changed FAQs:
[35.3] Is there a C++-mode for GNU emacs? If so, where can I get it?
(updated the information on cc-mode.el)
[ Top | Bottom | Previous section | Next section ]

[4.24] What updates were made for the 01/95 release?


New FAQs:
[2.5] Where can I download a Chinese translation of this on-line document?

[4.24] What updates were made for the 01/95 release?

[ Top | Bottom | Previous section | Next section ]

[4.25] What updates were made for the 12/94 release?


New FAQs:
[4.25] What updates were made for the 12/94 release?

[32.2] Where can I get a copy of "STL"?


[33.8] If name mangling was standardized, could I link code compiled with compilers from
different compiler vendors?

Changed FAQs:
[24.3] Which should I prefer: composition or private inheritance?
(reworded)
[ Top | Bottom | Previous section | Next section ]

[4.26] What updates were made for the 11/94 release?


New FAQs:
[3.1] Is there a C++ FAQ Book in addition to the C++ FAQ Lite?

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (32 of 33) [3/16/2002 9:53:55 ;-]]


[4] Recent changes to this document, C++ FAQ Lite

[3.2] Is there a big difference between C++ FAQ Lite and C++ FAQ Book?
[4.26] What updates were made for the 11/94 release?

[ Top | Bottom | Previous section | Next section ]

[4.27] What updates were made for the 08/94 release?


Rewrote most of the answers to provide general cleanup. Changed the quotation marks to "..." rather than
`...' and/or ``...''. Sample code lines now start with a tab (no other lines starts with a tab). Everything was
edited; minor modifications everywhere.
New FAQs:
[4.27] What updates were made for the 08/94 release?

[18.10] What do I do if I want to update an "invisible" data member inside a const member
function?
[27.3] Which is a better fit for C++: "static typing" or "dynamic typing"?

[ Top | Bottom | Previous section | Next section ]

[4.28] What updates were made before 08/94?


This document was originally written in 1991. I have no record of the specific changes that were made
until 8/94.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/recent-changes.html (33 of 33) [3/16/2002 9:53:55 ;-]]


[8] References, C++ FAQ Lite

[8] References
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [8]:


[8.1] What is a reference?
[8.2] What happens if you assign to a reference?
[8.3] What happens if you return a reference?
[8.4] What does object.method1().method2() mean?
[8.5] How can you reseat a reference to make it refer to a different object?
[8.6] When should I use references, and when should I use pointers?
[8.7] What is a handle to an object? Is it a pointer? Is it a reference? Is it a pointer-to-a-pointer?
What is it?

[8.1] What is a reference?


An alias (an alternate name) for an object.
References are frequently used for pass-by-reference:
void swap(int& i, int& j)
{
int tmp = i;
i = j;
j = tmp;
}

int main()
{
int x, y;
// ...
swap(x,y);
}
Here i and j are aliases for main's x and y respectively. In other words, i is x not a pointer to x, nor
a copy of x, but x itself. Anything you do to i gets done to x, and vice versa.
OK. That's how you should think of references as a programmer. Now, at the risk of confusing you by

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/references.html (1 of 5) [3/16/2002 9:53:55 ;-]]


[8] References, C++ FAQ Lite

giving you a different perspective, here's how references are implemented. Underneath it all, a reference
i to object x is typically the machine address of the object x. But when the programmer says i++, the
compiler generates code that increments x. In particular, the address bits that the compiler uses to find x
are not changed. A C programmer will think of this as if you used the C style pass-by-pointer, with the
syntactic variant of (1) moving the & from the caller into the callee, and (2) eliminating the *s. In other
words, a C programmer will think of i as a macro for (*p), where p is a pointer to x (e.g., the compiler
automatically dereferences the underlying pointer; i++ is changed to (*p)++; i = 7 is automatically
changed to *p = 7).
Important note: Even though a reference is often implemented using an address in the underlying
assembly language, please do not think of a reference as a funny looking pointer to an object. A reference
is the object. It is not a pointer to the object, nor a copy of the object. It is the object.
[ Top | Bottom | Previous section | Next section ]

[8.2] What happens if you assign to a reference?


You change the state of the referent (the referent is the object to which the reference refers).
Remember: the reference is the referent, so changing the reference changes the state of the referent. In
compiler writer lingo, a reference is an "lvalue" (something that can appear on the left hand side of an
assignment operator).
[ Top | Bottom | Previous section | Next section ]

[8.3] What happens if you return a reference?


The function call can appear on the left hand side of an assignment operator.
This ability may seem strange at first. For example, no one thinks the expression f() = 7 makes sense.
Yet, if a is an object of class Array, most people think that a[i] = 7 makes sense even though
a[i] is really just a function call in disguise (it calls Array::operator[](int), which is the
subscript operator for class Array).
class Array {
public:
int size() const;
float& operator[] (int index);
// ...
};

int main()
{
Array a;
for (int i = 0; i < a.size(); ++i)
a[i] = 7; // This line invokes Array::operator[](int)

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/references.html (2 of 5) [3/16/2002 9:53:55 ;-]]


[8] References, C++ FAQ Lite

}
[ Top | Bottom | Previous section | Next section ]

[8.4] What does object.method1().method2() mean?


[Recently created thanks to Robert Cullen (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

It chains these method calls, which is why this is called method chaining.
The first thing that gets executed is object.method1(). This returns some object, which might be a
reference to object (i.e., method1() might end with return *this;), or it might be some other
object. Let's call the returned object objectB). Then objectB) becomes the this object of
method2().
The most common use of method chaining is in the iostream library. E.g., cout << x << y works
because cout << x is a function that returns cout.
A less common, but still rather slick, use for method chaining is in the Named Parameter Idiom.

[ Top | Bottom | Previous section | Next section ]

[8.5] How can you reseat a reference to make it refer to a different


object?
No way.
You can't separate the reference from the referent.
Unlike a pointer, once a reference is bound to an object, it can not be "reseated" to another object. The
reference itself isn't an object (it has no identity; taking the address of a reference gives you the address
of the referent; remember: the reference is its referent).
In that sense, a reference is similar to a const pointer such as int* const p (as opposed to a
pointer to const such as const int* p). In spite of the gross similarity, please don't confuse
references with pointers; they're not at all the same.
[ Top | Bottom | Previous section | Next section ]

[8.6] When should I use references, and when should I use pointers?
Use references when you can, and pointers when you have to.
References are usually preferred over pointers whenever you don't need "reseating". This usually means
that references are most useful in a class's public interface. References typically appear on the skin of
an object, and pointers on the inside.

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/references.html (3 of 5) [3/16/2002 9:53:55 ;-]]


[8] References, C++ FAQ Lite

The exception to the above is where a function's parameter or return value needs a "sentinel" reference.
This is usually best done by returning/taking a pointer, and giving the NULL pointer this special
significance (references should always alias objects, not a dereferenced NULL pointer).
Note: Old line C programmers sometimes don't like references since they provide reference semantics
that isn't explicit in the caller's code. After some C++ experience, however, one quickly realizes this is a
form of information hiding, which is an asset rather than a liability. E.g., programmers should write code
in the language of the problem rather than the language of the machine.
[ Top | Bottom | Previous section | Next section ]

[8.7] What is a handle to an object? Is it a pointer? Is it a reference?


Is it a pointer-to-a-pointer? What is it?
[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

The term handle is used to mean any technique that lets you get to another object a generalized
pseudo-pointer. The term is (intentionally) ambiguous and vague.
Ambiguity is actually an asset in certain cases. For example, during early design you might not be ready
to commit to a specific representation for the handles. You might not be sure whether you'll want simple
pointers vs. references vs. pointers-to-pointers vs. pointers-to-references vs. integer indices into an array
vs. strings (or other key) that can be looked up in a hash-table (or other data structure) vs. database keys
vs. some other technique. If you merely know that you'll need some sort of thingy that will uniquely
identify and get to an object, you call the thingy a Handle.
So if your ultimate goal is to enable a glop of code to uniquely identify/look-up a specific object of some
class Fred, you need to pass a Fred handle into that glop of code. The handle might be a string that can
be used as a key in some well-known lookup table (e.g., a key in a
std::map<std::string,Fred> or a std::map<std::string,Fred*>), or it might be an
integer that would be an index into some well-known array (e.g.,
Fred* array = new Fred[maxNumFreds]), or it might be a simple Fred*, or it might be
something else.
Novices often think in terms of pointers, but in reality there are downside risks to using raw pointers.
E.g., what if the Fred object needs to move? How do we know when it's safe to delete the Fred
objects? What if the Fred object needs to (temporarily) get serialized on disk? etc., etc. Most of the time
we add more layers of indirection to manage situations like these. For example, the handles might be
Fred**, where the pointed-to Fred* pointers are guaranteed to never move but when the Fred
objects need to move, you just update the pointed-to Fred* pointers. Or you make the handle an integer
then have the Fred objects (or pointers to the Fred objects) looked up in a table/array/whatever. Or
whatever.
The point is that we use the word Handle when we don't yet know the details of what we're going to do.
Another time we use the word Handle is when we want to be vague about what we've already done
(sometimes the term magic cookie is used for this as well, as in, "The software passes around a magic

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/references.html (4 of 5) [3/16/2002 9:53:55 ;-]]


[8] References, C++ FAQ Lite

cookie that is used to uniquely identify and locate the appropriate Fred object"). The reason we
(sometimes) want to be vague about what we've already done is to minimize the ripple effect if/when the
specific details/representation of the handle change. E.g., if/when someone changes the handle from a
string that is used in a lookup table to an integer that is looked up in an array, we don't want to go and
update a zillion lines of code.
To further ease maintenance if/when the details/representation of a handle changes (or to generally make
the code easier to read/write), we often encapsulate the handle in a class. This class often overloads
operators operator-> and operator* (since the handle acts like a pointer, it might as well look like
a pointer).
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/references.html (5 of 5) [3/16/2002 9:53:55 ;-]]


[27] Learning C++ if you already know Smalltalk, C++ FAQ Lite

[27] Learning C++ if you already know


Smalltalk
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [27]:


[27.1] What's the difference between C++ and Smalltalk?
[27.2] What is "static typing," and how is it similar/dissimilar to Smalltalk?
[27.3] Which is a better fit for C++: "static typing" or "dynamic typing"?
[27.4] How do you use inheritance in C++, and is that different from Smalltalk?
[27.5] What are the practical consequences of differences in Smalltalk/C++ inheritance?

[27.1] What's the difference between C++ and Smalltalk?


Both fully support the OO paradigm. Neither is categorically and universally "better" than the other. But
there are differences. The most important differences are:
Static typing vs. dynamic typing

Whether inheritance must be used only for subtyping


Value vs. reference semantics

Note: Many new C++ programmers come from a Smalltalk background. If that's you, this section will
tell you the most important things you need know to make your transition. Please don't get the notion that
either language is somehow "inferior" or "bad", or that this section is promoting one language over the
other (I am not a language bigot; I serve on both the ANSI C++ and ANSI Smalltalk standardization
committees). Instead, this section is designed to help you understand (and embrace!) the differences.

[ Top | Bottom | Previous section | Next section ]

[27.2] What is "static typing," and how is it similar/dissimilar to


Smalltalk?
Static typing says the compiler checks the type safety of every operation statically (at compile-time),
rather than to generate code which will check things at run-time. For example, with static typing, the
signature matching for function arguments is checked at compile time, not at run-time. An improper

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/smalltalk.html (1 of 4) [3/16/2002 9:53:56 ;-]]


[27] Learning C++ if you already know Smalltalk, C++ FAQ Lite

match is flagged as an error by the compiler, not by the run-time system.


In OO code, the most common "typing mismatch" is invoking a member function against an object which
isn't prepared to handle the operation. E.g., if class Fred has member function f() but not g(), and
fred is an instance of class Fred, then fred.f() is legal and fred.g() is illegal. C++
(statically typed) catches the error at compile time, and Smalltalk (dynamically typed) catches the error at
run-time. (Technically speaking, C++ is like Pascal pseudo statically typed since pointer casts and
unions can be used to violate the typing system; which reminds me: only use pointer casts and unions as
often as you use gotos).
[ Top | Bottom | Previous section | Next section ]

[27.3] Which is a better fit for C++: "static typing" or "dynamic


typing"?
[For context, please read the previous FAQ].

If you want to use C++ most effectively, use it as a statically typed language.
C++ is flexible enough that you can (via pointer casts, unions, and #define macros) make it "look" like
Smalltalk. But don't. Which reminds me: try to avoid #define: it is evil in 4 different ways: evil#1,
evil#2, evil#3, and evil#4.

There are places where pointer casts and unions are necessary and even wholesome, but they should be
used carefully and sparingly. A pointer cast tells the compiler to believe you. An incorrect pointer cast
might corrupt your heap, scribble into memory owned by other objects, call nonexistent member
functions, and cause general failures. It's not a pretty sight. If you avoid these and related constructs, you
can make your C++ code both safer and faster, since anything that can be checked at compile time is
something that doesn't have to be done at run-time.
If you're interested in using a pointer cast, use the new style pointer casts. The most common example of
these is to change old-style pointer casts such as (X*)p into new-style dynamic casts such as
dynamic_cast<X*>(p), where p is a pointer and X is a type. In addition to dynamic_cast, there
is static_cast and const_cast, but dynamic_cast is the one that simulates most of the
advantages of dynamic typing (the other is the typeid() construct; for example,
typeid(*p).name() will return the name of the type of *p).
[ Top | Bottom | Previous section | Next section ]

[27.4] How do you use inheritance in C++, and is that different from
Smalltalk?
[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Some people believe that the purpose of inheritance is code reuse. In C++, this is wrong. Stated plainly,

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/smalltalk.html (2 of 4) [3/16/2002 9:53:56 ;-]]


[27] Learning C++ if you already know Smalltalk, C++ FAQ Lite

"inheritance is not for code reuse."


The purpose of inheritance in C++ is to express interface compliance (subtyping), not to get code reuse.
In C++, code reuse usually comes via composition rather than via inheritance. In other words, inheritance
is mainly a specification technique rather than an implementation technique.
This is a major difference with Smalltalk, where there is only one form of inheritance (C++ provides
private inheritance to mean "share the code but don't conform to the interface", and public
inheritance to mean "kind-of"). The Smalltalk language proper (as opposed to coding practice) allows
you to have the effect of "hiding" an inherited method by providing an override that calls the "does not
understand" method. Furthermore Smalltalk allows a conceptual "is-a" relationship to exist apart from
the inheritance hierarchy (subtypes don't have to be derived classes; e.g., you can make something that
is-a Stack yet doesn't inherit from class Stack).
In contrast, C++ is more restrictive about inheritance: there's no way to make a "conceptual is-a"
relationship without using inheritance (the C++ work-around is to separate interface from
implementation via ABCs). The C++ compiler exploits the added semantic information associated with
public inheritance to provide static typing.
[ Top | Bottom | Previous section | Next section ]

[27.5] What are the practical consequences of differences in


Smalltalk/C++ inheritance?
[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

[For context, please read the previous FAQ].

Smalltalk lets you make a subtype that isn't a derived class, and allows you to make a derived class that
isn't a subtype. This allows Smalltalk programmers to be very carefree in putting data (bits,
representation, data structure) into a class (e.g., you might put a linked list into class Stack). After
all, if someone wants an array-based-Stack, they don't have to inherit from Stack; they could inherit
such a class from Array if desired, even though an ArrayBasedStack is not a kind-of Array!
In C++, you can't be nearly as carefree. Only mechanism (member function code), but not representation
(data bits) can be overridden in derived classes. Therefore you're usually better off not putting the data
structure in a class. This leads to a stronger reliance on abstract base classes.

I like to think of the difference between an ATV and a Maseratti. An ATV (all terrain vehicle) is more
fun, since you can "play around" by driving through fields, streams, sidewalks, and the like. A Maseratti,
on the other hand, gets you there faster, but it forces you to stay on the road. My advice to C++
programmers is simple: stay on the road. Even if you're one of those people who like the "expressive
freedom" to drive through the bushes, don't do it in C++; it's not a good fit.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/smalltalk.html (3 of 4) [3/16/2002 9:53:56 ;-]]


[27] Learning C++ if you already know Smalltalk, C++ FAQ Lite

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/smalltalk.html (4 of 4) [3/16/2002 9:53:56 ;-]]


[23] Inheritance what your mother never told you, C++ FAQ Lite

[23] Inheritance what your mother never


told you
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [23]:


[23.1] Is it okay for a non-virtual function of the base class to call a virtual function?
[23.2] That last FAQ confuses me. Is it a different strategy from the other ways to use virtual functions?
What's going on?
[23.3] When my base class's constructor calls a virtual function, why doesn't my derived class's override of
that virtual function get invoked?
[23.4] Should a derived class replace ("override") a non-virtual function from a base class?
[23.5] What's the meaning of, Warning: Derived::f(float) hides Base::f(int)?
[23.6] What does it mean that the "virtual table" is an unresolved external?

[23.1] Is it okay for a non-virtual function of the base class to call a


virtual function?
[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Yes. It's sometimes (not always!) a great idea. For example, suppose all Shape objects have a common algorithm for
printing, but this algorithm depends on their area and they all have a potentially different way to compute their area.
In this case Shape's area() method would necessarily have to be virtual (probably pure virtual) but
Shape::print() could, if we were guaranteed no derived class wanted a different algorithm for printing, be a
non-virtual defined in the base class Shape.
#include "Shape.hpp"

void Shape::print() const


{
float a = this->area(); // area() is pure virtual
// ...
}
[ Top | Bottom | Previous section | Next section ]

[23.2] That last FAQ confuses me. Is it a different strategy from the other
ways to use virtual functions? What's going on?
[Recently created (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

Yes, it is a different strategy. Yes, there really are two different basic ways to use virtual functions:

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/strange-inheritance.html (1 of 4) [3/16/2002 9:53:57 ;-]]


[23] Inheritance what your mother never told you, C++ FAQ Lite

1. Suppose you have the situation described in the previous FAQ: you have a method whose overall structure is
the same for each derived class, but has little pieces that are different in each derived class. So the algorithm is
the same, but the primitives are different. In this case you'd write the overall algorithm in the base class as a
public: method (that's sometimes non-virtual), and you'd write the little pieces in the derived classes.
The little pieces would be declared in the base class (they're often protected:, they're often pure
virtual, and they're certainly virtual), and they'd ultimately be defined in each derived class. The most
critical question in this situation is whether or not the public: method containing the overall algorithm
should be virtual. The answer is to make it virtual if you think that some derived class might need to
override it.
2. Suppose you have the exact opposite situation from the previous FAQ, where you have a method whose overall
structure is different in each derived class, yet it has little pieces that are the same in most (if not all) derived
classes. In this case you'd put the overall algorithm in a public: virtual that's ultimately defined in the
derived classes, and the little pieces of common code can be written once (to avoid code duplication) and
stashed somewhere (anywhere!). A common place to stash the little pieces is in the protected: part of the
base class, but that's not necessary and it might not even be best. Just find a place to stash them and you'll be
fine. Note that if you do stash them in the base class, you should normally make them protected:, since
normally they do things that public: users don't need/want to do. Assuming they're protected:, they
probably shouldn't be virtual: if the derived class doesn't like the behavior in one of them, it doesn't have to
call that method.
For emphasis, the above list is a both/and situation, not an either/or situation. In other words, you don't have to
choose between these two strategies on any given class. It's perfectly normal to have method f() correspond to
strategy #1 while method g() corresponds to strategy #2. In other words, it's perfectly normal to have both strategies
working in the same class.
[ Top | Bottom | Previous section | Next section ]

[23.3] When my base class's constructor calls a virtual function, why


doesn't my derived class's override of that virtual function get invoked?
During the class Base's constructor, the object isn't yet a Derived, so if Base::Base() calls a virtual
function virt(), the Base::virt() will be invoked, even if Derived::virt() exists.
Similarly, during Base's destructor, the object is no longer a Derived, so when Base::~Base() calls virt(),
Base::virt() gets control, not the Derived::virt() override.
You'll quickly see the wisdom of this approach when you imagine the disaster if Derived::virt() touched a
member object from class Derived. In particular, if Base::Base() called the virtual function virt(), this
rule causes Base::virt() to be invoked. If it weren't for this rule, Derived::virt() would get called before
the Derived part of a Derived object is constructed, and Derived::virt() could touch unconstructed
member objects from the Derived part of a Derived object. That would be a disaster.
[ Top | Bottom | Previous section | Next section ]

[23.4] Should a derived class replace ("override") a non-virtual function


from a base class?
It's legal, but it ain't moral.
Experienced C++ programmers will sometimes redefine a non-virtual function for efficiency (e.g., if the derived

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/strange-inheritance.html (2 of 4) [3/16/2002 9:53:57 ;-]]


[23] Inheritance what your mother never told you, C++ FAQ Lite

class implementation can make better use of the derived class's resources) or to get around the hiding rule. However
the client-visible effects must be identical, since non-virtual functions are dispatched based on the static type of
the pointer/reference rather than the dynamic type of the pointed-to/referenced object.
[ Top | Bottom | Previous section | Next section ]

[23.5] What's the meaning of,


Warning: Derived::f(float) hides Base::f(int)?
It means you're going to die.
Here's the mess you're in: if Base declares a member function f(int), and Derived declares a member function
f(float) (same name but different parameter types and/or constness), then the Base f(int) is "hidden" rather
than "overloaded" or "overridden" (even if the Base f(int) is virtual).

Here's how you get out of the mess: Derived must have a using declaration of the hidden member function. For
example,
class Base {
public:
void f(int);
};

class Derived : public Base {


public:
using Base::f; // This un-hides Base::f(int)
void f(double);
};
If the using syntax isn't supported by your compiler, redefine the hidden Base member function(s), even if they are
non-virtual. Normally this re-definition merely calls the hidden Base member function using the :: syntax. E.g.,

class Derived : public Base {


public:
void f(double);
void f(int i) { Base::f(i); } // The redefinition merely calls Base::f(int)
};
[ Top | Bottom | Previous section | Next section ]

[23.6] What does it mean that the "virtual table" is an unresolved external?
If you get a link error of the form
"Error: Unresolved or undefined symbols detected: virtual table for class Fred,"
you probably have an undefined virtual member function in class Fred.
The compiler typically creates a magical data structure called the "virtual table" for classes that have virtual
functions (this is how it handles dynamic binding). Normally you don't have to know about it at all. But if you forget
to define a virtual function for class Fred, you will sometimes get this linker error.
Here's the nitty gritty: Many compilers put this magical "virtual table" in the compilation unit that defines the first
non-inline virtual function in the class. Thus if the first non-inline virtual function in Fred is

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/strange-inheritance.html (3 of 4) [3/16/2002 9:53:57 ;-]]


[23] Inheritance what your mother never told you, C++ FAQ Lite

wilma(), the compiler will put Fred's virtual table in the same compilation unit where it sees Fred::wilma().
Unfortunately if you accidentally forget to define Fred::wilma(), rather than getting a Fred::wilma() is
undefined, you may get a "Fred's virtual table is undefined". Sad but true.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/strange-inheritance.html (4 of 4) [3/16/2002 9:53:57 ;-]]


Subject Index, C++ FAQ Lite

Subject Index
(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

"A" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
A2PS (see Pretty printing) ... [35.2]
ABC (see also Inheritance) ... [22.2], [22.3]
Access rules
protected: and private: inheritance ... [24.6]

protected: and private: members ... [19.5], [19.6]


Acronyms ... [5.1]
Ada vs. C++ ... [6.4]
AFAICS (Acronym) ... [5.1]
Aggregation (see also Composition) ... [24.2]
Aliasing
Aliasing of const and non-const pointers ... [18.9], [18.11], [18.12], [18.13]

References are aliases for objects ... [8.1], [8.6]


All Terrain Vehicle (ATV) ... [27.5]
ANSI ... [6.11]
ANSI C ... [6.10]
ANSI C++ ... [6.12]
ANSI C++ committee "X3J16" ... [6.11], [27.1]
Arity ... [13.7]
Arrays
Arrays are evil ... [16.16], [17.5], [31.1]

Specifying length at runtime ... [16.19]


Artistic Style (see Pretty Printing) ... [35.2]
Assigning a reference ... [8.2]
Assignment operator ... [12]
Check for self-assignment ... [22.5], [25.9]
Return *this ... [25.9]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (1 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Self-assignment ... [12.1], [12.2], [12.3]


Use const in parameter ... [25.9]
Associative array (see also STL) ... [31.2]
Associativity ... [13.7]
Author (see also C++ FAQ Lite) ... [1.1]
auto_ptr ... [17.4]

"B" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Backtracking ... [5.3]
bad_alloc (see also std::bad_alloc) ... [16.5], [16.6]
Bag of Apple vs. of Fruit ... [21.3]
Base class ... [19.3]
Beautifier, Code (see Pretty printing) ... [35.2]
Big Picture issues (see Managerial issues) ... [6]
Big Three, Law of ... [16.16], [22.5], [25.9]
Binary compatibility between vendors ... [33.8]
Binding: Static vs. dynamic ... [20.2], [20.3]
Book (see C++ FAQ Book) ... [3]
Books on C++ ... [26]
Books
Design ... [26.8]
Legality issues of C++ ... [26.4], [26.6]
Morality issues of C++ ... [26.4], [26.5]
Programming-by-example in C++ ... [26.4], [26.7]
BTW (Acronym) ... [5.1]
Built-in (intrinsic) types ... [10.6], [10.11], [10.12], [10.13], [13.6], [15.12], [16.12], [16.19], [25.9]
Business criteria dominate technical criteria ... [6.4]

"C" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
C++2LaTeX (see Pretty printing) ... [35.2]
C++ books ... [26]
C++ compiler

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (2 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Free ... [33.1]


List of vendors ... [33.5]
Yaccable grammar ... [33.10]
C++ FAQ Book ... [3]
Is much bigger than this Lite document ... [3.2]
ISBN ... [3.1]
Not same as the on-line ("Lite") document ... [3.2]
URL for Amazon.com ... [3.1]
C++ FAQ Lite ... [3]
Author ... [1.1]
Availability on-line ... [2]
Book is much bigger ... [3.2]
Chinese translation ... [2.5]
Copy permissions ... [1]
Copying permissions ... [1.3]
Copyright notice ... [1.2]
Downloading ... [2.2], [2.3], [2.4]
French translation ... [2.7]
HTML version ... [2.2]
Mirror WWW sites ... [2.1]
No Warranty ... [1.4]
Not same as C++ FAQ Book ... [1.6], [3.2]
Plaintext version ... [2.3], [2.4]
Portuguese translation ... [2.6]
Recent changes ... [4]
Russian translation ... [2.8]
C language
Accessing C++ data members from C ... [29.9]

C++ backward compatibility ... [6.10]


C++ is higher level than C ... [29.10]
C++ requires different skills/insights ... [31.1]
C vs. C++ ... [6.4]
Calling C from C++ ... [29.5]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (3 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Calling C++ from C ... [29.6]


Coding standards different from C++ ... [25.3], [31.1]
Common linker errors ... [23.6], [29.7]
__cplusplus ... [29.4]
extern C ... [29.3]
Including C headers ... [29.2], [29.3], [29.4]
Linking must be directed by C++ ... [29.1]
main() must be compiled using C++ ... [29.1]
Mixing C and C++ code ... [29]
Newsgroup comp.lang.c ... [5.8]
Not an efficient way to learn OO/C++ ... [26.2], [31.1]
Passing C++ objects to C code ... [29.8], [29.9]
static at file-scope ... [7.5]
C++ Libraries FAQ ... [32.9]
Cache Misses
Avoiding with a Matrix class ... [13.9]

Striding the cache ... [13.9]


Chaining method calls ... [8.4], [10.15]
Changes to this document (see also C++ FAQ Lite) ... [4]
char*: Use a string-like class instead ... [13.6], [17.5]
Chinese translation of this document ... [2.5]
Circles vs. Ellipses ... [21.6], [21.7], [21.8], [21.9], [21.10]
Circular dependencies ... [34.9]
class ... [7.1], [7.8]
clone() methods ... [16.23], [20.5], [22.5]
Code bloat ... [9.7]
Coding standards ... [25]
Assignment operators check assignment-to-self ... [12.1], [25.9]
Assignment operators return *this ... [25.9]
Assignment operators use const ... [25.9]
Avoid arrays whenever possible ... [21.5], [31.1]
Avoid dynamically typed libraries ... [32.5]
Avoid global variables ... [34.5]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (4 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Avoid hiding nested identifiers ... [34.5]


Bloodshed, Jihads, and Heat vs. Light ... [25.1]
Coding standards are never sufficient ... [25.2]
Coding standards are sometimes necessary ... [25.2]
const_cast ... [18.10]
Copy constructors use const ... [25.9]
Declare near first use ... [25.6]
Design classes from the outside-in ... [13.10]
Don't base C++ standards on C standards ... [25.3], [31.1]
Don't test for NULL after new ... [16.5]
Don't test for NULL before delete ... [16.7]
Explicitly calling destructors (Don't!) ... [11.5], [11.6], [11.9]
Explicitly calling destructors (OK sometimes) ... [11.10]
Header filename extensions ... [25.8]
Identifier naming conventions ... [25.10]
Initialization lists ... [10.6], [25.9]
Law of the Big Three ... [16.16], [25.9]
Macros that contain if ... [34.1]
Macros that contain multiple lines ... [34.2]
Macros that contain token pasting ... [34.3]
Operator overloading ... [25.9]
Source filename extensions ... [25.7]
static at file-scope (Don't!) ... [7.5]
The Ellemtel coding guidelines ... [25.11]
Todd Hoff's coding guidelines ... [25.11]
Use a std::string object rather than a char* ... [13.6], [17.5]
Use delete[] for arrays ... [16.11]
Use of the ternary ?: operator ... [25.5]
virtual destructors ... [20.4], [25.9]
Column-major order ... [13.9]
Combinations ... [5.3]
Committee Draft (CD) for ANSI/ISO C++ ... [6.12]
Compatibility, Binary ... [33.8]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (5 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Compiler dependencies ... [33], [33.5]


Compilers for C++ ... [33.1], [33.5], [33.10]
Composition
Benefits compared to freestore ... [28.4], [28.5]

Compared with private inheritance ... [24.2]


Criteria for composition vs. private inheritance ... [24.3]
Inlining virtual functions ... [28.5], [28.6]
Conservative garbage collectors ... [16.26]
const_cast ... [18.10]
Const correctness ... [18], [18.1]
A form of type safety ... [18.2]
Aliasing of const and non-const pointers ... [18.12]
Coding standards concerning ... [25.9], [25.9]
const_cast ... [18.10], [18.11]
const member functions ... [18.9]
Fred& const x is nonsense ... [18.7]
Fred const& x use const Fred& x instead ... [18.8]
Immutable (const) pointers ... [18.5]
mutable ... [18.10]
Pointer-to-const ... [18.4], [18.5]
Pointer-to-const aliasing ... [18.13]
Reference-to-const ... [18.6]
Retrofitting const correctness is hard ... [18.3]
Construct On First Use Idiom ... [10.12], [10.13]
Constructors ... [10], [16.9]
Build objects from dust ... [10.1]
Calling a virtual from ... [23.3]
Calling another constructor ... [10.3]
Coding standards re. copy constructor ... [25.9]
Default constructors ... [10.4], [10.5]
Init methods ... [10.3]
Initialization coding standard ... [10.6], [25.9]
Initialization of static data ... [10.11], [10.12], [10.13]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (6 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Member objects should be self-managing ... [17.4]


Named Constructor Idiom ... [10.8], [16.20], [16.23]
Throwing exceptions ... [17.2]
Using this within ... [10.7]
Virtual Constructor Idiom ... [16.23], [20.5], [22.5]
Containers ... [31]
Container of Thing vs. of Anything ... [21.4]
Heterogeneous ... [31.3]
Iterators ... [31.4]
Copy constructors
Should use const ... [25.9]

Copy on write (see Reference counting) ... [16.22], [16.23]


Copy semantics (see also Value semantics) ... [28.1]
Copying permissions (see also C++ FAQ Lite) ... [1], [1.3]
Copyright notice (see also C++ FAQ Lite) ... [1.2]
CORBA FAQ
HTML version ... [2.4]

Covariant Return Types ... [20.5]


Crash at runtime without any warning ... [11.5], [11.6], [16.2], [16.4], [16.11], [16.12], [17.5],
[20.4], [21.1], [21.4], [21.5], [31.1], [34.5]
create() methods (see Named Constructor Idiom) ... [10.8], [16.20], [16.23]
cstdio header ... [15.1]
Ctor (see also Constructors) ... [10]

"D" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Dangerous programming practices ... [11.5], [11.6], [11.10], [13.6], [16.2], [16.4], [16.11], [16.12],
[16.16], [17.5], [20.4], [21.1], [21.4], [21.5], [23.5], [31.1], [34.5]
Dangling else problems ... [34.1]
Declarations
Declare near first use ... [25.6]

List x(); declares a function, not an object ... [10.2]


Decompiling executables back into C++ source code ... [33.4]
Deducing template types ... [31.8]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (7 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Default parameters ... [10.3]


#define macros
Evil! ... [9.3], [27.3], [34.1], [34.2], [34.3]

Evil but sometimes useful ... [29.4], [30.5], [30.6]


See also Inline functions ... [9.1], [9.3], [26.2], [27.3], [29.4], [30.5], [30.6]
with if ... [34.1]
with multiple lines ... [34.2]
with token pasting ... [34.3]
delete ... [16.1]
delete p actually deletes *p, not p ... [16.1]
delete this ... [16.14]
delete[] uses magic ... [16.13], [33.6], [33.7]
delete[] vs. delete ... [16.11]
delete[] vs. delete for built-in types ... [16.12]
Deleting an array with delete[] ... [16.10]
Mixing with malloc() ... [16.2]
Derived classes ... [19.3]
Can access protected parts of Base ... [19.7]
Can't access private parts of Base ... [19.6]
Derived* to Base* conversion ... [19.4], [21.2]
Derived** to Base** conversion (invalid) ... [21.2]
Derived* to private Base* conversion (invalid) ... [24.4]
Design books ... [26.8]
Destructors ... [11], [16.8], [16.13], [33.6], [33.7]
Base class subobjects are automagically destructed ... [11.12]
Calling a virtual from ... [23.3]
Can't be overloaded ... [11.4]
Coding standards concerning ... [25.9]
Controlling lifetimes of locals ... [11.6], [11.7], [11.8]
Explicitly calling them (Don't!) ... [11.5], [11.6], [11.9]
Explicitly calling them (OK sometimes) ... [11.10]
Last rites ... [11.1]
Member objects are automagically destructed ... [11.11]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (8 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Order of destruction for array elements ... [11.3]


Order of destruction for locals ... [11.2]
Throwing an exception from (beware!) ... [11.13], [17.3]
virtual destructor coding standard ... [20.4]
Dijkstra ... [5.3]
Directory separator: use "/", not "\" ... [15.11], [34.4]
Downloading
HTML version of C++ FAQ Lite ... [2.2]

HTML version of this document ... [2.1]


Plaintext version of C++ FAQ Lite ... [2.3]
Why it's done via email ... [2.4]
Dtor (see also Destructors) ... [11]
Dynamic
Dynamic binding ... [6.7], [20.2], [20.3]

dynamic_cast ... [31.3]


Dynamic length arrays ... [16.19]
Dynamic typing ... [20.2], [27.2], [27.3], [32.5], [32.6]

"E" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Ellemtel coding guidelines (see also Coding standards) ... [25.11]
Ellipses vs. Circles ... [21.6], [21.7], [21.8], [21.9], [21.10]
Encapsulation ... [6.7], [7]
Definition ... [7.4]
Hides stuff from code, not from people ... [7.6]
Not necessarily violated by friends ... [14.2]
Security vs. Encapsulation ... [7.7]
End-of-file (see Input/output) ... [15.2], [15.4]
Equation parsing in C++ ... [5.3]
Error codes (AKA "Return codes") ... [17.1], [17.2]
Etiquette (see also Netiquette) ... [5]
Evil things
Macros ... [9.3], [27.3], [34.1], [34.2], [34.3]

Exceptions ... [17]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (9 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Compared to return-codes and if ... [17.1]


Constructors can throw exceptions ... [17.2]
Destructors ... [11.13], [17.3]
Eliminate some if statements ... [17.1]
Example of throw; to re-throw current exception ... [16.9], [17.5], [33.6], [33.7]
Example of try ... catch ... [16.9], [17.5], [33.6], [33.7]
Member objects should be self-managing ... [17.4]
Stack unwinding ... [11.13], [17.3]
Executable size and inline functions ... [9.7]
Executables decompiling back to C++ source code ... [33.4]
extern C (see also C language) ... [29], [29.3]

"F" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Features of C++ from a business perspective ... [6.7]
Filenames
Extensions for header files ... [25.8]

Extensions for source code files ... [25.7]


Using "/" rather than "\" for directories ... [15.11], [34.4]
find_if (see also std::find_if) ... [32.3]
Floating point ... [34.8], [35.5]
for loop ... [34.5]
FORTRAN vs. C++ ... [6.4]
Forward declarations ... [34.9]
Inline functions ... [34.11]
Member object containment ... [34.10]
Templates ... [34.12]
Free C++ compiler ... [33.1]
free() (see also Freestore) ... [16.2]
Freestore ... [16]
Allocating an array with new T[n] ... [16.10]
Automating a NULL test ... [16.6]
delete handles NULL automatically ... [16.7]
delete has two steps ... [16.8]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (10 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

delete this ... [16.14]


delete[] uses magic ... [16.13], [33.6], [33.7]
delete[] vs. delete ... [16.11]
delete[] vs. delete for built-in types ... [16.12]
Deleting an array with delete[] ... [16.10]
Garbage collectors ... [16.25], [16.26], [16.27]
Mixing malloc() and delete ... [16.2]
Mixing new and free() ... [16.2]
Multi-dimensional arrays ... [16.15], [16.16]
new has two steps ... [16.9]
new never returns NULL ... [16.5]
Placement new ... [11.10], [16.9]
Prohibiting local objects ... [16.20]
realloc() ... [16.4]
Reference counting ... [16.21], [16.22], [16.23], [16.24]
Runtime costs of heap ... [28.4], [28.5]
std::bad_alloc ... [16.5], [16.6]
std::set_new_handler ... [16.6]
Why use new rather than malloc() ... [16.3]
French translation of this document ... [2.7]
Friends ... [14]
Are not evil ... [15.7]
Choosing between members and friends ... [14.5]
Definition of friend ... [14.1]
friend doesn't necessarily violate encapsulation ... [14.2]
Friendship privileges aren't inherited ... [14.4]
Friendship privileges aren't reciprocal ... [14.4]
Friendship privileges aren't transitive ... [14.4]
Pros and cons of friends ... [14.3]
std::istream operator>> ... [15.8]
std::ostream operator<< ... [15.6], [15.7]
std::ostream operator<< (virtual) ... [15.9]
Virtual Friend Function Idiom ... [14.3], [15.9]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (11 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

From: line of a posting (see also Netiquette) ... [5.4]


FTP sites
128.231.128.7 ... [32.6]

butler.hpl.hp.com ... [32.2]


ftp.cs.rpi.edu ... [32.2]
ftp.cygnus.com ... [6.12]
ftp.germany.eu.net ... [35.2]
ftp.maths.warwick.ac.uk ... [6.12]
ftp.netlab.cs.rpi.edu ... [35.4]
ftp.research.att.com ... [6.12]
ftp.tex.ac.uk ... [35.2]
garbo.uwasa.fi ... [5.8]
oak.oakland.edu ... [5.8]
rtfm.mit.edu ... [5.9]
venus.ycc.yale.edu ... [35.2]
www.cs.rpi.edu ... [32.2]
www.cygnus.com ... [35.2]
www.maths.warwick.ac.uk ... [32.2]
Function templates ... [31.6], [31.7], [31.8]
FWIW (Acronym) ... [5.1]
FYI (Acronym) ... [5.1]

"G" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Garbage collector ... [16.25]
Conservative ... [16.26]
Hybrid ... [16.26]
Web sites ... [16.27]
Generalization (see also Inheritance) ... [19.3]
Generalized pointers: Handles ... [8.7]
Genericity (see also Templates) ... [31.10]
Global variables: Just Say No! ... [34.5]
GNU
emacs ... [35.3]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (12 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

g++ ... [5.8]


Grammar for C++, Yaccable ... [33.10]
Graphics ... [5.8]
grind (see Pretty printing) ... [35.2]

"H" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Handles as generalized pointers ... [8.7]
Has-a (see also Composition) ... [19.2], [24.2]
Header files
Filename extensions ... [25.8]

Standard headers ... [25.4]


Heap-sort ... [5.3]
Heat vs. light ... [25.1]
Heterogeneous containers ... [31.3]
Hiding inherited public features ... [21.1], [21.6], [21.7], [21.8], [21.9]
Hiding rule ... [23.5]
Homework problems ... [5.2], [5.3]
Homogeneous containers ... [31.3]
Hostility ... [29.10]
How to learn OO/C++ ... [26]
HTML version of C++ FAQ Lite ... [2.2]
HTML version of the CORBA FAQ ... [2.4]
Hybrid garbage collectors ... [16.26]
Hybrid OO programming languages ... [26.3]
Hype ... [6.3]

"I" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Idioms
Construct On First Use Idiom ... [10.12], [10.13]

Named Constructor Idiom ... [10.8], [16.20], [16.23]


Named Parameter Idiom ... [10.15]
Virtual Constructor Idiom ... [16.23], [20.5], [22.5]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (13 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

Virtual Friend Function Idiom ... [15.9]


if
Some are eliminated by try / catch / throw ... [17.1]
Unnecessary ifs increase bugs, cost, time-to-market ... [17.1]
within macros ... [34.1]
IMAO (Acronym) ... [5.1]
IMHO (Acronym) ... [5.1]
Immutable (const) pointers ... [18.5]
IMNSHO (Acronym) ... [5.1]
IMO (Acronym) ... [5.1]
Imperfect programming languages ... [6.2]
#include
Including C headers ... [29.2], [29.3], [29.4]

Use forward slash "/", not backslash "\" ... [34.4]


indent (see Pretty printing) ... [35.2]
Indirection, Extra layers of ... [28.5]
Infix operators ... [5.3]
Inheritance ... [6.7], [19], [20], [21], [22], [23]
Abstract base classes (ABCs) ... [22], [22.2], [22.3]
Access of private: by derived ... [19.6]
Access of protected: and private: ... [19.5]
Access of protected: by derived ... [19.7]
Array of Derived vs. of Base ... [21.4]
Calling virtuals from constructors ... [23.3]
Calling virtuals from non-virtuals in the base class ... [23.1], [23.2]
Circle vs. Ellipse ... [21.6], [21.7], [21.8], [21.9], [21.10]
Derived* to Base* conversion ... [19.4], [21.2]
Derived** to Base** conversion (invalid) ... [21.2]
Derived* to private Base* conversion (invalid) ... [24.4]
Differences between C++ and Smalltalk inheritance ... [27.4]
Friendship privileges are not inherited ... [14.4]
Hiding inherited public features ... [21.1]
Hiding rule ... [23.5]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (14 of 30) [3/16/2002 9:54:02 ;-]]


Subject Index, C++ FAQ Lite

How to code inheritance ... [19.3]


Importance of inheritance ... [19.1]
Is-a-kind-of ... [19.2]
Multiple inheritance ... [6.7], [11.12], [24.2], [29.8], [29.9], [33.8], [33.11]
Old code calls new code ... [6.9]
Parking-lot of Car vs. of Vehicle ... [21.3]
private inheritance ... [24], [24.1]
private inheritance access rules ... [24.6]
private inheritance vs. composition ... [24.2], [24.3]
protected inheritance access rules ... [24.6]
protected vs. private inheritance ... [24.5]
Pure virtual functions ... [22.4]
Redefining non-virtuals ... [23.4]
Smalltalk differences ... [27.5]
Specification device ... [19.2]
virtual constructors ... [16.23], [20.5], [22.5]
virtual data ... [28.2], [28.3]
virtual destructor coding standard ... [20.4]
virtual functions ... [20.1]
virtual functions are central to OO ... [6.8]
virtual inheritance ... [11.12], [29.8], [29.9], [33.8], [33.11]
What your Mother didn't tell you ... [23]
When to use inheritance ... [19.2]
Initialization lists (see also Coding standards) ... [10.6], [25.9]
Initialization of a static member datum ... [10.9], [10.10], [10.11], [10.12], [10.13]
Inline functions ... [9]
Better than #define macros ... [9.3]
Can decrease executable size ... [9.7]
Can degrade performance ... [9.7]
Can increase executable size ... [9.7]
Defined outside class body ... [9.5]
Defined within class body ... [9.6]
Forward declarations ... [34.11]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (15 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Inlining virtual functions ... [28.5], [28.6]


Like a #define macro ... [9.1]
Member functions ... [9.5]
Non-member functions ... [9.4]
Safety without loss of speed ... [6.7], [9.2]
Input/output ... [15]
Binary mode on MS-DOS ... [15.10]
std::istream and eof ... [15.2], [15.4]
std::istream and if (std::cin >> foo) ... [15.13]
std::istream and if (std::cout << foo) ... [15.12]
std::istream and invalid input characters ... [15.2]
std::istream and while (std::cin >> foo) ... [15.3]
std::istream operator>> ... [15.8]
std::istream remembers bad state ... [15.5]
std::ostream operator<< ... [15.6], [15.7]
std::ostream operator<< (virtual) ... [15.9]
Inspector methods ... [18.9]
Installed base of C++: size ... [6.5], [6.7]
Interfaces
A simplified view in the user's vocabulary ... [7.3]

Abstract base classes (ABCs) ... [22.2]


Design interfaces from the outside-in ... [13.10]
Goal of interface design ... [7.4]
More valuable than implementation ... [22.1]
protected interface ... [19.7]
Separate from implementation ... [22.2]
Intrinsic (built-in) types ... [10.6], [10.11], [10.12], [10.13], [13.6], [15.12], [16.12], [16.19], [25.9]
Intuition isn't always correct ... [21.3], [21.4], [21.6], [21.7], [21.8], [21.9]
Invalid input characters (see Input/output) ... [15.2]
iostream.h (see "iostream header") ... [15.1]
iostream header ... [15.1]
Is-a-kind-of (see also Inheritance) ... [19.2]
ISO ... [6.11]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (16 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

ISO C ... [6.10]


ISO C++ ... [6.12]
ISO C++ committee "WG21" ... [6.11]
istringstream ... [15.13]
Iterators ... [31.4]

"J" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Java vs. C++ ... [6.4]

"K" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Kind-of (see also Inheritance) ... [19.2]
Kruskal ... [5.3]
KUTGW (Acronym) ... [5.1]

"L" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Language wars ... [6.4]
Large executables ... [32.8], [33.9]
Last rites (see also Destructors) ... [11.1]
LaTeX
C++2LaTeX pretty printer ... [35.2]

Macros for "C++" ... [35.1]


Law of the Big Three ... [16.16], [22.5], [25.9]
Layer of indirection ... [28.5]
Learning OO/C++ ... [26]
Learning OO/C++
How long does it take ... [6.6]

No need to learn C first ... [26.2]


No need to learn Smalltalk first ... [26.3]
Legal mumbo jumbo
Author ... [1.1]

Copying permissions ... [1.3]


Copyright notice ... [1.2]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (17 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

No Warranty ... [1.4]


Trademarks ... [1.5]
Legality books on C++ ... [26.4], [26.6]
Length of time needed to learn OO/C++ ... [6.6]
lgrind (see Pretty printing) ... [35.2]
Libraries FAQ ... [32.9]
Libraries ... [32]
Dynamically typed C++ libraries ... [32.5], [32.6]
Large executables ... [32.8], [33.9]
Numerical Recepies ... [32.7]
STL ... [32.1], [32.2], [32.4]
Lifetime of objects
Controlling lifetime of locals ... [11.6], [11.7], [11.8]

In heterogeneous containers ... [31.3]


Order of destruction for array elements ... [11.3]
Order of destruction for locals ... [11.2]
Register liveness ... [28.5]
Rule for for loop variables ... [34.5]
Using friend classes to achieve separate lifetimes ... [14.2]
Linker errors ... [10.10], [23.6], [29.7], [35.5]
Logical Interface different from Physical Layout ... [13.9]

"M" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Macros (see also #define macros) ... [9.3]
malloc()
(See also Freestore) ... [16.2]

Why new is preferred over malloc() ... [16.3]


Managerial issues ... [6]
Business-centricity vs. Techno-centricity ... [6.4]
C++ is a practical tool ... [6.1]
C++ is not a perfect tool ... [6.2]
Length of time needed to learn OO/C++ ... [6.6]
Size of the installed base ... [6.5]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (18 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Some advantages of OO ... [6.3]


Standardization of C++ ... [6.11], [6.12]
map<Key,Value> (see also std::map<Key,Value>) ... [8.7], [31.2]
Maseratti ... [27.5]
Matrix subscript operator ... [13.8], [13.9]
Member object containment ... [34.10]
Mentoring ... [6.6], [26.1]
Merge-sort ... [5.3]
Method chaining ... [8.4], [10.15]
MFC
FAQ ... [33.2]
Status bar ... [33.3]
Microsoft Windows ... [5.8], [15.10], [35.4]
Minimize the ripple effect ... [8.7]
Minimum Spanning Trees in C++ ... [5.3]
Mirror sites (see also This document) ... [2]
Mixing
Mixing C and C++ code (see also C language) ... [29]

Mixing malloc() and delete ... [16.2]


Mixing new and free() ... [16.2]
Monolithic class hierarchies ... [32.5], [32.6]
Morality books on C++ ... [26.4], [26.5]
MS-DOS ... [5.8], [15.10], [35.4]
Multi-dimensional arrays
Using pointers ... [16.15]

Using specific classes ... [16.16]


Using templates ... [16.17], [16.18]
Multiple
Multiple encapsulated instances ... [6.7], [7.5], [31.4]

Multiple inheritance ... [6.7], [11.12], [24.2], [29.8], [29.9], [33.8], [33.11]
mutable ... [18.10]
Mutator methods ... [18.9]
MYOB (Acronym) ... [5.1]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (19 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

"N" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
"name2()" macro for token pasting ... [34.3]
Named Constructor Idiom ... [10.8], [16.20], [16.23]
Named Parameter Idiom ... [10.15]
NCITS ... [6.12]
Netiquette ... [5]
From: line of a posting ... [5.4]
General netiquette ... [5.4]
Getting and reading other FAQs ... [5.9]
Posting code ... [5.7]
Reply-to: line of a posting ... [5.4]
Selecting an appropriate newsgroup ... [5.8]
Subject: line of a posting ... [5.6]
new
Advantages over malloc() ... [16.3]
Allocating an array with new T[n] ... [16.10]
Mixing with free() ... [16.2]
(See also Freestore) ... [16.1]
New handler (see also Freestore) ... [16.6]
Newsgroups
comp.graphics ... [5.8]

comp.lang.c ... [5.8]


comp.lang.c++ ... [5.8]
comp.lang.c++.moderated ... [5.8]
comp.object ... [5.8]
comp.os.ms-windows.programmer.misc ... [5.8]
comp.os.ms-windows.programmer.tools.* ... [5.8]
comp.os.msdos.programmer ... [5.8], [35.4]
comp.os.msdos.programmer.turbovision ... [5.8]
comp.programming ... [5.8]
comp.sources.wanted ... [5.8]
comp.std.c++ ... [5.8]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (20 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

comp.sys.mac.oop.* ... [5.8]


comp.sys.mac.programmer.* ... [5.8]
comp.unix.programmer ... [5.8], [35.4]
comp.unix.solaris ... [5.8]
comp.windows.ms.programmer ... [35.4]
gnu.g++.bug ... [5.8]
gnu.g++.help ... [5.8]
NIHCL (National Institute of Heath Class Library) ... [32.6]
No Warranty (see also C++ FAQ Lite) ... [1.4]
Non-virtual
Calling a virtual ... [23.1], [23.2]

Nuclear submarine ... [21.2]


NULL ... [16.5], [16.6]
Numerical Recepies code ... [32.7]

"O" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Object ... [7.2]
Object-oriented: So what? ... [6.3]
Old code calls new code ... [6.9]
OO design books ... [26.8]
?: operator ... [25.5]
operator<< ... [8.4], [15.12]
operator>> ... [15.3], [15.13]
Operator ?: ... [25.5]
Operator overloading ... [6.7], [13]
Assignment operator ... [12], [22.5]
Can't invent new operators ... [13.7]
Can't replace behavior on built-ins ... [13.6]
Coding standards ... [25.9]
Does help the users of a class ... [13.2]
Does not help the developer of a class ... [13.4]
Examples ... [13.3]
operator!= ... [13.10]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (21 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

operator() ... [13.8], [13.9]


operator+ ... [13.1]
operator++ ... [13.10]
operator-> ... [8.7], [16.21], [16.24]
operator[] ... [13.8], [13.9]
operator delete(void*) ... [16.8], [16.11]
operator delete[](void*) ... [16.11]
operator* (dereference operator) ... [8.7], [13.10], [16.21], [16.24]
operator* (multiply operator) ... [13.1]
operator new(size_t) ... [16.9]
operator>> (std::istream input) ... [15.3], [15.8], [15.13]
operator<< (std::ostream output) ... [15.6], [15.7], [15.12]
operator<< (std::ostream output; virtual) ... [15.9]
Purpose of operator overloading ... [13.1]
Self-assignment ... [12.1], [12.2], [12.3]
Which operators can be overloaded ... [13.5]
Optimization
const_cast ... [18.11]

Order of static constructors ... [10.11], [10.12], [10.13]


OS/2 ... [15.10]
ostringstream ... [15.12]
OTOH (Acronym) ... [5.1]
Overloading
Can't overload by return type ... [34.6]

Operators (see Operator overloading) ... [6.7]

"P" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Paradigm shifts ... [6.6], [29.10]
Parameterized types (see also Templates) ... [31.9]
Parameters, named vs. positional ... [10.15]
Parking lots ... [21.3]
Parser for C++ ... [33.10]
Part-of (see also Composition) ... [19.2], [24.2]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (22 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Pascal vs. C++ ... [6.4]


Passing parameters
By pointer ... [8.1]

By reference ... [8.1], [28.8]


By value ... [28.8]
Perfect programming languages ... [6.2]
Permissions to copy this document ... [1]
Permutations ... [5.3]
Persistence ... [32.5], [32.6], [34.7]
Physical Layout different from Logical Interface ... [13.9]
Placement new ... [16.9]
Plaintext version of C++ FAQ Lite ... [2.3], [2.4]
Pointer semantics (see also Reference semantics) ... [28.1]
Pointer-to-const ... [18.4], [18.5], [18.13]
Pointer to function (see Pointer to member) ... [30.1]
Pointer to member ... [30]
Address of a C++ method ... [30.4]
Array of pointer-to-member ... [30.6]
Contrast to pointer-to-function ... [30.1]
Converting to pointer-to-function ... [30.2], [30.3]
Passing as pointer-to-function ... [30.2]
Pointers: Generalized as Handles ... [8.7]
Pointers vs. references ... [8.6]
Polymorphism ... [6.7], [20.2]
Portuguese translation of this document ... [2.6]
Positional parameter vs. named parameters ... [10.15]
Postfix operators ... [5.3]
Posting code (see also Netiquette) ... [5.7]
Pragmatics ... [6.1]
Precedence ... [13.7]
Prepare to die! (see also Destructors) ... [11.1]
Pretty printing
A2PS ... [35.2]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (23 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Artistic Style ... [35.2]


C++2LaTeX ... [35.2]
C-Clearly ... [35.2]
GNU indent ... [35.2]
tgrind ... [35.2]
Prim ... [5.3]
printOn() method called by operator<< ... [15.7]
private inheritance ... [24], [24.1]
Access rules ... [24.6]
Compared with composition ... [24.2]
Criteria for private inheritance vs. composition ... [24.3]
Derived* to private Base* conversion (invalid) ... [24.4]
private vs. protected inheritance ... [24.5]
private: members ... [19.5], [19.6]
Proficiency in OO/C++: How long does it take ... [6.6]
Programming-by-example books on C++ ... [26.4], [26.7]
protected inheritance
Access rules ... [24.6]

protected vs. private inheritance ... [24.5]


protected: members ... [19.5]
The protected: interface ... [19.7]
public: inheritance ... [19], [20], [21], [22], [23]
public: members ... [19.5]
The public: interface ... [19.7]
Pure OO programming languages ... [26.3]
Pure virtual functions ... [22.3], [22.4]

"Q" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Quick-sort ... [5.3]

"R" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
realloc() (see also Freestore) ... [16.4]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (24 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Recent changes to this document (see also C++ FAQ Lite) ... [4]
Reciprocal: Friendship privileges are not ... [14.4]
Redefining non-virtuals ... [23.4]
Reference counting
Can it be suverted? ... [16.24]

Copy on write ... [16.22], [16.23]


Pointer semantics ... [16.21]
Reference semantics ... [16.22]
Reference semantics for a hierarchy ... [16.23]
Reference semantics ... [28], [28.7], [28.8]
References ... [8]
Assigning a reference ... [8.2]
References to const ... [18.1], [18.6]
References vs. pointers ... [8.6]
Reseating a reference ... [8.5], [18.7], [18.8]
Returning a reference ... [8.3], [8.4], [10.15]
Referent ... [8.2], [8.5], [28.2]
Reply-to: line of a posting (see also Netiquette) ... [5.4]
Reseating a reference ... [8.5], [18.7], [18.8]
Return codes
Can't be used from constructors ... [17.2]

Using try / catch / throw instead ... [17.1]


Return type ... [34.6]
Returning a reference ... [8.3], [8.4], [10.15]
Ripple effect: Minimize it! ... [8.7]
Row-major order ... [13.9]
RTFM (Acronym) ... [5.1]
rtfm.mit.edu ... [5.9]
Runtime crashes without any warning ... [11.5], [11.6], [16.2], [16.4], [16.11], [16.12], [17.5],
[20.4], [21.1], [21.4], [21.5], [31.1], [34.5]
Russian translation of this document ... [2.8]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (25 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

"S" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Security vs. Encapsulation (see also Encapsulation) ... [7.7]
Self-assignment ... [12.1], [12.2], [12.3], [25.9]
Self-cleaning member objects ... [17.4]
set_new_handler (see also Freestore) ... [16.6]
Short-courses (one 40 hour workweek) ... [6.6]
Shortest path in C++ ... [5.3]
Size of the C++ installed base ... [6.5], [6.7]
Smalltalk ... [27]
Differences with C++ ... [27.1]
Dynamic type checking ... [27.2]
Inheritance differences ... [27.4], [27.5]
Language wars vs. C++ ... [6.4]
Not an efficient way to learn OO/C++ ... [26.3]
Smart pointers ... [13.3], [16.21], [17.4]
SO (Acronym) ... [5.1]
Solaris ... [5.8]
Sorting in C++ ... [5.3]
Source filename extensions ... [25.7]
Spanning Trees in C++ ... [5.3]
Specialization (see also Inheritance) ... [19.3]
Stack unwinding during exception handling ... [11.13], [17.3]
Standard headers ... [25.4]
Standardization issues ... [5.8], [6.11], [6.12], [27.1]
Static
Common linker errors due to static data members ... [10.10]
Define static data members explicitly ... [10.9], [10.10]
Initialization order fiasco ... [10.11], [10.12], [10.13]
Named Constructor Idiom using static ... [10.8], [16.20], [16.23]
static at file-scope (Don't!) ... [7.5]
Static binding ... [20.2], [20.3]
static create() methods ... [10.8], [16.20], [16.23]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (26 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Static typing ... [20.2], [27.2], [27.3]


Status bar with MFC ... [33.3]
std::bad_alloc (see also Freestore) ... [16.5], [16.6]
std::find_if ... [32.3]
std::map<Key,Value> (see also STL) ... [8.7], [31.2]
std::set_new_handler (see also Freestore) ... [16.6]
std::string: Better than char* ... [13.6], [17.5]
std::vector<T> (see also STL) ... [10.5], [16.18], [16.19], [21.4], [21.5], [31.1], [32.3]
stdio.h (see "cstdio header") ... [15.1]
STL ... [32.3]
Access to on-line help ... [32.4]
FTP sites ... [32.2]
std::map<Key,Value> ... [31.2]
std::vector<T> ... [10.5], [16.18], [16.19], [21.4], [21.5], [31.1], [32.3]
Striding the cache (see Cache Misses) ... [13.9]
string (see also std::string) ... [13.6]
stringstream ... [15.12], [15.13]
struct ... [7.1], [7.8]
Style guidelines (see Coding standards) ... [25]
Subclass
Derived classes that aren't subtypes ... [27.5]

See also Derived classes ... [19.3]


Subject: line of a posting (see also Netiquette) ... [5.6]
Submarines, Nuclear ... [21.2]
Subscript operator for Matrix ... [13.8], [13.9]
Substitutability ... [21.3], [21.4], [21.6], [21.7], [21.8], [21.9]
Subtypes that aren't derived classes ... [27.5]
Superclass (see also Inheritance) ... [19.3]
Syntactic sugar ... [13.1]

"T" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
.tar.gz (see Downloading) ... [2.2], [2.3], [2.4]
.tar.Z (see Downloading) ... [2.2], [2.3], [2.4]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (27 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Templates ... [31]


Basics of templates ... [31.5]
Class template is a family of classes ... [31.6]
Deducing template types ... [31.8]
Forward declarations ... [34.12]
Function template is a family of functions ... [31.7], [31.8]
Genericity ... [31.10]
Multi-dimensional arrays ... [16.17], [16.18]
Parameterized types ... [31.9]
terminate() ... [17.3]
Ternary operator: ?: ... [25.5]
TeX macros for "C++" ... [35.1]
tgrind (see Pretty printing) ... [35.2]
This document (see also C++ FAQ Lite) ... [3]
this used in constructors ... [10.7]
throw ... [16.5], [16.6]
To-the-power-of operator** (Can't!) ... [13.7]
Todd Hoff's coding guidelines (see also Coding standards) ... [25.11]
## = token pasting ... [34.3]
Token pasting via ## ... [34.3]
Trademarks ... [1.5]
Training ... [6.6]
Transitivity: Friendship privileges are not ... [14.4]
Type safety
Comparison with Smalltalk ... [27.2]

Const correctness ... [18.2]


Static vs. dynamic typing ... [20.2]
typeid() ... [31.3]

"U" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Uncompiling executables back into C++ source code ... [33.4]
Unix ... [5.8], [35.4]
Unresolved external (see also Linker errors) ... [23.6]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (28 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

Usenet newsgroups (see also Newsgroups) ... [5.8]

"V" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
v-pointer (see also virtual) ... [20.3], [33.8]
v-table (see also virtual) ... [20.3], [21.4], [23.6], [33.8]
Value semantics ... [28], [28.7], [28.8]
vector<T> (see also std::vector<T>) ... [10.5], [16.18], [16.19], [21.4], [21.5], [31.1],
[32.3]
Version numbers to the "language" ... [33.11]
virtual
Binary compatibility of virtual functions ... [33.8]

Calling virtual functions from constructors ... [23.3]


Calling virtual functions from destructors ... [23.3]
Calling virtual functions from non-virtuals in the base class ... [23.1], [23.2]
Inlining virtual functions ... [28.5], [28.6]
Pure virtual functions ... [22.3], [22.4]
Redefining non-virtual member functions ... [23.4]
v-pointer (virtual pointer) ... [20.3], [33.8]
v-table (virtual table) ... [20.3], [21.4], [23.6], [33.8]
Virtual Constructor Idiom ... [16.23], [20.5], [22.5]
virtual data ... [28.2], [28.3]
virtual destructor coding standard ... [20.4], [25.9]
Virtual Friend Function Idiom ... [14.3], [15.9]
virtual functions ... [20]
virtual functions are central to OO ... [6.8]
virtual functions let old code call new code ... [6.9]
virtual functions, purpose of ... [20.1]
virtual inheritance ... [11.12], [29.8], [29.9], [33.8], [33.11]
Visual Basic vs. C++ ... [6.4]
Visual C++
FAQ ... [33.2]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (29 of 30) [3/16/2002 9:54:03 ;-]]


Subject Index, C++ FAQ Lite

"W" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Wars ... [25.1]
WWW sites of this document ... [2.1]

"X" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
X3 Secretariat ... [6.12]

"Y" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
Yaccable grammar ... [33.10]

"Z" [ Top | A | B | C | D | E | F | G | H | I | J | K | L | M | N | O | P | Q | R | S | T | U | V | W | X | Y | Z |
Bottom]
.zip (see Downloading) ... [2.2], [2.3], [2.4]
Zombie objects ... [17.2]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/subject-index.html (30 of 30) [3/16/2002 9:54:03 ;-]]


[28] Reference and value semantics, C++ FAQ Lite

[28] Reference and value semantics


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [28]:


[28.1] What is value and/or reference semantics, and which is best in C++?
[28.2] What is "virtual data," and how-can / why-would I use it in C++?
[28.3] What's the difference between virtual data and dynamic data?
[28.4] Should I normally use pointers to freestore allocated objects for my data members, or
should I use "composition"?
[28.5] What are relative costs of the 3 performance hits associated with allocating member objects
from the freestore?
[28.6] Are "inline virtual" member functions ever actually "inlined"?
[28.7] Sounds like I should never use reference semantics, right?
[28.8] Does the poor performance of reference semantics mean I should pass-by-value?

[28.1] What is value and/or reference semantics, and which is best in


C++?
With reference semantics, assignment is a pointer-copy (i.e., a reference). Value (or "copy") semantics
mean assignment copies the value, not just the pointer. C++ gives you the choice: use the assignment
operator to copy the value (copy/value semantics), or use a pointer-copy to copy a pointer (reference
semantics). C++ allows you to override the assignment operator to do anything your heart desires,
however the default (and most common) choice is to copy the value.
Pros of reference semantics: flexibility and dynamic binding (you get dynamic binding in C++ only when
you pass by pointer or pass by reference, not when you pass by value).
Pros of value semantics: speed. "Speed" seems like an odd benefit for a feature that requires an object
(vs. a pointer) to be copied, but the fact of the matter is that one usually accesses an object more than one
copies the object, so the cost of the occasional copies is (usually) more than offset by the benefit of
having an actual object rather than a pointer to an object.
There are three cases when you have an actual object as opposed to a pointer to an object: local objects,
global/static objects, and fully contained member objects in a class. The most important of these is
the last ("composition").
More info about copy-vs-reference semantics is given in the next FAQs. Please read them all to get a

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/value-vs-ref-semantics.html (1 of 6) [3/16/2002 9:54:04 ;-]]


[28] Reference and value semantics, C++ FAQ Lite

balanced perspective. The first few have intentionally been slanted toward value semantics, so if you
only read the first few of the following FAQs, you'll get a warped perspective.
Assignment has other issues (e.g., shallow vs. deep copy) which are not covered here.
[ Top | Bottom | Previous section | Next section ]

[28.2] What is "virtual data," and how-can / why-would I use it in


C++?
[Recently fixed the sentence just before Pros & Cons list (changed StretchableArray to StretchableStack)
thanks to Harri Klapuri (on 4/01). Click here to go to the next FAQ in the "chain" of recent changes.]

virtual data allows a derived class to change the exact class of a base class's member object.
virtual data isn't strictly "supported" by C++, however it can be simulated in C++. It ain't pretty, but
it works.
To simulate virtual data in C++, the base class must have a pointer to the member object, and the
derived class must provide a new object to be pointed to by the base class's pointer. The base class would
also have one or more normal constructors that provide their own referent (again via new), and the base
class's destructor would delete the referent.
For example, class Stack might have an Array member object (using a pointer), and derived class
StretchableStack might override the base class member data from Array to
StretchableArray. For this to work, StretchableArray would have to inherit from Array, so
Stack would have an Array*. Stack's normal constructors would initialize this Array* with a
new Array, but Stack would also have a (possibly protected:) constructor that would accept an
Array* from a derived class. StretchableStack's constructor would provide a
new StretchableArray to this special constructor.
Pros:
Easier implementation of StretchableStack (most of the code is inherited)
Users can pass a StretchableStack as a kind-of Stack
Cons:
Adds an extra layer of indirection to access the Array
Adds some extra freestore allocation overhead (both new and delete)
Adds some extra dynamic binding overhead (reason given in next FAQ)
In other words, we succeeded at making our job easier as the implementer of StretchableStack,
but all our users pay for it. Unfortunately the extra overhead was imposed on both users of
StretchableStack and on users of Stack.
Please read the rest of this section. (You will not get a balanced perspective without the others.)
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/value-vs-ref-semantics.html (2 of 6) [3/16/2002 9:54:04 ;-]]


[28] Reference and value semantics, C++ FAQ Lite

[28.3] What's the difference between virtual data and dynamic


data?
[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

The easiest way to see the distinction is by an analogy with virtual functions: A virtual member
function means the declaration (signature) must stay the same in derived classes, but the definition
(body) can be overridden. The overriddenness of an inherited member function is a static property of the
derived class; it doesn't change dynamically throughout the life of any particular object, nor is it possible
for distinct objects of the derived class to have distinct definitions of the member function.
Now go back and re-read the previous paragraph, but make these substitutions:
"member function" > "member object"

"signature" > "type"

"body" > "exact class"

After this, you'll have a working definition of virtual data.


Another way to look at this is to distinguish "per-object" member functions from "dynamic" member
functions. A "per-object" member function is a member function that is potentially different in any given
instance of an object, and could be implemented by burying a function pointer in the object; this pointer
could be const, since the pointer will never be changed throughout the object's life. A "dynamic"
member function is a member function that will change dynamically over time; this could also be
implemented by a function pointer, but the function pointer would not be const.
Extending the analogy, this gives us three distinct concepts for data members:
virtual data: the definition (class) of the member object is overridable in derived classes
provided its declaration ("type") remains the same, and this overriddenness is a static property of
the derived class
per-object-data: any given object of a class can instantiate a different conformal (same type)
member object upon initialization (usually a "wrapper" object), and the exact class of the member
object is a static property of the object that wraps it
dynamic-data: the member object's exact class can change dynamically over time

The reason they all look so much the same is that none of this is "supported" in C++. It's all merely
"allowed," and in this case, the mechanism for faking each of these is the same: a pointer to a (probably
abstract) base class. In a language that made these "first class" abstraction mechanisms, the difference
would be more striking, since they'd each have a different syntactic variant.
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/value-vs-ref-semantics.html (3 of 6) [3/16/2002 9:54:04 ;-]]


[28] Reference and value semantics, C++ FAQ Lite

[28.4] Should I normally use pointers to freestore allocated objects


for my data members, or should I use "composition"?
Composition.
Your member objects should normally be "contained" in the composite object (but not always; "wrapper"
objects are a good example of where you want a pointer/reference; also the N-to-1-uses-a relationship
needs something like a pointer/reference).
There are three reasons why fully contained member objects ("composition") has better performance than
pointers to freestore-allocated member objects:
Extra layer of indirection every time you need to access the member object

Extra freestore allocations (new in constructor, delete in destructor)

Extra dynamic binding (reason given below)

[ Top | Bottom | Previous section | Next section ]

[28.5] What are relative costs of the 3 performance hits associated


with allocating member objects from the freestore?
The three performance hits are enumerated in the previous FAQ:
By itself, an extra layer of indirection is small potatoes

Freestore allocations can be a performance issue (the performance of the typical implementation of
malloc() degrades when there are many allocations; OO software can easily become "freestore
bound" unless you're careful)
The extra dynamic binding comes from having a pointer rather than an object. Whenever the C++
compiler can know an object's exact class, virtual function calls can be statically bound, which
allows inlining. Inlining allows zillions (would you believe half a dozen :-) optimization
opportunities such as procedural integration, register lifetime issues, etc. The C++ compiler can
know an object's exact class in three circumstances: local variables, global/static variables, and
fully-contained member objects
Thus fully-contained member objects allow significant optimizations that wouldn't be possible under the
"member objects-by-pointer" approach. This is the main reason that languages which enforce
reference-semantics have "inherent" performance challenges.
Note: Please read the next three FAQs to get a balanced perspective!
[ Top | Bottom | Previous section | Next section ]

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/value-vs-ref-semantics.html (4 of 6) [3/16/2002 9:54:04 ;-]]


[28] Reference and value semantics, C++ FAQ Lite

[28.6] Are "inline virtual" member functions ever actually


"inlined"?
Occasionally...
When the object is referenced via a pointer or a reference, a call to a virtual function cannot be
inlined, since the call must be resolved dynamically. Reason: the compiler can't know which actual code
to call until run-time (i.e., dynamically), since the code may be from a derived class that was created after
the caller was compiled.
Therefore the only time an inline virtual call can be inlined is when the compiler knows the "exact
class" of the object which is the target of the virtual function call. This can happen only when the
compiler has an actual object rather than a pointer or reference to an object. I.e., either with a local
object, a global/static object, or a fully contained object inside a composite.
Note that the difference between inlining and non-inlining is normally much more significant than the
difference between a regular function call and a virtual function call. For example, the difference
between a regular function call and a virtual function call is often just two extra memory references,
but the difference between an inline function and a non-inline function can be as much as an order
of magnitude (for zillions of calls to insignificant member functions, loss of inlining virtual functions
can result in 25X speed degradation! [Doug Lea, "Customization in C++," proc Usenix C++ 1990]).
A practical consequence of this insight: don't get bogged down in the endless debates (or sales tactics!) of
compiler/language vendors who compare the cost of a virtual function call on their
language/compiler with the same on another language/compiler. Such comparisons are largely
meaningless when compared with the ability of the language/compiler to "inline expand" member
function calls. I.e., many language implementation vendors make a big stink about how good their
dispatch strategy is, but if these implementations don't inline member function calls, the overall system
performance would be poor, since it is inlining not dispatching that has the greatest performance
impact.
Note: Please read the next two FAQs to see the other side of this coin!
[ Top | Bottom | Previous section | Next section ]

[28.7] Sounds like I should never use reference semantics, right?


Wrong.
Reference semantics are A Good Thing. We can't live without pointers. We just don't want our s/w to be
One Gigantic Rats Nest Of Pointers. In C++, you can pick and choose where you want reference
semantics (pointers/references) and where you'd like value semantics (where objects physically contain
other objects etc). In a large system, there should be a balance. However if you implement absolutely
everything as a pointer, you'll get enormous speed hits.
Objects near the problem skin are larger than higher level objects. The identity of these "problem space"
abstractions is usually more important than their "value." Thus reference semantics should be used for

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/value-vs-ref-semantics.html (5 of 6) [3/16/2002 9:54:04 ;-]]


[28] Reference and value semantics, C++ FAQ Lite

problem-space objects.
Note that these problem space objects are normally at a higher level of abstraction than the solution space
objects, so the problem space objects normally have a relatively lower frequency of interaction.
Therefore C++ gives us an ideal situation: we choose reference semantics for objects that need unique
identity or that are too large to copy, and we can choose value semantics for the others. Thus the highest
frequency objects will end up with value semantics, since we install flexibility where it doesn't hurt us
(only), and we install performance where we need it most!
These are some of the many issues the come into play with real OO design. OO/C++ mastery takes time
and high quality training. If you want a powerful tool, you've got to invest.
Don't stop now! Read the next FAQ too!!
[ Top | Bottom | Previous section | Next section ]

[28.8] Does the poor performance of reference semantics mean I


should pass-by-value?
[Recently renamed "subclass" to "derived class" (on 7/00). Click here to go to the next FAQ in the "chain" of recent
changes.]

Nope.
The previous FAQ were talking about member objects, not parameters. Generally, objects that are part of
an inheritance hierarchy should be passed by reference or by pointer, not by value, since only then do
you get the (desired) dynamic binding (pass-by-value doesn't mix with inheritance, since larger derived
class objects get "sliced" when passed by value as a base class object).
Unless compelling reasons are given to the contrary, member objects should be by value and parameters
should be by reference. The discussion in the previous few FAQs indicates some of the "compelling
reasons" for when member objects should be by reference.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/value-vs-ref-semantics.html (6 of 6) [3/16/2002 9:54:04 ;-]]


[20] Inheritance virtual functions, C++ FAQ Lite

[20] Inheritance virtual functions


(Part of C++ FAQ Lite, Copyright 1991-2001, Marshall Cline,
cline@parashift.com)

FAQs in section [20]:


[20.1] What is a "virtual member function"?
[20.2] How can C++ achieve dynamic binding yet also static typing?
[20.3] What's the difference between how virtual and non-virtual member functions are
called?
[20.4] When should my destructor be virtual?
[20.5] What is a "virtual constructor"?

[20.1] What is a "virtual member function"?


From an OO perspective, it is the single most important feature of C++: [6.8], [6.9].

A virtual function allows derived classes to replace the implementation provided by the base class.
The compiler makes sure the replacement is always called whenever the object in question is actually of
the derived class, even if the object is accessed by a base pointer rather than a derived pointer. This
allows algorithms in the base class to be replaced in the derived class, even if users don't know about the
derived class.
The derived class can either fully replace ("override") the base class member function, or the derived
class can partially replace ("augment") the base class member function. The latter is accomplished by
having the derived class member function call the base class member function, if desired.
[ Top | Bottom | Previous section | Next section ]

[20.2] How can C++ achieve dynamic binding yet also static typing?
When you have a pointer to an object, the object may actually be of a class that is derived from the class
of the pointer (e.g., a Vehicle* that is actually pointing to a Car object; this is called
"polymorphism"). Thus there are two types: the (static) type of the pointer (Vehicle, in this case), and
the (dynamic) type of the pointed-to object (Car, in this case).
Static typing means that the legality of a member function invocation is checked at the earliest possible
moment: by the compiler at compile time. The compiler uses the static type of the pointer to determine
whether the member function invocation is legal. If the type of the pointer can handle the member

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/virtual-functions.html (1 of 4) [3/16/2002 9:54:05 ;-]]


[20] Inheritance virtual functions, C++ FAQ Lite

function, certainly the pointed-to object can handle it as well. E.g., if Vehicle has a certain member
function, certainly Car also has that member function since Car is a kind-of Vehicle.
Dynamic binding means that the address of the code in a member function invocation is determined at
the last possible moment: based on the dynamic type of the object at run time. It is called "dynamic
binding" because the binding to the code that actually gets called is accomplished dynamically (at run
time). Dynamic binding is a result of virtual functions.
[ Top | Bottom | Previous section | Next section ]

[20.3] What's the difference between how virtual and non-virtual


member functions are called?
Non-virtual member functions are resolved statically. That is, the member function is selected
statically (at compile-time) based on the type of the pointer (or reference) to the object.
In contrast, virtual member functions are resolved dynamically (at run-time). That is, the member
function is selected dynamically (at run-time) based on the type of the object, not the type of the
pointer/reference to that object. This is called "dynamic binding." Most compilers use some variant of the
following technique: if the object has one or more virtual functions, the compiler puts a hidden
pointer in the object called a "virtual-pointer" or "v-pointer." This v-pointer points to a global table called
the "virtual-table" or "v-table."
The compiler creates a v-table for each class that has at least one virtual function. For example, if
class Circle has virtual functions for draw() and move() and resize(), there would be
exactly one v-table associated with class Circle, even if there were a gazillion Circle objects, and
the v-pointer of each of those Circle objects would point to the Circle v-table. The v-table itself has
pointers to each of the virtual functions in the class. For example, the Circle v-table would have three
pointers: a pointer to Circle::draw(), a pointer to Circle::move(), and a pointer to
Circle::resize().
During a dispatch of a virtual function, the run-time system follows the object's v-pointer to the
class's v-table, then follows the appropriate slot in the v-table to the method code.
The space-cost overhead of the above technique is nominal: an extra pointer per object (but only for
objects that will need to do dynamic binding), plus an extra pointer per method (but only for virtual
methods). The time-cost overhead is also fairly nominal: compared to a normal function call, a
virtual function call requires two extra fetches (one to get the value of the v-pointer, a second to get
the address of the method). None of this runtime activity happens with non-virtual functions, since
the compiler resolves non-virtual functions exclusively at compile-time based on the type of the
pointer.
Note: the above discussion is simplified considerably, since it doesn't account for extra structural things
like multiple inheritance, virtual inheritance, RTTI, etc., nor does it account for space/speed issues
such as page faults, calling a function via a pointer-to-function, etc. If you want to know about those
other things, please ask comp.lang.c++; PLEASE DO NOT SEND E-MAIL TO ME!

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/virtual-functions.html (2 of 4) [3/16/2002 9:54:05 ;-]]


[20] Inheritance virtual functions, C++ FAQ Lite

[ Top | Bottom | Previous section | Next section ]

[20.4] When should my destructor be virtual?


When you may delete a derived object via a base pointer.
virtual functions bind to the code associated with the class of the object, rather than with the class of
the pointer/reference. When you say delete basePtr, and the base class has a virtual destructor,
the destructor that gets invoked is the one associated with the type of the object *basePtr, rather than
the one associated with the type of the pointer. This is generally A Good Thing.
TECHNO-GEEK WARNING; PUT YOUR PROPELLER HAT ON.
Technically speaking, you need a base class's destructor to be virtual if and only if you intend to
allow someone to invoke an object's destructor via a base class pointer (this is normally done implicitly
via delete), and the object being destructed is of a derived class that has a non-trivial destructor. A
class has a non-trivial destructor if it either has an explicitly defined destructor, or if it has a member
object or a base class that has a non-trivial destructor (note that this is a recursive definition (e.g., a class
has a non-trivial destructor if it has a member object (which has a base class (which has a member object
(which has a base class (which has an explicitly defined destructor)))))).
END TECHNO-GEEK WARNING; REMOVE YOUR PROPELLER HAT
If you had a hard grokking the previous rule, try this (over)simplified one on for size: A class should
have a virtual destructor unless that class has no virtual functions. Rationale: if you have any
virtual functions at all, you're probably going to be doing "stuff" to derived objects via a base pointer,
and some of the "stuff" you may do may include invoking a destructor (normally done implicitly via
delete). Plus once you've put the first virtual function into a class, you've already paid all the
per-object space cost that you'll ever pay (one pointer per object; note that this is theoretically
compiler-specific; in practice everyone does it pretty much the same way), so making the destructor
virtual won't generally cost you anything extra.
[ Top | Bottom | Previous section | Next section ]

[20.5] What is a "virtual constructor"?


An idiom that allows you to do something that C++ doesn't directly support.
You can get the effect of a virtual constructor by a virtual clone() member function (for copy
constructing), or a virtual create() member function (for the default constructor).

class Shape {
public:
virtual ~Shape() { } // A virtual destructor
virtual void draw() = 0; // A pure virtual function
virtual void move() = 0;
// ...
virtual Shape* clone() const = 0; // Uses the copy constructor

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/virtual-functions.html (3 of 4) [3/16/2002 9:54:05 ;-]]


[20] Inheritance virtual functions, C++ FAQ Lite

virtual Shape* create() const = 0; // Uses the default constructor


};

class Circle : public Shape {


public:
Circle* clone() const { return new Circle(*this); }
Circle* create() const { return new Circle(); }
// ...
};
In the clone() member function, the new Circle(*this) code calls Circle's copy constructor
to copy the state of this into the newly created Circle object. In the create() member function,
the new Circle() code calls Circle's default constructor.

Users use these as if they were "virtual constructors":


void userCode(Shape& s)
{
Shape* s2 = s.clone();
Shape* s3 = s.create();
// ...
delete s2; // You probably need a virtual destructor here
delete s3;
}
This function will work correctly regardless of whether the Shape is a Circle, Square, or some
other kind-of Shape that doesn't even exist yet.
Note: The return type of Circle's clone() member function is intentionally different from the return
type of Shape's clone() member function. This is called Covariant Return Types, a feature that was
not originally part of the language. If your compiler complains at the declaration of
Circle* clone() const within class Circle (e.g., saying "The return type is different" or "The
member function's type differs from the base class virtual function by return type alone"), you have an
old compiler and you'll have to change the return type to Shape*.
[ Top | Bottom | Previous section | Next section ]

E-mail the author


[ C++ FAQ Lite | Table of contents | Subject index | About the author | | Download your own copy ]
Revised Apr 8, 2001

file:///E|/Resonance/Tutorials/Computers/C++/c++faq lite/virtual-functions.html (4 of 4) [3/16/2002 9:54:05 ;-]]

You might also like