1 /** Extensions to std.algorithm.
2     Copyright: Per Nordlöw 2018-.
3     License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0).
4     Authors: $(WEB Per Nordlöw)
5 
6     TODO: merge stuff from algorithm_ex_2.d
7 */
8 module nxt.algorithm_ex;
9 
10 /* version = show; */
11 
12 import std.traits : isArray, Unqual, isIntegral, CommonType, arity, isSomeString, isExpressionTuple;
13 import std.range.primitives : ElementType, isInputRange, isForwardRange, isBidirectionalRange, isRandomAccessRange, front;
14 import nxt.traits_ex : allSame;
15 import std.functional : binaryFun;
16 import std.algorithm.searching : find;
17 
18 version(show)
19 {
20     import nxt.dbgio : dbg;
21 }
22 
23 import std.range : dropOne;
24 alias tail = dropOne;
25 
26 /** This overload enables, when possible, lvalue return.
27  *
28  * BUG: this overload is not chosen over `std.algorithm.either` so function
29  * must currently be called `eitherRef` instead of `either`.
30  */
31 ref Ts[0] eitherRef(Ts...)(ref Ts a)
32 if (a.length != 0 &&
33     allSame!Ts)         // TODO: better trait for this?
34 {
35     static if (Ts.length == 1)
36         return a[0];
37     else
38         return a[0] ? a[0] : eitherRef(a[1 .. $]); // recurse
39 }
40 
41 ///
42 @safe pure /*TODO: nothrow*/ unittest
43 {
44     int x = 1, y = 2;
45     eitherRef(x, y) = 3;
46     assert(x == 3);
47     assert(y == 2);
48 }
49 
50 /** Returns: last argument if all arguments implicitly bool-convert to `true`
51  * otherwise `CommonType!T.init`.
52  *
53  * Similar to behaviour of `and` operator in dynamic languages such as of Lisp's
54  * `(and a...)` and Python's `a and ....`.
55  *
56  * TODO: Is inout Conversion!T the correct return value?
57 */
58 CommonType!T every(T...)(lazy T a)
59 if (T.length != 0)
60 {
61     auto a0 = a[0]();           // evaluate only once
62     static if (T.length == 1)
63         return a0;
64     else
65         return a0 ? every(a[1 .. $]) : CommonType!T.init; // recurse
66 }
67 
68 ///
69 @safe pure /*TODO: nothrow*/ unittest
70 {
71     assert(every(3) == 3);
72     assert(every(3, 4) == 4);
73     assert(every(0, 4) == 0);
74     assert(every(0, 0) == 0);
75     assert(every([0, 1], [1, 2]) == [1, 2]);
76     assert(every([0, 1], [1]) == [1]);
77     assert(every(`a`, `b`) == `b`);
78     assert(every(``, `b`) == `b`);
79     assert(every(cast(string)null, `b`) == cast(string)null);
80 }
81 
82 version(none) // WARNING disabled because I don't see any use of this for.
83 {
84     /** This overload enables, when possible, lvalue return.
85     */
86     auto ref every(T...)(ref T a)
87     if (T.length != 0 && allSame!T)
88     {
89         static if (T.length == 1)
90             return a[0];
91         else
92             return a[0] ? every(a[1 .. $]) : a[0]; // recurse
93     }
94 
95     ///
96     unittest
97     {
98         immutable p = 1, q = 2;
99         assert(every(p, q) == 2);
100 
101         int x = 1, y = 2;
102         every(x, y) = 3;
103         assert(x == 1);
104         assert(y == 3);
105     }
106 }
107 
108 /** Evaluate all `parts` possibly digesting `whole`.
109  *
110  * If all values of `parts` implicitly convert to `bool true`, return the values
111  * as an array, otherwise restore whole and return null.
112  */
113 CommonType!T[] tryEvery(S, T...)(ref S whole, lazy T parts)
114 if (T.length != 0)
115 {
116     auto wholeBackup = whole;
117     bool all = true;
118     alias R = typeof(return);
119     R results;
120     foreach (result; parts) // evaluate each part
121     {
122         if (result)
123             results ~= result;
124         else
125         {
126             all = false;
127             break;
128         }
129     }
130     if (all)
131         return results;        // ok that whole has been changed in caller scope
132     else
133     {
134         whole = wholeBackup; // restore whole in caller scope if any failed
135         return R.init;
136     }
137 }
138 
139 ///
140 unittest
141 {
142     auto whole = `xyz`;
143     import std.algorithm.searching : skipOver;
144 
145     assert(whole.tryEvery(whole.skipOver('x'),
146                           whole.skipOver('z')) == []); // failing match
147     assert(whole == `xyz`); // should restore whole
148 
149     assert(whole.tryEvery(whole.skipOver('x'),
150                           whole.skipOver('y'),
151                           whole.skipOver('w')) == []); // failing match
152     assert(whole == `xyz`); // should restore whole
153 
154     assert(whole.tryEvery(whole.skipOver('x'),
155                           whole.skipOver('y')) == [true, true]); // successful match
156     assert(whole == `z`); // should digest matching part
157 }
158 
159 import std.traits : isInstanceOf;
160 
161 import std.typecons : Nullable;
162 
163 /** Returns: `true` iff `a` has a value containing meaningful information.
164  */
165 bool hasContents(T)(in T a)
166 {
167     static if (isInstanceOf!(Nullable, T))
168         return !a.isNull;
169     else static if (isArray!T ||
170                     isSomeString!T)
171         return cast(bool)a.length; // see: http://stackoverflow.com/questions/18563414/empty-string-should-implicit-convert-to-bool-true/18566334?noredirect=1#18566334
172     else
173         return cast(bool)a;
174 }
175 
176 /** Reset `a` to its default value.
177  *
178  * Params:
179  *      T = the argument type, likely to be infered.
180  *      a = a reference to a T.
181  *
182  * See_Also: std.typecons.Nullable.nullify
183  */
184 auto ref reset(T)(ref T a) @trusted // pure nothrow
185 {
186     static if (isInstanceOf!(Nullable, T))
187         a.nullify();
188     else
189         return a = T.init;
190 }
191 
192 ///
193 @safe @nogc pure nothrow unittest
194 {
195     uint a = 159;
196     a.reset();
197     assert(a == a.init);
198 
199     string b = "bla";
200     b.reset();
201     assert(b == b.init);
202 }
203 
204 ///
205 unittest
206 {
207     import std.typecons : Nullable;
208     auto n = Nullable!(size_t,
209                        size_t.max)();
210     import nxt.predicates : isUntouched;
211     assert(n.isUntouched);
212     n = 0;
213     assert(!n.isUntouched);
214     assert(n == 0);
215     n.reset;
216     assert(n.isUntouched);
217 }
218 
219 import std.typecons : Tuple, tuple;
220 
221 /** Find `needles` in order in `haystack`. */
222 auto findInOrder(alias pred = `a == b`,
223                  alias finder = find,
224                  R,
225                  E...)(R haystack,
226                        E needles) /* @trusted pure nothrow */
227 {
228     import std.range.primitives : empty;
229     auto hit = haystack; // reference
230     foreach (needle; needles) // for every needle in order
231     {
232         hit = finder!pred(hit, needle);
233         if (hit.empty)
234             break;
235     }
236     return hit;
237 }
238 
239 ///
240 @safe pure nothrow @nogc unittest
241 {
242     import std.range.primitives : empty;
243     assert(`a b c`.findInOrder(`a`, `b`, `c`));
244     assert(`b a`.findInOrder(`a`, `b`).empty);
245 }
246 
247 /** Returns: If `range` is symmetric.
248  *
249  * See_Also: http://forum.dlang.org/thread/dlfeiszyweafpjiocplf@forum.dlang.org#post-vpzuaqxvtdpzpeuorxdl:40forum.dlang.org
250  * See_Also: https://stackoverflow.com/questions/21849580/equality-operator-in-favour-of-std-range-equal
251  *
252  * TODO: Test graphemes in `string` and `wstring`.
253  * TODO: Move to Phobos
254 */
255 bool isSymmetric(R)(R range)
256 if (isBidirectionalRange!(R))
257 {
258     size_t i = 0;
259     import std.range.primitives : empty;
260     while (!range.empty)
261     {
262         import std.range.primitives : front, back, popFront, popBack;
263         if (range.front != range.back)
264             return false;
265         range.popFront(); ++i;
266         if (range.empty)
267             break;
268         range.popBack(); ++i;
269     }
270     return true;
271 }
272 
273 ///
274 @safe pure unittest
275 {
276     assert(`dallassallad`.isSymmetric);
277     assert(!`ab`.isSymmetric);
278     assert(`a`.isSymmetric);
279     assert(`åäå`.isSymmetric);
280     assert(`áá`.isSymmetric);
281     assert(`åäå`.isSymmetric);
282     assert(``.isSymmetric);
283     assert([1, 2, 2, 1].isSymmetric);
284 }
285 
286 /** Returns: If `range` is a palindrome larger than `minLength`.
287  */
288 bool isPalindrome(R)(R range,
289                      size_t minLength = 0) // TODO: good value for minLength?
290 if (isBidirectionalRange!(R))
291 {
292     static if (isRandomAccessRange!R) // arrays excluding `char[]` and `wchar[]`
293         if (range.length < minLength)
294             return false;
295     size_t i = 0;
296     // TODO: reuse `isSymmetric`
297     import std.range.primitives : empty;
298     while (!range.empty)
299     {
300         import std.range.primitives : front, back, popFront, popBack;
301         if (range.front != range.back)
302             return false;
303         range.popFront(); ++i;
304         if (range.empty)
305             break;
306         range.popBack(); ++i;
307     }
308     return i >= minLength;
309 }
310 
311 ///
312 @safe pure unittest
313 {
314     assert(`dallassallad`.isPalindrome);
315     assert(!`ab`.isPalindrome);
316     assert(`a`.isPalindrome);
317     assert(`åäå`.isPalindrome);
318     assert(`áá`.isPalindrome);
319     assert(`åäå`.isPalindrome);
320     assert(``.isPalindrome);
321     assert([1, 2, 2, 1].s[].isPalindrome);
322 }
323 
324 import nxt.traits_ex : areEquable;
325 
326 /** Return true if $(D s1) is an Anagram of $(D s2).
327  *
328  * Equal arguments are not considered to be an anagrams of each other.
329  *
330  * TODO: Is there a faster way of calculating anagrams?
331  * TODO: Allow const input
332  * TODO: Move to Phobos std.algorithm.sorting.
333  * TODO: Should requirement isInputRange be relaxed?
334  *
335  * Note that implementations in http://rosettacode.org/wiki/Anagrams#D doesn't
336  * correctly handle multi-byte encoded characters in string and wstring.
337  */
338 auto isAnagramOf(R1, R2)(R1 r1, R2 r2) // TODO: nothrow
339 if (isInputRange!R1 &&
340     isInputRange!R2 &&
341     areEquable!(ElementType!R1,
342                 ElementType!R2))
343 {
344     immutable sortLimit = 0;
345     import std.range.primitives : empty;
346     if (r1.empty || r2.empty)
347         return false;
348     if (r1.length + r2.length < sortLimit)
349     {
350         import std.algorithm.comparison : equal;
351         import nxt.sort_ex : sorted; // NOTE allocates
352         return equal(r1.sorted,
353                      r2.sorted);
354     }
355     else
356     {
357         alias E1 = ElementType!R1;
358         alias E2 = ElementType!R2;
359         alias C = CommonType!(E1, E2);
360 
361         alias T = Tuple!(size_t, // R1 histogram bin count
362                          size_t); // R2 histogram bin count
363 
364         import std.traits : isNarrowString;
365         import std.utf : byUTF;
366 
367         // TODO: functionize
368         static if (isNarrowString!R1)
369             auto s1 = r1.byUTF!dchar;
370         else
371             auto s1 = r1; // TODO: avoid copying
372 
373         static if (isNarrowString!R2)
374             auto s2 = r2.byUTF!dchar;
375         else
376             auto s2 = r2; // TODO: avoid copying
377 
378         // histogram
379         T[C] hist;              // TODO: use non-GC-allocating AA
380 
381         // create histograms
382         foreach (const ref e1; s1)
383         {
384             // TODO: functionize to hist.initOrUpdate(e1, T(0,1), (ref AA aa){ aa[0] += 1; })
385             if (auto hit = e1 in hist)
386                 (*hit)[0] += 1;
387             else
388                 hist[e1] = T(1, 0);
389         }
390         foreach (const ref e2; s2)
391         {
392             // TODO: functionize to hist.initOrUpdate(e2, T(0,1), (ref AA aa){ aa[1] += 1; })
393             if (auto hit = e2 in hist)
394                 (*hit)[1] += 1;
395             else
396                 hist[e2] = T(0, 1);
397         }
398 
399         // check histograms
400         foreach (const ref e; hist) // TODO: nothrow
401             if (e[0] != e[1])
402                 return false;
403         return true;
404     }
405 }
406 alias isPermutationOf = isAnagramOf; // TODO: Only define isAnagramOf for strings?
407 
408 ///
409 @safe pure unittest
410 {
411     assert([1, 2, 3, 4, 5].s[].isPermutationOf([1, 2, 4, 5, 3].s[]));
412     assert(![1, 2, 3, 4, 5].s[].isPermutationOf([1, 4, 5, 3].s[]));
413 }
414 
415 ///
416 @safe pure unittest
417 {
418     assert(!``w.isAnagramOf(``));
419     assert(`äöå`w.isAnagramOf(`åäö`));
420     assert(`äöå`.isAnagramOf(`åäö`w));
421     assert(`äöå`w.isAnagramOf(`åäö`w));
422 
423     assert(`äöå`d.isAnagramOf(`åäö`));
424     assert(`äöå`.isAnagramOf(`åäö`d));
425     assert(`äöå`d.isAnagramOf(`åäö`d));
426 }
427 
428 ///
429 @safe pure unittest
430 {
431     assert(`äöå`.isAnagramOf(`åäö`));
432     assert(!`äöå`.isAnagramOf(`xyz`));
433     assert(!`äöå`.isAnagramOf(``));
434     assert(!``.isAnagramOf(`åäö`));
435 }
436 @safe pure unittest
437 {
438     assert(`xyzxyzxyzxyzxyzxyzxyzxyz`.isAnagramOf(`xyzxyzxyzxyzxyzxyzxyzxyz`));
439     assert(`xyzxyzxyzxyzxyzxyzxyzxyz`.isAnagramOf(`xxyyzzxxyyzzxxyyzzxxyyzz`));
440 }
441 
442 ///
443 @safe pure unittest
444 {
445     import std.conv: to;
446 
447     auto x = `äöå`.to!(dchar[]);
448 
449     auto y = sort(x);
450     alias Y = typeof(y);
451 
452     immutable z = `åäö`;
453 
454     assert(y.isAnagramOf(z));
455     assert(z.isAnagramOf(y));
456 }
457 
458 /* ref Unqual!T unqual(T)(in T x) pure nothrow if isStuct!T { return cast(Unqual!T)x; } */
459 /* /// */
460 /* unittest { */
461 /*     const int x; */
462 /*     unqual(x) = 1; */
463 /* } */
464 
465 enum Reduction
466 {
467     forwardDifference,
468     backwardDifference,
469     sum,
470 }
471 
472 /** Generalized Windowed Reduce.
473  *
474  * See_Also: https://stackoverflow.com/questions/21004944/forward-difference-algorithm
475  * See_Also: http://forum.dlang.org/thread/ujouqtqeehkegmtaxebg@forum.dlang.org#post-lczzsypupcfigttghkwx:40forum.dlang.org
476  * See_Also: http://rosettacode.org/wiki/Forward_difference#D
477 */
478 auto ref windowedReduce(Reduction reduction = Reduction.forwardDifference, R)(R range)
479 if (isInputRange!R)
480 {
481     import std.algorithm.iteration: map;
482     import std.range: zip, dropOne;
483     auto ref op(T)(T a, T b) @safe pure nothrow
484     {
485         static      if (reduction == Reduction.forwardDifference)
486             return b - a; // TODO: final static switch
487         else static if (reduction == Reduction.backwardDifference)
488             return a - b;
489         else static if (reduction == Reduction.sum)
490             return a + b;
491     }
492     return range.zip(range.dropOne).map!(a => op(a[0], a[1])); // a is a tuple here
493 }
494 // NOTE: Disabled for now because this solution cannot be made nothrow
495 /* auto ref windowedReduce(Reduction reduction = Reduction.forwardDifference, uint N = 0, R)(R range) */
496 /*     @safe pure /\* nothrow *\/ if (isInputRange!R) */
497 /* { */
498 /*     auto ref helper(R range) @safe pure /\* nothrow *\/ { */
499 /*         import std.algorithm.iteration: map; */
500 /*         import std.range: zip, dropOne; */
501 /*         //  Note: that a[0] and a[1] indexes Zip tuple */
502 /*         static if (reduction == Reduction.forwardDifference) */
503 /*             return range.zip(range.dropOne).map!(a => a[1] - a[0]); */
504 /*         static if (reduction == Reduction.backwardDifference) */
505 /*             return range.zip(range.dropOne).map!(a => a[0] - a[1]); */
506 /*         static if (reduction == Reduction.sum) */
507 /*             return range.zip(range.dropOne).map!(a => a[0] + a[1]); */
508 /*     } */
509 /*     static if (N != 0) { */
510 /*         return windowedReduce!(reduction, N - 1)(helper(range)); */
511 /*     } else { */
512 /*         return helper(range); */
513 /*     } */
514 /* } */
515 
516 /* /// */
517 /* unittest { */
518 /*     import std.range: front; */
519 /*     dbg([1].windowedReduce!(Reduction.forwardDifference)); */
520 /*     dbg([1, 22].windowedReduce!(Reduction.forwardDifference)); */
521 /*     dbg([1, 22, 333].windowedReduce!(Reduction.forwardDifference)); */
522 /* } */
523 
524 ///
525 unittest
526 {
527     import std.datetime : Clock, SysTime;
528     SysTime[] times;
529     immutable n = 4;
530     foreach (_; 0 .. n)
531         times ~= Clock.currTime;
532     version(show) dbg(times);
533     auto spans = times.windowedReduce!(Reduction.forwardDifference);
534     version(show) dbg(spans);
535     // dbg(*(cast(ulong*)&(spans.front)));
536     version(show) import std.datetime : Duration;
537     version(show) dbg(Duration.sizeof);
538 }
539 
540 ///
541 @safe pure unittest
542 {
543     immutable i = [1, 4, 9, 17];
544     assert(i.windowedReduce!(Reduction.forwardDifference).equal ([+3, +5, +8]));
545     assert(i.windowedReduce!(Reduction.backwardDifference).equal([-3, -5, -8]));
546     assert(i.windowedReduce!(Reduction.sum).equal ([+5, +13, +26]));
547     assert([1].windowedReduce.empty);
548     version(show) dbg(i.windowedReduce!(Reduction.sum));
549 }
550 
551 /* TODO: Assert that ElementType!R only value semantics.  */
552 auto ref packBitParallelRunLengths(R)(in R x)
553 if (isInputRange!R)
554 {
555     import std.bitmanip: BitArray;
556     import core.bitop: bt;
557     alias E = ElementType!R; // element type
558     enum nBits = 8*E.sizeof;
559 
560     BitArray[nBits] runs;
561 
562     // allocate runs
563     foreach (ref run; runs)
564         run.length = x.length;
565 
566     /* string toString() @property @trusted const { */
567     /*     typeof(return) y; */
568     /*     import std.conv: to; */
569     /*     foreach (run; runs) { */
570     /*         y ~= run.to!string ~ "\n"; */
571     /*     } */
572     /*     return y; */
573     /* } */
574 
575     /* size_t[nBits] counts; */
576 
577     import nxt.static_bitarray : StaticBitArray;
578     import nxt.bitop_ex: testBit;
579     foreach (eltIx, elt; x)
580         /* StaticBitArray!nBits bits; */
581         foreach (bitIndex; 0..nBits)
582             runs[bitIndex][eltIx] = elt.testBit(bitIndex);
583     return runs;
584 }
585 alias packBPRL = packBitParallelRunLengths;
586 
587 ///
588 pure unittest
589 {
590     /* import backtrace.backtrace; */
591     /* import std.stdio: stderr; */
592     /* backtrace.backtrace.install(stderr); */
593     immutable x = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
594     immutable xPacked = x.packBitParallelRunLengths;
595     version(show) dbg(xPacked);
596 }
597 
598 /** Compute Forward Difference of `range`.
599  *
600  * TODO: Is there a difference between whether `R r` is immutable, const or
601  * mutable?
602  *
603  * TODO: If `r` contains only one element return empty range.
604  *
605  * See_Also: https://stackoverflow.com/questions/21004944/forward-difference-algorithm
606  * See_Also: http://forum.dlang.org/thread/ujouqtqeehkegmtaxebg@forum.dlang.org#post-lczzsypupcfigttghkwx:40forum.dlang.org
607  * See_Also: http://rosettacode.org/wiki/Forward_difference#D
608  */
609 auto forwardDifference(R)(R r)
610 if (isInputRange!R)
611 {
612     import std.range: front, empty, popFront, dropOne;
613 
614     struct ForwardDifference
615     {
616         R _range;
617         alias E = ElementType!R;                       // Input ElementType
618         alias D = typeof(_range.front - _range.front); // Element Difference Type. TODO: Use this as ElementType of range
619         D _front;
620         bool _initialized = false;
621 
622         this(R range)
623         in(!range.empty)
624         {
625             auto tmp = range;
626             if (tmp.dropOne.empty) // TODO: This may be an unneccesary cost but is practical to remove extra logic
627                 _range = R.init; // return empty range
628             else
629                 _range = range; // store range internally (by reference)
630         }
631 
632         @property:
633         auto ref front()
634         {
635             if (!_initialized)
636                 popFront();
637             return _front;
638         }
639         auto ref moveFront()
640         {
641             popFront();
642             return _front;
643         }
644         void popFront()
645         {
646             if (empty is false)
647             {
648                 _initialized = true;
649                 E rf = _range.front;
650                 _range.popFront();
651                 if (_range.empty is false)
652                     _front = _range.front - rf;
653             }
654         }
655         bool empty()
656         {
657             return _range.empty;
658         }
659     }
660 
661     return ForwardDifference(r);
662 }
663 
664 ///
665 unittest
666 {
667     auto x = [long.max, 0, 1];
668     auto y = x.forwardDifference;
669     version(show) dbg(y);
670 }
671 
672 import std.traits: isCallable, ReturnType, arity;
673 import nxt.traits_ex: arityMin0;
674 
675 /** Create Range of Elements Generated by `fun`.
676  *
677  * Use for example to generate random instances of return value of fun.
678  *
679  * TODO: I believe we need arityMin, arityMax trait here
680  */
681 auto apply(alias fun, N)(N n)
682 if (// TODO: isCallable!fun &&
683         arityMin0!fun &&
684         !is(ReturnType!fun == void) &&
685         isIntegral!N)
686 {
687     import std.range: iota;
688     import std.algorithm.iteration: map;
689     return n.iota.map!(n => fun);
690 }
691 
692 ///
693 unittest
694 {
695     import std.datetime: Clock;
696     import std.array: array;
697     immutable n = 3;
698     auto times = n.apply!(Clock.currTime).array;
699     version(show) dbg(times);
700     auto spans = times.forwardDifference;
701     version(show) dbg(spans);
702 }
703 
704 /** In Place Ordering (in Sorted Order) of all Elements `t`.
705  *
706  * See_Also: https://stackoverflow.com/questions/21102646/in-place-ordering-of-elements/
707  * See_Also: http://forum.dlang.org/thread/eweortsmcmibppmvtriw@forum.dlang.org#post-eweortsmcmibppmvtriw:40forum.dlang.org
708 */
709 void orderInPlace(T...)(ref T t) @trusted
710 {
711     import std.algorithm: sort, swap;
712     static if (t.length == 2)
713     {
714         if (t[0] > t[1])
715             swap(t[0], t[1]);
716     }
717     else
718     {                           // generic version
719         T[0][T.length] buffer;      // static buffer to capture elements
720         foreach (idx, a; t)
721             buffer[idx] = a;
722         auto sorted = sort(buffer[]);
723         foreach (idx, a; t)
724             t[idx] = sorted[idx];
725     }
726 }
727 
728 ///
729 unittest
730 {
731     auto x = 2, y = 1;
732     orderInPlace(x, y);
733     assert(x == 1);
734     assert(y == 2);
735 }
736 
737 ///
738 unittest
739 {
740     auto x = 3, y = 1, z = 2;
741     orderInPlace(x, y, z);
742     assert(x == 1);
743     assert(y == 2);
744     assert(z == 3);
745 }
746 
747 import std.algorithm: SwapStrategy;
748 
749 /** Allow static arrays to be sorted without [].
750  *
751  * See_Also: http://forum.dlang.org/thread/jhzurojjnlkatjdgcfhg@forum.dlang.org
752  */
753 template sort(alias less = `a < b`, SwapStrategy ss = SwapStrategy.unstable)
754 {
755     import std.algorithm: stdSort = sort;
756     auto sort(Arr)(ref Arr arr)
757     if (__traits(isStaticArray, Arr))
758     {
759         return stdSort!(less, ss)(arr[]);
760     }
761     auto sort(Range)(Range r)
762     if (!__traits(isStaticArray, Range))
763     {
764         return stdSort!(less, ss)(r);
765     }
766 }
767 
768 ///
769 unittest
770 {
771     int[5] a = [ 9, 5, 1, 7, 3 ];
772     int[]  b = [ 4, 2, 1, 6, 3 ];
773     sort(a);
774     sort(b);
775 }
776 
777 /** Stable Variant of Quick Sort.
778  *
779  * See_Also: http://forum.dlang.org/thread/gjuvmrypvxeebvztszpr@forum.dlang.org
780  */
781 auto ref stableSort(T)(auto ref T a) pure
782 if (isRandomAccessRange!T)
783 {
784     if (a.length >= 2)
785     {
786         import std.algorithm: partition3, sort;
787         auto parts = partition3(a, a[$ / 2]); // mid element as pivot
788         parts[0].sort();
789         parts[2].sort();
790     }
791     return a;
792 }
793 
794 ///
795 unittest
796 {
797     import nxt.random_ex : randInPlace;
798     immutable n = 2^^16;
799     auto a = new int[n];
800     a.randInPlace();
801     auto b = a.dup;
802     a[].stableSort;
803     import std.algorithm: sort;
804     sort(b);
805     assert(a == b);
806 }
807 
808 /** Execute Expression `expr` the same way `n` times. */
809 void doTimes(uint n, lazy void expr)
810 {
811     while (n--)
812         expr();
813 }
814 
815 /** Execute Expression `expr` $(I inline) the same way `n` times.
816     `n` must be a constant known at compile time.
817 */
818 void doTimes(uint n)(lazy void expr)
819 {
820     static foreach (i; 0 .. n)
821         expr();
822 }
823 
824 ///
825 unittest
826 {
827     int i = 0;
828     doTimes!4(i++);
829     assert(i == 4);
830 }
831 
832 alias loop = doTimes;
833 alias doN = doTimes;
834 alias repeat = doTimes;
835 
836 /** Execute Expression `action` the same way `n` times. */
837 void times(alias action, N)(N n)
838 if (isCallable!action &&
839     isIntegral!N &&
840     arity!action <= 1)
841 {
842     import std.traits: ParameterTypeTuple;
843     static if (arity!action == 1 && // if one argument and
844                isIntegral!(ParameterTypeTuple!action[0])) // its an integer
845         foreach (i; 0 .. n)
846             action(i); // use it as action input
847     else
848         foreach (i; 0 .. n)
849             action();
850 }
851 
852 ///
853 unittest
854 {
855     enum n = 10;
856     int sum = 0;
857     10.times!({ sum++; });
858     assert(sum == n);
859 }
860 
861 private string genNaryFun(string fun, V...)()
862 {
863     string code;
864     import std.string : format;
865     foreach (n, v; V)
866         code ~= "alias values[%d] %s;".format(n, cast(char)('a'+n));
867     code ~= `return ` ~ fun ~ `;`;
868     return code;
869 }
870 template naryFun(string fun)
871 {
872     auto naryFun(V...)(V values)
873     {
874         mixin(genNaryFun!(fun, V));
875     }
876 }
877 
878 ///
879 unittest
880 {
881     alias test = naryFun!`a + b + c`;
882     assert(test(1, 2, 3) == 6);
883 }
884 
885 import std.meta : allSatisfy;
886 
887 /** Zip `ranges` together with operation `fun`.
888  *
889  * TODO: Remove when Issue 8715 is fixed providing zipWith
890  */
891 auto zipWith(alias fun, Ranges...)(Ranges ranges)
892 if (Ranges.length >= 2 &&
893     allSatisfy!(isInputRange, Ranges))
894 {
895     import std.range: zip;
896     import std.algorithm.iteration: map;
897     static if (ranges.length < 2)
898         static assert(0, `Need at least 2 range arguments.`);
899     else static if (ranges.length == 2)
900         return zip(ranges).map!(a => binaryFun!fun(a.expand));
901     else
902         return zip(ranges).map!(a => naryFun!fun(a.expand));
903     // return zip(ranges).map!(a => fun(a.expand));
904 }
905 
906 ///
907 unittest
908 {
909     auto x = [1, 2, 3];
910     import std.array: array;
911     assert(zipWith!`a+b`(x, x).array == [2, 4, 6]);
912     assert(zipWith!((a, b) => a + b)(x, x).array == [2, 4, 6]);
913     assert(zipWith!`a+b+c`(x, x, x).array == [3, 6, 9]);
914 }
915 
916 auto zipWith(fun, StoppingPolicy, Ranges...)(StoppingPolicy sp,
917                                              Ranges ranges)
918 if (Ranges.length != 0 &&
919     allSatisfy!(isInputRange, Ranges))
920 {
921     import std.range: zip;
922     import std.algorithm.iteration: map;
923     return zip(sp, ranges).map!fun;
924 }
925 
926 /** Pair. TODO: std.typecons */
927 alias Pair(T, U) = Tuple!(T, U);
928 /** Instantiator for `Pair`. */
929 auto pair(T, U)(T t, U u) { return Pair!(T, U)(t, u); }
930 
931 /** Triple. TODO: std.typecons */
932 alias Triple(T, U, V) = Tuple!(T, U, V);
933 /** Instantiator for `Triple`. */
934 auto triple(T, U, V)(T t, U u, V v) { return Triple!(T, U, V)(t, u, v); }
935 
936 /** Quadruple. TODO: std.typecons */
937 alias Quadruple(T, U, V, W) = Tuple!(T, U, V, W);
938 /** Instantiator for `Quadruple`. */
939 auto quadruple(T, U, V, W)(T t, U u, V v, W w) { return Quadruple!(T, U, V, W)(t, u, v, w); }
940 
941 /** Limit/Span (Min,Max) Pair.
942  *
943  * TODO: Simultaneous min and max (minmax) can be optimized to 3/4 comparison.
944  * TODO: Decide on either Span, MinMax or Limits
945  * See_Also: https://stackoverflow.com/questions/21241878/generic-span-type-in-phobos
946  */
947 struct Limits(T)
948 {
949     import std.algorithm.comparison : min, max;
950 
951     @property:
952 
953     /** Expand Limits to include `a`. */
954     auto ref include(in T a) nothrow
955     {
956         _lims[0] = min(_lims[0], a);
957         _lims[1] = max(_lims[1], a);
958         return this;
959     }
960     alias expand = include;
961 
962     auto ref reset() nothrow
963     {
964         _lims[0] = T.max;
965         _lims[1] = T.min;
966     }
967 
968     string toString() const
969     {
970         import std.conv: to;
971         return (`[` ~ to!string(_lims[0]) ~
972                 `...` ~ to!string(_lims[1]) ~ `]`) ;
973     }
974 
975     auto _lims = tuple(T.max, T.min);
976 
977     alias _lims this;
978 }
979 
980 auto limits(T)() { return Limits!T(); }
981 
982 ///
983 unittest
984 {
985     /* import std.file: SysTime; */
986     /* SysTime st; */
987     Limits!int x;
988     x.expand(-10);
989     x.expand(10);
990     assert(x[0] == -10);
991     assert(x[1] == +10);
992     version(show) dbg(x);
993 }
994 
995 /* import rational: Rational; */
996 
997 /* template getTypeString(T) { */
998 /*     static if (is(T == Rational)) */
999 /*         string getTypeString(T)() @safe pure nothrow { */
1000 /*             return x`211A`; */
1001 /*         } */
1002 /* } */
1003 /* /// */
1004 /* unittest { */
1005 /*     import rational: Rational; */
1006 /*     dbg(getTypeString!Rational); */
1007 /* } */
1008 
1009 /** Check if `a` and `b` are colinear. */
1010 bool areColinear(T)(T a, T b)
1011 {
1012     // a and b are colinear if a.x / a.y == b.x / b.y
1013     // We can avoid the division by multiplying out.
1014     return a.x * b.y == a.y * b.x;
1015 }
1016 
1017 /* /\** TODO: Remove when each is standard in Phobos. *\/ */
1018 /* void each(R)(R range, delegate x) @safe pure /\* nothrow *\/ if (isInputRange!R) { */
1019 /*     foreach (ref elt; range) { */
1020 /*         x(elt); */
1021 /*     } */
1022 /* } */
1023 /* /// */
1024 /* unittest { */
1025 /*     version(show) [1, 2, 3, 4].each(a => dbg(a)); */
1026 /* } */
1027 
1028 enum isIntLike(T) = is(typeof({T t = 0; t = t+t;})); // More if needed
1029 
1030 /** $(LUCKY Fibonacci) Numbers (Infinite Range).
1031     See_Also: http://forum.dlang.org/thread/dqlrfoxzsppylcgljyyf@forum.dlang.org#post-mailman.1072.1350619455.5162.digitalmars-d-learn:40puremagic.com
1032     See_Also: https://www.reddit.com/r/programming/comments/rif9x/uniform_function_call_syntax_for_the_d/
1033 */
1034 auto fibonacci(T = int)(T nth = 0)
1035 if (isIntLike!T)
1036 {
1037     static struct Result
1038     {
1039         T a, b;
1040         inout(T) front() inout
1041         {
1042             return b;
1043         }
1044         void popFront()
1045         {
1046             T c = a+b;
1047             a = b;
1048             b = c;
1049         }
1050         bool empty() const
1051         {
1052             return false;
1053         }
1054     }
1055     return nth == 0 ? Result(0, 1) : Result(1, 1);
1056 }
1057 
1058 ///
1059 unittest
1060 {
1061     import std.range: take;
1062     assert(fibonacci.take(10).equal([1, 1, 2, 3, 5, 8, 13, 21, 34, 55]));
1063     assert(1.fibonacci.take(9).equal([1, 2, 3, 5, 8, 13, 21, 34, 55]));
1064 }
1065 
1066 /** Expand Static `array` into a parameter arguments (AliasSeq!).
1067     See_Also: http://forum.dlang.org/thread/hwellpcaomwbpnpofzlx@forum.dlang.org?page=1
1068 */
1069 template expand(alias array, size_t idx = 0)
1070 if (__traits(isStaticArray, typeof(array)))
1071 {
1072     @property ref delay() { return array[idx]; }
1073     static if (idx + 1 < array.length)
1074     {
1075         import std.meta : AliasSeq;
1076         alias expand = AliasSeq!(delay, expand!(array, idx + 1));
1077     }
1078     else
1079         alias expand = delay;
1080 }
1081 
1082 ///
1083 unittest
1084 {
1085     static void foo(int a, int b, int c)
1086     {
1087         version(show)
1088         {
1089             import std.stdio: writefln;
1090             writefln("a: %s, b: %s, c: %s", a, b, c);
1091         }
1092     }
1093     int[3] arr = [1, 2, 3];
1094     foo(expand!arr);
1095 }
1096 
1097 /** Python Style To-String-Conversion Alias. */
1098 string str(T)(in T a)
1099 {
1100     import std.conv: to;
1101     return to!string(a);
1102 }
1103 
1104 /** Python Style Length Alias. */
1105 auto len(T)(in T a)
1106 {
1107     return a.length;
1108 }
1109 
1110 ///
1111 unittest
1112 {
1113     import std.algorithm.iteration: map;
1114     import std.array: array;
1115     assert(([42].map!str).array == [`42`]);
1116 }
1117 
1118 import std.range: InputRange, OutputRange;
1119 alias Source = InputRange; // nicer alias
1120 alias Sink = OutputRange; // nicer alias
1121 
1122 /* belongs to std.range */
1123 import std.range: cycle, retro;
1124 import std.functional: compose;
1125 alias retroCycle = compose!(cycle, retro);
1126 
1127 import std.traits: isAggregateType;
1128 
1129 /** Generic Member Setter.
1130     See_Also: http://forum.dlang.org/thread/fdjkijrtduraaajlxxne@forum.dlang.org
1131 */
1132 auto ref T set(string member, T, U)(auto ref T a, in U value)
1133 if (isAggregateType!T &&
1134     __traits(hasMember, T, member))
1135 {
1136     __traits(getMember, a, member) = value;
1137     return a;
1138 }
1139 
1140 ///
1141 unittest
1142 {
1143     class C { int x, y, z, w; }
1144     auto c = new C().set!`x`(11).set!`w`(44);
1145     assert(c.x == 11);
1146     assert(c.w == 44);
1147 }
1148 
1149 /* Check if `part` is part of `whole`.
1150    See_Also: http://forum.dlang.org/thread/ls9dbk$jkq$1@digitalmars.com
1151    TODO: Standardize name and remove alises.
1152  */
1153 bool isSliceOf(T)(in T[] part,
1154                   in T[] whole)
1155 {
1156     return (whole.ptr <= part.ptr &&
1157             part.ptr + part.length <=
1158             whole.ptr + whole.length);
1159 }
1160 
1161 /* See_Also: http://forum.dlang.org/thread/cjpplpzdzebfxhyqtskw@forum.dlang.org#post-cjpplpzdzebfxhyqtskw:40forum.dlang.org */
1162 auto dropWhile(alias pred = `a == b`, R, E)(R range, E element)
1163 if (isInputRange!R &&
1164     is (typeof(binaryFun!pred(range.front, element)) : bool))
1165 {
1166     alias predFun = binaryFun!pred;
1167     return range.find!(a => !predFun(a, element));
1168 }
1169 alias dropAllOf = dropWhile;
1170 alias stripFront = dropWhile;
1171 alias lstrip = dropWhile;       // Python style
1172 
1173 import std.algorithm.searching: until;
1174 alias takeUntil = until;
1175 
1176 alias dropUntil = find;
1177 
1178 ///
1179 unittest
1180 {
1181     assert([1, 2, 3].dropWhile(1) == [2, 3]);
1182     assert([1, 1, 1, 2, 3].dropWhile(1) == [2, 3]);
1183     assert([1, 2, 3].dropWhile(2) == [1, 2, 3]);
1184     assert(`aabc`.dropWhile('a') == `bc`); // TODO: Remove restriction on cast to dchar
1185 }
1186 
1187 /* See_Also: http://forum.dlang.org/thread/cjpplpzdzebfxhyqtskw@forum.dlang.org#post-cjpplpzdzebfxhyqtskw:40forum.dlang.org */
1188 auto takeWhile(alias pred = `a == b`, R, E)(R range, E element)
1189 if (isInputRange!R &&
1190     is (typeof(binaryFun!pred(range.front, element)) : bool))
1191 {
1192     import std.algorithm: until;
1193     alias predFun = binaryFun!pred;
1194     return range.until!(a => !predFun(a, element));
1195 }
1196 alias takeAllOf = takeWhile;
1197 
1198 ///
1199 unittest
1200 {
1201     assert(equal([1, 1, 2, 3].takeWhile(1),
1202                  [1, 1]));
1203 }
1204 
1205 /** Simpler variant of Phobos' `split`. */
1206 auto split(alias pred, R)(R haystack)
1207 if (isForwardRange!R)
1208 {
1209     import std.range.primitives : empty;
1210     static if (isSomeString!R ||
1211                isRandomAccessRange!R)
1212     {
1213         auto balance = find!pred(haystack);
1214         immutable pos1 = haystack.length - balance.length;
1215         immutable pos2 = balance.empty ? pos1 : pos1 + 1;
1216         return tuple(haystack[0 .. pos1],
1217                      haystack[pos1 .. pos2],
1218                      haystack[pos2 .. haystack.length]);
1219     }
1220     else
1221     {
1222         import std.functional : unaryFun;
1223         auto original = haystack.save;
1224         auto h = haystack.save;
1225         size_t pos1, pos2;
1226         while (!h.empty)
1227         {
1228             if (unaryFun!pred(h.front))
1229             {
1230                 h.popFront();
1231                 ++pos2;
1232             }
1233             else
1234             {
1235                 haystack.popFront();
1236                 h = haystack.save;
1237                 pos2 = ++pos1;
1238             }
1239         }
1240         // TODO: use Voldemort struct instead of tuple
1241         return tuple(takeExactly(original, pos1),
1242                      takeExactly(haystack, pos2 - pos1),
1243                      h);
1244     }
1245 }
1246 
1247 ///
1248 unittest
1249 {
1250     import std.ascii: isDigit;
1251     assert(`aa1bb`.split!(a => a.isDigit) == tuple(`aa`, `1`, `bb`));
1252     assert(`aa1`.split!(a => a.isDigit) == tuple(`aa`, `1`, ``));
1253     assert(`1bb`.split!(a => a.isDigit) == tuple(``, `1`, `bb`));
1254 }
1255 
1256 /** Simpler variant of Phobos' `splitBefore`. */
1257 auto splitBefore(alias pred, R)(R haystack)
1258 if (isForwardRange!R)
1259 {
1260     static if (isSomeString!R ||
1261                sRandomAccessRange!R)
1262     {
1263         auto balance = find!pred(haystack);
1264         immutable pos = haystack.length - balance.length;
1265         return tuple(haystack[0 .. pos],
1266                      haystack[pos .. haystack.length]);
1267     }
1268     else
1269     {
1270         import std.functional : unaryFun;
1271         auto original = haystack.save;
1272         auto h = haystack.save;
1273         size_t pos;
1274         import std.range.primitives : empty;
1275         while (!h.empty)
1276             if (unaryFun!pred(h.front))
1277                 h.popFront();
1278             else
1279             {
1280                 haystack.popFront();
1281                 h = haystack.save;
1282                 ++pos;
1283             }
1284         // TODO: use Voldemort struct instead of tuple
1285         return tuple(takeExactly(original, pos),
1286                      haystack);
1287     }
1288 }
1289 
1290 ///
1291 unittest
1292 {
1293     import std.ascii: isDigit;
1294     assert(`11ab`.splitBefore!(a => !a.isDigit) == tuple(`11`, `ab`));
1295     assert(`ab`.splitBefore!(a => !a.isDigit) == tuple(``, `ab`));
1296 }
1297 
1298 auto splitAfter(alias pred, R)(R haystack)
1299 if (isForwardRange!R)
1300 {
1301     static if (isSomeString!R || isRandomAccessRange!R)
1302     {
1303         import std.range.primitives : empty;
1304         auto balance = find!pred(haystack);
1305         immutable pos = balance.empty ? 0 : haystack.length - balance.length + 1;
1306         // TODO: use Voldemort struct instead of tuple
1307         return tuple(haystack[0 .. pos], haystack[pos .. haystack.length]);
1308     }
1309     else
1310     {
1311         static assert(0, `How to implement this?`);
1312         // import std.range.primitives : empty;
1313         /* auto original = haystack.save; */
1314         /* auto h = haystack.save; */
1315         /* size_t pos1, pos2; */
1316         /* while (!n.empty) */
1317         /* { */
1318         /*     if (h.empty) */
1319         /*     { */
1320         /*         // Failed search */
1321         /*         return tuple(takeExactly(original, 0), original); */
1322         /*     } */
1323         /*     if (binaryFun!pred(h.front, n.front)) */
1324         /*     { */
1325         /*         h.popFront(); */
1326         /*         n.popFront(); */
1327         /*         ++pos2; */
1328         /*     } */
1329         /*     else */
1330         /*     { */
1331         /*         haystack.popFront(); */
1332         /*         n = needle.save; */
1333         /*         h = haystack.save; */
1334         /*         pos2 = ++pos1; */
1335         /*     } */
1336         /* } */
1337         /* return tuple(takeExactly(original, pos2), h); */
1338     }
1339 }
1340 
1341 ///
1342 unittest
1343 {
1344     import std.ascii: isDigit;
1345     assert(`aa1bb`.splitAfter!(a => a.isDigit) == tuple(`aa1`, `bb`));
1346     assert(`aa1`.splitAfter!(a => a.isDigit) == tuple(`aa1`, ``));
1347 }
1348 
1349 auto moveUntil(alias pred, R)(ref R r)
1350 if (isInputRange!R)
1351 {
1352     auto split = r.splitBefore!pred;
1353     r = split[1];
1354     return split[0];
1355 }
1356 
1357 ///
1358 unittest
1359 {
1360     auto r = `xxx111`;
1361     auto id = r.moveUntil!(a => a == '1');
1362     assert(id == `xxx`);
1363     assert(r == `111`);
1364 }
1365 
1366 auto moveWhile(alias pred, R)(ref R r)
1367 if (isInputRange!R)
1368 {
1369     return r.moveUntil!(a => !pred(a));
1370 }
1371 
1372 ///
1373 unittest
1374 {
1375     auto r = `xxx111`;
1376     auto id = r.moveWhile!(a => a == 'x');
1377     assert(id == `xxx`);
1378     assert(r == `111`);
1379 }
1380 
1381 /** Variant of `findSplitBefore` that destructively pops everything up to,
1382     not including, `needle` from `haystack`.
1383 */
1384 auto findPopBefore(alias pred = `a == b`, R1, R2)(ref R1 haystack, R2 needle)
1385 if (isForwardRange!R1 &&
1386     isForwardRange!R2)
1387 {
1388     import std.range.primitives : empty;
1389 
1390     if (needle.empty)
1391         return haystack[0 .. 0]; // contextual empty hit
1392     if (haystack.empty)
1393         return R1.init;
1394 
1395     import std.algorithm.searching : findSplitBefore;
1396     if (auto split = findSplitBefore!pred(haystack, needle)) // TODO: If which case are empty and what return value should they lead to?
1397     {
1398         haystack = split[1];
1399         return split[0];
1400     }
1401     else
1402         return R1.init; // TODO: correct?
1403 }
1404 
1405 ///
1406 @safe pure nothrow @nogc unittest
1407 {
1408     auto haystack = `xy`;
1409     const needle = `z`;
1410     auto pop = haystack.findPopBefore(needle);
1411     assert(haystack == `xy`);
1412     assert(pop == ``);
1413 }
1414 
1415 ///
1416 @safe pure nothrow @nogc unittest
1417 {
1418     auto haystack = `xyz`;
1419     const needle = `y`;
1420     auto pop = haystack.findPopBefore(needle);
1421     assert(pop == `x`);
1422     assert(haystack == `yz`);
1423 }
1424 
1425 /** Variant of `findSplitAfter` that destructively pops everything up to,
1426     including, `needle` from `haystack`.
1427 */
1428 auto findPopAfter(alias pred = `a == b`, R1, R2)(ref R1 haystack, R2 needle)
1429 if (isForwardRange!R1 &&
1430     isForwardRange!R2)
1431 {
1432     import std.range.primitives : empty;
1433 
1434     if (needle.empty)
1435         return haystack[0 .. 0]; // contextual empty hit
1436     if (haystack.empty)
1437         return R1.init;
1438 
1439     import std.algorithm.searching : findSplitAfter;
1440     auto split = findSplitAfter!pred(haystack, needle);// TODO: use new interface to findSplitAfter
1441     if (split[0].empty)
1442         return R1.init; // TODO: correct?
1443     else
1444     {
1445         haystack = split[1];
1446         return split[0];
1447     }
1448 }
1449 
1450 ///
1451 @safe pure nothrow @nogc unittest
1452 {
1453     auto source = `xyz`;
1454     auto haystack = source;
1455     const needle = `y`;
1456     auto pop = haystack.findPopAfter(needle);
1457     assert(pop == `xy`);
1458     assert(haystack == `z`);
1459 }
1460 
1461 ///
1462 @safe pure nothrow @nogc unittest
1463 {
1464     auto source = `xy`;
1465     auto haystack = source;
1466     const needle = `z`;
1467     auto pop = haystack.findPopAfter(needle);
1468     assert(pop is null);
1469     assert(!pop);
1470     assert(haystack == source);
1471 }
1472 
1473 /** Find First Occurrence any of `needles` in `haystack`.
1474  *
1475  * Like to std.algorithm.find but takes an array of needles as argument instead
1476  * of a variadic list of key needle arguments.  Return found range plus index
1477  * into needles starting at 1 upon.
1478  */
1479 Tuple!(R, size_t) findFirstOfAnyInOrder(alias pred = `a == b`, R)(R haystack, const R[] needles)
1480 {
1481     import std.algorithm.searching : find;
1482     switch (needles.length)
1483     {
1484         case 1:
1485             import std.range.primitives : empty;
1486             auto hit = haystack.find(needles[0]);
1487             return tuple(hit, hit.empty ? 0UL : 1UL);
1488         case 2:
1489             return haystack.find(needles[0],
1490                                  needles[1]);
1491         case 3:
1492             return haystack.find(needles[0],
1493                                  needles[1],
1494                                  needles[2]);
1495         case 4:
1496             return haystack.find(needles[0],
1497                                  needles[1],
1498                                  needles[2],
1499                                  needles[3]);
1500         case 5:
1501             return haystack.find(needles[0],
1502                                  needles[1],
1503                                  needles[2],
1504                                  needles[3],
1505                                  needles[4]);
1506         case 6:
1507             return haystack.find(needles[0],
1508                                  needles[1],
1509                                  needles[2],
1510                                  needles[3],
1511                                  needles[4],
1512                                  needles[5]);
1513         case 7:
1514             return haystack.find(needles[0],
1515                                  needles[1],
1516                                  needles[2],
1517                                  needles[3],
1518                                  needles[4],
1519                                  needles[5],
1520                                  needles[6]);
1521         case 8:
1522             return haystack.find(needles[0],
1523                                  needles[1],
1524                                  needles[2],
1525                                  needles[3],
1526                                  needles[4],
1527                                  needles[5],
1528                                  needles[6],
1529                                  needles[7]);
1530         default:
1531             import std.conv: to;
1532             assert(0, `Too many keys ` ~ needles.length.to!string);
1533     }
1534 }
1535 
1536 ///
1537 @safe pure unittest
1538 {
1539     assert(`abc`.findFirstOfAnyInOrder([`x`]) == tuple(``, 0UL));
1540     assert(`abc`.findFirstOfAnyInOrder([`a`]) == tuple(`abc`, 1UL));
1541     assert(`abc`.findFirstOfAnyInOrder([`c`]) == tuple(`c`, 1UL));
1542     assert(`abc`.findFirstOfAnyInOrder([`a`, `b`]) == tuple(`abc`, 1UL));
1543     assert(`abc`.findFirstOfAnyInOrder([`a`, `b`]) == tuple(`abc`, 1UL));
1544     assert(`abc`.findFirstOfAnyInOrder([`x`, `b`]) == tuple(`bc`, 2UL));
1545 }
1546 
1547 Tuple!(R, size_t)[] findAllOfAnyInOrder(alias pred = `a == b`, R)(R haystack, R[] needles)
1548 {
1549     // TODO: Return some clever lazy range that calls each possible haystack.findFirstOfAnyInOrder(needles);
1550     return typeof(return).init;
1551 }
1552 
1553 /** Return true if all arguments `args` are strictly ordered, that is args[0] <
1554  * args[1] < args[2] < ... .
1555  *
1556  * TODO: CT-variant
1557  * See_Also: http://forum.dlang.org/thread/wzsdhzycwqyrvqmmttix@forum.dlang.org?page=2#post-vprvhifglfegnlvzqmjj:40forum.dlang.org
1558  */
1559 bool areStrictlyOrdered(Ts...)(Ts args)
1560 if (args.length >= 2 &&
1561     haveCommonType!Ts)
1562 {
1563     foreach (i, arg; args[1..$])
1564         if (args[i] >= arg)
1565             return false;
1566     return true;
1567 }
1568 
1569 ///
1570 @safe pure nothrow @nogc unittest
1571 {
1572     static assert(!__traits(compiles, areStrictlyOrdered()));
1573     static assert(!__traits(compiles, areStrictlyOrdered(1)));
1574     assert(areStrictlyOrdered(1, 2, 3));
1575     assert(!areStrictlyOrdered(1, 3, 2));
1576     assert(!areStrictlyOrdered(1, 2, 2));
1577     assert(areStrictlyOrdered('a', 'b', 'c'));
1578 }
1579 
1580 /** Return true if all arguments `args` are unstrictly ordered,
1581  * that is args[0] <= args[1] <= args[2] <= ... .
1582  *
1583  * TODO: CT-variant
1584  * See_Also: http://forum.dlang.org/thread/wzsdhzycwqyrvqmmttix@forum.dlang.org?page=2#post-vprvhifglfegnlvzqmjj:40forum.dlang.org
1585 */
1586 bool areUnstrictlyOrdered(Ts...)(Ts args)
1587 if (args.length >= 2 &&
1588     haveCommonType!Ts)
1589 {
1590     foreach (i, arg; args[1..$])
1591         if (args[i] > arg)
1592             return false;
1593     return true;
1594 }
1595 
1596 ///
1597 @safe pure nothrow @nogc unittest
1598 {
1599     static assert(!__traits(compiles, areUnstrictlyOrdered()));
1600     static assert(!__traits(compiles, areUnstrictlyOrdered(1)));
1601     assert(areUnstrictlyOrdered(1, 2, 2, 3));
1602     assert(!areUnstrictlyOrdered(1, 3, 2));
1603     assert(areUnstrictlyOrdered('a', 'b', 'c'));
1604 }
1605 
1606 import core.checkedint: addu, subu, mulu;
1607 
1608 alias sadd = addu;
1609 alias ssub = subu;
1610 alias smul = mulu;
1611 
1612 /** Distinct Elements of `r`.
1613  *
1614  * See_Also: http://forum.dlang.org/thread/jufggxqwzhlsmhshtnfj@forum.dlang.org?page=2
1615  * See_Also: http://dpaste.dzfl.pl/7b4b37b490a7
1616  */
1617 auto distinct(R)(R r)
1618 if (isInputRange!(Unqual!R))
1619 {
1620     import std.traits: ForeachType;
1621     bool[ForeachType!R] seen; // TODO: Use containers.hashset.HashSet
1622     import std.algorithm.iteration: filter;
1623     return r.filter!((k)
1624                      {
1625                          if (k !in seen)
1626                              return false;
1627                          else
1628                              return seen[k] = true;
1629                      });
1630 }
1631 
1632 // unittest
1633 // {
1634 //     immutable first = [1, 0, 2, 1, 3];
1635 //     immutable second = [1,5,6];
1636 //     import std.range: chain, take;
1637 //     assert(equal(first.chain(second).distinct.take(5),
1638 //                  [1, 0, 2, 3, 5]));
1639 // }
1640 
1641 /** Returns: `true` iff `value` is equal to any of `values`, `false` otherwise. */
1642 bool isAmong(alias pred = (a, b) => a == b,
1643              Value,
1644              Values...)(Value value,
1645                         Values values)
1646 if (Values.length != 0)
1647 {
1648     import std.algorithm.comparison : among;
1649     return cast(bool)value.among!pred(values);
1650 }
1651 
1652 ///
1653 @safe pure nothrow @nogc unittest
1654 {
1655     assert(`b`.isAmong(`a`, `b`));
1656     assert(!`c`.isAmong(`a`, `b`));
1657 }
1658 
1659 import std.traits : isExpressionTuple;
1660 import nxt.traits_ex : haveCommonType;
1661 
1662 /** Returns: `true` iff `value` is equal to any of `values`, `false` otherwise. */
1663 template isAmong(values...)
1664 if (isExpressionTuple!values &&
1665     values.length != 0)
1666 {
1667     bool isAmong(Value)(Value value)
1668         if (haveCommonType!(Value, values))
1669     {
1670         switch (value)
1671         {
1672             foreach (uint i, v; values)
1673             case v:
1674                 return true;
1675         default:
1676             return false;
1677         }
1678     }
1679 }
1680 
1681 ///
1682 @safe pure nothrow @nogc unittest
1683 {
1684     assert(`b`.isAmong!(`a`, `b`));
1685     assert(!`c`.isAmong!(`a`, `b`));
1686 }
1687 
1688 import std.algorithm.setops : cartesianProduct;
1689 
1690 /** More descriptive alias. */
1691 alias elementCombinations = cartesianProduct;
1692 
1693 /** Reset all members in aggregate instance `c`.
1694  *
1695  * See_Also: http://forum.dlang.org/post/ckitmpguywfitgadfpkv@forum.dlang.org
1696  * See_Also: http://forum.dlang.org/post/fbs8b5$5bu$1@digitalmars.com
1697  */
1698 void resetAllMembers(T)(T c)
1699 if (is(T == class))
1700 {
1701     foreach (ref m; c.tupleof)
1702     {
1703         import std.traits : isMutable;
1704         alias M = typeof(m);
1705         static if (isMutable!M)
1706             m = M.init;
1707     }
1708 }
1709 
1710 ///
1711 @safe pure nothrow unittest
1712 {
1713     class C
1714     {
1715         this (int a, int b, string c)
1716         {
1717             this.a = a;
1718             this.b = b;
1719             this.c = c;
1720         }
1721         int a; int b; string c;
1722     }
1723     void f(C c)
1724     {
1725         c.resetAllMembers();
1726     }
1727     auto c = new C(1, 2, "3");
1728     assert(c.a == 1);
1729     assert(c.b == 2);
1730     assert(c.c == "3");
1731     f(c);
1732     assert(c.a == 0);
1733     assert(c.b == 0);
1734     assert(c.c == null);
1735 }
1736 
1737 /** Returns: `true` iff `r` contains strictly values that are strictly increase
1738  * with the increment `step`.
1739  *
1740  * See_Also: http://forum.dlang.org/post/mqjyhvqxepgfljpkxvmd@forum.dlang.org
1741  */
1742 bool isLinearRamp(R)(R r, size_t step = 1)
1743 if (isInputRange!R &&
1744     isIntegral!(ElementType!R))
1745 {
1746     import std.algorithm.searching : findAdjacent;
1747     import std.range.primitives : empty;
1748     return r.findAdjacent!((a, b) => a + step != b).empty;
1749 }
1750 
1751 bool hasHoles(R)(R r)
1752 if (isInputRange!R &&
1753     isIntegral!(ElementType!R))
1754 {
1755     return !r.isLinearRamp;
1756 }
1757 
1758 ///
1759 @safe pure nothrow unittest
1760 {
1761     assert([1].isLinearRamp);
1762     assert([1, 2, 3].isLinearRamp);
1763     assert(![1, 1].isLinearRamp);
1764     assert(![1, 2, 1].isLinearRamp);
1765     assert(![1, 2, 4].isLinearRamp);
1766 }
1767 
1768 /** Check if `r` counts to exactly `exactCount` elements.
1769  */
1770 bool countsExactly(R)(R r, size_t exactCount) @("complexity", "O(exactCount)")
1771 if (isInputRange!R)
1772 {
1773     import std.range.primitives : hasLength;
1774     static if (hasLength!R)
1775         return r.length == exactCount;
1776     else
1777     {
1778         size_t n = 0;
1779         import std.range.primitives : empty;
1780         while (!r.empty)
1781         {
1782             r.popFront();
1783             if (++n > exactCount)
1784                 return false;
1785         }
1786         return n == exactCount;
1787     }
1788 }
1789 
1790 /** Check if `r` counts to at least `minCount` elements.
1791  */
1792 bool countsAtLeast(R)(R r, size_t minCount) @("complexity", "O(minCount)")
1793 if (isInputRange!R)
1794 {
1795     import std.range.primitives : hasLength;
1796     static if (hasLength!R)
1797         return r.length >= minCount;
1798     else
1799     {
1800         size_t n;
1801         import std.range.primitives : empty;
1802         while (!r.empty)
1803         {
1804             r.popFront();
1805             if (++n >= minCount)
1806                 return true;
1807         }
1808         return false;
1809     }
1810 }
1811 
1812 /** Check if `r` counts to at most `maxCount` elements.
1813  */
1814 bool countsAtMost(R)(R r, size_t maxCount) @("complexity", "O(maxCount)")
1815 if (isInputRange!R)
1816 {
1817     import std.range.primitives : hasLength;
1818     static if (hasLength!R)
1819         return r.length <= maxCount;
1820     else
1821     {
1822         size_t n;
1823         import std.range.primitives : empty;
1824         while (!r.empty)
1825         {
1826             r.popFront();
1827             if (++n > maxCount)
1828                 return false;
1829         }
1830         return true;
1831     }
1832 }
1833 
1834 ///
1835 @safe pure nothrow @nogc unittest
1836 {
1837     static void test(R)(R x)
1838         if (isInputRange!R)
1839     {
1840         import std.algorithm.searching : count;
1841         immutable n = x.count;
1842 
1843         // below
1844         foreach (immutable i; 0 .. n)
1845         {
1846             assert(x.countsAtLeast(i));
1847             assert(!x.countsExactly(i));
1848             assert(!x.countsAtMost(i));
1849         }
1850 
1851         // at
1852         assert(x.countsAtLeast(n));
1853         assert(x.countsExactly(n));
1854         assert(x.countsAtMost(n));
1855 
1856         // above
1857         foreach (immutable i; n + 1 .. n + 10)
1858         {
1859             assert(!x.countsAtLeast(i));
1860             assert(!x.countsExactly(i));
1861             assert(x.countsAtMost(i));
1862         }
1863     }
1864 
1865     import std.algorithm.iteration : filter;
1866     import std.range : iota;
1867 
1868     test(3.iota.filter!(x => true));
1869 
1870     int[3] x = [0, 1, 2];
1871     test(x[]);
1872 }
1873 
1874 import std.meta : allSatisfy;
1875 import std.range.primitives : hasLength;
1876 
1877 /** Returns: `true` iff `r` and all `ss` all have equal length.
1878  */
1879 bool equalLength(R, Ss...)(const R r, const Ss ss)
1880     @safe pure nothrow @nogc
1881 if (Ss.length != 0 &&
1882     allSatisfy!(hasLength, R, Ss))
1883 {
1884     foreach (const ref s; ss)
1885         if (r.length != s.length)
1886             return false;
1887     return true;
1888 }
1889 
1890 ///
1891 @safe pure nothrow unittest
1892 {
1893     assert(equalLength([1], [2], [3]));
1894     assert(!equalLength([1, 1], [2], [3]));
1895     assert(!equalLength([1], [2, 2], [3]));
1896     assert(!equalLength([1], [2], [3, 3]));
1897 }
1898 
1899 /** Collect/Gather the elements of `r` into a `Container` and return it.
1900  *
1901  * TODO: Use std.container.util.make instead?: https://dlang.org/phobos/std_container_util.html#.make
1902  * TODO: Rename `container` to `output`?
1903  * TODO: Support Set-containers via `insert` aswell, or add `alias put = insert` to them?
1904  * TODO: What about `Appender`?
1905  * TODO: Rename from `collect` to `gather`.
1906  */
1907 Container collect(Container, Range) (Range r)
1908     // if (isInputRange!Range &&
1909     //     isOutputRange!(Container, ElementType!Range))
1910 {
1911     static if (hasLength!Range)
1912     {
1913         static if (isArray!Container)
1914         {
1915             import std.array : uninitializedArray;
1916             auto output = uninitializedArray!(Container)(r.length);
1917         }
1918         else
1919         {
1920             Container output;
1921             output.length = r.length;
1922         }
1923         import std.algorithm.mutation : copy;
1924         r.copy(output[]);       // slicing is @trusted
1925         return output;
1926     }
1927     else
1928     {
1929         static if (isArray!Container)
1930         {
1931             import std.array : Appender;
1932             Appender!Container output;
1933             foreach (ref e; r)  // TODO: make const when this works with array_ex
1934                 output.put(e);
1935             return output.data;
1936         }
1937         else
1938         {
1939             Container output;
1940             foreach (ref e; r)  // TODO: make const when this works with array_ex
1941                 output ~= e; // TODO: use Appender or remove because too GC.intensive inefficient, or reuse `.array`?
1942             return output;
1943         }
1944     }
1945 }
1946 
1947 ///
1948 @safe pure nothrow unittest
1949 {
1950     import std.range : iota;
1951     import std.algorithm.iteration : map, filter;
1952     import nxt.algorithm_ex : collect;
1953 
1954     alias E = int;
1955     alias V = E[];
1956     immutable n = 1000;
1957 
1958     auto x = 0.iota(n).collect!V;
1959 
1960     assert([0, 1, 2].map!(_ => _^^2).collect!V.equal([0, 1, 4]));
1961     assert([0, 1, 2, 3].filter!(_ => _ & 1).collect!V.equal([1, 3]));
1962 }
1963 
1964 /** Returns: `x` eagerly split in two parts, all as equal in length as possible.
1965  *
1966  * Safely avoids range checking thanks to D's builtin slice expressions.
1967  * Use in divide-and-conquer algorithms such as quicksort and binary search.
1968  */
1969 auto spliced2(T)(T[] x) @trusted
1970 {
1971     static struct Result        // Voldemort type
1972     {
1973         T[] first;              // first half
1974         T[] second;             // second half
1975     }
1976     immutable m = x.length / 2;
1977     // range checking is not needed
1978     return Result(x.ptr[0 .. m], // can be @trusted
1979                   x.ptr[m .. x.length]); // can be @trusted
1980 }
1981 alias halved = spliced2;
1982 
1983 ///
1984 @safe pure nothrow @nogc unittest
1985 {
1986     immutable int[6] x = [0, 1, 2, 3, 4, 5];
1987     immutable y = x.spliced2;
1988     assert(y.first.equal(x[0 .. 3]));
1989     assert(y.second.equal(x[3 .. $]));
1990 }
1991 
1992 /** Returns: `x` eagerly split in three parts, all as equal in length as possible.
1993  *
1994  * Safely avoids range checking thanks to D's builtin slice expressions.
1995  * Use in divide-and-conquer algorithms such as quicksort and binary search.
1996  */
1997 auto spliced3(T)(T[] x) @trusted
1998 {
1999     enum count = 3;
2000     static struct Result        // Voldemort type
2001     {
2002         T[] first;              // first half
2003         T[] second;             // second half
2004         T[] third;              // third half
2005     }
2006     // range checking is not needed
2007     immutable m = 1*x.length/count;
2008     immutable n = 2*x.length/count;
2009     return Result(x.ptr[0 .. m], // can be @trusted
2010                   x.ptr[m .. n], // can be @trusted
2011                   x.ptr[n .. x.length]); // can be @trusted
2012 }
2013 
2014 @safe pure nothrow @nogc unittest
2015 {
2016     immutable int[6] x = [0, 1, 2, 3, 4, 5];
2017     immutable y = x.spliced3;
2018     assert(y.first.equal(x[0 .. 2]));
2019     assert(y.second.equal(x[2 .. 4]));
2020     assert(y.third.equal(x[4 .. 6]));
2021 }
2022 
2023 /** Splice `x` in `N` parts, all as equal in lengths as possible.
2024  *
2025  * Safely avoids range checking thanks to D's builtin slice expressions.
2026  * Use in divide-and-conquer algorithms such as quicksort and binary search.
2027  */
2028 auto splicerN(uint N, T)(T[] x) @trusted
2029 {
2030     static struct Result        // Voldemort type
2031     {
2032         enum count = N;
2033         pragma(inline) @trusted pure nothrow @nogc:
2034 
2035         /// Returns: `i`:th slice.
2036         inout(T)[] at(uint i)() inout
2037         {
2038             static assert(i < N, "Index " ~ i ~ " to large");
2039             static if (i == 0)
2040                 return _.ptr[0 .. (i + 1)*_.length/N]; // can be @trusted
2041             else static if (i + 1 == N)
2042                 return _.ptr[i * _.length/N .. _.length]; // can be @trusted
2043             else
2044                 return _.ptr[i * _.length/N .. (i + 1)*_.length/N]; // non-range-checked can be @trusted
2045         }
2046 
2047         private T[] _;
2048     }
2049     return Result(x);
2050 }
2051 
2052 ///
2053 @safe pure nothrow @nogc unittest
2054 {
2055     enum count = 6;
2056 
2057     immutable int[count] x = [0, 1, 3, 3, 4, 5];
2058     immutable y = x.splicerN!count;
2059 
2060     static foreach (i; 0 .. count)
2061     {
2062         assert(y.at!i.equal(x[i .. i + 1]));
2063     }
2064 }
2065 
2066 /** Specialization of `splicerN` to `N` being 2. */
2067 auto splicer2(T)(T[] x) @trusted
2068 {
2069     static struct Result        // Voldemort type
2070     {
2071         enum count = 2;
2072         pragma(inline) @trusted pure nothrow @nogc:
2073 
2074         /// Returns: first part of splice.
2075         @property inout(T)[] first() inout
2076         {
2077             return _.ptr[0 .. _.length/count]; // can be @trusted
2078         }
2079 
2080         /// Returns: second part of splice.
2081         @property inout(T)[] second() inout
2082         {
2083             return _.ptr[_.length/count .. _.length]; // can be @trusted
2084         }
2085 
2086         inout(T)[] at(uint i)() inout
2087         {
2088             static assert(i < count, "Index " ~ i ~ " to large");
2089             static      if (i == 0)
2090                 return first;
2091             else static if (i == 1)
2092                 return second;
2093         }
2094 
2095         private T[] _;
2096     }
2097     return Result(x);
2098 }
2099 
2100 ///
2101 @safe pure nothrow @nogc unittest
2102 {
2103     immutable int[6] x = [0, 1, 2, 3, 4, 5];
2104     immutable y = x.splicer2;
2105     assert(y.first.equal(x[0 .. 3]));
2106     assert(y.second.equal(x[3 .. $]));
2107     assert(y.at!0.equal(x[0 .. 3]));
2108     assert(y.at!1.equal(x[3 .. $]));
2109 }
2110 
2111 /** Specialization of `splicerN` to `N` being 3. */
2112 auto splicer3(T)(T[] x) @trusted
2113 {
2114     static struct Result        // Voldemort type
2115     {
2116         enum count = 3;
2117         pragma(inline) @trusted pure nothrow @nogc:
2118 
2119         /// Returns: first part of splice.
2120         @property inout(T)[] first() inout
2121         {
2122             return _.ptr[0 .. _.length/count];  // can be @trusted
2123         }
2124 
2125         /// Returns: second part of splice.
2126         @property inout(T)[] second() inout
2127         {
2128             return _.ptr[_.length/count .. 2*_.length/count];  // can be @trusted
2129         }
2130 
2131         /// Returns: third part of splice.
2132         @property inout(T)[] third() inout
2133         {
2134             return _.ptr[2*_.length/count .. _.length]; // can be @trusted
2135         }
2136 
2137         private T[] _;
2138     }
2139     return Result(x);
2140 }
2141 
2142 ///
2143 @safe pure nothrow @nogc unittest
2144 {
2145     immutable int[6] x = [0, 1, 3, 3, 4, 5];
2146     immutable y = x.splicer3;
2147     assert(y.first.equal(x[0 .. 2]));
2148     assert(y.second.equal(x[2 .. 4]));
2149     assert(y.third.equal(x[4 .. $]));
2150 }
2151 
2152 /**
2153    See_Also: http://forum.dlang.org/post/mqfaevkvhwwtzaafrtve@forum.dlang.org
2154  */
2155 auto use(alias F, T)(T t)
2156 if (is(typeof(F(T.init))))  // is callable
2157 {
2158     return F(t);
2159 }
2160 
2161 @safe pure nothrow @nogc unittest
2162 {
2163     foreach (const i; 1 .. 11)
2164         foreach (const j; 1 .. 11)
2165             immutable result = (i * j).use!(x => x*x);
2166 }
2167 
2168 import nxt.char_traits : isASCII;
2169 
2170 /** TOOD Merge into Phobos' startsWith. */
2171 template startsWith(needles...)
2172 if (isExpressionTuple!needles &&
2173     needles.length != 0)
2174 {
2175     uint startsWith(Haystack)(Haystack haystack) @trusted
2176         if (!is(CommonType!(typeof(Haystack.front), needles) == void))
2177     {
2178         if (haystack.length == 0)
2179             return 0;
2180         static if (isArray!Haystack &&
2181                    is(typeof(Haystack.init[0]) : char) &&
2182                    allSatisfy!(isASCII, needles))
2183         {
2184             // no front decoding needed
2185             static if (needles.length == 1)
2186                 return haystack.ptr[0] == needles[0] ? 1 : 0;
2187             else
2188             {
2189                 import std.algorithm.comparison : among;
2190                 return haystack.ptr[0].among!(needles);
2191             }
2192         }
2193         else
2194         {
2195             import std.range.primitives : front; // need decoding
2196             import std.algorithm.comparison : among;
2197             return haystack.front.among!(needles);
2198         }
2199     }
2200 }
2201 
2202 @safe pure nothrow @nogc unittest
2203 {
2204     const haystack = "abc";
2205     assert(haystack.startsWith!('a'));
2206     assert(!haystack.startsWith!('b'));
2207 }
2208 
2209 @safe pure unittest
2210 {
2211     const haystack = "äbc";
2212     assert(haystack.startsWith!('ä'));
2213 }
2214 
2215 @safe pure nothrow @nogc unittest
2216 {
2217     const haystack = "abc";
2218     assert(haystack.startsWith!('b') == 0);
2219     assert(haystack.startsWith!('a') == 1);
2220     assert(haystack.startsWith!('_',
2221                                 'a') == 2);
2222 }
2223 
2224 /** TOOD Merge into Phobos' endsWith. */
2225 template endsWith(needles...)
2226 if (isExpressionTuple!needles &&
2227     needles.length != 0)
2228 {
2229     uint endsWith(Haystack)(Haystack haystack)
2230         @trusted
2231     if (!is(CommonType!(typeof(Haystack.back), needles) == void))
2232     {
2233         if (haystack.length == 0)
2234             return 0;
2235         static if (isArray!Haystack &&
2236                    is(Unqual!(typeof(Haystack.init[0])) == char) && // TODO: reuse existing trait
2237                    allSatisfy!(isASCII, needles))
2238         {
2239             // no back decoding needed
2240             static if (needles.length == 1)
2241                 return haystack.ptr[haystack.length - 1] == needles[0] ? 1 : 0;
2242             else
2243             {
2244                 import std.algorithm.comparison : among;
2245                 return haystack.ptr[haystack.length - 1].among!(needles);
2246             }
2247         }
2248         else
2249         {
2250             import std.range.primitives : back; // need decoding
2251             import std.algorithm.comparison : among;
2252             return haystack.back.among!(needles);
2253         }
2254     }
2255 }
2256 
2257 @safe pure nothrow @nogc unittest
2258 {
2259     const haystack = "abc";
2260     assert(haystack.endsWith!('b') == 0);
2261     assert(haystack.endsWith!('c') == 1);
2262     assert(haystack.endsWith!('_',
2263                               'c') == 2);
2264 }
2265 
2266 @safe pure unittest
2267 {
2268     const haystack = "abć";
2269     assert(haystack.endsWith!('ć'));
2270 }
2271 
2272 /**
2273  * Allows forbidden casts.
2274  *
2275  * Params:
2276  *      OT = The output type.
2277  *      IT = The input type, optional, likely to be infered.
2278  *      it = A reference to an IT.
2279  *
2280  * Returns:
2281  *      the same as $(D cast(OT) it), except that it never fails to compile.
2282  */
2283 auto bruteCast(OT, IT)(auto ref IT it)
2284 {
2285     return *cast(OT*) &it;
2286 }
2287 
2288 ///
2289 nothrow pure @nogc unittest
2290 {
2291     static immutable array = [0u,1u,2u];
2292     size_t len;
2293     //len = cast(uint) array; // not allowed.
2294     len = bruteCast!uint(array);
2295     assert(len == array.length);
2296 }
2297 
2298 /** Split `range` using multiple separators stored as elements in `separators`.
2299  *
2300  * See_Also: https://forum.dlang.org/post/nv60ra$9vc$1@digitalmars.com
2301  */
2302 auto splitterN(R, S)(scope return R range,
2303                      const scope S separators)
2304 {
2305     import std.algorithm.iteration : splitter;
2306     import std.algorithm.searching : canFind;
2307     return range.splitter!(element => separators.canFind(element));
2308 }
2309 
2310 ///
2311 @safe pure unittest
2312 {
2313     auto result = "a-b+c".splitterN("+-");
2314     assert(result.equal(["a", "b", "c"].s[]));
2315 }
2316 
2317 // splitter is nothrow @nogc when `haystack` is of same NarrowString as `needle`
2318 @safe pure nothrow @nogc unittest
2319 {
2320     import std.algorithm.iteration : splitter;
2321     assert("a b".splitter(" ").equal(["a", "b"].s[]));
2322 }
2323 
2324 version(unittest)
2325 {
2326     import std.algorithm.comparison : equal;
2327     import nxt.array_help : s;
2328 }