Non-continuous subsequences: Difference between revisions

m
m (→‎{{header|REXX}}: added/changed whitespace and comments, elided the STYLE from the PRE html tags.)
m (→‎{{header|Wren}}: Minor tidy)
(39 intermediate revisions by 23 users not shown)
Line 9:
So a sequence ''a,b,c,d'' will always have the same subsequences and continuous subsequences, no matter which values are substituted; it may even be the same value.
 
'''Task''': Find all non-continuous subsequences for a given sequence. Example: For the sequence ''1,2,3,4'', there are five non-continuous subsequences, namely ''1,3''; ''1,4''; ''2,4''; ''1,3,4'' and ''1,2,4''.
 
'''Task''': Find all non-continuous subsequences for a given sequence.
'''Goal''': There are different ways to calculate those subsequences. Demonstrate algorithm(s) that are natural for the language.
 
 
;Example:
For the sequence   ''1,2,3,4'',   there are five non-continuous subsequences, namely:
::::*   ''1,3''
::::*   ''1,4''
::::*   ''2,4''
::::*   ''1,3,4''
::::*   ''1,2,4''
 
 
;Goal:
There are different ways to calculate those subsequences.
 
Demonstrate algorithm(s) that are natural for the language.
 
{{Template:Strings}}
<br><br>
 
=={{header|11l}}==
{{trans|Python}}
 
<syntaxhighlight lang="11l">F ncsub(seq, s = 0)
I seq.empty
R I s >= 3 {[[Int]()]} E [[Int]]()
E
V x = seq[0.<1]
V xs = seq[1..]
V p2 = s % 2
V p1 = !p2
R ncsub(xs, s + p1).map(ys -> @x + ys) [+] ncsub(xs, s + p2)
 
print(ncsub(Array(1..3)))
print(ncsub(Array(1..4)))
print(ncsub(Array(1..5)))</syntaxhighlight>
 
{{out}}
<pre>
[[1, 3]]
[[1, 2, 4], [1, 3, 4], [1, 3], [1, 4], [2, 4]]
[[1, 2, 3, 5], [1, 2, 4, 5], [1, 2, 4], [1, 2, 5], [1, 3, 4, 5], [1, 3, 4], [1, 3, 5], [1, 3], [1, 4, 5], [1, 4], [1, 5], [2, 3, 5], [2, 4, 5], [2, 4], [2, 5], [3, 5]]
</pre>
 
=={{header|Ada}}==
===Recursive===
<langsyntaxhighlight lang="ada">with Ada.Text_IO; use Ada.Text_IO;
 
procedure Test_Non_Continuous is
Line 51 ⟶ 92:
Put_NCS ((1,2,3,4)); New_Line;
Put_NCS ((1,2,3,4,5)); New_Line;
end Test_Non_Continuous;</langsyntaxhighlight>
 
{{out}}
Line 78 ⟶ 119:
2 5
3 5</pre>
 
=={{header|ALGOL 68}}==
===Recursive===
Line 85 ⟶ 127:
 
{{works with|ELLA ALGOL 68|Any (with appropriate job cards) - tested with release [http://sourceforge.net/projects/algol68/files/algol68toc/algol68toc-1.8.8d/algol68toc-1.8-8d.fc9.i386.rpm/download 1.8-8d]}}
<langsyntaxhighlight lang="algol68">PROC test non continuous = VOID: BEGIN
MODE SEQMODE = CHAR;
MODE SEQ = [1:0]SEQMODE;
Line 119 ⟶ 161:
print((seq, new line))
# OD # )
END; test non continuous</langsyntaxhighlight>
{{out}}
<pre>
Line 149 ⟶ 191:
 
Note: This specimen can only handle sequences of length less than ''bits width'' of '''bits'''.
<langsyntaxhighlight lang="algol68">MODE SEQMODE = STRING;
MODE SEQ = [1:0]SEQMODE;
MODE YIELDSEQ = PROC(SEQ)VOID;
Line 195 ⟶ 237:
print((seq, new line))
# OD # )
)</langsyntaxhighlight>
{{out}}
<pre>
Line 220 ⟶ 262:
ahk forum: [http://www.autohotkey.com/forum/viewtopic.php?p=277328#277328 discussion]
 
<langsyntaxhighlight AutoHotkeylang="autohotkey">MsgBox % noncontinuous("a,b,c,d,e", ",")
MsgBox % noncontinuous("1,2,3,4", ",")
 
Line 239 ⟶ 281:
ToBin(n,W=16) { ; LS W-bits of Binary representation of n
Return W=1 ? n&1 : ToBin(n>>1,W-1) . n&1
}</langsyntaxhighlight>
 
=={{header|BBC BASIC}}==
{{works with|BBC BASIC for Windows}}
<langsyntaxhighlight lang="bbcbasic"> DIM list1$(3)
list1$() = "1", "2", "3", "4"
PRINT "For [1, 2, 3, 4] non-continuous subsequences are:"
Line 274 ⟶ 316:
NEXT g%
NEXT s%
ENDPROC</langsyntaxhighlight>
{{out}}
<pre>
Line 303 ⟶ 345:
 
=={{header|Bracmat}}==
<langsyntaxhighlight Bracmatlang="bracmat">( ( noncontinuous
= sub
. ( sub
Line 323 ⟶ 365:
& noncontinuous$(e r n i t)
);
</syntaxhighlight>
</lang>
{{out}}
<pre>e n t
Line 344 ⟶ 386:
=={{header|C}}==
Note: This specimen can only handle lists of length less than the number of bits in an '''int'''.
<langsyntaxhighlight Clang="c">#include <assert.h>
#include <stdio.h>
 
Line 363 ⟶ 405:
 
return 0;
}</langsyntaxhighlight>
Example use:
<pre>
Line 377 ⟶ 419:
 
Using "consecutive + gap + any subsequence" to produce disjointed sequences:
<langsyntaxhighlight lang="c">#include <assert.h>
#include <stdio.h>
#include <stdlib.h>
Line 401 ⟶ 443:
 
return 0;
}</langsyntaxhighlight>
===Recursive method===
Using recursion and a state transition table.
<langsyntaxhighlight lang="c">#include <stdio.h>
 
typedef unsigned char sint;
Line 454 ⟶ 496:
pick(c - 1, 0, s_blnk, v + 1, 0);
return 0;
}</langsyntaxhighlight>running it:
<pre>% ./a.out 1 2 3 4
1 3
Line 464 ⟶ 506:
968</pre>
 
=={{header|C++ sharp}}==
<syntaxhighlight lang="csharp">using System;
<lang cpp>/*
using System.Collections.Generic;
Not best code, wrote it really quick. Will add updated code using more C++11 features soon!
using System.Linq;
*/
 
class Program
#include <iostream>
{
#include <vector>
public static void Main() {
#include <algorithm>
var sequence = new[] { "A", "B", "C", "D" };
#include <iterator>
foreach (var subset in Subsets(sequence.Length).Where(s => !IsContinuous(s))) {
Console.WriteLine(string.Join(" ", subset.Select(i => sequence[i])));
}
}
static IEnumerable<List<int>> Subsets(int length) {
int[] values = Enumerable.Range(0, length).ToArray();
var stack = new Stack<int>(length);
for (int i = 0; stack.Count > 0 || i < length; ) {
if (i < length) {
stack.Push(i++);
yield return (from index in stack.Reverse() select values[index]).ToList();
} else {
i = stack.Pop() + 1;
if (stack.Count > 0) i = stack.Pop() + 1;
}
}
}
 
static bool IsContinuous(List<int> list) => list[list.Count - 1] - list[0] + 1 == list.Count;
int main() {
std::vector<int> sequence = { 0, 1, 2, 3, 4 };
std::vector<int> work = { 0 };
std::vector<std::vector<int>> results;
while (work != sequence) {
bool zeroed = false;
size_t index_zero_started = 0;
for (size_t i = 0; i < work.size(); ++i) {
if (work[i] >= sequence.size()) {
if (i == 0) {
work[i] = 0;
work.push_back(0);
index_zero_started = i;
} else {
++work[i - 1];
for (size_t j = i; j < work.size(); ++j) {
work[j] = 0;
}
index_zero_started = i - 1;
}
zeroed = true;
break;
}
}
if (zeroed) {
for (size_t i = index_zero_started + 1; i < work.size(); ++i) {
work[i] = work[i - 1] + 1;
}
} else {
std::vector<int> temp_differences;
std::adjacent_difference(std::begin(work), std::end(work), std::back_inserter(temp_differences));
if (std::find_if(std::begin(temp_differences) + 1, std::end(temp_differences),
[](const int& n) { return n > 1; }) != std::end(temp_differences)) {
results.push_back(work);
}
++work.back();
}
}
std::cout << "Non-continuous subsequences of ";
std::copy(std::begin(sequence), std::end(sequence), std::ostream_iterator<int>(std::cout, " "));
std::cout << std::endl;
for (auto& e: results) {
std::cout << "- ";
std::copy(std::begin(e), std::end(e), std::ostream_iterator<int>(std::cout, " "));
std::cout << std::endl;
}
return 0;
}</lang>
 
}</syntaxhighlight>
{{out}}
<pre>
<pre>Non-continuous subsequences of 0 1 2 3 4
-A 0 2B D
A C
- 0 3
-A 0 4C D
A D
- 1 3
B D
- 1 4
</pre>
- 2 4
 
- 0 1 3
=={{header|C++}}==
- 0 1 4
<syntaxhighlight lang="cpp">
- 0 2 3
/*
- 0 2 4
* Nigel Galloway, July 19th., 2017 - Yes well is this any better?
- 0 3 4
*/
- 1 2 4
class N{
- 1 3 4
uint n,i,g,e,l;
- 0 1 2 4
public:
- 0 1 3 4
N(uint n): n(n-1),i{},g{},e(1),l(n-1){}
- 0 2 3 4 </pre>
bool hasNext(){
g=(1<<n)+e;for(i=l;i<n;++i) g+=1<<i;
if (l==2) {l=--n; e=1; return true;}
if (e<((1<<(l-1))-1)) {++e; return true;}
e=1; --l; return (l>0);
}
uint next() {return g;}
};
</syntaxhighlight>
Which may be used as follows:
<syntaxhighlight lang="cpp">
int main(){
N n(4);
while (n.hasNext()) std::cout << n.next() << "\t* " << std::bitset<4>(n.next()) << std::endl;
}
</syntaxhighlight>
{{out}}
<pre>
9 * 1001
10 * 1010
11 * 1011
13 * 1101
5 * 0101
</pre>
I can count the length of the sequence:
<syntaxhighlight lang="cpp">
int main(){
N n(31);
int z{};for (;n.hasNext();++z); std::cout << z << std::endl;
}
</syntaxhighlight>
{{out}}
<pre>
2147483151
</pre>
 
=={{header|Clojure}}==
Line 546 ⟶ 595:
Here's a simple approach that uses the clojure.contrib.combinatorics library to generate subsequences, and then filters out the continuous subsequences using a naïve subseq test:
 
<langsyntaxhighlight lang="lisp">
(use '[clojure.contrib.combinatorics :only (subsets)])
 
Line 563 ⟶ 612:
 
(filter (of-min-length 2) (non-continuous-subsequences [:a :b :c :d]))
</syntaxhighlight>
</lang>
 
=={{header|CoffeeScript}}==
Use binary bitmasks to enumerate our sequences.
<langsyntaxhighlight lang="coffeescript">
is_contigous_binary = (n) ->
# return true if binary representation of n is
Line 625 ⟶ 674:
num_solutions = non_contig_subsequences(arr).length
console.log "for n=#{n} there are #{num_solutions} solutions"
</syntaxhighlight>
</lang>
 
{{out}}
Line 653 ⟶ 702:
looking at the screen wondering what's wrong for about half an hour -->
 
<langsyntaxhighlight lang="lisp">(defun all-subsequences (list)
(labels ((subsequences (tail &optional (acc '()) (result '()))
"Return a list of the subsequence designators of the
Line 673 ⟶ 722:
(map-into subsequence-d 'first subsequence-d)))
(let ((nc-subsequences (delete-if #'continuous-p (subsequences list))))
(map-into nc-subsequences #'designated-sequence nc-subsequences))))</langsyntaxhighlight>
 
{{trans|Scheme}}
 
<langsyntaxhighlight lang="lisp">(defun all-subsequences2 (list)
(labels ((recurse (s list)
(if (endp list)
Line 692 ⟶ 741:
(recurse s xs))
(recurse (+ s 1) xs)))))))
(recurse 0 list)))</langsyntaxhighlight>
 
=={{header|D}}==
===Recursive Version===
{{trans|Python}}
<langsyntaxhighlight lang="d">T[][] ncsub(T)(in T[] seq, in uint s=0) pure nothrow @safe {
if (seq.length) {
typeof(return) aux;
Line 714 ⟶ 763:
foreach (const nc; [1, 2, 3, 4, 5].ncsub)
nc.writeln;
}</langsyntaxhighlight>
{{out}}
<pre>[[1, 3]]
Line 737 ⟶ 786:
===Faster Lazy Version===
This version doesn't copy the sub-arrays.
<langsyntaxhighlight lang="d">struct Ncsub(T) {
T[] seq;
 
Line 779 ⟶ 828:
counter++;
assert(counter == 16_776_915);
}</langsyntaxhighlight>
 
===Generator Version===
This version doesn't copy the sub-arrays, and it's a little slower than the opApply-based version.
<langsyntaxhighlight lang="d">import std.stdio, std.array, std.range, std.concurrency;
 
Generator!(T[]) ncsub(T)(in T[] seq) {
Line 816 ⟶ 865:
foreach (const nc; [1, 2, 3, 4, 5].ncsub)
nc.writeln;
}</langsyntaxhighlight>
 
=={{header|Elixir}}==
{{trans|Erlang}}
<syntaxhighlight lang="elixir">defmodule RC do
defp masks(n) do
maxmask = trunc(:math.pow(2, n)) - 1
Enum.map(3..maxmask, &Integer.to_string(&1, 2))
|> Enum.filter_map(&contains_noncont(&1), &String.rjust(&1, n, ?0)) # padding
end
defp contains_noncont(n) do
Regex.match?(~r/10+1/, n)
end
defp apply_mask_to_list(mask, list) do
Enum.zip(to_char_list(mask), list)
|> Enum.filter_map(fn {include, _} -> include > ?0 end, fn {_, value} -> value end)
end
 
def ncs(list) do
Enum.map(masks(length(list)), fn mask -> apply_mask_to_list(mask, list) end)
end
end
 
IO.inspect RC.ncs([1,2,3])
IO.inspect RC.ncs([1,2,3,4])
IO.inspect RC.ncs('abcd')</syntaxhighlight>
 
{{out}}
<pre>
[[1, 3]]
[[2, 4], [1, 4], [1, 3], [1, 3, 4], [1, 2, 4]]
['bd', 'ad', 'ac', 'acd', 'abd']
</pre>
 
=={{header|Erlang}}==
Erlang's not optimized for strings or math, so this is pretty inefficient. Nonetheless, it works by generating the set of all possible "bitmasks" (represented as strings), filters for those with non-continuous subsequences, and maps from that set over the list. One immediate point for optimization that would complicate the code a bit would be to compile the regular expression, the problem being where you'd put it.
 
<langsyntaxhighlight lang="erlang">-module(rosetta).
-export([ncs/1]).
 
Line 844 ⟶ 927:
ncs(List) ->
lists:map(fun(Mask) -> apply_mask_to_list(Mask, List) end,
masks(length(List))).</langsyntaxhighlight>
 
{{out}}
Line 854 ⟶ 937:
[[2,4],[1,4],[1,3],[1,3,4],[1,2,4]]
</pre>
 
=={{header|F_Sharp|F#}}==
===Generate only the non-continuous subsequences===
<syntaxhighlight lang="fsharp">
(*
A function to generate only the non-continuous subsequences.
Nigel Galloway July 20th., 2017
*)
let N n =
let fn n = Seq.map (fun g->(2<<<n)+g)
let rec fg n = seq{if n>0 then yield! seq{1..((1<<<n)-1)}|>fn n; yield! fg (n-1)|>fn n}
Seq.collect fg ({1..(n-2)})
</syntaxhighlight>
This may be used as follows:
<syntaxhighlight lang="fsharp">
let Ng ng = N ng |> Seq.iter(fun n->printf "%2d -> " n; {0..(ng-1)}|>Seq.iter (fun g->if (n&&&(1<<<g))>0 then printf "%d " (g+1));printfn "")
Ng 4
</syntaxhighlight>
{{out}}
<pre>
5 -> 1 3
9 -> 1 4
10 -> 2 4
11 -> 1 2 4
13 -> 1 3 4
</pre>
Counting the number of non-continuous subsequences is interesting:
<pre>
> Seq.length (N 20);;
Real: 00:00:00.169, CPU: 00:00:00.169, GC gen0: 0, gen1: 0
val it : int = 1048365
> Seq.length (N 23);;
Real: 00:00:01.238, CPU: 00:00:01.239, GC gen0: 0, gen1: 0
val it : int = 8388331
> Seq.length (N 24);;
Real: 00:00:02.520, CPU: 00:00:02.523, GC gen0: 0, gen1: 0
val it : int = 16776915
> Seq.length (N 25);;
Real: 00:00:04.926, CPU: 00:00:04.930, GC gen0: 0, gen1: 0
val it : int = 33554106
</pre>
===Generate all subsequences and filter out the continuous===
<syntaxhighlight lang="fsharp">
(*
A function to filter out continuous subsequences.
Nigel Galloway July 24th., 2017
*)
let Nonseq n=
let fn = function
|((n,0),true )->(n+1,1)
|((n,_),false)->(n,0)
|(n,_) ->n
{5..(1<<<n)-1}|>Seq.choose(fun i->if fst({0..n-1}|>Seq.takeWhile(fun n->(1<<<(n-1))<i)|>Seq.fold(fun n g->fn (n,(i&&&(1<<<g)>0)))(0,0)) > 1 then Some(i) else None)
</syntaxhighlight>
Again counting the number of non-continuous subsequences
<pre>
> Seq.length (Nonseq 20);;
Real: 00:00:02.356, CPU: 00:00:02.389, GC gen0: 183, gen1: 0
val it : int = 1048365
> Seq.length (Nonseq 23);;
Real: 00:00:20.714, CPU: 00:00:20.950, GC gen0: 1571, gen1: 0
val it : int = 8388331
> Seq.length (Nonseq 24);;
Real: 00:00:43.129, CPU: 00:00:43.601, GC gen0: 3216, gen1: 0
val it : int = 16776915
> Seq.length (Nonseq 25);;
Real: 00:01:28.853, CPU: 00:01:29.869, GC gen0: 6577, gen1: 0
val it : int = 33554106
</pre>
===Conclusion===
Find a better filter or use the generator.
 
 
=={{header|FreeBASIC}}==
{{trans|BBC BASIC}}
<syntaxhighlight lang="freebasic">Sub Subsecuencias_no_continuas(l() As String)
Dim As Integer i, j, g, n, r, s, w
Dim As String a, b, c
n = Ubound(l)
For s = 0 To n-2
For g = s+1 To n-1
a = "["
For i = s To g-1
a += l(i) + ", "
Next i
For w = 1 To n-g
r = n+1-g-w
For i = 1 To 2^r-1 Step 2
b = a
For j = 0 To r-1
If i And 2^j Then b += l(g+w+j) + ", "
Next j
'Print Left(Left(b)) + "]"
c = (Left(b, Len (b)-1))
Print Left(c, Len(c)-1) + "]"
Next i
Next w
Next g
Next s
End Sub
 
Dim lista1(3) As String = {"1", "2", "3", "4"}
Print "Para [1, 2, 3, 4] las subsecuencias no continuas son:"
Subsecuencias_no_continuas(lista1())
Dim lista2(4) As String = {"e", "r", "n", "i", "t"}
Print "Para [e, r, n, i, t] las subsecuencias no continuas son:"
Subsecuencias_no_continuas(lista2())
Sleep</syntaxhighlight>
{{out}}
<pre>
Para [1, 2, 3, 4] las subsecuencias no continuas son:
[1, 3]
[1, 3, 4]
[1, 4]
[1, 2, 4]
[2, 4]
Para [e, r, n, i, t] las subsecuencias no continuas son:
[e, n]
[e, n, i]
[e, n, t]
[e, n, i, t]
[e, i]
[e, i, t]
[e, t]
[e, r, i]
[e, r, i, t]
[e, r, t]
[e, r, n, t]
[r, i]
[r, i, t]
[r, t]
[r, n, t]
[n, t]
</pre>
 
 
=={{header|Go}}==
Generate the power set (power sequence, actually) with a recursive function, but keep track of the state of the subsequence on the way down. When you get to the bottom, if state == non-continuous, then include the subsequence. It's just filtering merged in with generation.
<langsyntaxhighlight lang="go">package main
 
import "fmt"
Line 895 ⟶ 1,113:
fmt.Println(" ", s)
}
}</langsyntaxhighlight>
{{out}}
<pre>
Line 910 ⟶ 1,128:
===Generalized monadic filter===
 
<langsyntaxhighlight lang="haskell">action p x = if p x then succ x else x
 
fenceM p q s [] = guard (q s) >> return []
Line 918 ⟶ 1,136:
return $ f x ys
 
ncsubseq = fenceM [((:), action even), (flip const, action odd)] (>= 3) 0</langsyntaxhighlight>
 
{{out}}
Line 932 ⟶ 1,150:
This implementation works by computing templates of all possible subsequences of the given length of sequence, discarding the continuous ones, then applying the remaining templates to the input list.
 
<langsyntaxhighlight lang="haskell">continuous = null . dropWhile not . dropWhile id . dropWhile not
ncs xs = map (map fst . filter snd . zip xs) $
filter (not . continuous) $
mapM (const [True,False]) xs</langsyntaxhighlight>
 
===Recursive===
Recursive method with powerset as helper function.
 
<langsyntaxhighlight lang="haskell">import Data.List
 
poset = foldr (\x p -> p ++ map (x:) p) [[]]
Line 949 ⟶ 1,167:
nc [_] [] = [[]]
nc (_:x:xs) [] = nc [x] xs
nc xs (y:ys) = (nc (xs++[y]) ys) ++ map (xs++) (tail $ poset ys)</langsyntaxhighlight>
 
{{out}}
Line 969 ⟶ 1,187:
A disjointed subsequence is a consecutive subsequence followed by a gap,
then by any nonempty subsequence to its right:
<langsyntaxhighlight lang="haskell">import Data.List (subsequences, tails, delete)
 
disjoint a = concatMap (cutAt a) [1..length a - 2] where
Line 976 ⟶ 1,194:
(left, _:right) = splitAt n s
 
main = print $ length $ disjoint [1..20]</langsyntaxhighlight>
 
Build a lexicographic list of consecutive subsequences,
and a list of all subsequences, then subtract one from the other:
<langsyntaxhighlight lang="haskell">import Data.List (inits, tails)
 
subseqs = foldr (\x s -> [x] : map (x:) s ++ s) []
Line 993 ⟶ 1,211:
disjoint s = (subseqs s) `minus` (consecs s)
 
main = mapM_ print $ disjoint [1..4]</langsyntaxhighlight>
 
=={{header|J}}==
We select those combinations where the end of the first continuous subsequence appears before the start of the last continuous subsequence:
 
<langsyntaxhighlight Jlang="j">allmasks=: 2 #:@i.@^ #
firstend=:1 0 i.&1@E."1 ]
laststart=: 0 1 {:@I.@E."1 ]
noncont=: <@#~ (#~ firstend < laststart)@allmasks</langsyntaxhighlight>
 
Example use:
<langsyntaxhighlight Jlang="j"> noncont 1+i.4
┌───┬───┬───┬─────┬─────┐
│2 4│1 4│1 3│1 3 4│1 2 4│
Line 1,013 ⟶ 1,231:
└──┴──┴──┴───┴───┴──┴──┴───┴──┴───┴───┴────┴───┴───┴────┴────┘
#noncont i.10
968</langsyntaxhighlight>
 
Alternatively, since there are relatively few continuous sequences, we could specifically exclude them:
 
<langsyntaxhighlight Jlang="j">contmasks=: a: ;@, 1 <:/~@i.&.>@i.@+ #
noncont=: <@#~ (allmasks -. contmasks)</langsyntaxhighlight>
 
(we get the same behavior from this implementation)
 
=={{header|Java}}==
<langsyntaxhighlight lang="java">public class NonContinuousSubsequences {
 
public static void main(String args[]) {
Line 1,038 ⟶ 1,256:
}
}
}</langsyntaxhighlight>
 
<pre>12 4
Line 1,050 ⟶ 1,268:
 
{{works with|SpiderMonkey}}
<langsyntaxhighlight lang="javascript">function non_continuous_subsequences(ary) {
var non_continuous = new Array();
for (var i = 0; i < ary.length; i++) {
Line 1,073 ⟶ 1,291:
load('json2.js'); /* http://www.json.org/js.html */
 
print(JSON.stringify( non_continuous_subsequences( powerset([1,2,3,4]))));</langsyntaxhighlight>
 
{{out}}
Line 1,087 ⟶ 1,305:
subsets, we will use the powerset approach, and accordingly begin by
defining subsets/0 as a generator.
<langsyntaxhighlight lang="jq"># Generate a stream of subsets of the input array
def subsets:
if length == 0 then []
Line 1,102 ⟶ 1,320:
def non_continuous_subsequences:
(length | non_continuous_indices) as $ix
| [.[ $ix[] ]] ;</langsyntaxhighlight>
'''Example''':
To show that the above approach can be used for relatively large n, let us count the number of non-continuous subsequences of [0, 1, ..., 19].
<langsyntaxhighlight lang="jq">def count(f): reduce f as $i (0; . + 1);
 
count( [range(0;20)] | non_continuous_subsequences)
</syntaxhighlight>
</lang>
{{out}}
$ jq -n -f powerset_generator.jq
Line 1,121 ⟶ 1,339:
 
'''Iterator and Functions'''
<syntaxhighlight lang="julia">using Printf, IterTools
<lang Julia>
iscontseq(n::Integer) = count_zeros(n) == leading_zeros(n) + trailing_zeros(n)
iscontseq(n::BigInt) = !ismatch(r"0", rstrip(bin(n), '0'))
 
import Base.IteratorSize, Base.iterate, Base.length
 
iscontseq(n::Integer) = count_zeros(n) == leading_zeros(n) + trailing_zeros(n)
iscontseq(n::BigInt) = !ismatch(r"0", rstrip(bin(n), '0'))
function makeint2seq(n::Integer)
const idex = collect(1:n)
function int2seq(m::Integer)
d = digits(m, base=2, pad=n)
idex[d .== 1]
end
return int2seq
end
 
immutablestruct NCSubSeq{T<:Integer}
n::T
end
 
typemutable struct NCSubState{T<:Integer}
m::T
m2s::Function
end
 
Base.lengthIteratorSize(a::NCSubSeq) = 2^aBase.n - divHasLength(a.n*(a.n+1), 2) - 1
Base.startlength(a::NCSubSeq) = NCSubState(5,2 ^ a.n - a.n * makeint2seq(a.n + 1)) ÷ 2 - 1
function Base.doneiterate(a::NCSubSeq, as::NCSubState) =NCSubState(5, 2^makeint2seq(a.n-3 < as.m)))
if 2 ^ a.n - 3 < as.m
 
return nothing
function Base.next(a::NCSubSeq, as::NCSubState)
end
s = as.m2s(as.m)
as.m += 1
Line 1,155 ⟶ 1,377:
return (s, as)
end
</lang>
 
'''Main'''
<lang Julia>
n = 4
printprintln("Testing NCSubSeq for ", n, " items:\n ", join(NCSubSeq(n), " "))
for a in NCSubSeq(n)
print(" ", a)
end
println()
 
s = "Rosetta"
cs = split(s, "")
m = 10
n = length(NCSubSeq(length(scs))) - m
println("\nThe first and last ", m, " NC sub-sequences of \"", s, "\":")
println()
for (i, a) in enumerate(NCSubSeq(length(s)))
println("The first and last ", m, " NC sub-sequences of \"", s, "\":")
for (i,a) in enumerate(NCSubSeq(length(cs)))
i <= m || n < i || continue
println(@sprintf "%6d %s" i join(cs[a], ""))
Line 1,179 ⟶ 1,393:
end
 
println("\nThe first and last ", m, " NC sub-sequences of \"", s, "\"")
t = {}
for x in IterTools.Iterators.flatten([1:10; 20:10:40; big.(50:50:200)])
append!(t, collect(1:10))
@printf "%7d → %d\n" x length(NCSubSeq(x))
append!(t, collect(20:10:40))
append!(t, big(50):50:200)
println()
println("Numbers of NC sub-sequences of a given length:")
for i in t
println(@sprintf("%7d => ", i), length(NCSubSeq(i)))
end
</syntaxhighlight>{{out}}
</lang>
 
{{out}}
<pre>
Testing NCSubSeq for 4 items:
[1, 3] [1, 4] [2, 4] [1, 2, 4] [1, 3, 4]
 
The first and last 10 NC sub-sequences of "Rosetta":
Line 1,218 ⟶ 1,425:
99 Rsetta
 
NumbersThe offirst and last 10 NC sub-sequences of a given length:"Rosetta"
1 => 0
2 => 0
3 => 1
4 => 5
5 => 16
6 => 42
7 => 99
8 => 219
9 => 466
10 => 968
20 => 1048365
30 => 1073741358
40 => 1099511626955
50 => 1125899906841348
100 => 1267650600228229401496703200325
150 => 1427247692705959881058285969449495136382735298
200 => 1606938044258990275541962092341162602522202993782792835281275
</pre>
 
=={{header|MathematicaKotlin}}==
<syntaxhighlight lang="scala">// version 1.1.2
We make all the subsets then filter out the continuous ones:
 
fun <T> ncs(a: Array<T>) {
<lang Mathematica>GoodBad[i_List]:=Not[MatchQ[Differences[i],{1..}|{}]]
fun generate(m: Int, k: Int, c: IntArray) {
n=5
if (k == m) {
Select[Subsets[Range[n]],GoodBad]</lang>
if (c[m - 1] != c[0] + m - 1) {
for (i in 0 until m) print("${a[c[i]]} ")
println()
}
}
else {
for (j in 0 until a.size) {
if (k == 0 || j > c[k - 1]) {
c[k] = j
generate(m, k + 1, c)
}
}
}
}
 
for (m in 2 until a.size) {
gives back:
val c = IntArray(m)
generate(m, 0, c)
}
}
 
fun main(args: Array<String>) {
<lang Mathematica> {{1,3},{1,4},{1,5},{2,4},{2,5},{3,5},{1,2,4},{1,2,5},{1,3,4},{1,3,5},{1,4,5},{2,3,5},{2,4,5},{1,2,3,5},{1,2,4,5},{1,3,4,5}}</lang>
val a = arrayOf(1, 2, 3, 4)
ncs(a)
println()
val ca = arrayOf('a', 'b', 'c', 'd', 'e')
ncs(ca)
}</syntaxhighlight>
 
{{out}}
<pre>
1 3
1 4
2 4
1 2 4
1 3 4
 
a c
a d
a e
b d
b e
c e
a b d
a b e
a c d
a c e
a d e
b c e
b d e
a b c e
a b d e
a c d e
</pre>
 
=={{header|M2000 Interpreter}}==
<syntaxhighlight lang="m2000 interpreter">
Module Non_continuous_subsequences (item$(), display){
Function positions(n) {
function onebit {
=lambda b=false (&c)-> {
=b :if c then b~:c=not b
}
}
dim k(n)=onebit(), p(n)
m=true
flush
for i=1 to 2^n {
for j=0 to n-1 :p(j)= k(j)(&m) :next
m1=p(0)
m2=0
for j=1 to n-1
if m2 then if m1>p(j) then m2=2:exit for
if m1 < p(j) then m2++
m1=p(j)
next
if m2=2 then data cons(p())' push a copy of p() to end of stack
m=true
}
=array([])
}
 
a=positions(len(item$()))
if display then
For i=0 to len(a)-1
b=array(a,i)
line$=format$("{0::-5})",i+1,)
for j=0 to len(b)-1
if array(b,j) then line$+=" "+item$(j)
next
print line$
doc$<=line$+{
}
next
end if
line$="Non continuous subsequences:"+str$(len(a))
Print line$
doc$<=line$+{
}
}
global doc$
document doc$ ' change string to document object
Non_continuous_subsequences ("1","2","3","4"), true
Non_continuous_subsequences ("a","e","i","o","u"), true
Non_continuous_subsequences ("R","o","s","e","t","t","a"), true
Non_continuous_subsequences ("1","2","3","4","5","6","7","8","9","0"), false
clipboard doc$
</syntaxhighlight>
 
{{out}}
<pre style="height:30ex;overflow:scroll">
1) 1 3
2) 1 4
3) 2 4
4) 1 2 4
5) 1 3 4
Non continuous subsequences: 5
1) a i
2) a o
3) e o
4) a e o
5) a i o
6) a u
7) e u
8) a e u
9) i u
10) a i u
11) e i u
12) a e i u
13) a o u
14) e o u
15) a e o u
16) a i o u
Non continuous subsequences: 16
1) R s
2) R e
3) o e
4) R o e
5) R s e
6) R t
7) o t
8) R o t
9) s t
10) R s t
11) o s t
12) R o s t
13) R e t
14) o e t
15) R o e t
16) R s e t
17) R t
18) o t
19) R o t
20) s t
21) R s t
22) o s t
23) R o s t
24) e t
25) R e t
26) o e t
27) R o e t
28) s e t
29) R s e t
30) o s e t
31) R o s e t
32) R t t
33) o t t
34) R o t t
35) s t t
36) R s t t
37) o s t t
38) R o s t t
39) R e t t
40) o e t t
41) R o e t t
42) R s e t t
43) R a
44) o a
45) R o a
46) s a
47) R s a
48) o s a
49) R o s a
50) e a
51) R e a
52) o e a
53) R o e a
54) s e a
55) R s e a
56) o s e a
57) R o s e a
58) t a
59) R t a
60) o t a
61) R o t a
62) s t a
63) R s t a
64) o s t a
65) R o s t a
66) e t a
67) R e t a
68) o e t a
69) R o e t a
70) s e t a
71) R s e t a
72) o s e t a
73) R o s e t a
74) R t a
75) o t a
76) R o t a
77) s t a
78) R s t a
79) o s t a
80) R o s t a
81) e t a
82) R e t a
83) o e t a
84) R o e t a
85) s e t a
86) R s e t a
87) o s e t a
88) R o s e t a
89) R t t a
90) o t t a
91) R o t t a
92) s t t a
93) R s t t a
94) o s t t a
95) R o s t t a
96) R e t t a
97) o e t t a
98) R o e t t a
99) R s e t t a
Non continuous subsequences: 99
Non continuous subsequences: 968
 
</pre >
 
=={{header|Mathematica}}/{{header|Wolfram Language}}==
We make all the subsets then filter out the continuous ones:
<syntaxhighlight lang="mathematica">GoodBad[i_List]:=Not[MatchQ[Differences[i],{1..}|{}]]
n=5
Select[Subsets[Range[n]],GoodBad]</syntaxhighlight>
{{out}}
<pre>{{1,3},{1,4},{1,5},{2,4},{2,5},{3,5},{1,2,4},{1,2,5},{1,3,4},{1,3,5},{1,4,5},{2,3,5},{2,4,5},{1,2,3,5},{1,2,4,5},{1,3,4,5}}</pre>
 
=={{header|Nim}}==
{{trans|Python}}
<langsyntaxhighlight lang="nim">import sequtils
 
proc ncsub[T](se: seq[T], s = 0): seq[seq[T]] =
Line 1,258 ⟶ 1,706:
let
x = se[0..0]
xs = se[1 .. -^1]
p2 = s mod 2
p1 = (s + 1) mod 2
Line 1,269 ⟶ 1,717:
echo "ncsub(", toSeq 1.. 3, ") = ", ncsub(toSeq 1..3)
echo "ncsub(", toSeq 1.. 4, ") = ", ncsub(toSeq 1..4)
echo "ncsub(", toSeq 1.. 5, ") = ", ncsub(toSeq 1..5)</langsyntaxhighlight>
{{out}}
<pre>ncsub(@[1, 2, 3]) = @[@[1, 3]]
Line 1,279 ⟶ 1,727:
{{trans|Generalized monadic filter}}
 
<langsyntaxhighlight lang="ocaml">let rec fence s = function
[] ->
if s >= 3 then
Line 1,300 ⟶ 1,748:
fence (s + 1) xs
 
let ncsubseq = fence 0</langsyntaxhighlight>
 
{{out}}
Line 1,315 ⟶ 1,763:
=={{header|Oz}}==
A nice application of finite set constraints. We just describe what we want and the constraint system will deliver it:
<langsyntaxhighlight lang="oz">declare
fun {NCSubseq SeqList}
Seq = {FS.value.make SeqList}
Line 1,339 ⟶ 1,787:
end
in
{Inspect {NCSubseq [1 2 3 4]}}</langsyntaxhighlight>
 
=={{header|PARI/GP}}==
Just a simple script, but it's I/O bound so efficiency isn't a concern. (Almost all subsequences are non-contiguous so looping over all possibilities isn't that bad. For length 20 about 99.98% of subsequences are non-contiguous.)
<langsyntaxhighlight lang="parigp">noncontig(n)=n>>=valuation(n,2);n++;n>>=valuation(n,2);n>1;
nonContigSubseq(v)={
for(i=5,2^#v-1,
Line 1,352 ⟶ 1,800:
};
nonContigSubseq([1,2,3])
nonContigSubseq(["a","b","c","d","e"])</langsyntaxhighlight>
{{out}}
<pre>[1, 3]
Line 1,374 ⟶ 1,822:
 
=={{header|Perl}}==
<langsyntaxhighlight lang="perl">my ($max, @current);
sub non_continuous {
my ($idx, $has_gap, $found) = @_;
my $found;
 
for ($idx .. $max) {
Line 1,389 ⟶ 1,838:
}
 
$max = 20;
$max = 20; # 1048365 sequences, 10 seconds-ish
print "found ", non_continuous(1), " sequences\n";</langsyntaxhighlight>
{{out}}
<pre>found 1048365 sequences</pre>
 
=={{header|Perl 6Phix}}==
Straightforward recursive implementation, the only minor trick is that a gap does not
{{works with|rakudo|2015-09-24}}
mean non-contiguous until you actually take something later.<br>
<lang perl6>sub non_continuous_subsequences ( *@list ) {
Counts non-contiguous subsequences of sequences of length 1..20 in under half a second
@list.combinations.grep: { 1 != all( .[ 0 ^.. .end] Z- .[0 ..^ .end] ) }
<!--<syntaxhighlight lang="phix">(phixonline)-->
}
<span style="color: #008080;">with</span> <span style="color: #008080;">javascript_semantics</span>
<span style="color: #004080;">integer</span> <span style="color: #000000;">count</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">0</span>
<span style="color: #008080;">procedure</span> <span style="color: #000000;">ncs</span><span style="color: #0000FF;">(</span><span style="color: #004080;">sequence</span> <span style="color: #000000;">rest</span><span style="color: #0000FF;">,</span> <span style="color: #004080;">object</span> <span style="color: #000000;">taken</span><span style="color: #0000FF;">,</span> <span style="color: #004080;">integer</span> <span style="color: #000000;">ri</span><span style="color: #0000FF;">=</span><span style="color: #000000;">0</span><span style="color: #0000FF;">,</span> <span style="color: #004080;">bool</span> <span style="color: #000000;">contig</span><span style="color: #0000FF;">=</span><span style="color: #004600;">false</span><span style="color: #0000FF;">,</span> <span style="color: #004080;">bool</span> <span style="color: #000000;">gap</span><span style="color: #0000FF;">=</span><span style="color: #004600;">false</span><span style="color: #0000FF;">)</span>
<span style="color: #008080;">if</span> <span style="color: #000000;">ri</span><span style="color: #0000FF;">>=</span><span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #000000;">rest</span><span style="color: #0000FF;">)</span> <span style="color: #008080;">then</span>
<span style="color: #008080;">if</span> <span style="color: #000000;">contig</span> <span style="color: #008080;">then</span>
<span style="color: #008080;">if</span> <span style="color: #004080;">integer</span><span style="color: #0000FF;">(</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">)</span> <span style="color: #008080;">then</span>
<span style="color: #000000;">count</span> <span style="color: #0000FF;">+=</span> <span style="color: #000000;">1</span>
<span style="color: #008080;">else</span>
<span style="color: #0000FF;">?</span><span style="color: #000000;">taken</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
<span style="color: #008080;">else</span>
<span style="color: #000000;">ri</span> <span style="color: #0000FF;">+=</span> <span style="color: #000000;">1</span>
<span style="color: #000000;">ncs</span><span style="color: #0000FF;">(</span><span style="color: #000000;">rest</span><span style="color: #0000FF;">,</span><span style="color: #008080;">iff</span><span style="color: #0000FF;">(</span><span style="color: #004080;">integer</span><span style="color: #0000FF;">(</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">)?</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">+</span><span style="color: #000000;">1</span><span style="color: #0000FF;">:</span><span style="color: #7060A8;">deep_copy</span><span style="color: #0000FF;">(</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">)&</span><span style="color: #000000;">rest</span><span style="color: #0000FF;">[</span><span style="color: #000000;">ri</span><span style="color: #0000FF;">]),</span><span style="color: #000000;">ri</span><span style="color: #0000FF;">,</span><span style="color: #000000;">gap</span><span style="color: #0000FF;">,</span><span style="color: #000000;">gap</span><span style="color: #0000FF;">)</span>
<span style="color: #000000;">ncs</span><span style="color: #0000FF;">(</span><span style="color: #000000;">rest</span><span style="color: #0000FF;">,</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">,</span><span style="color: #000000;">ri</span><span style="color: #0000FF;">,</span><span style="color: #000000;">contig</span><span style="color: #0000FF;">,</span><span style="color: #008080;">iff</span><span style="color: #0000FF;">(</span><span style="color: #004080;">integer</span><span style="color: #0000FF;">(</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">)?</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">!=</span><span style="color: #000000;">0</span><span style="color: #0000FF;">:</span><span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #000000;">taken</span><span style="color: #0000FF;">)!=</span><span style="color: #000000;">0</span><span style="color: #0000FF;">))</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">procedure</span>
<span style="color: #000000;">ncs</span><span style="color: #0000FF;">({</span><span style="color: #000000;">1</span><span style="color: #0000FF;">,</span><span style="color: #000000;">2</span><span style="color: #0000FF;">,</span><span style="color: #000000;">3</span><span style="color: #0000FF;">},{})</span>
<span style="color: #0000FF;">?</span><span style="color: #008000;">"==="</span>
<span style="color: #000000;">ncs</span><span style="color: #0000FF;">({</span><span style="color: #000000;">1</span><span style="color: #0000FF;">,</span><span style="color: #000000;">2</span><span style="color: #0000FF;">,</span><span style="color: #000000;">3</span><span style="color: #0000FF;">,</span><span style="color: #000000;">4</span><span style="color: #0000FF;">},{})</span>
<span style="color: #0000FF;">?</span><span style="color: #008000;">"==="</span>
<span style="color: #004080;">atom</span> <span style="color: #000000;">t0</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">time</span><span style="color: #0000FF;">()</span>
<span style="color: #004080;">sequence</span> <span style="color: #000000;">s</span> <span style="color: #0000FF;">=</span> <span style="color: #0000FF;">{}</span>
<span style="color: #008080;">for</span> <span style="color: #000000;">i</span><span style="color: #0000FF;">=</span><span style="color: #000000;">1</span> <span style="color: #008080;">to</span> <span style="color: #000000;">20</span> <span style="color: #008080;">do</span>
<span style="color: #000000;">count</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">0</span>
<span style="color: #000000;">ncs</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">tagset</span><span style="color: #0000FF;">(</span><span style="color: #000000;">i</span><span style="color: #0000FF;">),</span><span style="color: #000000;">0</span><span style="color: #0000FF;">)</span>
<span style="color: #000000;">s</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">append</span><span style="color: #0000FF;">(</span><span style="color: #000000;">s</span><span style="color: #0000FF;">,</span><span style="color: #000000;">count</span><span style="color: #0000FF;">)</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">for</span>
<span style="color: #0000FF;">?</span><span style="color: #7060A8;">elapsed</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">time</span><span style="color: #0000FF;">()-</span><span style="color: #000000;">t0</span><span style="color: #0000FF;">)</span>
<span style="color: #7060A8;">pp</span><span style="color: #0000FF;">(</span><span style="color: #000000;">s</span><span style="color: #0000FF;">)</span>
<!--</syntaxhighlight>-->
{{out}}
<pre>
{1,3}
"==="
{1,2,4}
{1,3,4}
{1,3}
{1,4}
{2,4}
"==="
"0.3s"
{0,0,1,5,16,42,99,219,466,968,1981,4017,8100,16278,32647,65399,130918,261972,524097,1048365}
</pre>
 
=={{header|Picat}}==
This approach uses <code>power_set/1</code> (from the <code>util</code> module) to get the proper indices.
 
<syntaxhighlight lang="picat">import util.
 
go =>
println(1..4=non_cont(1..4)),
L = "abcde".reverse(),
println(L=non_cont(L)),
println(ernit=non_cont("ernit")),
println(aaa=non_cont("aaa")),
println(aeiou=non_cont("aeiou")),
nl,
 
println("Printing just the lengths for 1..N for N = 1..20:"),
foreach(N in 1..20)
println(1..N=non_cont(1..N).length) % just the length
end,
nl.
 
% get all the non-continuous subsequences
non_cont(L) = [ [L[I] : I in S] : S in non_cont_ixs(L.length)].
 
% get all the index positions that are non-continuous
non_cont_ixs(N) = [ P: P in power_set(1..N), length(P) > 1, P.last() - P.first() != P.length-1].</syntaxhighlight>
 
say non_continuous_subsequences( 1..3 )».gist;
say non_continuous_subsequences( 1..4 )».gist;
say non_continuous_subsequences( ^4 ).map: {[<a b c d>[.list]].gist};</lang>
{{out}}
<pre>[1,2,3,4] = [[2,4],[1,4],[1,3],[1,3,4],[1,2,4]]
<pre>((1 3))
edcba = [ca,da,db,dba,dca,ea,eb,eba,ec,eca,ecb,ecba,eda,edb,edba,edca]
((1 3) (1 4) (2 4) (1 2 4) (1 3 4))
ernit = [nt,rt,ri,rit,rnt,et,ei,eit,en,ent,eni,enit,ert,eri,erit,ernt]
([a c] [a d] [b d] [a b d] [a c d])</pre>
aaa = [aa]
aeiou = [iu,eu,eo,eou,eiu,au,ao,aou,ai,aiu,aio,aiou,aeu,aeo,aeou,aeiu]
 
Printing just the lengths for 1..N for N = 1..20:
[1] = 0
[1,2] = 0
[1,2,3] = 1
[1,2,3,4] = 5
[1,2,3,4,5] = 16
[1,2,3,4,5,6] = 42
[1,2,3,4,5,6,7] = 99
[1,2,3,4,5,6,7,8] = 219
[1,2,3,4,5,6,7,8,9] = 466
[1,2,3,4,5,6,7,8,9,10] = 968
[1,2,3,4,5,6,7,8,9,10,11] = 1981
[1,2,3,4,5,6,7,8,9,10,11,12] = 4017
[1,2,3,4,5,6,7,8,9,10,11,12,13] = 8100
[1,2,3,4,5,6,7,8,9,10,11,12,13,14] = 16278
[1,2,3,4,5,6,7,8,9,10,11,12,13,14,15] = 32647
[1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16] = 65399
[1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17] = 130918
[1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18] = 261972
[1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19] = 524097
[1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20] = 1048365</pre>
 
=={{header|PicoLisp}}==
{{trans|Scheme}}
<langsyntaxhighlight PicoLisplang="picolisp">(de ncsubseq (Lst)
(let S 0
(recur (S Lst)
Line 1,422 ⟶ 1,966:
(mapcar '((YS) (cons X YS))
(recurse S XS) )
(recurse (inc S) XS) ) ) ) ) ) ) )</langsyntaxhighlight>
 
=={{header|Pop11}}==
Line 1,429 ⟶ 1,973:
variables to keep track if subsequence is continuous.
 
<langsyntaxhighlight lang="pop11">define ncsubseq(l);
lvars acc = [], gap_started = false, is_continuous = true;
define do_it(l1, l2);
Line 1,452 ⟶ 1,996:
enddefine;
 
ncsubseq([1 2 3 4 5]) =></langsyntaxhighlight>
 
{{out}}
Line 1,459 ⟶ 2,003:
 
=={{header|PowerShell}}==
<langsyntaxhighlight PowerShelllang="powershell">Function SubSequence ( [Array] $S, [Boolean] $all=$false )
{
$sc = $S.count
Line 1,527 ⟶ 2,071:
}
 
( NonContinuous-SubSequence 'a','b','c','d','e' ) | Select-Object length, @{Name='value';Expression={ $_ } } | Sort-Object length, value | ForEach-Object { $_.value }</langsyntaxhighlight>
 
=={{header|Prolog}}==
Line 1,533 ⟶ 2,077:
We explain to Prolog how to build a non continuous subsequence of a list L, then we ask Prolog to fetch all the subsequences.
 
<syntaxhighlight lang="prolog">
<lang Prolog>
% fetch all the subsequences
ncsubs(L, LNCSL) :-
Line 1,559 ⟶ 2,103:
reverse(L, [_|SL1]),
reverse(SL1, SL)).
</syntaxhighlight>
</lang>
Example :
<langsyntaxhighlight Prologlang="prolog">?- ncsubs([a,e,i,o,u], L).
L = [[a,e,i,u],[a,e,o],[a,e,o,u],[a,e,u],[a,i],[a,i,o],[a,i,o,u],[a,i,u],[a,o],[a,o,u],[a,u],[e,i,u],[e,o],[e,o,u],[e,u],[i,u]]</langsyntaxhighlight>
 
=={{header|Python}}==
{{trans|Scheme}}
 
<langsyntaxhighlight lang="python">def ncsub(seq, s=0):
if seq:
x = seq[:1]
Line 1,575 ⟶ 2,119:
return [x + ys for ys in ncsub(xs, s + p1)] + ncsub(xs, s + p2)
else:
return [[]] if s >= 3 else []</langsyntaxhighlight>
 
{{out}}
Line 1,589 ⟶ 2,133:
A faster Python + Psyco JIT version:
 
<langsyntaxhighlight lang="python">from sys import argv
import psyco
 
Line 1,628 ⟶ 2,172:
psyco.full()
n = 10 if len(argv) < 2 else int(argv[1])
print len( ncsub(range(1, n)) )</langsyntaxhighlight>
 
=={{header|Quackery}}==
 
A sequence of n items has 2^n possible subsequences, including the empty sequence. These correspond to the numbers 0 to 2^n-1, where a one in the binary expansion of the number indicates inclusion in the subsequence of the corresponding item in the sequence. Non-continuous subsequences correspond to numbers where the binary expansion of the number has a one, followed by one or more zeroes, followed by a one.
 
<syntaxhighlight lang="quackery"> [ dup 1 & dip [ 1 >> ] ] is 2/mod ( n --> n n )
 
[ 0 swap
[ dup 0 != while
2/mod iff
[ dip 1+ ] done
again ]
[ dup 0 != while
2/mod not iff
[ dip 1+ ] done
again ]
[ dup 0 != while
2/mod iff
[ dip 1+ ] done
again ]
drop 3 = ] is noncontinuous ( n --> b )
 
[ [] unrot
[ dup 0 != while
dip behead tuck
1 & iff
[ nested dip rot
join unrot ]
else drop
1 >> again ]
2drop ] is bitems ( [ n --> [ )
 
[ [] swap
dup size bit times
[ i^ noncontinuous if
[ dup i^ bitems
nested rot
join swap ] ]
drop ] is ncsubs ( [ --> [ )
 
' [ 1 2 3 4 ] ncsubs echo cr
$ "quackery" ncsubs 72 wrap$</syntaxhighlight>
 
{{out}}
 
<pre>[ [ 1 3 4 ] [ 1 2 4 ] [ 2 4 ] [ 1 4 ] [ 1 3 ] ]
 
qackery quckery uckery qckery quakery uakery qakery akery qukery ukery
qkery quacery uacery qacery acery qucery ucery qcery cery quaery uaery
qaery aery query uery qery quackry uackry qackry ackry quckry uckry
qckry ckry quakry uakry qakry akry qukry ukry qkry kry quacry uacry
qacry acry qucry ucry qcry cry quary uary qary ary qury ury qry quackey
uackey qackey ackey quckey uckey qckey ckey quakey uakey qakey akey
qukey ukey qkey key quacey uacey qacey acey qucey ucey qcey cey quaey
uaey qaey aey quey uey qey ey quacky uacky qacky acky qucky ucky qcky
cky quaky uaky qaky aky quky uky qky ky quacy uacy qacy acy qucy ucy qcy
cy quay uay qay ay quy uy qy qacker qucker ucker qcker quaker uaker
qaker aker quker uker qker quacer uacer qacer acer qucer ucer qcer cer
quaer uaer qaer aer quer uer qer quackr uackr qackr ackr quckr uckr qckr
ckr quakr uakr qakr akr qukr ukr qkr kr quacr uacr qacr acr qucr ucr qcr
cr quar uar qar ar qur ur qr qacke qucke ucke qcke quake uake qake ake
quke uke qke quace uace qace ace quce uce qce ce quae uae qae ae que ue
qe qack quck uck qck quak uak qak ak quk uk qk qac quc uc qc qa
</pre>
 
=={{header|R}}==
The idea behind this is to loop over the possible lengths of subsequence, finding all subsequences then discarding those which are continuous.
 
<langsyntaxhighlight lang="r">ncsub <- function(x)
{
n <- length(x)
Line 1,649 ⟶ 2,258:
# Example usage
ncsub(1:4)
ncsub(letters[1:5])</langsyntaxhighlight>
 
=={{header|Racket}}==
 
Take a simple <tt>subsets</tt> definition:
<langsyntaxhighlight lang="racket">
(define (subsets l)
(if (null? l) '(())
(append (for/list ([l2 (subsets (cdr l))]) (cons (car l) l2))
(subsets (cdr l)))))
</syntaxhighlight>
</lang>
since the subsets are returned in their original order, it is also a sub-sequences function.
 
Now add to it a "state" counter which count one for each chunk of items included or excluded. It's always even when we're in an excluded chunk (including the beginning) and odd when we're including items -- increment it whenever we switch from one kind of chunk to the other. This means that we should only include subsequences where the state is 3 (included->excluded->included) or more. Note that this results in code that is similar to the "Generalized monadic filter" entry, except a little simpler.
 
<langsyntaxhighlight lang="racket">
#lang racket
(define (non-continuous-subseqs l)
Line 1,674 ⟶ 2,283:
(non-continuous-subseqs '(1 2 3 4))
;; => '((1 2 4) (1 3 4) (1 3) (1 4) (2 4))
</syntaxhighlight>
</lang>
 
=={{header|REXXRaku}}==
(formerly Perl 6)
<lang rexx>/*REXX program lists non-continuous subsequences (NCS), given a sequence. */
{{works with|rakudo|2015-09-24}}
parse arg list /*obtain the list from the C.L. */
<syntaxhighlight lang="raku" line>sub non_continuous_subsequences ( *@list ) {
if list='' then list=1 2 3 4 5 /*Not specified? Use the default*/
@list.combinations.grep: { 1 != all( .[ 0 ^.. .end] Z- .[0 ..^ .end] ) }
say 'list=' space(list); say /*display the list to terminal. */
}
w=words(list) ; #=0 /*W: words in list; # of NCS. */
$=left(123456789,w) /*build a string of decimal digs.*/
tail=right($,max(0,w-2)) /*construct a "fast" tail. */
 
say non_continuous_subsequences( 1..3 )».gist;
do j=13 to left($,1) || tail /*step through the list. */
say non_continuous_subsequences( 1..4 )».gist;
if verify(j,$)\==0 then iterate /*Not one of the chosen? */
say non_continuous_subsequences( ^4 ).map: {[<a b c d>[.list]].gist};</syntaxhighlight>
f=left(j,1) /*use the 1st decimal digit of J.*/
{{out}}
NCS=0 /*not non-continuous subsequence.*/
<pre>((1 3))
do k=2 to length(j); _=substr(j,k,1) /*pick off a single decimal digit*/
((1 3) (1 4) (2 4) (1 2 4) (1 3 4))
if _ <= f then iterate j /*if next digit ≤, then skip it.*/
([a c] [a d] [b d] [a b d] [a c d])</pre>
if _ \== f+1 then NCS=1 /*it's OK as of now. */
f=_ /*now have a new next decimal dig*/
end /*k*/
 
=={{header|REXX}}==
if \NCS then iterate /*not OK? Then skip this number.*/
This REXX version also works with non-numeric (alphabetic) items &nbsp; (as well as numbers).
#=#+1 /*Eureka! We found onea digit.*/
<syntaxhighlight lang="rexx">/*REXX program lists all the non─continuous subsequences (NCS), given a sequence. */
x= /*the beginning of the NCS. */
parse arg list do m=1 for length(j) /*buildobtain aoptional sequenceargument stringfrom tothe showCL.*/
if list='' | list=="," then xlist=x word(list,substr(j,m,1)) 2 3 4 5 /*pickNot offspecified? a numberThen touse displaythe default. */
say 'list=' space(list); say /*display the list to the terminal. */
end /*m*/
w= words(list) /*W: is the number of items in list. */
 
nums= strip( left(123456789, w) ) /*build a string of decimal digits. */
say 'a non-continuous subsequence: ' x /*show non─continous subsequence.*/
tail= right(nums, max(0, w-2) ) /*construct a fast tail for comparisons*/
end /*j*/
#= 0 /*#: number of non─continuous subseq. */
do j=13 to left(nums,1) || tail /*step through list (using smart start)*/
if verify(j, nums) \== 0 then iterate /*Not one of the chosen (sequences) ? */
f= left(j, 1) /*use the fist decimal digit of J. */
NCS= 0 /*so far, no non─continuous subsequence*/
do k=2 for length(j)-1 /*search for " " " */
x= substr(j, k, 1) /*extract a single decimal digit of J.*/
if x <= f then iterate j /*if next digit ≤, then skip this digit*/
if x \== f+1 then NCS= 1 /*it's OK as of now (that is, so far).*/
f= x /*now have a new next decimal digit. */
end /*k*/
$=
if \NCS then iterate /*not OK? Then skip this number (item)*/
#= # + 1 /*Eureka! We found a number (or item).*/
do m=1 for length(j) /*build a sequence string to display. */
$= $ word(list, substr(j, m, 1) ) /*obtain a number (or item) to display.*/
end /*m*/
 
say 'a non─continuous subsequence: ' $ /*show the non─continuous subsequence. */
if #==0 then #='no' /*make it more gooder Anglesh. */
say; say #end "non-continuous subsequence"s(#) 'were found.'/*j*/
exitsay /*stickhelp aensure forkvisual infidelity it, we'rein done.output*/
if #==0 then #= 'no' /*make it look more gooder Angleshy. */
/*────────────────────────────────────────────────────────────────────────────*/
s:say # if arg"non─continuous subsequence"s(1#)==1 then return 'were found.'; return word(arg(2) 's',1) /*handle plurals.*/</lang>
exit 0 /*stick a fork in it, we're all done. */
'''output''' &nbsp; when using the input: &nbsp; <tt> 1 2 3 4 </tt>
/*──────────────────────────────────────────────────────────────────────────────────────*/
s: if arg(1)==1 then return ''; return word( arg(2) 's', 1) /*simple pluralizer.*/</syntaxhighlight>
{{out|output|text=&nbsp; when using the input of: &nbsp; &nbsp; <tt> 1 &nbsp; 2 &nbsp; 3 &nbsp; 4 </tt>}}
<pre>
list= 1 2 3 4
Line 1,722 ⟶ 2,347:
5 non-continuous subsequences were found.
</pre>
'''{{out|output''' |text=&nbsp; when using the following input of: &nbsp; &nbsp; <tt> a &nbsp; e &nbsp; I &nbsp; o &nbsp; u </tt>}}
<pre>
list= a e I o u
Line 1,745 ⟶ 2,370:
16 non-continuous subsequences were found.
</pre>
'''{{out|output''' |text=&nbsp; when using the following [five channel Islands (Great Britain)] as input: &nbsp; &nbsp; <tt> Alderney &nbsp; Guernsey &nbsp; Herm &nbsp; Jersey &nbsp; Sark </tt>}}
<pre>
list= Alderney Guernsey Herm Jersey Sark
Line 1,768 ⟶ 2,393:
16 non-continuous subsequences were found.
</pre>
'''{{out|output''' |text=&nbsp; when using the following [six noble gases] as input: &nbsp; &nbsp; <tt> helium &nbsp; neon &nbsp; argon &nbsp; krypton &nbsp; xenon &nbsp; radon </tt>}}
<pre>
list= helium neon argon krypton xenon radon
Line 1,816 ⟶ 2,441:
 
42 non-continuous subsequences were found.
</pre>
 
=={{header|Ring}}==
<syntaxhighlight lang="ring">
# Project : Non-continuous subsequences
 
load "stdlib.ring"
list = [1,2,3,4]
items = newlist(pow(2,len(list))-1,len(list))
see "For [1, 2, 3, 4] non-continuous subsequences are:" + nl
powerset(list,4)
showarray(items,4)
see nl
 
list = [1,2,3,4,5]
items = newlist(pow(2,len(list))-1,len(list))
see "For [1, 2, 3, 4, 5] non-continuous subsequences are:" + nl
powerset(list,5)
showarray(items,5)
 
func showarray(items,ind)
for n = 1 to len(items)
flag = 0
for m = 1 to ind - 1
if items[n][m] = 0 or items[n][m+1] = 0
exit
ok
if (items[n][m] + 1) != items[n][m+1]
flag = 1
exit
ok
next
if flag = 1
see "["
str = ""
for x = 1 to len(items[n])
if items[n][x] != 0
str = str + items[n][x] + " "
ok
next
str = left(str, len(str) - 1)
see str + "]" + nl
ok
next
 
func powerset(list,ind)
num = 0
num2 = 0
items = newlist(pow(2,len(list))-1,ind)
for i = 2 to (2 << len(list)) - 1 step 2
num2 = 0
num = num + 1
for j = 1 to len(list)
if i & (1 << j)
num2 = num2 + 1
if list[j] != 0
items[num][num2] = list[j]
ok
ok
next
next
return items
</syntaxhighlight>
Output:
<pre>
For [1, 2, 3, 4] non-continuous subsequences are:
[1 3]
[1 4]
[2 4]
[1 2 4]
[1 3 4]
 
For [1, 2, 3, 4, 5] non-continuous subsequences are:
[1 3]
[1 4]
[2 4]
[1 2 4]
[1 3 4]
[1 5]
[2 5]
[1 2 5]
[3 5]
[1 3 5]
[2 3 5]
[1 2 3 5]
[1 4 5]
[2 4 5]
[1 2 4 5]
[1 3 4 5]
</pre>
 
Line 1,823 ⟶ 2,537:
Uses code from [[Power Set]].
 
<langsyntaxhighlight lang="ruby">class Array
def func_power_set
inject([[]]) { |ps,item| # for each item in the Array
Line 1,844 ⟶ 2,558:
p (1..4).to_a.non_continuous_subsequences
p (1..5).to_a.non_continuous_subsequences
p ("a".."d").to_a.non_continuous_subsequences</langsyntaxhighlight>
 
{{out}}
Line 1,854 ⟶ 2,568:
</pre>
It is not the value of the array element and when judging continuation in the position, it changes as follows.
<langsyntaxhighlight lang="ruby">class Array
def continuous?(seq)
seq.each_cons(2) {|a, b| return false if index(a)+1 != index(b)}
Line 1,861 ⟶ 2,575:
end
 
p %w(a e i o u).non_continuous_subsequences</langsyntaxhighlight>
 
{{out}}
<pre>[["a", "i"], ["a", "o"], ["e", "o"], ["a", "e", "o"], ["a", "i", "o"], ["a", "u"], ["e", "u"], ["a", "e", "u"], ["i", "u"], ["a", "i", "u"], ["e", "i", "u"], ["a", "e", "i", "u"], ["a", "o", "u"], ["e", "o", "u"], ["a", "e", "o", "u"], ["a", "i", "o", "u"]]</pre>
 
=={{header|SchemeScala}}==
<syntaxhighlight lang="scala">object NonContinuousSubSequences extends App {
 
private def seqR(s: String, c: String, i: Int, added: Int): Unit = {
{{trans|Generalized monadic filter}}
if (i == s.length) {
if (c.trim.length > added) println(c)
} else {
seqR(s, c + s(i), i + 1, added + 1)
seqR(s, c + " ", i + 1, added)
}
}
 
seqR("1234", "", 0, 0)
<lang scheme>(define (ncsubseq lst)
}</syntaxhighlight>
 
=={{header|Scheme}}==
{{trans|Generalized monadic filter}}
<syntaxhighlight lang="scheme">(define (ncsubseq lst)
(let recurse ((s 0)
(lst lst))
Line 1,887 ⟶ 2,614:
(map (lambda (ys) (cons x ys))
(recurse s xs))
(recurse (+ s 1) xs)))))))</langsyntaxhighlight>
 
{{out}}
Line 1,898 ⟶ 2,625:
 
=={{header|Seed7}}==
<langsyntaxhighlight lang="seed7">$ include "seed7_05.s7i";
 
const func array bitset: ncsub (in bitset: seq, in integer: s) is func
Line 1,927 ⟶ 2,654:
writeln(seq);
end for;
end func;</langsyntaxhighlight>
 
{{out}}
Line 1,940 ⟶ 2,667:
=={{header|Sidef}}==
{{trans|Perl}}
<langsyntaxhighlight lang="ruby">func non_continuous(min, max, subseq=[], has_gap=false) {
 
subseq \\= [];
static current = [];
 
Line 1,950 ⟶ 2,676:
i < max && non_continuous(i.inc, max, subseq, has_gap);
current.pop;
has_gap = current.len?;
}
 
Line 1,958 ⟶ 2,684:
say non_continuous(1, 3);
say non_continuous(1, 4);
say non_continuous("a", "d");</langsyntaxhighlight>
{{out}}
<pre>
Line 1,970 ⟶ 2,696:
{{trans|Generalized monadic filter}}
 
<langsyntaxhighlight lang="sml">fun fence s [] =
if s >= 3 then
[[]]
Line 1,990 ⟶ 2,716:
fence (s + 1) xs
 
fun ncsubseq xs = fence 0 xs</langsyntaxhighlight>
 
{{out}}
Line 2,005 ⟶ 2,731:
This Tcl implementation uses the ''subsets'' function from [[Power Set]], which is acceptable as that conserves the ordering, as well as a problem-specific test function ''is_not_continuous'' and a generic list filter ''lfilter'':
 
<langsyntaxhighlight Tcllang="tcl"> proc subsets l {
set res [list [list]]
foreach e $l {
Line 2,027 ⟶ 2,753:
 
% lfilter is_not_continuous [subsets {1 2 3 4}]
{1 3} {1 4} {2 4} {1 2 4} {1 3 4}</langsyntaxhighlight>
 
=={{header|Ursala}}==
Line 2,033 ⟶ 2,759:
To do it the lazy programmer way, apply the powerset library function to the list, which will generate all continuous and non-continuous subsequences of it, and then delete the subsequences that are also substrings (hence continuous) using a judicious combination of the built in substring predicate (K3), negation (Z), and distributing filter (K17) operator suffixes. This function will work on lists of any type. To meet the requirement for structural equivalence, the list items are first uniquely numbered (num), and the numbers are removed afterwards (rSS).
 
<langsyntaxhighlight Ursalalang="ursala">#import std
 
noncontinuous = num; ^rlK3ZK17rSS/~& powerset
Line 2,039 ⟶ 2,765:
#show+
 
examples = noncontinuous 'abcde'</langsyntaxhighlight>
 
{{out}}
Line 2,058 ⟶ 2,784:
be
ce</pre>
 
=={{header|VBScript}}==
{{trans|BBC BASIC}}
<syntaxhighlight lang="vb">'Non-continuous subsequences - VBScript - 03/02/2021
 
Function noncontsubseq(l)
Dim i, j, g, n, r, s, w, m
Dim a, b, c
n = Ubound(l)
For s = 0 To n-2
For g = s+1 To n-1
a = "["
For i = s To g-1
a = a & l(i) & ", "
Next 'i
For w = 1 To n-g
r = n+1-g-w
For i = 1 To 2^r-1 Step 2
b = a
For j = 0 To r-1
If i And 2^j Then b=b & l(g+w+j) & ", "
Next 'j
c = (Left(b, Len(b)-1))
WScript.Echo Left(c, Len(c)-1) & "]"
m = m+1
Next 'i
Next 'w
Next 'g
Next 's
noncontsubseq = m
End Function 'noncontsubseq
 
list = Array("1", "2", "3", "4")
WScript.Echo "List: [" & Join(list, ", ") & "]"
nn = noncontsubseq(list)
WScript.Echo nn & " non-continuous subsequences" </syntaxhighlight>
{{out}}
<pre>
List: [1, 2, 3, 4]
[1, 3]
[1, 3, 4]
[1, 4]
[1, 2, 4]
[2, 4]
5 non-continuous subsequences
</pre>
 
=={{header|Wren}}==
{{trans|Kotlin}}
{{libheader|Wren-fmt}}
Needed a bit of doctoring to do the character example as Wren only has strings.
<syntaxhighlight lang="wren">import "./fmt" for Fmt
 
var ncs = Fn.new { |a|
var f = "$d "
if (a[0] is String) {
for (i in 0...a.count) a[i] = a[i].bytes[0]
f = "$c "
}
var generate // recursive
generate = Fn.new { |m, k, c|
if (k == m) {
if (c[m - 1] != c[0] + m - 1) {
for (i in 0...m) Fmt.write(f, a[c[i]])
System.print()
}
} else {
for (j in 0...a.count) {
if (k == 0 || j > c[k - 1]) {
c[k] = j
generate.call(m, k + 1, c)
}
}
}
}
 
for (m in 2...a.count) {
var c = List.filled(m, 0)
generate.call(m, 0, c)
}
}
 
var a = [1, 2, 3, 4]
ncs.call(a)
System.print()
var ca = ["a", "b", "c", "d", "e"]
ncs.call(ca)</syntaxhighlight>
 
{{out}}
<pre>
1 3
1 4
2 4
1 2 4
1 3 4
 
a c
a d
a e
b d
b e
c e
a b d
a b e
a c d
a c e
a d e
b c e
b d e
a b c e
a b d e
a c d e
</pre>
 
=={{header|XPL0}}==
{{trans|Wren}}
<syntaxhighlight lang "XPL0">proc NCS(A, Size, Char);
int A, Size, Char;
int C, M;
 
proc Generate(M, K, C); \recursive
int M, K, C;
int I, J;
[if K = M then
[if C(M-1) # C(0)+M-1 then
[for I:= 0 to M-1 do
[if Char then ChOut(0, A(C(I)))
else IntOut(0, A(C(I)));
ChOut(0, ^ );
];
CrLf(0);
];
]
else
[for J:= 0 to Size-1 do
[if K = 0 or J > C(K-1) then
[C(K):= J;
Generate(M, K+1, C);
];
];
];
];
 
[C:= Reserve(Size*4);
for M:= 2 to Size-1 do Generate(M, 0, C);
];
 
int A, CA;
[A:= [1, 2, 3, 4];
NCS(A, 4, false);
CrLf(0);
CA:= [^a, ^b, ^c, ^d, ^e];
NCS(CA, 5, true);
]</syntaxhighlight>
{{out}}
<pre>
1 3
1 4
2 4
1 2 4
1 3 4
 
a c
a d
a e
b d
b e
c e
a b d
a b e
a c d
a c e
a d e
b c e
b d e
a b c e
a b d e
a c d e
</pre>
 
=={{header|zkl}}==
{{trans|JavaScript}}
<langsyntaxhighlight lang="zkl">fcn non_continuous_subsequences(ary){
pwerSet(ary).filter(fcn(list){(not isContinuous(list)) })
}
Line 2,069 ⟶ 2,974:
return(True);
}
non_continuous_subsequences(T(1,2,3,4)).println();</langsyntaxhighlight>
<syntaxhighlight lang="zkl">fcn pwerSet(list){
(0).pump(list.len(),List,List,Utils.Helpers.pickNFrom.fp1(list),
T(T,Void.Write,Void.Write) ) .append(list)
}</langsyntaxhighlight>
<langsyntaxhighlight lang="zkl">fcn brokenSubsequences(str){
pwerSet(str.split("")).apply("concat")
.filter('wrap(substr){ (not str.holds(substr)) })
}
brokenSubsequences("1234").println();</langsyntaxhighlight>
{{out}}
<pre>
9,482

edits