Click here to Skip to main content
15,860,943 members
Articles / Programming Languages / C++
Article

An In-Depth Study of the STL Deque Container

Rate me:
Please Sign up or sign in to vote.
4.98/5 (160 votes)
11 Nov 200314 min read 463.3K   87   74
This article presents an in-depth analysis of std::deque and offers guidance as to when to prefer using it as opposed to std::vector, by taking into consideration memory allocation and container performance.

Introduction

This article presents an in-depth look at the STL deque container. This article will discuss the benefits of the deque and under what circumstances you would use it instead of the vector. After reading this article, the reader should be able to explain the fundamental differences between vector and deque with respect to container growth, performance and memory allocation. Since deque is so similar in usage and syntax to vector, it is recommended that the reader refers to this article [^] on vector for information on implementing and using this STL container.

Deque Overview

The deque, like the vector, is also part of the Standard Template Library, the STL. The deque, or "double-ended queue", is very similar to the vector on the surface, and can act as a direct replacement in many implementations. Since it is assumed that the reader already knows how to effectively use the STL vector container, I have provided the table of deque member functions and operators below, solely for comparison and reference.

Deque Member Functions1

FunctionDescription
assign Erases elements from a deque and copies a new set of elements to the target deque.
at Returns a reference to the element at a specified location in the deque.
back Returns a reference to the last element of the deque.
begin Returns an iterator addressing the first element in the deque.
clear Erases all the elements of a deque.
deque Constructs a deque of a specific size or with elements of a specific value or with a specific allocator or as a copy of all or part of some other deque.
empty Tests if a deque is empty.
end Returns an iterator that addresses the location succeeding the last element in a deque.
erase Removes an element or a range of elements in a deque from specified positions.
front Returns a reference to the first element in a deque.
get_allocator Returns a copy of the allocator object used to construct the deque.
insert Inserts an element or a number of elements or a range of elements into the deque at a specified position.
max_size Returns the maximum length of the deque.
pop_back Deletes the element at the end of the deque.
pop_front Deletes the element at the beginning of the deque.
push_back Adds an element to the end of the deque.
push_front Adds an element to the beginning of the deque.
rbegin Returns an iterator to the first element in a reversed deque.
rend Returns an iterator that points just beyond the last element in a reversed deque.
resize Specifies a new size for a deque.
size Returns the number of elements in the deque.
swap Exchanges the elements of two deques.

Deque Operators1

FunctionDescription
operator[] Returns a reference to the deque element at a specified position.

This striking similarity to vector then gives rise to the following question:

Q: If deque and vector offer such similar functionality, when is it preferable to use one over the other?

A: If you have to ask, use vector.

Um, okay...  How about a little explanation please?

Why certainly, I'm glad you asked! I didn't pull that answer out of thin air, in fact, the answer comes from the C++ Standard2 itself. Section 23.1.1 states the following:

vector  is the type of sequence that should be used by default. ... deque is the data structure of choice when most insertions and deletions take place at the beginning or at the end of the sequence.

Interestingly enough, this article is practically devoted to fully understanding that statement. 

What's New

After perusing the table above and comparing it with vector, you will notice two new member functions.

  1. push_front() - Adds elements to the front of a deque.
  2. pop_front() - Removes elements from the front of a deque.

These are called with the same syntax as push_back() and pop_back(). Therein lies the first feature that could possibly warrant the use of deque, namely, the need to add elements to both the front and back of the sequence.

What's Missing

You will also notice there are two member functions implemented in vector but not in deque, and, as you will see, deque doesn't need them.

  1. capacity() - Returns the current capacity of a vector.
  2. reserve() - Allocates room for a specified number of elements in a vector.

Herein lies the true beginning of our study. As it turns out, there is a stark difference between vector and deque in how they manage their internal storage under the hood. The deque allocates memory in chunks as it grows, with room for a fixed number of elements in each one. However, vector allocates its memory in contiguous blocks (which isn't necessarily a bad thing). But the interesting thing about vector is that the size of the internal buffer grows increasingly larger with each allocation after the vector realizes the current one isn't big enough. The following experiment sets out to prove why deque doesn't need capacity() or reserve() for that very reason.

Experiment 1 - Container Growth

Objective

The objective of this experiment is to observe the differences in container growth between the vector and the deque. The results of this experiment will illustrate these differences in terms of physical memory allocation and application performance.

Description

The test application for this experiment is designed to read text from a file and use each line as the element to push_back() onto the vector and the deque. In order to generate large numbers of insertions, the file may be read more than once. The class to handle the test is shown below:

#include <deque>
#include <fstream>
#include <string>
#include <vector>

static enum modes
{
    FM_INVALID = 0,
    FM_VECTOR,  
    FM_DEQUE    
};    

class CVectorDequeTest  
{    
  public:
      CVectorDequeTest();    
      
      void ReadTestFile(const char* szFile, int iMode)    
      {        
          char buff[0xFFFF] = {0}; 
          std::ifstream    inFile;
          inFile.open(szFile);
          
          while(!inFile.eof())
          {
              inFile.getline(buff, sizeof(buff));
              
              if(iMode == FM_VECTOR)
                      m_vData.push_back(buff);
              else if(iMode == FM_DEQUE)
                      m_dData.push_back(buff);
          }        
          
          inFile.close();
          
       }    
       
       virtual ~CVectorDequeTest(); 
  
  protected:    
      std::vector<std::string> m_vData;    
      std::deque<std::string> m_dData;
 }; 

Results

The test was performed under the following conditions:

Processor1.8 GHz Pentium 4
Memory1.50 GB
OSW2K-SP4
No. of Lines in File9874
Avg. Chars per Line1755.85
No. of Times File Read45
Total Elements Inserted444330

The system performance was logged via Windows Task Manager, and the program was timed using Laurent Guinnard's CDuration class. The system performance graph is illustrated below:

Image 1

Note the peaks in memory usage during vector allocation, and how the peaks grow larger as vector allocates increasing internal buffer storage. Note also that deque does not exhibit this behavior, and the buffer continues to grow linearly with element insertion. The jump in kernel time during deque deallocation as well as the shape of the curve as memory is reclaimed was an unexpected result at first. I would have expected the deallocation to look similar to vector. After looking into things further and conducting some more tests, I was able to come up with a hypothesis: since deque memory is not contiguous, it must be more difficult to hunt down and reclaim. We will put this hypothesis to the test later, but first let's analyze the performance aspects of this experiment.

Just how long do those memory allocations take?

Notice in the figure below that no elements were being added during the time vector was out finding more memory.

Image 2

It is also of interest to notice how long each set of push_back() takes. This is illustrated in the figure below. Remember, each sample is 9874 strings added, with an average length of 1755.85. 

Image 3

Experiment 2 - The Effects of vector::reserve()

Objective

The objective of this experiment is to observe the benefits of calling reserve() on a vector before a large number of elements will be added and compare these results with deque, in terms of memory allocation and performance.

Description

The test description for this experiment is the same as that of Experiment 1, except that the following code was added to the test class constructor:

m_vData.reserve(1000000);

Results

The test was performed under the following conditions:

Processor1.8 GHz Pentium 4
Memory1.50 GB
OSW2K-SP4
No. of Lines in File9874
Avg. Chars per Line1755.85
No. of Times File Read70
Total Elements Inserted691180

The system performance was logged via Windows Task Manager, and the program was timed using Laurent Guinnard's CDuration class. The system performance graph is illustrated below:

Image 4

It is of interest to notice that vector no longer needs to allocate more internal buffer storage. The call to reserve() takes a single step to reserve more than enough space for our test platform of 691180 elements. As for the deque deallocation hypothesis, observe the drastic growth in memory deallocation time between this test and the previous one. We will quantify this in our next experiment.

How has this improved memory allocation performance?

The following figure illustrates the number of elements added to the containers over time:

Image 5

As you can see, vector is now very close to deque in performance, when adding elements to the container. However, vector tends to be slightly more sporadic in how long it takes to insert a given set of elements. This is illustrated in the figure below:

Image 6

A statistical analysis of the variability in vector vs. deque, with respect to the time it takes to insert 9874 elements of 1755.85 average length, is summarized in the following tables:

VectorDeque
Mean0.603724814 sec
Maximum0.738313000 sec
Minimum0.559959000 sec
Std. Dev0.037795736 sec
6-Sigma0.226774416 sec
Mean0.588021114 sec
Maximum0.615617000 sec
Minimum0.567503000 sec
Std. Dev0.009907800 sec
6-Sigma0.059446800 sec

Experiment 3 - Reclaiming Memory

Objective

The objective of this experiment is to analyze and attempt to quantify the hypothesis that deque memory is more difficult to reclaim due to its non-contiguous nature.

Description

The test class from Experiment 1 will be utilized again in this experiment. The calling function is designed to allocate test classes of increasing size and log their performance accordingly. This implementation is as follows:

for(xRun=0; xRun<NUMBER_OF_XRUNS; xRun++)
{
    df = new CVectorDequeTest;

    elapsed_time = 0;
    for(i=0; i<NUMBER_OF_RUNS*xRun; i++)
    {
        cout << "Deque - Run " << i << " of " << NUMBER_OF_RUNS*xRun << "... ";
        df->ReadTestFile("F:\\huge.csv",DF_DEQUE);

        deque_data.push_back(datapoint());

        deque_data.back().time_to_read = df->GetProcessTime();
        elapsed_time += deque_data.back().time_to_read;

        deque_data.back().elapsed_time = elapsed_time;

        cout << deque_data.back().time_to_read << " seconds\n";
    }

    vnElements.push_back(df->GetDequeSize());

    cout << "\n\nDeleting... ";

    del_deque.Start();
    delete df;
    del_deque.Stop();

    cout << del_deque.GetDuration()/1000000.0 << " seconds.\n\n";

    vTimeToDelete.push_back(del_deque.GetDuration()/1000000.0);
}

Results

This experiment was performed on the same platform as the previous two experiments, except that the number of allocations was varied from 9874 to 691180 across 70 increments. The following figure illustrates the time required to reclaim deque memory as a function of the number of elements in the deque. The deque was filled with strings with an average length of 1755.85 chars.

Image 7

Although the actual time varies significantly from the trendline in several instances, the trendline holds accurate with an R2=95.15%. The actual deviation of any given data point from the trendline is summarized in the following table:

deque Results
Mean0.007089269 sec
Maximum11.02838496 sec
Minimum-15.25901667 sec
Std. Dev3.3803636 sec
6-Sigma20.2821816 sec

This is fairly significant when compared to the results of vector in the same scenario. The following figure shows deallocation times for vector under the same loading as deque above:

Image 8

The data in this test holds an R2=81.12%. This could likely be improved with more iterations of each data point and averaging the runs. Nonetheless, the data is suitable to mark the point in question, and the deviation of any given data point from the trendline is summarized in the following statistical parameters:

vector Results
Mean-0.007122715 sec
Maximum 0.283452127 sec
Minimum-0.26724459 sec
Std. Dev0.144572356 sec
6-Sigma0.867434136 sec

Experiment 4 - Performance Characteristics of vector::insert() vs. deque::insert()

Objective

The "claim to fame" as it were for deque is the promise of constant-time insert(). Just how does this stack up against vector::insert()? The objective of this experiment is (not surprisingly) to observe the performance characteristics of vector::insert() vs. deque::insert().

Description

There may be times when adding things to the back of a container doesn't quite suit your needs.  In this case, you may want to employ insert(). This experiment also has the same form as Experiment 1, however instead of doing push_back(), the test does insert().

Results

As you can see in the following figures, the benefit of constant-time insertion offered by deque is staggering when compared against vector.

Image 9

Note the difference in time-scales, as 61810 elements were added to these containers.

Image 10

Experiment 5 - Container Retrieval Performance

Objective

This experiment will test the performance of vector::at(), vector::operator[], deque::at() and deque::operator[]. It has been suggested that operator[] is faster than at() because there is no bounds checking, also it has been requested to compare vector vs. deque in this same regard.

Description

This test will insert 1000000 elements of type std::string with a length of 1024 characters into each container and measure how long it takes to access them all via at() and operator[]. The test will be performed 50 times for each scenario and the results presented as a statistical summary.

Results

Well, perhaps surprisingly, there is very little difference in performance between vector and deque in terms of accessing the elements contained in them. There is also negligible difference between operator[] and at() as well. These results are summarized below:

vector::at()
Mean1.177088125 sec
Maximum1.189580000 sec
Minimum1.168340000 sec
Std. Dev0.006495193 sec
6-Sigma0.038971158 sec
deque::at()
Mean1.182364375 sec
Maximum1.226860000 sec
Minimum1.161270000 sec
Std. Dev0.016362148 sec
6-Sigma0.098172888 sec
vector::operator[]
Mean1.164221042 sec
Maximum1.192550000 sec
Minimum1.155690000 sec
Std. Dev0.007698520 sec
6-Sigma0.046191120 sec
deque::operator[]
Mean1.181507292 sec
Maximum1.218540000 sec
Minimum1.162710000 sec
Std. Dev0.010275712 sec
6-Sigma0.061654272 sec

Conclusions

In this article, we have covered several different situations where one could possibly have a need to choose between vector and deque. Let's summarize our results and see if our conclusions are in line with the standard.

When performing a large number of push_back() calls, remember to call vector::reserve().

In Experiment 1, we studied the behavior of container growth between vector and deque. In this scenario, we saw that since deque allocates its internal storage in blocks of pre-defined size, deque can grow at a constant rate. The performance of vector in this experiment then led us to think about calling vector::reserve(). This was then the premise for Experiment 2, where we basically performed the same experiment except that we had called reserve() on our vector. This then is grounds for holding on to vector as our default choice.

If you are performing many deallocations, remember that deque takes longer to reclaim memory than vector.

In Experiment 3, we explored the differences between reclaiming the contiguous and non-contiguous memory blocks of vector and deque, respectively. The results proved that vector reclaims memory in linear proportion to the number of elements whereas deque is exponential. Also, vector is several orders of magnitude than deque in reclaiming memory. As a side note, if you are performing your calls to push_back() within a tight loop or sequence, there is a significant possibility that most of the memory deque obtains, will be contiguous. I have tested this situation for fun and have found the deallocation time to be close to vector in these cases.

If you are planning to use insert(), or have a need for pop_front(), use deque.

Well, ok, vector doesn't have pop_front(), but based on the results of Experiment 4, it might as well not have insert() either. The results of Experiment 4 speak volumes about the need for deque and why it is part of the STL as a separate container class.

For element access, vector::at() wins by a nose.

After summing up the statistics of Experiment 5, I would have to say that although all the methods were close, vector::at() is the winner. This is because of the best balance between the raw mean of the access times as well as the lowest 6-sigma value.

What's all this 6-Sigma stuff?

Although a popular buzzword in industry today, 6-Sigma actually has its roots in statistics. If you generate a Gaussian distribution (or Bell-curve) for your sampled data, you can show that at one standard deviation (the symbol for std. deviation is the Greek letter, sigma, BTW) from the mean, you will have 68.27% of the area under the curve covered. At 2 Standard Deviations, 2-Sigma, you have 95.45% of the area under the curve, at 3 Standard Deviations, you will have 99.73% of the area and so forth until you get to 6 standard deviations, when you have 99.99985% of the area (1.5 Defects per million, 6-Sigma).

Final Words

I hope you have gained some insight into deque and have found this article both interesting and enlightening. Any questions or comments are certainly welcome and any discussion on vector or deque is encouraged.

References

  1. Plauger, P.J. Standard C++ Library Reference. February, 2003. MSDN.
  2. ISO/IEC 14882:1998(E). Programming Languages - C++. ISO and ANSI C++ Standard.
  3. Schildt, Herbert. C++ from the Ground Up, Second Edition. Berkeley: 1998.
  4. Sutter, Herb. More Exceptional C++. Indianapolis: 2002.

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
CEO Aspen Insights
United States United States
Walter Storm is currently doing quantitative research and data science. Originally from Tunkhannock, PA., he has a B.S. in Aerospace Engineering from Embry-Riddle Aeronautical University[^], and an M.S. in Systems Engineering from SMU[^]. He has been professionally developing software in some form or another since January of 2001.

View Walter Storm's profile on LinkedIn.[^]

Comments and Discussions

 
Questionarticle Pin
Member 1319558411-May-17 20:46
Member 1319558411-May-17 20:46 
QuestionExperiment 3 - Exponential time to deallocate memory for a deque Pin
milo23418-May-16 18:04
milo23418-May-16 18:04 
AnswerRe: Experiment 3 - Exponential time to deallocate memory for a deque Pin
Nitron25-Sep-17 3:49
Nitron25-Sep-17 3:49 
Questionerase performance Pin
GHop7-Feb-14 9:24
GHop7-Feb-14 9:24 
GeneralExperiment 5 strange results (Container Retrieval Performance) Pin
Jean-Marc Dressler8-Dec-10 23:49
Jean-Marc Dressler8-Dec-10 23:49 
QuestionI do not agree with your analysis on experiment 3 Pin
Shinhy Ku25-Oct-08 5:15
Shinhy Ku25-Oct-08 5:15 
AnswerRe: I do not agree with your analysis on experiment 3 Pin
Nitron31-May-10 16:57
Nitron31-May-10 16:57 
GeneralDoes it mean that we should prefer deque over vector Pin
yccheok14-Sep-06 0:22
yccheok14-Sep-06 0:22 
GeneralRe: Does it mean that we should prefer deque over vector Pin
Nitron27-Sep-06 17:23
Nitron27-Sep-06 17:23 
GeneralVery nice and... Pin
Muzero26-Feb-06 23:48
Muzero26-Feb-06 23:48 
General6 Sigma explanation Error Pin
Steve Chernyavskiy8-Jun-05 7:08
Steve Chernyavskiy8-Jun-05 7:08 
GeneralRe: 6 Sigma explanation Error Pin
Nitron13-Jun-05 12:07
Nitron13-Jun-05 12:07 
GeneralVery Usefull Pin
Sudhir Mangla9-Mar-05 17:40
professionalSudhir Mangla9-Mar-05 17:40 
GeneralRe: Very Usefull Pin
Nitron13-Jun-05 12:07
Nitron13-Jun-05 12:07 
GeneralWell done Pin
nohoper26-Dec-04 19:53
nohoper26-Dec-04 19:53 
GeneralGreat article Pin
Simon Hughes5-Oct-04 11:01
Simon Hughes5-Oct-04 11:01 
GeneralRe: Great article Pin
Nitron13-Jun-05 12:09
Nitron13-Jun-05 12:09 
GeneralThank you Pin
mikeboedi28-Mar-04 20:54
mikeboedi28-Mar-04 20:54 
QuestionBut deque has linear insertion time? Pin
Eloff29-Jan-04 6:13
Eloff29-Jan-04 6:13 
AnswerRe: But deque has linear insertion time? Pin
Nitron2-Feb-04 10:20
Nitron2-Feb-04 10:20 
GeneralRe: But deque has linear insertion time? Pin
Eloff3-Feb-04 8:31
Eloff3-Feb-04 8:31 
GeneralRe: But deque has linear insertion time? Pin
EnderJSC15-Mar-04 11:14
EnderJSC15-Mar-04 11:14 
GeneralRe: But deque has linear insertion time? Pin
Eloff19-Mar-04 8:12
Eloff19-Mar-04 8:12 
GeneralRe: But deque has linear insertion time? Pin
Anonymous26-May-04 6:35
Anonymous26-May-04 6:35 
GeneralRe: But deque has linear insertion time? Pin
Albrecht Fritzsche3-Dec-04 0:34
Albrecht Fritzsche3-Dec-04 0:34 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.