1. Revision History
1.1. Revision 4 - June 15th, 2021
-
Rewrite most of the wording.
-
Fix up the design section to always use an ADL Customization Point, all the time. The
andis_class_v
protects against most bad cases.is_enum_v
1.2. Revision 3 - April 15th, 2021
-
Vastly improve examples.
-
Re-target motivation.
-
Adjust fixes for things that have changed since C++20.
1.3. Revision 2 - January 13th, 2020
-
Improve wording and add more explanation in the design sections for the changes.
1.4. Revision 1 - November 24th, 2019
-
Change to
concepts. (November 6th)snake_case -
Update wording to target [n4835]. (November 6th)
-
Moved by LWG! 🎉 (November 6th)
-
Last minute objection to this paper in plenary.
-
Withdrawn; targeting C++23 instead with better design.
-
Explored 3 different designs offline: settle on 1 (thanks, Oktal).
1.5. Revision 0 - August, 5th, 2019
-
Initial release.
2. Motivation
C++20 | With Proposal |
---|---|
❌ - Compilation error
⚠️ - Compiles, but |
✔️ - Compiles and works with no extra template instantiations
✔️ - Compiles and works with no extra templates. |
❌ - Compilation error ⚠️ - Compiles, but is and is
|
✔️ - Compiles and works, types match input. ✔️ - Compiles and works, where is and is .
|
Currently in C++, there is no Generic ("with a capital G") way to take a range apart with its iterators and put it back together. That is, the following code is not guaranteed to work:
template < typename Range > auto operate_on_and_return_updated_range ( Range && range ) { using uRange = std :: remove_cvref_t < Range > ; if ( std :: ranges :: empty ( range )) { // ⛔! // ... the below errors return uRange ( std :: forward < Range > ( range )); } /* perform some work with the iterators or similar */ auto first = std :: ranges :: begin ( range ); auto last = std :: ranges :: end ( range ); if ( * first == u '\0xEF ') { // ... std :: advance ( first , 3 ); // ... } // ... algorithm finished, // return the "updated" range! // ⛔! // ... but the below errors return uRange ( std :: move ( first ), std :: move ( last )); } int main () { std :: string_view meow_view = "나는 유리를 먹을 수 있어요. 그래도 아프지 않아요" ; // this line will error in C++17, or in compatibility // libraries std :: string_view sub_view = operate_on_and_return_updated_range ( meow_view ); return 0 ; }
The current fix is to employ
to return a generic subrange:
template < typename Range > auto operate_on_and_return_updated_range ( Range && range ) { using uRange = std :: remove_cvref_t < Range > ; using I = std :: Iterator < uRange > ; using S = std :: Sentinel < uRange > ; using Result = std :: ranges :: subrange < I , S > ; if ( std :: ranges :: empty ( range )) { return Result ( std :: forward < Range > ( range )); } // perform some work with the // iterators or similar auto first = std :: ranges :: begin ( range ); auto last = std :: ranges :: end ( range ); if ( * first == u '\0xEF ') { // ... std :: advance ( first , 3 ); // ... } // ... algorithm finished, // return the "updated" range! // now it works! return Result ( std :: move ( first ), std :: move ( last )); } int main () { std :: string_view meow_view = "나는 유리를 먹을 수 있어요. 그래도 아프지 않아요" ; auto sub_view = operate_on_and_return_updated_range ( meow_view ); // decltype(sub_view) == // std::ranges::subrange<std::string_view::iterator,std::string_view::iterator> // which is nowhere close to ideal. return 0 ; }
This makes it work with any two pair of iterators, but quickly becomes undesirable from an interface point of view. If a user passes in a
or a
that interface and information is entirely lost to the user of the above function.
does not -- and cannot/should not -- mimic the interface of the view it was created from other than what information comes from its iterators: it is the barebones idea of a pair-of-iterators/iterator-sentinel style of range. This is useful in the generic sense that if a library developer must work with iterators, they can always rely on creation of a
of the iterator and sentinel.
2.1. Preservation of Properties
Unfortunately, always using
decreases usability for end users. Users who have, for example a
, would prefer to have the same type after calling an algorithm. These types have functions and code that are purpose-made for
-like code: losing that intent means needing to reconstruct that from the ground up all over again. There is little reason why the original type needs to be discarded if it supports being put back together from its iterators.
The break-it-apart-and-then-generic-
approach also discards any range-specific storage optimizations and layout considerations, leaving us with the most bland kind of range similar to the "pair of iterators" model. Consider, for example,
. The author of the Low Level File IO (LLFIO) library, Niall Douglass, has spent countless days submitting pull requests and change requests to MSVC, GCC, and Clang’s standard libraries to ask them to change their structural layout to match things like the
of their platform or their asynchronous buffer span types. This optimization matters because it realizes the performance difference between having to individually transformed a container of
s to a more suitable type, or being able to simply
the desired sequences of spans into the underlying asynchronous operations. If range operations were to be performed on the
type, a
would hold, in most cases, two iterators rather than an iterator and a size. This completely eliminates the
optimization. This is not the only place this happens, however: other types have different storages requirements that are not appropriately captured by their iterators in the most general sense, but may benefit from reconstruction and desired type information for the target range they should be constructed into.
2.2. Compile-Time and Interoperability
Compilation time goes up as well in the current paradigm. Users must spawn a fresh
for every different set of iterator/sentinel/kind triplet, or handle deeply nested templates in templates as the input types. This makes it impossible to compile interfaces as dynamic libraries without having to explicitly materialize or manually cajole a
into something more palatable for the regular world.
There is also a problem where there are a wide variety of ranges that could conceivably meet this criterion, but do not. The author of this paper was not the only one to see utility for this. [p1739r4] does much the same that this paper does, without the introduction of a concept to formalize the behavior it presents. In particular, it selects views which can realistically have their return types changed to match the input range and operations being performed (or a similarly powerful alternative) by asking whether they can be called with a function called
from a subrange of the iterators with the expressions acted upon.
-
Ranges should be reconstructible from their iterators (or subrange of their iterators) where applicable;
-
and, reconstructible ranges serve a useful purpose in generic algorithms, including not losing information and returning it in a much more cromulent and desirable form.
Therefore, this paper formalizes that concept and provides an opt-in, user-overridable way to return a related "reconstructed" type from an tag, an iterator, and a sentinel.
3. Design
The design is given in 3 concepts added to the standard:
template < class It , class Sen = It > concept iterator_reconstructible_range = ( std :: is_class_v < It > || std :: is_class_v < Sen > || std :: is_enum_v < It > || std :: is_enum_v < Sen > ) && requires ( It first , Sen last ) { reconstruct ( std :: foward < It > ( first ), std :: forward < Sen > ( last ) ); }; template < class R , class It = ranges :: iterator_t < remove_reference_t < R >> , class Sen = ranges :: sentinel_t < remove_reference_t < R >>> concept reconstructible_range = std :: ranges :: range < R > && requires ( It first , Sen last ) { reconstruct ( in_place_type < remove_cvref_t < R >> , std :: move ( first ), std :: move ( last ) ); }; template < class R , class Tag = remove_cvref_t < R > , class It = ranges :: iterator_t < remove_reference_t < R >> , class Sen = ranges :: sentinel_t < remove_reference_t < R >>> concept range_reconstructible_range = std :: ranges :: range < R > && requires ( R range , It first , Sen last ) { reconstruct ( in_place_type < Tag > , std :: forward < R > ( range ), std :: forward < It > ( first ), std :: forward < Sen > last ) ); };
It is the formalization that a range can be reconstructed from its necessary components. The concepts are a means of implementing the desired Customization Point Object (CPO) which will be called
. The 3 forms allow for 3 levels of construction, here each one defers to the next version by removing one layer of "information" until finally following back to the "default" form:
-
the desired type to reconstruct ("tag"), the range, the iterator, and the sentinel;
-
the desired type to reconstruct ("tag"), the iterator, and the sentinel, after stripping out the range if the previous
did not find anything;reconstruct -
the iterator and the sentinel, after dropping the tag if the previous
attempt did not work and making sure at least one ofreconstruct
,std :: is_class_v < iterator >
,std :: is_class_v < sentinal >
, orstd :: is_enum_v < iterator >
is true; and finally,std :: is_enum_v < sentinel > -
if nothing else matches.std :: ranges :: subrange < decltype ( iterator ), decltype ( sentinel ) >
This allows a developer to put a range back together at various levels of fidelity from its parts and pieces, giving us the ability to propagate the input type’s properties after modifying its iterators for some underlying work, algorithm or other effect. This concept is also the basis of the idea behind [p1739r4], which was accepted in a lesser form for C++20 with the intent of this paper following up on it.
3.1. Range? Why not "Borrowed Range"?
Previously, we required that the ranges being reconstructed modeled
, since that was an accurate indicator that the iterators and sentinel could potentially outlive the range itself. This was to prevent some issues in a previous design that used constructors. Since that is no longer based on constructors and with no chance of false positives, we no longer need to include that limitation.
is also too restrictive, as there are some cases where the resulting range is non-borrowed, but could be successfully reconstructed from some of its pieces. The concept is opt-in now by way of declaring an ADL-found
function, any type can effectively decide for itself whether it could reconstruct properly. Note that this opens up usages for things that, if we had used
, would not have been reconstructible. Consider the following expression:
std :: vector < int > vec { 1 , 2 , 3 , 4 , 5 , 6 , 7 , 8 , 9 , 10 }; std :: span < int > some_span ( vec ); some_span | views :: transform ( f ) | views :: take ( 5 )
This particular case is reconstructible as
is reconstructible (and
is reconstructible because it is already a properly borrowed type). The original transformation view can be reconstructed here without the need to keep the
intermediate wrapped around the two previous transformations, as the transform can be ignored on the first five elements by advancing the given
's
by 5 elements. A smart
call for
could conceivably do this.
3.2. Multiple, Safe Reconstruction Points
Consider a hypothetical
type. It is impossible to, from normal
iterator pair ascertain the range is null-terminated and is thus a "C string". Therefore, a reconstruct for
would not return a
, but a normal
.
On the other hand, if there was a
sentinel with a
iterator that was preserved through a series of actions and algorithms, that kind of information would allow us to return a
from a reconstruction operation.
The
extension point supports both of these scenarios:
class c_string_view { /* blah... */ // reconstruct: with [const char*, const char*) iterators // no guarantee it’s null terminated: decay to string_view friend constexpr std :: string_view reconstruct ( std :: in_place_type_t < c_string_view > , const char * first , const char * last ) noexcept { return std :: string_view ( first , last ); } // reconstruct: with static [const char*, c_string_sentinel) // static guarantee by type: return a c_string_view friend constexpr c_string_view reconstruct ( std :: in_place_type_t < c_string_view > , const char * first , c_string_sentinel ) noexcept { return c_string_view ( first ); } };
This is a level of flexibility that is better than the Revision 0 constructor-based design, and can aid in providing better static guarantees while decaying gracefully in other situations.
3.3. Opt-in?
Not all ranges can meet this requirement. Some ranges contain state which cannot be trivially propagated into the iterators, or state that cannot be reconstructed from the iterator/sentinel pair itself. However, most of the common ranges representing unbounded views, empty views, iterations viewing some section of non-owned storage, or similar can all be reconstructed from their iterator/iterator or iterator/sentinel pair.
For example
contains a exposition *semiregular-box* template type (ranges.semi.wrap) which holds a value to iterate over. It would not be possible to reconstruct the exact same range (e.g., iterators pointing to the exact same object) with the semi-regular wrapper. Ranges should have the ability to select this syntax without having it happen to their type implicitly, or as for more information.
This is why there are 3 levels to opt-in to support. If a user defines the 4-argument form which takes a
quadruplet, than they can use as much information may be available in the range, iterator, and sentinel to reproduce the original range. If they do not need that much information, they can opt-in to the 3-argument version which only takes the
triplet. And, finally, the most brief and sophisticated form is the
form, which can reconstruct a range using information from only the iterator, only the sentinel, or both.
If the range opts-in to nothing, then there will always be a default return:
. This is effectively what any algorithm today already returns (sometimes it uses a hand-made pair type, likely because some iterator-pair usages may require the size to be stored and neither the iterator nor the sentinel can provide the size).
3.4. Applicability
There are many ranges to which this is applicable, but only a handful in the standard library need or satisfy this. If [p1391r2] and [p1394r2] are accepted (they were), then the two most important view types --
and
-- will model the _spirit_ of the concept (but lack the customization point to make it generic).
already fits this as well. By formalizing concepts in the standard, we can dependably and reliably assert that these properties continue to hold for these ranges. We intend to add a
function to all of the non-
types.
There are also upcoming ranges from [range-v3] and elsewhere that could model this concept:
-
[p1255r4]'s
;std :: ranges :: ref_maybe_view -
[p0009r9]'s
;std :: mdspan -
and, soon to be proposed by this author for the purposes of output range algorithms, [range-v3]'s
.ranges :: unbounded_view
And there are further range adaptor closure objects that could make use of this concept:
-
,views :: slice
,views :: take_exactly
andviews :: drop_exactly
from [range-v3]views :: take_last
Note that these changes will greatly aid other algorithm writers who want to preserve the same input ranges. In the future, the standard may provide an
algorithm for these types.
4. Deployment Experience
This change was motivated by Hannes Hauswedell’s [p1739r4] and became very important for the ranges work done with text encoding. There is a C++17 implementation at the soasis/text repository here, which is mimicking the interface needed for [p1629r1]. It is meant to solve the deployment issues with P1739’s merging into the Standard.
5. Impact
As a feature that is opt-in thanks to the
Customization Point Object design, no currently created range or previously made range is affected.
Furthermore, this is a new and separate set of concepts. It is not to be added to the base
concept, or added to any other concept. It is to be applied separately to the types which can reasonably support it for the benefit of algorithms and code which can enhance the quality of their implementation.
Finally, Hannes Hauswedell’s [p1739r4] with the explicit intention to mark certain ranges as reconstructible by hardcoding their behavior into the standard and come back with an opt-in fix during the C++23 cycle. This paper completes that promise.s
6. Proposed Changes
The following wording is relative to the latest C++ Draft paper.
6.1. Feature Test Macro
This paper results in a concept to help guide the further development of standard ranges and simplify their usages in generic contexts. There is one proposed feature test macro,
, which is to be input into the standard and then explicitly updated every time a
from a is added to reflect the new wording. We hope that by putting this in the standard early, most incoming ranges will be checked for compatibility with
and
.
6.2. Intent
The intent of this wording is to provide greater generic coding guarantees and optimizations by allowing for a class of ranges and views that model the new exposition-only definitions of a reconstructible range:
-
add a new feature test macro for reconstructible ranges to cover constructor changes;
-
add a new customization point object for
;ranges :: reconstruct -
add the customization point to many different ranges that can be reconstructed;
-
and, add two new concepts to [range.req].
6.3. Proposed Library Wording
6.3.1. Add a feature test macro __cpp_lib_reconstructible_range
.
6.3.2. Insert into §24.2 Header < ranges >
Synopsis [ranges.syn] a new customization point object in the inline namespace:
namespace std :: ranges {
inline namespace unspecified {
…
nline constexpr nspecified reconstruct = unspecified ;
…
}
}
6.3.3. Insert into §24.4.2 Ranges [range.range]'s after paragraph 7, one additional paragraph:
8 The concepts,
iterator_reconstructible_range and
reconstructible_range concepts describe the requirements on ranges that are efficiently constructible from certain iterator and sentinel types, alongside possible additional information from the range itself.
range_reconstructible_range template < class It , class Sen = It > concept iterator_reconstructible_range = ( std :: is_class_v < It > || std :: is_class_v < Sen > || std :: is_enum_v < It > || std :: is_enum_v < Sen > ) && requires ( It first , Sen last ) { reconstruct ( std :: foward < It > ( first ), std :: forward < Sen > ( last ) ); }; template < class R , class It = ranges :: iterator_t < remove_reference_t < R >> , class Sen = ranges :: sentinel_t < remove_reference_t < R >>> concept reconstructible_range = std :: ranges :: range < R > && requires ( It first , Sen last ) { reconstruct ( in_place_type < remove_cvref_t < R >> , std :: move ( first ), std :: move ( last ) ); }; template < class R , class Tag = remove_cvref_t < R > , class It = ranges :: iterator_t < remove_reference_t < R >> , class Sen = ranges :: sentinel_t < remove_reference_t < R >>> concept range_reconstructible_range = std :: ranges :: range < R > && requires ( R range , It first , Sen last ) { reconstruct ( in_place_type < Tag > , std :: forward < R > ( range ), std :: forward < It > ( first ), std :: forward < Sen > last ) ); }; 9 Let
be a range with type
r and
R be some type.
T
- 9.1 — Let
be the result of
it_sen_re_range if such an expression is well-formed.
ranges :: reconstruct ( ranges :: begin ( r ), ranges :: end ( r )) models
r if
ranges :: iterator_reconstructible_range
- —
is true, and
ranges :: begin ( r ) == ranges :: begin ( it_sen_re_range ) - —
is true.
ranges :: end ( r ) == ranges :: end ( it_sen_re_range ) - 9.2 — Let
be the result of
re_range if such an expression is well-formed.
ranges :: reconstruct ( in_place_type < remove_cvref_t < T >> , ranges :: begin ( r ), ranges :: end ( r )) models
r if
ranges :: reconstructible_range
- —
is true, and
ranges :: begin ( r ) == ranges :: begin ( re_range ) - —
is true.
ranges :: end ( r ) == ranges :: end ( re_range ) - 9.3 — Let
be the result of
range_re_range , if such an expression is well-formed. Then
ranges :: reconstruct ( in_place_type < remove_cvref_t < T >> , r , ranges :: begin ( r ), ranges :: end ( r )) models
range_re_range if
ranges :: range_reconstructible_range
- —
is true, and
ranges :: begin ( r ) == ranges :: begin ( range_re_range ) - —
is true.
ranges :: end ( r ) == ranges :: end ( range_re_range )
6.3.4. Insert a new sub-clause "§24.3.13 ranges :: reconstruct
[range.prim.recons]", after "§24.3.12 ranges :: cdata
[range.prim.cdata]":
24.3.12
[range.prim.recons]
ranges :: reconstruct 1 The name
denotes a customization point object.
reconstruct 2 The expression
for some sub-expressions
ranges :: reconstruct ( I , S ) and
I is expression-equivalent to:
S
- (2.1)
if either
reconstruct ( std :: forward < decltype ( I ) > ( I ), std :: forward < decltype ( S ) > ( S )) or
remove_cvref_t < decltype ( I ) > are class or enumeration types, it is a valid expression, and
remove_cvref_t < decltype ( S ) > , and
decltype ( I ) model
decltype ( S ) .
iterator_reconstructible_range - (2.2) Otherwise,
if it is a valid expression.
ranges :: subrange < remove_cvref_t < decltype ( I ) > , remove_cvref_t < decltype ( S ) >> ( std :: forward < decltype ( I ) > ( I ), std :: forward < decltype ( S ) > ( S )) - (2.3) Otherwise,
is ill-formed.
ranges :: reconstruct ( I , S ) 3 The expression
for some type
ranges :: reconstruct ( in_place_type < R > , I , S ) and some sub-expressions
R and
I is expression-equivalent to:
S
- (2.1)
if it is a valid expression and
reconstruct ( in_place_type < R > , std :: forward < decltype ( I ) > ( I ), std :: forward < decltype ( S ) > ( S )) ,
R , and
decltype ( I ) model
decltype ( S ) .
reconstructible_range - (2.2) Otherwise,
.
ranges :: reconstruct ( std :: forward < decltype ( I ) > ( I ), std :: forward < decltype ( S ) > ( S )) 4 The expression
for some type
ranges :: reconstruct ( in_place_type < R > , SR , I , S ) , and some sub-expressions
R ,
SR , and
I is expression-equivalent to:
S
- (2.1)
if it is a valid expression and
reconstruct ( in_place_type < R > , std :: forward < decltype ( SR ) > ( SR ), std :: forward < decltype ( I ) > ( I ), std :: forward < decltype ( S ) > ( S )) ,
decltype ( SR ) ,
R , and
decltype ( I ) model
decltype ( S ) .
range_reconstructible_range - (2.2) Otherwise,
.
ranges :: reconstruct ( in_place_type < R > , std :: forward < decltype ( I ) > ( I ), std :: forward < decltype ( S ) > ( S ))
6.3.5. Add to "§21.4.3.1 General
" [string.view.template.general] a friend
function ADL extension point for basic_string_view
:
// [string.view.reconstruct] friend constexpr basic_string_view reconstruct ( const_iterator first , const_iterator last ) noexcept ;
6.3.6. Add a new subclause "§21.4.��� Range Reconstruction
" [string.view.reconstruct] in §21.4:
21.4.��� Range Reconstruction [string.view.reconstruct]
friend constexpr basic_string_view reconstruct ( in_place_type_t < basic_string_view > , const_iterator first , const_iterator last ) noexcept ; 1 Returns:
.
basic_string ( std :: move ( first ), std :: move ( last ))
6.3.7. Add to "§22.7.3.1 Overview
" [span.overview] a friend
function ADL extension point for span
:
// [span.reconstruct] template < class It , class End > friend constexpr auto reconstruct ( in_place_type_t < span > , It first , End last ) noexcept ;
6.3.8. Add a new subclause "§22.7.3.���� Range Reconstruction
" [span.reconstruct] in §22.7.3:
22.7.3.���� Range Reconstruction [span.reconstruct]
template < class It , class End > friend constexpr auto reconstruct ( in_place_type_t < span > , It first , End last ) noexcept ; 1 Constraints: Let
be
U .
remove_ reference_ t < iter_ reference_ t < It >>
- (1.1) —
is
is_ convertible_ v < U ( * )[], element_ type ( * )[] > true
. [Note: The intent is to allow only qualification conversions of the iterator reference type to element_type. — end note]- (1.2) —
satisfies
It .
contiguous_ iterator - (1.3) —
satisfies
End .
sized_ sentinel_ for < It > - (1.4) —
is
is_ convertible_ v < End , size_ t > false
.2 Let
be an implementation-defined constant expression of type
MaybeExtent . If it is not equal to
size_t , then
dynamic_extent shall be a value equal to
MaybeExtent .
distance ( first , last ) 3 Returns:
.
span < ElementType , MaybeExtent > ( std :: move ( first ), std :: move ( last )) 4 Remarks: the return type may be promoted to a
with a static extent if the implementation is capable of deriving such information from the given iterator and sentinel.
span
6.3.9. Add to "§24.5.4.1 General
" [range.subrange.general] a friend
function ADL extension point for subrange
:
friend constexpr auto reconstruct ( in_place_type_t < subrange > , I first , E last ) noexcept ;
6.3.10. Add a new subclause "§24.5.4.���� Range Reconstruction
" [range.subrange.reconstruct] in §24.5.4:
22.7.3.���� Range Reconstruction [range.subrange.reconstruct]
friend constexpr subrange reconstruct ( in_place_type_t < subrange > , I first , S last ) noexcept ( see - below ); 1 Returns:
.
subrange ( std :: move ( first ), std :: move ( last )) 2 Throws: Anything from evaluating the Returns. Otherwise, nothing.
6.3.11. Add to "§24.6.4.2 Class template iota_view
" [range.iota] a friend
function ADL extension point for iota_view
:
friend constexpr iota_view reconstruct ( iterator first , sentinel last ) noexcept ;
6.3.12. Add one new paragraph to "§24.6.4.2 Class template iota_view
" [range.iota]:
friend constexpr iota_view reconstruct ( iterator first , sentinel last ) noexcept ; �� Returns:
.
iota_view ( std :: move ( first ), std :: move ( last ))
6.3.13. Add to "§24.6.2.2 Class template empty_view
" [range.empty.view] a friend
function ADL extension point for empty_view
:
friend constexpr empty_view reconstruct ( iterator , sentinel ) noexcept { return empty_view (); }
6.3.14. Add to "§24.7.6.2 Class template transform_view
" [range.transform.view] a friend
function ADL extension point for transform_view
:
friend constexpr transform_view reconstruct ( iterator , sentinel ) noexcept ( see - below );
6.3.15. Add new paragraphs to "§24.6.4.2 Class template transform_view
" [range.transform]:
friend constexpr transform_view reconstruct ( iterator first , sentinel last ) noexcept ( see - below ); �� Constraints:
models
V .
reconstructible_range �� Returns:
.
transform_view ( ranges :: reconstruct ( std :: move ( first ). current , std :: move ( last ). end ), * first . parent -> fun_ ) ��� Throws: Anything from evaluating the Returns. Otherwise, nothing.
friend constexpr transform_view reconstruct ( in_place_type_t < transform_view > , transform_view original , iterator first , sentinel last ) noexcept ( see - below ); �� Constraints:
models
V .
reconstructible_range �� Returns:
.
transform_view ( ranges :: reconstruct ( std :: move ( first ). current , std :: move ( last ). end ), std :: move ( * original . fun_ )) ��� Throws: Anything from evaluating the Returns. Otherwise, nothing.
6.3.16. Modify "§24.7.7.1 Overview " [range.take.overview] for views :: take
's paragraph 2:
2 The name
denotes a range adaptor object ([range.adaptor.object]). Let
views :: take and
E be expressions, let
F be
T , and let
remove_ cvref_ t < decltype (( E )) > be
D . If
range_ difference_ t < decltype (( E )) > does not model
decltype (( F )) ,
convertible_ to < D > is ill-formed. Otherwise, the expression views::take(E, F) is expression-equivalent to:
views :: take ( E , F )
- (2.1) — If
is a specialization of
T ([range.empty.view]), then
ranges :: empty_ view .
(( void ) F , decay - copy ( E )) - (2.2) — Otherwise, if
models
T and
random_ access_ range and is
sized_ range then
- (2.2.1) — a specialization of
([views.span]) where
span ,
T :: extent == dynamic_ extent - (2.2.2) — a specialization of
([string.view]),
basic_ string_ view - (2.2.3) — a specialization of
([range.iota.view]), or
ranges :: iota_ view - (2.2.4) — a specialization of
([range.subrange]),
ranges :: subrange , except that
T { ranges :: begin ( E ), ranges :: begin ( E ) + min < D > ( ranges :: size ( E ), F )} is evaluated only once.
E - (2.3) — Otherwise,
.
ranges :: take_ view { E , F }
- (2.1) — If
is a specialization of
T ([range.empty.view]), then
ranges :: empty_ view .
(( void ) F , decay - copy ( E )) - (2.2) — Otherwise, if
models both
T and
random_ access_ range , and
sized_ range :
T then
- (2.2.1) — models
, or
range_reconstructble_range - (2.2.2) — models
, or
reconstructble_range - (2.2.3) — has an
and a
iterator_t < T > that models
sentinel_t < T > ,
iterator_reconstructible_range , except that
ranges :: reconstruct ( in_place_type < T > , E , ranges :: begin ( E ), ranges :: begin ( E ) + min < D > ( ranges :: size ( E ), F )) is evaluated only once.
E - (2.3) — Otherwise,
.
ranges :: take_ view { E , F }
6.3.17. Modify "§24.7.9.1 Overview " [range.drop.overview] for views :: drop
's paragraph 2:
2 The name
denotes a range adaptor object ([range.adaptor.object]). Let
views :: drop and
E be expressions, let
F be
T , and let
remove_ cvref_ t < decltype (( E )) > be
D . If
range_ difference_ t < decltype (( E )) > does not model
decltype (( F )) ,
convertible_ to < D > is ill-formed. Otherwise, the expression
views :: drop ( E , F ) is expression-equivalent to:
views :: drop ( E , F )
- (2.1) — If
is a specialization of
T ([range.empty.view]), then
ranges :: empty_ view .
(( void ) F , decay - copy ( E )) - (2.2) — Otherwise, if
models
T and
random_ access_ range and is
sized_ range then
- (2.2.1) — a specialization of
([views.span]) where
span ,
T :: extent == dynamic_ extent - (2.2.2) — a specialization of
([string.view]),
basic_ string_ view - (2.2.3) — a specialization of
([range.iota.view]), or
ranges :: iota_ view - (2.2.4) — a specialization of
([range.subrange]),
ranges :: subrange , except that
T { ranges :: begin ( E ) + min < D > ( ranges :: size ( E ), F ), ranges :: end ( E )} is evaluated only once.
E - (2.3) — Otherwise,
.
ranges :: drop_ view { E , F }
- (2.1) — If
is a specialization of
T ([range.empty.view]), then
ranges :: empty_ view .
(( void ) F , decay - copy ( E )) - (2.2) — Otherwise, if
models both
T and
random_ access_ range , and
sized_ range :
T then
- (2.2.1) — models
, or
range_reconstructble_range - (2.2.2) — models
, or
reconstructble_range - (2.2.3) — has an
and a
iterator_t < T > that models
sentinel_t < T > ,
iterator_reconstructible_range , except that
ranges :: reconstruct ( in_place_type < T > , E , ranges :: begin ( E ) + min < D > ( ranges :: size ( E ), F ), ranges :: end ( E )) is evaluated only once.
E - (2.3) — Otherwise,
.
ranges :: drop_ view { E , F }
7. Acknowledgements
Thanks to Corentin Jabot, Christopher DiBella, and Hannes Hauswedell for pointing me to [p1035r7] and [p1739r4] to review both papers and combine some of their ideas in here. Thanks to Eric Niebler for prompting me to think of the generic, scalable solution to this problem rather than working on one-off fixes for individuals views.
Thank you to Oktal, Anointed of ADL, Blessed Among Us, and Morwenn, the ever-watching Code Guardian for suggesting improvements to the current concept form.
https://cplusplus.github.io/LWG/issue3407