voidAppendChar(std::string& s, char ch)
{
s += ch;
}
What happens if this function is exported as an ordinal function from a DLL (not an inlined piece of code inside a header) and you call it from an EXE?
It works most of the time. When it doesn’t, it corrupts your heap and causes a spectacular mess.
Now let’s say you want to pass a class’s member function to call_functor() above, as in:
1
2
3
4
5
6
7
classC{
voidfoo() { std::cout <<"foo()\n"; }
};
C c;
call_functor(/\* What do I put here? c.foo and &C::foo don't work \*/);
The STL has a pointer-to-member function adapter called std::mem_fun() which almost gets us there. Unfortunately, it doesn’t quite meet our needs because it requires us to pass a pointer to an instance of C, as in:
Answer: my_pair cannot be used as a key for a STL map because the operator< violates the rule of strict weak ordering. More specifically, the operator is not antisymmetric. Consider the following:
I recently wrote a piece of code that looked something like the following:
1
2
3
4
5
6
7
8
9
10
11
staticconstint NUM_TOTAL_VALUES = ...;
typedef ... T;
// Create vec and reserve NUM_TOTAL_VALUES spaces for later insertion
std::vector<T> vec(NUM_TOTAL_VALUES);
// Insert values into vec
for (int i =0; i != NUM_TOTAL_VALUES; ++i)
vec.push_back(...);
// vec should now have NUM_TOTAL_VALUES values in it (but doesn't!)
If my experience is typical, this is a very common construct:
1
2
3
4
5
6
7
8
9
10
11
12
13
ReturnType Function (
const std::vector<T>& container
)
{
typedef std::vector<T>::const_iterator iterator_t;
for (iterator_t iter = container.begin();
iter != container.end();
++iter)
{
// Work with *iter
}
}
The problem with this construct is that you have forced a container choice upon the user of your function. Slightly better, and basically your only choice when interoping with C, is this:
I’ve seen the following STL construct countless times:
1
2
3
4
std::vector<T> container;
for (int i =0; i < container.size(); ++i) {
// Work with container[i]
}
Unless otherwise necessary, it is better to use an STL iterator because it enables you to more easily change the underlying container. You can isolate the code changes required to one line by using typedef, as in: