Добавил:
Опубликованный материал нарушает ваши авторские права? Сообщите нам.
Вуз: Предмет: Файл:
Professional C++ [eng].pdf
Скачиваний:
284
Добавлен:
16.08.2013
Размер:
11.09 Mб
Скачать

Delving into the STL: Containers and Iterators

protected: RoundRobin<Host> rr;

};

LoadBalancer::LoadBalancer(const vector<Host>& hosts)

{

// Add the hosts.

for (size_t i = 0; i < hosts.size(); ++i) { rr.add(hosts[i]);

}

}

void LoadBalancer::distributeRequest(NetworkRequest& request)

{

try { rr.getNext().processRequest(request);

} catch (out_of_range& e) { cerr << “No more hosts.\n”;

}

}

The vector<bool> Specialization

The standard requires a partial specialization of vector for bools, with the intention that it optimize space allocation by “packing” the Boolean values. Recall that a bool is either true or false, and thus could be represented by a single bit, which can take on exactly two values. However, most C++ compilers make bools the same size as ints. The vector<bool> is supposed to store the “array of bools” in single bits, thus saving space.

You can think of the vector<bool> as a bit-field instead of a vector. The bitset container described below provides a more full-featured bit-field implementation than does vector<bool>. However, the benefit of vector<bool> is that it can change size dynamically.

In a half-hearted attempt to provide some bit-field routines for the vector<bool>, there is one additional method: flip(). This method can be called on either the container, in which case it negates all the elements in the container, or a single reference returned from operator[] or a similar method, in which case it negates that element.

At this point, you should be wondering how you can call a method on a reference to bool. The answer is that you can’t. The vector<bool> specialization actually defines a class called reference that serves as a proxy for the underlying bool (or bit). When you call operator[], at(), or a similar method, the vector<bool> returns a reference object, which is a proxy for the real bool.

The fact that references returned from vector<bool> are really proxies means that you can’t take their addressees to obtain pointers to the actual elements in the container. The proxy design pattern is covered in detail in Chapter 26.

583

Chapter 21

In practice, the little amount of space saved by packing bools hardly seems worth the extra effort. However, you should be familiar with this partial instantiation because of the additional flip() method, and because of the fact that references are actually proxy objects. Many C++ experts recommend avoiding vector<bool> in favor of the bitset, unless you really need a dynamically sized bit-field.

deque

The deque is almost identical to the vector, but is used far less frequently. The principle differences are:

The implementation is not required to store elements contiguously in memory.

The deque supports constant-time insertion and removal of elements at both the front and the back (the vector supports amortized constant time at just the back).

The deque provides push_front() and pop_front(), which the vector omits.

The deque does not expose its memory management scheme via reserve() or capacity().

Rarely will your applications require a deque, as opposed to a vector or list. Thus, we leave the details of the deque methods to the Standard Library Reference resource on the Web site.

list

The STL list is a standard doubly linked list. It supports constant-time insertion and deletion of elements at any point in the list, but provides slow (linear) time access to individual elements. In fact, the list does not even provide random access operations like operator[]. Only through iterators can you access individual elements.

Most of the list operations are identical to those of the vector, including the constructors, destructor, copying operations, assignment operations, and comparison operations. This section focuses on those methods that differ from those of vector. Consult the Standard Library Reference resource on the Web site for details on the list methods not discussed here.

Accessing Elements

The only methods provided by the list to access elements are front() and back(), both of which run in constant time. All other element access must be performed through iterators.

Lists do not provide random access to elements.

Iterators

The list iterator is bidirectional, not random access like the vector iterator. That means that you cannot add and subtract list iterators from each other, or perform other pointer arithmetic on them.

Adding and Removing Elements

The list supports the same element add and remove methods that does the vector, including push_back(), pop_back(), the three forms of insert(), the two forms of erase(), and clear().

584

Delving into the STL: Containers and Iterators

Like the deque, it also provides push_front() and pop_front(). The amazing thing about the list is that all these methods (except for clear()) run in constant time, once you’ve found the correct position. Thus, the list is appropriate for applications that perform many insertions and deletions from the data structure, but do not need quick index-based element access.

List Size

Like deques, and unlike vectors, lists do not expose their underlying memory model. Consequently, they support size() and empty(), but not resize() or capacity().

Special List Operations

The list provides several special operations that exploit its quick element insertion and deletion. This section provides an overview and examples. The Standard Library Reference resource on the Web site gives a thorough reference for all the methods.

Splicing

The linked-list characteristics of the list class allow it to splice, or insert, an entire list at any position in another list in constant time. The simplest version of this method works like this:

#include <list> #include <string> #include <iostream> using namespace std;

int main(int argc, char** argv)

{

list<string> dictionary, bWords;

//Add the a words. dictionary.push_back(“aardvark”); dictionary.push_back(“ambulance”); dictionary.push_back(“archive”);

//Add the c words. dictionary.push_back(“canticle”); dictionary.push_back(“consumerism”); dictionary.push_back(“czar”);

//Create another list, of the b words. bWords.push_back(“bathos”); bWords.push_back(“balderdash”); bWords.push_back(“brazen”);

//Splice the b words into the main dictionary. list<string>::iterator it;

int i;

//Iterate up to the spot where we want to insert bs

//for loop body intentionally empty--we’re just moving up three elements. for (it = dictionary.begin(), i = 0; i < 3; ++it, ++i);

//Add in the bwords. This action removes the elements from bWords. dictionary.splice(it, bWords);

585

Chapter 21

// Print out the dictionary.

for (it = dictionary.begin(); it != dictionary.end(); ++it) { cout << *it << endl;

}

return (0);

}

The result from running this program looks like this:

aardvark ambulance archive bathos balderdash brazen canticle consumerism czar

There are also two other forms of splice(): one that inserts a single element from another list and one that inserts a range from another list. See the Standard Library Reference resource on the Web site for details.

Splicing is destructive to the list passed as a parameter: it removes the spliced elements from one list in order to insert them into the other.

More Efficient Versions of Algorithms

In addition to splice(), the list class provides special implementations of several of the generic STL algorithms. The generic forms are covered in Chapter 22. Here we discuss only the specific versions provided by list.

When you have a choice, use the list methods rather than the generic algorithms because the former are more efficient.

The following table summarizes the algorithms for which list provides special implementations as methods. See the Standard Library Reference resource on the Web site and Chapter 22 for prototypes, details on the algorithms, and their specific running time when called on list.

Method

Description

 

 

remove()

Removes certain elements from the list.

remove_if()

 

unique()

Removes duplicate consecutive elements from the list.

merge()

Merges two lists. Both lists must be sorted to start. Like splice(),

 

merge() is destructive to the list passed as an argument.

 

 

586

 

 

Delving into the STL: Containers and Iterators

 

 

 

 

Method

Description

 

 

 

 

sort()

Performs a stable sort on elements in the list.

 

reverse()

Reverses the order of the elements in the list.

 

 

 

The following program demonstrates most of these methods.

List Example: Determining Enrollment

Suppose that you are writing a computer registration system for a university. One feature you might provide is the ability to generate a complete list of enrolled students in the university from lists of the students in each class. For the sake of this example, assume that you must write only a single function that takes a vector of lists of student names (as strings), plus a list of students that have been dropped from their courses because they failed to pay tuition. This method should generate a complete list of all the students in all the courses, without any duplicates, and without those students who have been dropped. Note that students might be in more than one course.

Here is the code for this method. With the power of the STL lists, the method is practically shorter than its written description! Note that the STL allows you to “nest” containers: in this case, you can use a vector of lists.

#include <list> #include <vector> #include <string> using namespace std;

//

//classLists is a vector of lists, one for each course. The lists

//contain the students enrolled in those courses. They are not sorted.

//droppedStudents is a list of students who failed to pay their

//tuition and so were dropped from their courses.

//

//The function returns a list of every enrolled (nondropped) student in

//all the courses.

//

list<string>

getTotalEnrollment(const vector<list<string> >& classLists, const list<string>& droppedStudents)

{

list<string> allStudents;

// Concatenate all the course lists onto the master list. for (size_t i = 0; i < classLists.size(); ++i) {

allStudents.insert(allStudents.end(), classLists[i].begin(), classLists[i].end());

}

//Sort the master list. allStudents.sort();

//Remove duplicate student names (those who are in multiple courses). allStudents.unique();

587