fbpx
Wikipedia

Standard Template Library

The Standard Template Library (STL) is a software library originally designed by Alexander Stepanov for the C++ programming language that influenced many parts of the C++ Standard Library. It provides four components called algorithms, containers, functions, and iterators.[1]

The STL provides a set of common classes for C++, such as containers and associative arrays, that can be used with any built-in type and with any user-defined type that supports some elementary operations (such as copying and assignment). STL algorithms are independent of containers, which significantly reduces the complexity of the library.

The STL achieves its results through the use of templates. This approach provides compile-time polymorphism that is often more efficient than traditional run-time polymorphism. Modern C++ compilers are tuned to minimize abstraction penalties arising from heavy use of the STL.

The STL was created as the first library of generic algorithms and data structures for C++, with four ideas in mind: generic programming, abstractness without loss of efficiency, the Von Neumann computation model,[2] and value semantics.

The STL and the C++ Standard Library are two distinct entities.[3]

History edit

In November 1993 Alexander Stepanov presented a library based on generic programming to the ANSI/ISO committee for C++ standardization. The committee's response was overwhelmingly favorable and led to a request from Andrew Koenig for a formal proposal in time for the March 1994 meeting. The committee had several requests for changes and extensions and the committee members met with Stepanov and Meng Lee to help work out the details. The requirements for the most significant extension (associative containers) had to be shown to be consistent by fully implementing them, a task Stepanov delegated to David Musser. A proposal received final approval at the July 1994 ANSI/ISO committee meeting. Subsequently, the Stepanov and Lee document 17 was incorporated into the ANSI/ISO C++ draft standard (1, parts of clauses 17 through 27).

The prospects for early widespread dissemination of the STL were considerably improved with Hewlett-Packard's decision to make its implementation freely available on the Internet in August 1994. This implementation, developed by Stepanov, Lee, and Musser during the standardization process, became the basis of many implementations offered by compiler and library vendors today.

Composition edit

Containers edit

The STL contains sequence containers and associative containers. The containers are objects that store data. The standard sequence containers include vector, deque, and list. The standard associative containers are set, multiset, map, multimap, hash_set, hash_map, hash_multiset and hash_multimap. There are also container adaptors queue, priority_queue, and stack, that are containers with specific interface, using other containers as implementation.

Container Description
Simple containers
pair The pair container is a simple associative container consisting of a 2-tuple of data elements or objects, called 'first' and 'second', in that fixed order. The STL 'pair' can be assigned, copied and compared. The array of objects allocated in a map or hash_map (described below) are of type 'pair' by default, where all the 'first' elements act as the unique keys, each associated with their 'second' value objects.
Sequences (arrays/linked lists): ordered collections
vector a dynamic array, like C array (i.e., capable of random access) with the ability to resize itself automatically when inserting or erasing an object. Inserting an element to the back of the vector at the end takes amortized constant time. Removing the last element takes only constant time, because no resizing happens. Inserting and erasing at the beginning or in the middle is linear in time.

A specialization for type bool exists, which optimizes for space by storing bool values as bits.

list a doubly linked list; elements are not stored in contiguous memory. Opposite performance from a vector. Slow lookup and access (linear time), but once a position has been found, quick insertion and deletion (constant time).
slist
a singly linked list; elements are not stored in contiguous memory. Opposite performance from a vector. Slow lookup and access (linear time), but once a position has been found, quick insertion and deletion (constant time). It has slightly more efficient insertion and deletion, and uses less memory than a doubly linked list, but can only be iterated forwards. It is implemented in the C++ standard library as forward_list.
deque (double-ended queue) a vector with insertion/erase at the beginning or end in amortized constant time, however lacking some guarantees on iterator validity after altering the deque.
Container adaptors
queue Provides FIFO queue interface in terms of push/pop/front/back operations.

Any sequence supporting operations front(), back(), push_back(), and pop_front() can be used to instantiate queue (e.g. list and deque).

priority queue Provides priority queue interface in terms of push/pop/top operations (the element with the highest priority is on top).

Any random-access sequence supporting operations front(), push_back(), and pop_back() can be used to instantiate priority_queue (e.g. vector and deque). It is implemented using a heap.

Elements should additionally support comparison (to determine which element has a higher priority and should be popped first).

stack Provides LIFO stack interface in terms of push/pop/top operations (the last-inserted element is on top).

Any sequence supporting operations back(), push_back(), and pop_back() can be used to instantiate stack (e.g. vector, list, and deque).

Associative containers: unordered collections
set a mathematical set; inserting/erasing elements in a set does not invalidate iterators pointing in the set. Provides set operations union, intersection, difference, symmetric difference and test of inclusion. Type of data must implement comparison operator < or custom comparator function must be specified; such comparison operator or comparator function must guarantee strict weak ordering, otherwise behavior is undefined. Typically implemented using a self-balancing binary search tree.
multiset same as a set, but allows duplicate elements (mathematical multiset).
map an associative array; allows mapping from one data item (a key) to another (a value). Type of key must implement comparison operator < or custom comparator function must be specified; such comparison operator or comparator function must guarantee strict weak ordering, otherwise behavior is undefined. Typically implemented using a self-balancing binary search tree.
multimap same as a map, but allows duplicate keys.
hash_set
hash_multiset
hash_map
hash_multimap
similar to a set, multiset, map, or multimap, respectively, but implemented using a hash table; keys are not ordered, but a hash function must exist for the key type. These types were left out of the C++ standard; similar containers were standardized in C++11, but with different names (unordered_set and unordered_map).
Other types of containers
bitset stores series of bits similar to a fixed-sized vector of bools. Implements bitwise operations and lacks iterators. Not a sequence. Provides random access.
valarray Another array data type, intended for numerical use (especially to represent vectors and matrices); the C++ standard allows specific optimizations for this intended purpose. According to Josuttis, valarray was badly designed, by people "who left the [C++ standard] committee a long time before the standard was finished", and expression template libraries are to be preferred.[4] A proposed rewrite of the valarray part of the standard in this vein was rejected, instead becoming a permission to implement it using expression template.[5]

Iterators edit

The STL implements five different types of iterators. These are input iterators (that can only be used to read a sequence of values), output iterators (that can only be used to write a sequence of values), forward iterators (that can be read, written to, and move forward), bidirectional iterators (that are like forward iterators, but can also move backwards) and random-access iterators (that can move freely any number of steps in one operation).

A fundamental STL concept is a range which is a pair of iterators that designate the beginning and end of the computation, and most of the library's algorithmic templates that operate on data structures have interfaces that use ranges.[6]

It is possible to have bidirectional iterators act like random-access iterators, so moving forward ten steps could be done by simply moving forward a step at a time a total of ten times. However, having distinct random-access iterators offers efficiency advantages. For example, a vector would have a random-access iterator, but a list only a bidirectional iterator.

Iterators are the major feature that allow the generality of the STL. For example, an algorithm to reverse a sequence can be implemented using bidirectional iterators, and then the same implementation can be used on lists, vectors and deques. User-created containers only have to provide an iterator that implements one of the five standard iterator interfaces, and all the algorithms provided in the STL can be used on the container.

This generality also comes at a price at times. For example, performing a search on an associative container such as a map or set can be much slower using iterators than by calling member functions offered by the container itself. This is because an associative container's methods can take advantage of knowledge of the internal structure, which is opaque to algorithms using iterators.

Algorithms edit

A large number of algorithms to perform activities such as searching and sorting are provided in the STL, each implemented to require a certain level of iterator (and therefore will work on any container that provides an interface by iterators). Searching algorithms like binary_search and lower_bound use binary search and like sorting algorithms require that the type of data must implement comparison operator < or custom comparator function must be specified; such comparison operator or comparator function must guarantee strict weak ordering. Apart from these, algorithms are provided for making heap from a range of elements, generating lexicographically ordered permutations of a range of elements, merge sorted ranges and perform union, intersection, difference of sorted ranges.

Functors edit

The STL includes classes that overload the function call operator (operator()). Instances of such classes are called functors or function objects. Functors allow the behavior of the associated function to be parameterized (e.g. through arguments passed to the functor's constructor) and can be used to keep associated per-functor state information along with the function. Since both functors and function pointers can be invoked using the syntax of a function call, they are interchangeable as arguments to templates when the corresponding parameter only appears in function call contexts.

A particularly common type of functor is the predicate. For example, algorithms like find_if take a unary predicate that operates on the elements of a sequence. Algorithms like sort, partial_sort, nth_element and all sorted containers use a binary predicate that must provide a strict weak ordering, that is, it must behave like a membership test on a transitive, non-reflexive and asymmetric binary relation. If none is supplied, these algorithms and containers use less by default, which in turn calls the less-than-operator <.

Criticisms edit

Quality of implementation of C++ compilers edit

The Quality of Implementation (QoI) of the C++ compiler has a large impact on usability of the STL (and templated code in general):

  • Error messages involving templates tend to be very long and difficult to decipher. This problem has been considered so severe that a number of tools have been written that simplify and prettyprint STL-related error messages to make them more comprehensible.
  • Careless use of templates can lead to code bloat.[7] This has been countered with special techniques within STL implementations (e.g. using void* containers internally and other "diet template" techniques) and improving compilers' optimization techniques. However, this symptom is similar to naively manually copying a set of functions to work with a different type, in that both can be avoided with care and good technique.
  • Template instantiation can increase compilation time and memory usage, in exchange for typically reducing runtime decision-making (e.g. via virtual functions). Until the compiler technology improves enough, this problem can be only partially eliminated by careful coding, avoiding certain idioms, and simply not using templates where they are not appropriate or where compile-time performance is prioritized.

Other issues edit

  • Initialization of STL containers with constants within the source code is not as easy as data structures inherited from C (addressed in C++11 with initializer lists).
  • STL containers are not intended to be used as base classes (their destructors are deliberately non-virtual); deriving from a container is a common mistake.[8][9]
  • The concept of iterators as implemented by the STL can be difficult to understand at first: for example, if a value pointed to by the iterator is deleted, the iterator itself is then no longer valid. This is a common source of errors. Most implementations of the STL provide a debug mode that is slower, but can locate such errors if used. A similar problem exists in other languages, for example Java. Ranges have been proposed as a safer, more flexible alternative to iterators.[10]
  • Certain iteration patterns such as callback enumeration APIs cannot be made to fit the STL model without the use of coroutines,[11] which were outside the C++ standard until C++20.
  • Compiler compliance does not guarantee that Allocator objects, used for memory management for containers, will work with state-dependent behavior. For example, a portable library can not define an allocator type that will pull memory from different pools using different allocator objects of that type. (Meyers, p. 50) (addressed in C++11).
  • The set of algorithms is not complete: for example, the copy_if algorithm was left out,[12] though it has been added in C++11.[13]

Implementations edit

  • Original STL implementation by Stepanov and Lee. 1994, Hewlett-Packard. No longer maintained.
    • SGI STL, based on original implementation by Stepanov & Lee. 1997, Silicon Graphics. No longer maintained.
  • Dinkum STL library by P.J. Plauger
  • The Microsoft STL which ships with Visual C++ is a licensed derivative of Dinkum's STL. Source is available on Github.
  • EASTL, developed by Paul Pedriana at Electronic Arts and published as part of EA Open Source.

See also edit

Notes edit

  1. ^ Holzner, Steven (2001). C++ : Black Book. Scottsdale, Ariz.: Coriolis Group. p. 648. ISBN 1-57610-777-9. The STL is made up of containers, iterators, function objects, and algorithms
  2. ^ Musser, David (2001). STL tutorial and reference guide: C++ programming with the standard template library. Addison Wesley. ISBN 0-201-37923-6.
  3. ^ Lightness Races in Orbit (5 March 2011). "What's the difference between "STL" and "C++ Standard Library"?". Stack Overflow. Retrieved 21 October 2021.
  4. ^ Josuttis, Nicolai M. (1999). The C++ Standard Library: A Tutorial and Handbook. Addison-Wesley Professional. p. 547. ISBN 9780201379266.
  5. ^ Vandevoorde, David; Josuttis, Nicolai M. (2002). C++ Templates: The Complete Guide. Addison Wesley. ISBN 0-201-73484-2.
  6. ^ Stepanov, Alexander; Lee, Meng (31 October 1995). "The Standard Template Library" (PDF). Retrieved 16 December 2018. Most of the library's algorithmic templates that operate on data structures have interfaces that use ranges. A range is a pair of iterators that designate the beginning and end of the computation. [...] in general, a range [i, j) refers to the elements in the data structure starting with the one pointed to by i and up to but not including the one pointed to by j. Range [i, j) is valid if and only if j is reachable from i.
  7. ^ Adrian Stone. "Minimizing Code Bloat: Template Overspecialization".
  8. ^ Meyers, Scott (2005). Effective C++ Third Edition – 55 Specific Ways to Improve Your Designs. Addison Wesley. ISBN 0-321-33487-6.
  9. ^ Sutter, Herb; Alexandrescu, Andrei (2004). C++ Coding Standards: 101 Rules, Guidelines, and Best Practices. Addison-Wesley. ISBN 0-321-11358-6.
  10. ^ Andrei Alexandrescu (6 May 2009). "Iterators Must Go" (PDF). BoostCon 2009. Retrieved 19 March 2011.
  11. ^ Matthew Wilson (February 2004). "Callback Enumeration APIs & the Input Iterator Concept". Dr. Dobb's Journal.
  12. ^ Bjarne Stroustrup (2000). The C++ Programming Language (3rd ed.). Addison-Wesley. ISBN 0-201-70073-5.: p.530 
  13. ^ More STL algorithms (revision 2)
  14. ^ "Apache C++ Standard Library". stdcxx.apache.org. Retrieved 1 March 2023.

References edit

  • Alexander Stepanov and Meng Lee, The Standard Template Library. HP Laboratories Technical Report 95-11(R.1), 14 November 1995. (Revised version of A. A. Stepanov and M. Lee: The Standard Template Library, Technical Report X3J16/94-0095, WG21/N0482, ISO Programming Language C++ Project, May 1994.)
  • Alexander Stepanov (2007). Notes on Programming (PDF). Stepanov reflects about the design of the STL.
  • Nicolai M. Josuttis (2000). The C++ Standard Library: A Tutorial and Reference. Addison-Wesley. ISBN 0-201-37926-0.
  • Scott Meyers (2001). Effective STL: 50 Specific Ways to Improve Your Use of the Standard Template Library. Addison-Wesley. ISBN 0-201-74962-9.
  • Al Stevens (March 1995). "Al Stevens Interviews Alex Stepanov". Dr. Dobb's Journal. Retrieved 18 July 2007.
  • David Vandevoorde and Nicolai M. Josuttis (2002). C++ Templates: The Complete Guide. Addison-Wesley Professional. ISBN 0-201-73484-2.
  • Atul Saini and David R. Musser. STL Tutorial and Reference Guide: C+ + Programming with the Standard Template Library. Foreword by Alexander Stepanov; Copyright Modena Software Inc. Addison-Wesley. ISBN 0-201-63398-1.

External links edit

  • C++ reference
  • C++ STL reference, includes C++11 features
  • STL programmer's guide from SGI. Originally at [1] (retired content).
  • Apache (formerly Rogue Wave) C++ Standard Library Class Reference
  • Apache (formerly Rogue Wave) C++ Standard Library User Guide
  • Bjarne Stroustrup on The emergence of the STL (Page 5, Section 3.1)
  • C++ Standard Specification

standard, template, library, confused, with, standard, library, other, uses, software, library, originally, designed, alexander, stepanov, programming, language, that, influenced, many, parts, standard, library, provides, four, components, called, algorithms, . Not to be confused with C Standard Library For other uses see STL The Standard Template Library STL is a software library originally designed by Alexander Stepanov for the C programming language that influenced many parts of the C Standard Library It provides four components called algorithms containers functions and iterators 1 The STL provides a set of common classes for C such as containers and associative arrays that can be used with any built in type and with any user defined type that supports some elementary operations such as copying and assignment STL algorithms are independent of containers which significantly reduces the complexity of the library The STL achieves its results through the use of templates This approach provides compile time polymorphism that is often more efficient than traditional run time polymorphism Modern C compilers are tuned to minimize abstraction penalties arising from heavy use of the STL The STL was created as the first library of generic algorithms and data structures for C with four ideas in mind generic programming abstractness without loss of efficiency the Von Neumann computation model 2 and value semantics The STL and the C Standard Library are two distinct entities 3 Contents 1 History 2 Composition 2 1 Containers 2 2 Iterators 2 3 Algorithms 2 4 Functors 3 Criticisms 3 1 Quality of implementation of C compilers 3 2 Other issues 4 Implementations 5 See also 6 Notes 7 References 8 External linksHistory editMain article History of the Standard Template Library In November 1993 Alexander Stepanov presented a library based on generic programming to the ANSI ISO committee for C standardization The committee s response was overwhelmingly favorable and led to a request from Andrew Koenig for a formal proposal in time for the March 1994 meeting The committee had several requests for changes and extensions and the committee members met with Stepanov and Meng Lee to help work out the details The requirements for the most significant extension associative containers had to be shown to be consistent by fully implementing them a task Stepanov delegated to David Musser A proposal received final approval at the July 1994 ANSI ISO committee meeting Subsequently the Stepanov and Lee document 17 was incorporated into the ANSI ISO C draft standard 1 parts of clauses 17 through 27 The prospects for early widespread dissemination of the STL were considerably improved with Hewlett Packard s decision to make its implementation freely available on the Internet in August 1994 This implementation developed by Stepanov Lee and Musser during the standardization process became the basis of many implementations offered by compiler and library vendors today Composition editContainers edit The STL contains sequence containers and associative containers The containers are objects that store data The standard sequence containers include span class n vector span span class n deque span and span class n list span The standard associative containers are span class n set span span class n multiset span span class n map span span class n multimap span span class n hash set span span class n hash map span span class n hash multiset span and span class n hash multimap span There are also container adaptors span class n queue span span class n priority queue span and span class n stack span that are containers with specific interface using other containers as implementation Container Description Simple containers pair The pair container is a simple associative container consisting of a 2 tuple of data elements or objects called first and second in that fixed order The STL pair can be assigned copied and compared The array of objects allocated in a map or hash map described below are of type pair by default where all the first elements act as the unique keys each associated with their second value objects Sequences arrays linked lists ordered collections vector a dynamic array like C array i e capable of random access with the ability to resize itself automatically when inserting or erasing an object Inserting an element to the back of the vector at the end takes amortized constant time Removing the last element takes only constant time because no resizing happens Inserting and erasing at the beginning or in the middle is linear in time A specialization for type bool exists which optimizes for space by storing bool values as bits list a doubly linked list elements are not stored in contiguous memory Opposite performance from a vector Slow lookup and access linear time but once a position has been found quick insertion and deletion constant time slist a singly linked list elements are not stored in contiguous memory Opposite performance from a vector Slow lookup and access linear time but once a position has been found quick insertion and deletion constant time It has slightly more efficient insertion and deletion and uses less memory than a doubly linked list but can only be iterated forwards It is implemented in the C standard library as span class n forward list span deque double ended queue a vector with insertion erase at the beginning or end in amortized constant time however lacking some guarantees on iterator validity after altering the deque Container adaptors queue Provides FIFO queue interface in terms of span class n push span span class n pop span span class n front span span class n back span operations Any sequence supporting operations span class n front span span class p span span class n back span span class p span span class n push back span span class p span and span class n pop front span span class p span can be used to instantiate queue e g span class n list span and span class n deque span priority queue Provides priority queue interface in terms of span class n push span span class o span span class n pop span span class o span span class n top span operations the element with the highest priority is on top Any random access sequence supporting operations span class n front span span class p span span class n push back span span class p span and span class n pop back span span class p span can be used to instantiate priority queue e g span class n vector span and span class n deque span It is implemented using a heap Elements should additionally support comparison to determine which element has a higher priority and should be popped first stack Provides LIFO stack interface in terms of span class n push span span class o span span class n pop span span class o span span class n top span operations the last inserted element is on top Any sequence supporting operations span class n back span span class p span span class n push back span span class p span and span class n pop back span span class p span can be used to instantiate stack e g span class n vector span span class n list span and span class n deque span Associative containers unordered collections set a mathematical set inserting erasing elements in a set does not invalidate iterators pointing in the set Provides set operations union intersection difference symmetric difference and test of inclusion Type of data must implement comparison operator span class o lt span or custom comparator function must be specified such comparison operator or comparator function must guarantee strict weak ordering otherwise behavior is undefined Typically implemented using a self balancing binary search tree multiset same as a set but allows duplicate elements mathematical multiset map an associative array allows mapping from one data item a key to another a value Type of key must implement comparison operator span class o lt span or custom comparator function must be specified such comparison operator or comparator function must guarantee strict weak ordering otherwise behavior is undefined Typically implemented using a self balancing binary search tree multimap same as a map but allows duplicate keys hash sethash multisethash maphash multimap similar to a set multiset map or multimap respectively but implemented using a hash table keys are not ordered but a hash function must exist for the key type These types were left out of the C standard similar containers were standardized in C 11 but with different names span class n unordered set span and span class n unordered map span Other types of containers bitset stores series of bits similar to a fixed sized vector of bools Implements bitwise operations and lacks iterators Not a sequence Provides random access valarray Another array data type intended for numerical use especially to represent vectors and matrices the C standard allows specific optimizations for this intended purpose According to Josuttis valarray was badly designed by people who left the C standard committee a long time before the standard was finished and expression template libraries are to be preferred 4 A proposed rewrite of the valarray part of the standard in this vein was rejected instead becoming a permission to implement it using expression template 5 Iterators edit The STL implements five different types of iterators These are input iterators that can only be used to read a sequence of values output iterators that can only be used to write a sequence of values forward iterators that can be read written to and move forward bidirectional iterators that are like forward iterators but can also move backwards and random access iterator s that can move freely any number of steps in one operation A fundamental STL concept is a range which is a pair of iterators that designate the beginning and end of the computation and most of the library s algorithmic templates that operate on data structures have interfaces that use ranges 6 It is possible to have bidirectional iterators act like random access iterators so moving forward ten steps could be done by simply moving forward a step at a time a total of ten times However having distinct random access iterators offers efficiency advantages For example a vector would have a random access iterator but a list only a bidirectional iterator Iterators are the major feature that allow the generality of the STL For example an algorithm to reverse a sequence can be implemented using bidirectional iterators and then the same implementation can be used on lists vectors and deques User created containers only have to provide an iterator that implements one of the five standard iterator interfaces and all the algorithms provided in the STL can be used on the container This generality also comes at a price at times For example performing a search on an associative container such as a map or set can be much slower using iterators than by calling member functions offered by the container itself This is because an associative container s methods can take advantage of knowledge of the internal structure which is opaque to algorithms using iterators Algorithms edit A large number of algorithms to perform activities such as searching and sorting are provided in the STL each implemented to require a certain level of iterator and therefore will work on any container that provides an interface by iterators Searching algorithms like span class n binary search span and span class n lower bound span use binary search and like sorting algorithms require that the type of data must implement comparison operator span class o lt span or custom comparator function must be specified such comparison operator or comparator function must guarantee strict weak ordering Apart from these algorithms are provided for making heap from a range of elements generating lexicographically ordered permutations of a range of elements merge sorted ranges and perform union intersection difference of sorted ranges Functors edit The STL includes classes that overload the function call operator span class k operator span span class p span Instances of such classes are called functors or function objects Functors allow the behavior of the associated function to be parameterized e g through arguments passed to the functor s constructor and can be used to keep associated per functor state information along with the function Since both functors and function pointers can be invoked using the syntax of a function call they are interchangeable as arguments to templates when the corresponding parameter only appears in function call contexts A particularly common type of functor is the predicate For example algorithms like span class n find if span take a unary predicate that operates on the elements of a sequence Algorithms like sort partial sort nth element and all sorted containers use a binary predicate that must provide a strict weak ordering that is it must behave like a membership test on a transitive non reflexive and asymmetric binary relation If none is supplied these algorithms and containers use less by default which in turn calls the less than operator lt Criticisms editQuality of implementation of C compilers edit The Quality of Implementation QoI of the C compiler has a large impact on usability of the STL and templated code in general Error messages involving templates tend to be very long and difficult to decipher This problem has been considered so severe that a number of tools have been written that simplify and prettyprint STL related error messages to make them more comprehensible Careless use of templates can lead to code bloat 7 This has been countered with special techniques within STL implementations e g using void containers internally and other diet template techniques and improving compilers optimization techniques However this symptom is similar to naively manually copying a set of functions to work with a different type in that both can be avoided with care and good technique Template instantiation can increase compilation time and memory usage in exchange for typically reducing runtime decision making e g via virtual functions Until the compiler technology improves enough this problem can be only partially eliminated by careful coding avoiding certain idioms and simply not using templates where they are not appropriate or where compile time performance is prioritized Other issues edit Initialization of STL containers with constants within the source code is not as easy as data structures inherited from C addressed in C 11 with initializer lists STL containers are not intended to be used as base classes their destructors are deliberately non virtual deriving from a container is a common mistake 8 9 The concept of iterators as implemented by the STL can be difficult to understand at first for example if a value pointed to by the iterator is deleted the iterator itself is then no longer valid This is a common source of errors Most implementations of the STL provide a debug mode that is slower but can locate such errors if used A similar problem exists in other languages for example Java Ranges have been proposed as a safer more flexible alternative to iterators 10 Certain iteration patterns such as callback enumeration APIs cannot be made to fit the STL model without the use of coroutines 11 which were outside the C standard until C 20 Compiler compliance does not guarantee that Allocator objects used for memory management for containers will work with state dependent behavior For example a portable library can not define an allocator type that will pull memory from different pools using different allocator objects of that type Meyers p 50 addressed in C 11 The set of algorithms is not complete for example the span class n copy if span algorithm was left out 12 though it has been added in C 11 13 Implementations editOriginal STL implementation by Stepanov and Lee 1994 Hewlett Packard No longer maintained SGI STL based on original implementation by Stepanov amp Lee 1997 Silicon Graphics No longer maintained STLPort based on SGI STL Rogue Wave Standard Library HP SGI SunSoft Siemens Nixdorf Apache C Standard Library The starting point for this library was the 2005 version of the Rogue Wave standard library 14 Libstdc uses code derived from SGI STL for the algorithms and containers defined in C 03 Dinkum STL library by P J Plauger The Microsoft STL which ships with Visual C is a licensed derivative of Dinkum s STL Source is available on Github EASTL developed by Paul Pedriana at Electronic Arts and published as part of EA Open Source See also editList of C template libraries C 11 Boost C LibrariesNotes edit Holzner Steven 2001 C Black Book Scottsdale Ariz Coriolis Group p 648 ISBN 1 57610 777 9 The STL is made up of containers iterators function objects and algorithms Musser David 2001 STL tutorial and reference guide C programming with the standard template library Addison Wesley ISBN 0 201 37923 6 Lightness Races in Orbit 5 March 2011 What s the difference between STL and C Standard Library Stack Overflow Retrieved 21 October 2021 Josuttis Nicolai M 1999 The C Standard Library A Tutorial and Handbook Addison Wesley Professional p 547 ISBN 9780201379266 Vandevoorde David Josuttis Nicolai M 2002 C Templates The Complete Guide Addison Wesley ISBN 0 201 73484 2 Stepanov Alexander Lee Meng 31 October 1995 The Standard Template Library PDF Retrieved 16 December 2018 Most of the library s algorithmic templates that operate on data structures have interfaces that use ranges A range is a pair of iterators that designate the beginning and end of the computation in general a range i j refers to the elements in the data structure starting with the one pointed to by i and up to but not including the one pointed to by j Range i j is valid if and only if j is reachable from i Adrian Stone Minimizing Code Bloat Template Overspecialization Meyers Scott 2005 Effective C Third Edition 55 Specific Ways to Improve Your Designs Addison Wesley ISBN 0 321 33487 6 Sutter Herb Alexandrescu Andrei 2004 C Coding Standards 101 Rules Guidelines and Best Practices Addison Wesley ISBN 0 321 11358 6 Andrei Alexandrescu 6 May 2009 Iterators Must Go PDF BoostCon 2009 Retrieved 19 March 2011 Matthew Wilson February 2004 Callback Enumeration APIs amp the Input Iterator Concept Dr Dobb s Journal Bjarne Stroustrup 2000 The C Programming Language 3rd ed Addison Wesley ISBN 0 201 70073 5 p 530 More STL algorithms revision 2 Apache C Standard Library stdcxx apache org Retrieved 1 March 2023 References editAlexander Stepanov and Meng Lee The Standard Template Library HP Laboratories Technical Report 95 11 R 1 14 November 1995 Revised version of A A Stepanov and M Lee The Standard Template Library Technical Report X3J16 94 0095 WG21 N0482 ISO Programming Language C Project May 1994 Alexander Stepanov 2007 Notes on Programming PDF Stepanov reflects about the design of the STL Nicolai M Josuttis 2000 The C Standard Library A Tutorial and Reference Addison Wesley ISBN 0 201 37926 0 Scott Meyers 2001 Effective STL 50 Specific Ways to Improve Your Use of the Standard Template Library Addison Wesley ISBN 0 201 74962 9 Al Stevens March 1995 Al Stevens Interviews Alex Stepanov Dr Dobb s Journal Retrieved 18 July 2007 David Vandevoorde and Nicolai M Josuttis 2002 C Templates The Complete Guide Addison Wesley Professional ISBN 0 201 73484 2 Atul Saini and David R Musser STL Tutorial and Reference Guide C Programming with the Standard Template Library Foreword by Alexander Stepanov Copyright Modena Software Inc Addison Wesley ISBN 0 201 63398 1 External links editC reference C STL reference includes C 11 features STL programmer s guide from SGI Originally at 1 retired content Apache formerly Rogue Wave C Standard Library Class Reference Apache formerly Rogue Wave C Standard Library User Guide Bjarne Stroustrup on The emergence of the STL Page 5 Section 3 1 C Standard Specification Retrieved from https en wikipedia org w index php title Standard Template Library amp oldid 1217474886, wikipedia, wiki, book, books, library,

article

, read, download, free, free download, mp3, video, mp4, 3gp, jpg, jpeg, gif, png, picture, music, song, movie, book, game, games.