Longest increasing subsequence: Difference between revisions

Added Easylang
No edit summary
(Added Easylang)
 
(35 intermediate revisions by 23 users not shown)
Line 6:
 
Note that a list may have more than one subsequence that is of the maximum length.
 
{{Template:Strings}}
 
 
;Ref:
# [http://www.youtube.com/watch?v=4fQJGoeW5VE Dynamic Programming #1: Longest Increasing Subsequence] on YoutubeYouTube
# An efficient solution can be based on [[wp:Patience sorting|Patience sorting]].
<br><br>
 
=={{header|11l}}==
{{trans|Python}}
 
<syntaxhighlight lang="11l">F longest_increasing_subsequence(x)
V n = x.len
V P = [0] * n
V M = [0] * (n + 1)
V l = 0
L(i) 0 .< n
V lo = 1
V hi = l
L lo <= hi
V mid = (lo + hi) I/ 2
I (x[M[mid]] < x[i])
lo = mid + 1
E
hi = mid - 1
V newl = lo
P[i] = M[newl - 1]
M[newl] = i
 
I (newl > l)
l = newl
 
[Int] s
V k = M[l]
L(i) (l - 1 .. 0).step(-1)
s.append(x[k])
k = P[k]
R reversed(s)
 
L(d) [[3, 2, 6, 4, 5, 1], [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]]
print(‘a L.I.S. of #. is #.’.format(d, longest_increasing_subsequence(d)))</syntaxhighlight>
 
{{out}}
<pre>
a L.I.S. of [3, 2, 6, 4, 5, 1] is [2, 4, 5]
a L.I.S. of [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15] is [0, 2, 6, 9, 11, 15]
</pre>
 
=={{header|360 Assembly}}==
{{trans|VBScript}}
<langsyntaxhighlight lang="360asm">* Longest increasing subsequence 04/03/2017
LNGINSQ CSECT
USING LNGINSQ,R13 base register
Line 133 ⟶ 177:
XDEC DS CL12 temp for xdeco
YREGS
END LNGINSQ</langsyntaxhighlight>
{{out}}
<pre>
Line 141 ⟶ 185:
> 0 2 6 9 11 15
</pre>
 
=={{header|AppleScript}}==
{{Trans|Phix}} … modified to return ''multiple'' co-longest sequences where found. It's not clear how equal values should be treated. Here the behaviour happens to be as in the demo code at the end.
 
<syntaxhighlight lang="applescript">on longestIncreasingSubsequences(aList)
script o
property inputList : aList
property m : {} -- End indices of identified subsequences.
property p : {} -- 'Predecessor' indices for each point in each subsequence.
property subsequence : {} -- Reconstructed longest sequence.
end script
-- Set m and p to lists of the same length as the input. Their initial contents don't matter!
copy aList to o's m
copy aList to o's p
set bestLength to 0
repeat with i from 1 to (count o's inputList)
-- Comments adapted from those in the Wikipedia article — as far as they can be understood!
-- Binary search for the largest possible 'lo' ≤ bestLength such that inputList[m[lo]] ≤ inputList[i].
set lo to 1
set hi to bestLength
repeat until (lo > hi)
set mid to (lo + hi + 1) div 2
if (item (item mid of o's m) of o's inputList < item i of o's inputList) then
set lo to mid + 1
else
set hi to mid - 1
end if
end repeat
-- After searching, lo is 1 greater than the length of the longest prefix of inputList[i].
-- The predecessor of inputList[i] is the last index of the subsequence of length lo - 1.
if (lo > 1) then set item i of o's p to item (lo - 1) of o's m
set item lo of o's m to i
-- If we found a subsequence longer than or the same length as any we've found yet,
-- update bestLength and store the end index associated with it.
if (lo > bestLength) then
set bestLength to lo
set bestEndIndices to {item bestLength of o's m}
else if (lo = bestLength) then
set end of bestEndIndices to item bestLength of o's m
end if
end repeat
-- Reconstruct the longest increasing subsequence(s).
set output to {}
if (bestLength > 0) then
repeat with k in bestEndIndices
set o's subsequence to {}
repeat bestLength times
set beginning of o's subsequence to item k of o's inputList
set k to item k of o's p
end repeat
set end of output to o's subsequence
end repeat
end if
return output
end longestIncreasingSubsequences
 
-- Task code and other tests:
local tests, output, input
set tests to {{3, 2, 6, 4, 5, 1}, {0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15}, ¬
{9, 10, 11, 3, 8, 9, 6, 7, 4, 5}, {4, 5, 5, 6}, {5, 5}}
set output to {}
repeat with input in tests
set end of output to {finds:longestIncreasingSubsequences(input's contents)}
end repeat
return output</syntaxhighlight>
 
{{output}}
<syntaxhighlight lang="applescript">{{finds:{{2, 4, 5}}}, {finds:{{0, 2, 6, 9, 11, 15}}}, {finds:{{9, 10, 11}, {3, 8, 9}, {3, 6, 7}, {3, 4, 5}}}, {finds:{{4, 5, 6}}}, {finds:{{5}, {5}}}}</syntaxhighlight>
 
=={{header|Arturo}}==
 
<syntaxhighlight lang="rebol">lis: function [d][
l: new [[]]
loop d 'num [
x: []
loop l 'seq [
if positive? size seq [
if and? num > last seq
(size seq) > size x ->
x: seq
]
]
'l ++ @[x ++ @[num]]
]
result: []
loop l 'x [
if (size x) > size result ->
result: x
]
return result
]
 
loop [
[3 2 6 4 5 1]
[0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15]
] 'seq [
print ["LIS of" seq "=>" lis seq]
]</syntaxhighlight>
 
{{out}}
 
<pre>LIS of [3 2 6 4 5 1] => [3 4 5]
LIS of [0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15] => [0 4 6 9 13 15]</pre>
 
=={{header|AutoHotkey}}==
<langsyntaxhighlight AutoHotkeylang="autohotkey">Lists := [[3,2,6,4,5,1], [0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]]
 
for k, v in Lists {
Line 164 ⟶ 313:
}
return, D
}</langsyntaxhighlight>
'''Output:'''
<pre>3, 4, 5
Line 171 ⟶ 320:
=={{header|C}}==
Using an array that doubles as linked list (more like reversed trees really). O(n) memory and O(n<sup>2</sup>) runtime.
<langsyntaxhighlight lang="c">#include <stdio.h>
#include <stdlib.h>
 
Line 214 ⟶ 363:
lis(y, sizeof(y) / sizeof(int));
return 0;
}</langsyntaxhighlight>
{{out}}
<pre>
Line 220 ⟶ 369:
0 4 6 9 13 15
</pre>
 
=={{header|C++}}==
Patience sorting
<lang cpp>#include <iostream>
#include <vector>
#include <tr1/memory>
#include <algorithm>
#include <iterator>
 
template <typename E>
struct Node {
E value;
std::tr1::shared_ptr<Node<E> > pointer;
};
 
template <class E>
struct node_ptr_less {
bool operator()(const std::tr1::shared_ptr<Node<E> > &node1,
const std::tr1::shared_ptr<Node<E> > &node2) const {
return node1->value < node2->value;
}
};
 
 
template <typename E>
std::vector<E> lis(const std::vector<E> &n) {
typedef std::tr1::shared_ptr<Node<E> > NodePtr;
 
std::vector<NodePtr> pileTops;
// sort into piles
for (typename std::vector<E>::const_iterator it = n.begin(); it != n.end(); it++) {
NodePtr node(new Node<E>());
node->value = *it;
typename std::vector<NodePtr>::iterator j =
std::lower_bound(pileTops.begin(), pileTops.end(), node, node_ptr_less<E>());
if (j != pileTops.begin())
node->pointer = *(j-1);
if (j != pileTops.end())
*j = node;
else
pileTops.push_back(node);
}
// extract LIS from piles
std::vector<E> result;
for (NodePtr node = pileTops.back(); node != NULL; node = node->pointer)
result.push_back(node->value);
std::reverse(result.begin(), result.end());
return result;
}
 
int main() {
int arr1[] = {3,2,6,4,5,1};
std::vector<int> vec1(arr1, arr1 + sizeof(arr1)/sizeof(*arr1));
std::vector<int> result1 = lis(vec1);
std::copy(result1.begin(), result1.end(), std::ostream_iterator<int>(std::cout, ", "));
std::cout << std::endl;
 
int arr2[] = {0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15};
std::vector<int> vec2(arr2, arr2 + sizeof(arr2)/sizeof(*arr2));
std::vector<int> result2 = lis(vec2);
std::copy(result2.begin(), result2.end(), std::ostream_iterator<int>(std::cout, ", "));
std::cout << std::endl;
return 0;
}</lang>
 
{{out}}
<pre>2, 4, 5,
0, 2, 6, 9, 11, 15, </pre>
 
=={{header|C sharp}}==
===Recursive===
{{works with|C sharp|6}}
<langsyntaxhighlight lang="csharp">using System;
using System.Collections;
using System.Collections.Generic;
Line 339 ⟶ 420:
IEnumerator IEnumerable.GetEnumerator() => GetEnumerator();
}
}</langsyntaxhighlight>
===Patience sorting===
{{works with|C sharp|7}}
<langsyntaxhighlight lang="csharp">public static class LIS
{
public static T[] Find<T>(IList<T> values, IComparer<T> comparer = null) {
Line 363 ⟶ 444:
return result;
}
 
}</lang>
public static void Main() {
Console.WriteLine(string.Join(",", LIS.Find(new [] { 3, 2, 6, 4, 5, 1 })));
Console.WriteLine(string.Join(",", LIS.Find(new [] { 0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15 })));
}
}</syntaxhighlight>
{{out}}
<pre>
2, 4, 5
0, 2, 6, 9, 11, 15</pre>
 
=={{header|C++}}==
Patience sorting
=== C++11 ===
<syntaxhighlight lang="cpp">#include <vector>
#include <list>
#include <algorithm>
#include <iostream>
 
template <typename T>
struct Node {
T value;
Node* prev_node;
};
 
template <typename Container>
Container lis(const Container& values) {
using E = typename Container::value_type;
using NodePtr = Node<E>*;
using ConstNodePtr = const NodePtr;
 
std::vector<NodePtr> pileTops;
std::vector<Node<E>> nodes(values.size());
 
// sort into piles
auto cur_node = std::begin(nodes);
for (auto cur_value = std::begin(values); cur_value != std::end(values); ++cur_value, ++cur_node)
{
auto node = &*cur_node;
node->value = *cur_value;
 
// lower_bound returns the first element that is not less than 'node->value'
auto lb = std::lower_bound(pileTops.begin(), pileTops.end(), node,
[](ConstNodePtr& node1, ConstNodePtr& node2) -> bool { return node1->value < node2->value; });
 
if (lb != pileTops.begin())
node->prev_node = *std::prev(lb);
 
if (lb == pileTops.end())
pileTops.push_back(node);
else
*lb = node;
}
 
// extract LIS from piles
// note that LIS length is equal to the number of piles
Container result(pileTops.size());
auto r = std::rbegin(result);
 
for (NodePtr node = pileTops.back(); node != nullptr; node = node->prev_node, ++r)
*r = node->value;
 
return result;
}
 
template <typename Container>
void show_lis(const Container& values)
{
auto&& result = lis(values);
for (auto& r : result) {
std::cout << r << ' ';
}
std::cout << std::endl;
}
 
int main()
{
show_lis(std::list<int> { 3, 2, 6, 4, 5, 1 });
show_lis(std::vector<int> { 0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15 });
}</syntaxhighlight>
=== C++98 ===
<syntaxhighlight lang="cpp">#include <vector>
#include <list>
#include <algorithm>
#include <iostream>
 
template <typename T>
struct Node {
T value;
Node* prev_node;
};
 
template <typename T>
bool compare (const T& node1, const T& node2)
{
return node1->value < node2->value;
}
 
template <typename Container>
Container lis(const Container& values) {
typedef typename Container::value_type E;
typedef typename Container::const_iterator ValueConstIter;
typedef typename Container::iterator ValueIter;
typedef Node<E>* NodePtr;
typedef const NodePtr ConstNodePtr;
typedef std::vector<Node<E> > NodeVector;
typedef std::vector<NodePtr> NodePtrVector;
typedef typename NodeVector::iterator NodeVectorIter;
typedef typename NodePtrVector::iterator NodePtrVectorIter;
 
std::vector<NodePtr> pileTops;
std::vector<Node<E> > nodes(values.size());
 
// sort into piles
NodeVectorIter cur_node = nodes.begin();
for (ValueConstIter cur_value = values.begin(); cur_value != values.end(); ++cur_value, ++cur_node)
{
NodePtr node = &*cur_node;
node->value = *cur_value;
 
// lower_bound returns the first element that is not less than 'node->value'
NodePtrVectorIter lb = std::lower_bound(pileTops.begin(), pileTops.end(), node, compare<NodePtr>);
 
if (lb != pileTops.begin())
node->prev_node = *(lb - 1);
 
if (lb == pileTops.end())
pileTops.push_back(node);
else
*lb = node;
}
 
// extract LIS from piles
// note that LIS length is equal to the number of piles
Container result(pileTops.size());
std::reverse_iterator<ValueIter> r = std::reverse_iterator<ValueIter>(result.rbegin());
 
for (NodePtr node = pileTops.back(); node; node = node->prev_node, ++r)
*r = node->value;
 
return result;
}
 
template <typename Container>
void show_lis(const Container& values)
{
const Container& result = lis(values);
for (typename Container::const_iterator it = result.begin(); it != result.end(); ++it) {
std::cout << *it << ' ';
}
std::cout << std::endl;
}
 
int main()
{
const int arr1[] = { 3, 2, 6, 4, 5, 1 };
const int arr2[] = { 0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15 };
 
std::vector<int> vec1(arr1, arr1 + sizeof(arr1) / sizeof(arr1[0]));
std::vector<int> vec2(arr2, arr2 + sizeof(arr2) / sizeof(arr2[0]));
 
show_lis(vec1);
show_lis(vec2);
}</syntaxhighlight>
{{out}}
<pre>2 4 5
0 2 6 9 11 15 </pre>
 
=={{header|Clojure}}==
Line 370 ⟶ 617:
The combination is done using ''cons'', so what gets put on a pile is a list -- a descending subsequence.
 
<langsyntaxhighlight Clojurelang="clojure">(defn place [piles card]
(let [[les gts] (->> piles (split-with #(<= (ffirst %) card)))
newelem (cons card (->> les last first))
Line 381 ⟶ 628:
 
(println (a-longest [3 2 6 4 5 1]))
(println (a-longest [0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15]))</langsyntaxhighlight>
{{out}}
<syntaxhighlight lang="text">(2 4 5)
(0 2 6 9 11 15)</langsyntaxhighlight>
 
=={{header|Common Lisp}}==
===Common Lisp: Using the method in the video===
Slower and more memory usage compared to the patience sort method.
<langsyntaxhighlight lang="lisp">(defun longest-increasing-subseq (list)
(let ((subseqs nil))
(dolist (item list)
Line 408 ⟶ 655:
(dolist (l (list (list 3 2 6 4 5 1)
(list 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15)))
(format t "~A~%" (longest-increasing-subseq l))))</langsyntaxhighlight>
{{out}}
<pre>(2 4 5)
Line 414 ⟶ 661:
===Common Lisp: Using the Patience Sort approach===
This is 5 times faster and and uses a third of the memory compared to the approach in the video.
<langsyntaxhighlight lang="lisp">(defun lis-patience-sort (input-list)
(let ((piles nil))
(dolist (item input-list)
Line 436 ⟶ 683:
(dolist (l (list (list 3 2 6 4 5 1)
(list 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15)))
(format t "~A~%" (lis-patience-sort l)))</langsyntaxhighlight>
{{out}}
<pre>(2 4 5)
Line 442 ⟶ 689:
===Common Lisp: Using the Patience Sort approach (alternative)===
This is a different version of the code above.
<langsyntaxhighlight lang="lisp">(defun insert-item (item piles)
(multiple-value-bind
(i prev)
Line 461 ⟶ 708:
(dolist (l (list (list 3 2 6 4 5 1)
(list 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15)))
(format t "~A~%" (longest-inc-seq l)))</langsyntaxhighlight>
{{out}}
<pre>(2 4 5)
Line 470 ⟶ 717:
{{trans|Haskell}}
Uses the second powerSet function from the Power Set Task.
<langsyntaxhighlight lang="d">import std.stdio, std.algorithm, power_set2;
 
T[] lis(T)(T[] items) pure nothrow {
Line 484 ⟶ 731:
[3, 2, 6, 4, 5, 1].lis.writeln;
[0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15].lis.writeln;
}</langsyntaxhighlight>
{{out}}
<pre>[2, 4, 5]
Line 492 ⟶ 739:
{{trans|Python}}
From the second Python entry, using the Patience sorting method.
<langsyntaxhighlight lang="d">import std.stdio, std.algorithm, std.array;
 
/// Return one of the Longest Increasing Subsequence of
Line 529 ⟶ 776:
[0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]])
d.lis.writeln;
}</langsyntaxhighlight>
The output is the same.
 
Line 535 ⟶ 782:
{{trans|Java}}
With some more optimizations.
<langsyntaxhighlight lang="d">import std.stdio, std.algorithm, std.range, std.array;
 
T[] lis(T)(in T[] items) pure nothrow
Line 584 ⟶ 831:
[0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]])
d.writeln;
}</langsyntaxhighlight>
The output is the same.
 
=={{header|Déjà Vu}}==
{{trans|Python}}
<langsyntaxhighlight lang="dejavu">in-pair:
if = :nil dup:
false drop
Line 614 ⟶ 861:
!. lis [ 3 2 6 4 5 1 ]
!. lis [ 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15 ]
</syntaxhighlight>
</lang>
 
{{out}}
<pre>[ 2 4 5 ]
[ 0 2 6 9 11 15 ]</pre>
 
=={{header|EasyLang}}==
{{trans|Ring}}
<syntaxhighlight>
func[] lis x[] .
n = len x[]
len p[] n
len m[] n
for i to n
lo = 1
hi = lng
while lo <= hi
mid = (lo + hi) div 2
if x[m[mid]] < x[i]
lo = mid + 1
else
hi = mid - 1
.
.
if lo > 1
p[i] = m[lo - 1]
.
m[lo] = i
if lo > lng
lng = lo
.
.
len res[] lng
if lng > 0
k = m[lng]
for i = lng downto 1
res[i] = x[k]
k = p[k]
.
.
return res[]
.
tests[][] = [ [ 3 2 6 4 5 1 ] [ 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15 ] ]
for x to len tests[][]
print lis tests[x][]
.
</syntaxhighlight>
{{out}}
<pre>
[ 2 4 5 ]
[ 0 2 6 9 11 15 ]
</pre>
 
=={{header|Elixir}}==
Line 624 ⟶ 918:
===Naive version===
very slow
<langsyntaxhighlight lang="elixir">defmodule Longest_increasing_subsequence do
# Naive implementation
def lis(l) do
Line 642 ⟶ 936:
 
IO.inspect Longest_increasing_subsequence.lis([3,2,6,4,5,1])
IO.inspect Longest_increasing_subsequence.lis([0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15])</langsyntaxhighlight>
 
{{out}}
Line 651 ⟶ 945:
 
===Patience sort version===
<langsyntaxhighlight lang="elixir">defmodule Longest_increasing_subsequence do
# Patience sort implementation
def patience_lis(l), do: patience_lis(l, [])
Line 678 ⟶ 972:
 
IO.inspect Longest_increasing_subsequence.patience_lis([3,2,6,4,5,1])
IO.inspect Longest_increasing_subsequence.patience_lis([0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15])</langsyntaxhighlight>
 
{{out}}
Line 687 ⟶ 981:
 
=={{header|Erlang}}==
BothFour implementations:
- Naive version{{trans|Haskell}}
 
- Patience sort version.
- Memoization
 
- Patience sort version
 
- Patience sort version2
 
Function ''combos'' is copied from [http://panduwana.wordpress.com/2010/04/21/combination-in-erlang/ panduwana blog].
Line 695 ⟶ 994:
Function ''maxBy'' is copied from [http://stackoverflow.com/a/4762387/4162959 Hynek -Pichi- Vychodil's answer].
 
Function ''memo'' and ''patience2'' by [https://www.linkedin.com/in/find-roman/ Roman Rabinovich].
<lang erlang>
 
<syntaxhighlight lang="erlang">
-module(longest_increasing_subsequence).
 
-export([test_naive/0, test_memo/0, test_patience/0, test_patience2/0, test_compare/1]).
 
% **************************************************
% Interface to test the implementation
% **************************************************
 
test_compare(N) when N =< 20 ->
Funs = [
{"Naive", fun lis/1},
{"Memo", fun memo/1},
{"Patience", fun patience_lis/1},
{"Patience2", fun patience2/1}
],
do_compare(Funs, N);
test_compare(N) when N =< 500 ->
Funs = [
{"Memo", fun memo/1},
{"Patience", fun patience_lis/1},
{"Patience2", fun patience2/1}
],
do_compare(Funs, N);
test_compare(N) ->
Funs = [
{"Patience", fun patience_lis/1},
{"Patience2", fun patience2/1}
],
do_compare(Funs, N).
 
do_compare(Funs, N) ->
List = [rand:uniform(1000) || _ <- lists:seq(1,N)],
Results = [{Name, timer:tc(fun() -> F(List) end)} || {Name,F} <- Funs],
Times = [{Name, Time} || {Name, {Time, _Result}} <- Results],
io:format("Result Times: ~p~n", [Times]).
 
test_naive() ->
test_gen(fun lis/1).
 
test_memo() ->
test_gen(fun memo/1).
 
test_patience() ->
test_gen(fun patience_lis/1).
 
test_patience2() ->
test_gen(fun patience2/1).
 
test_gen(F) ->
Line 730 ⟶ 1,065:
SS == lists:sort(SS)]
).
 
 
% **************************************************
% Copied from http://stackoverflow.com/a/4762387/4162959
% **************************************************
 
maxBy(F, L) ->
element(
2,
lists:max([ {F(X), X} || X <- L])
).
 
% **************************************************
% Copied from https://panduwana.wordpress.com/2010/04/21/combination-in-erlang/
% **************************************************
 
combos(L) ->
lists:foldl(
fun(K, Acc) -> Acc++(combos(K, L)) end,
[[]],
lists:seq(1, length(L))
).
 
combos(1, L) ->
[[X] || X <- L];
combos(K, L) when K == length(L) ->
[L];
combos(K, [H|T]) ->
[[H | Subcombos]
|| Subcombos <- combos(K-1, T)]
++ (combos(K, T)).
% **************************************************
 
% **************************************************
% Memoization implementation, Roman Rabinovich
% **************************************************
memo(S) ->
put(test, #{}),
memo(S, -1).
 
memo([], _) -> [];
memo([H | Tail] = S, Min) when H > Min ->
case maps:get({S,Min}, get(test), undefined) of
undefined ->
L1 = [H | memo(Tail, H)],
L2 = memo(Tail, Min),
case length(L1) >= length(L2) of
true ->
Map = get(test),
put(test, Map#{{S, Min} => L1}),
L1;
_ ->
Map = get(test),
put(test, Map#{{S, Min} => L2}),
L2
end;
X -> X
end;
memo([_|Tail], Min) ->
memo(Tail, Min).
 
% **************************************************
Line 777 ⟶ 1,172:
 
% **************************************************
% Patience2 by Roman Rabinovich, improved performance over above
% Copied from http://stackoverflow.com/a/4762387/4162959
% **************************************************
patience2([]) -> [];
patience2([H|L]) ->
Piles = [[{H, undefined}]],
patience2(L, Piles, []).
 
maxBypatience2(F[], LPiles, _) ->
get_seq(lists:reverse(Piles));
element(
2,
lists:max([ {F(X), X} || X <- L])
).
 
patience2([H|T], [[{PE,_}|_Rest] = Pile| Piles], PrevPiles) when H =< PE ->
% **************************************************
case PrevPiles of
[] -> patience2(T, [[{H, undefined}|Pile]|Piles], []);
[[{K,_}|_]|_] -> patience2(T, lists:reverse(PrevPiles) ++ [[{H, K}|Pile]|Piles], [])
end;
 
patience2([H|_T] = L, [[{PE,_}|_Rest] = Pile| Piles], PrevPiles) when H > PE ->
% **************************************************
patience2(L, Piles, [Pile|PrevPiles]);
% Copied from https://panduwana.wordpress.com/2010/04/21/combination-in-erlang/
% **************************************************
 
patience2([H|T], [], [[{K,_}|_]|_]=PrevPiles) ->
combos(L) ->
patience2(T, lists:reverse([[{H,K}]|PrevPiles]), []).
lists:foldl(
fun(K, Acc) -> Acc++(combos(K, L)) end,
[[]],
lists:seq(1, length(L))
).
 
combosget_seq(1, L[]) -> [];
get_seq([[{K,P}|_]|Rest]) ->
[[X] || X <- L];
get_seq(P, Rest, [K]).
combos(K, L) when K == length(L) ->
 
[L];
combosget_seq(Kundefined, [H|T], Seq) -> Seq;
get_seq(K, [Pile|Rest], Seq) ->
[[H | Subcombos]
case || Subcombos <- comboslists:keyfind(K-, 1, TPile)] of
++ (combos undefined -> get_seq(K, T)Rest, Seq).;
{K, P} -> get_seq(P, Rest, [K|Seq])
end.
 
% **************************************************
</syntaxhighlight>
</lang>
 
Output naive:
<pre>
[3,4,5]
[0,4,6,9,13,15]
</pre>
 
Output memoization:
<pre>
[3,4,5]
Line 822 ⟶ 1,225:
[0,2,6,9,11,15]
</pre>
 
Output patience2:
<pre>
[2,4,5]
[0,2,6,9,11,15]
</pre>
 
=={{header|FreeBASIC}}==
<syntaxhighlight lang="vb">Sub Lis(arr() As Integer)
Dim As Integer lb = Lbound(arr), ub = Ubound(arr)
Dim As Integer i, lo, hi, mitad, newl, l = 0
Dim As Integer p(ub), m(ub)
For i = lb To ub
lo = 1
hi = l
Do While lo <= hi
mitad = Int((lo+hi)/2)
If arr(m(mitad)) < arr(i) Then
lo = mitad + 1
Else
hi = mitad - 1
End If
Loop
newl = lo
p(i) = m(newl-1)
m(newl) = i
If newL > l Then l = newl
Next i
Dim As Integer res(l)
Dim As Integer k = m(l)
For i = l-1 To 0 Step - 1
res(i) = arr(k)
k = p(k)
Next i
For i = Lbound(res) To Ubound(res)-1
Print res(i); " ";
Next i
End Sub
 
Dim As Integer arrA(5) => {3,2,6,4,5,1}
Lis(arrA())
Print
Dim As Integer arrB(15) => {0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15}
Lis(arrB())
 
Sleep</syntaxhighlight>
{{out}}
<pre>2 4 5
0 2 6 9 11 15</pre>
 
=={{header|Go}}==
Patience sorting
<langsyntaxhighlight lang="go">package main
 
import (
Line 867 ⟶ 1,322:
fmt.Printf("an L.I.S. of %v is %v\n", d, lis(d))
}
}</langsyntaxhighlight>
 
{{out}}
Line 875 ⟶ 1,330:
=={{header|Haskell}}==
===Naive implementation===
<langsyntaxhighlight Haskelllang="haskell">import Data.Ord ( comparing )
import Data.List ( maximumBy, subsequences )
import Data.List.Ordered ( isSorted, nub )
Line 886 ⟶ 1,341:
print $ lis [3,2,6,4,5,1]
print $ lis [0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]
print $ lis [1,1,1,1]</langsyntaxhighlight>
 
{{out}}
Line 894 ⟶ 1,349:
 
===Patience sorting===
<langsyntaxhighlight Haskelllang="haskell">{-# LANGUAGE FlexibleContexts, UnicodeSyntax #-}
 
module Main (main, lis) where
Line 945 ⟶ 1,400:
print $ lis [3, 2, 6, 4, 5, 1]
print $ lis [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]
print $ lis [1, 1, 1, 1]</langsyntaxhighlight>
 
{{out}}
Line 956 ⟶ 1,411:
The following works in both languages:
 
<langsyntaxhighlight lang="unicon">procedure main(A)
every writes((!lis(A)||" ") | "\n")
end
Line 966 ⟶ 1,421:
else p[-1] := (p[-2] < v)
return r
end</langsyntaxhighlight>
 
Sample runs:
Line 981 ⟶ 1,436:
These examples are simple enough for brute force to be reasonable:
 
<langsyntaxhighlight lang="j">increasing=: (-: /:~)@#~"1 #:@i.@^~&2@#
longestinc=: ] #~ [: (#~ ([: (= >./) +/"1)) #:@I.@increasing</langsyntaxhighlight>
 
In other words: consider all 2^n bitmasks of length n, and select those which strictly select increasing sequences. Find the length of the longest of these and use the masks of that length to select from the original sequence.
Line 988 ⟶ 1,443:
Example use:
 
<syntaxhighlight lang="j">
<lang j>
longestinc 3,2,6,4,5,1
2 4 5
Line 996 ⟶ 1,451:
0 2 6 9 13 15
0 4 6 9 11 15
0 4 6 9 13 15</langsyntaxhighlight>
 
=={{header|Java}}==
A solution based on patience sorting, except that it is not necessary to keep the whole pile, only the top (in solitaire, bottom) of the pile, along with pointers from each "card" to the top of its "previous" pile.
<langsyntaxhighlight lang="java">import java.util.*;
 
public class LIS {
Line 1,039 ⟶ 1,494:
System.out.printf("an L.I.S. of %s is %s\n", d, lis(d));
}
}</langsyntaxhighlight>
 
{{out}}
Line 1,046 ⟶ 1,501:
 
=={{header|JavaScript}}==
<syntaxhighlight lang="javascript">function getLis(input) {
{{libheader|Lo-Dash underscore library}}
if (input.length === 0) {
return [];
}
 
var lisLenPerIndex = [];
<lang javascript>
let max = { index: 0, length: 1 };
 
for (var i = 0; i < input.length; i++) {
var _ = require('underscore');
lisLenPerIndex[i] = 1;
function findIndex(input){
for (var j = i - 1; j >= 0; j--) {
var len = input.length;
if (input[i] > input[j] && lisLenPerIndex[j] >= lisLenPerIndex[i]) {
var maxSeqEndingHere = _.range(len).map(function(){return 1;});
var length = lisLenPerIndex[i] = lisLenPerIndex[j] + 1;
for(var i=0; i<len; i++)
if (length > max.length) {
for(var j=i-1;j>=0;j--)
max = { index: i, length };
if(input[i] > input[j] && maxSeqEndingHere[j] >= maxSeqEndingHere[i])
}
maxSeqEndingHere[i] = maxSeqEndingHere[j]+1;
}
return maxSeqEndingHere;
}
}
 
var lis = [input[max.index]];
for (var i = max.index; i >= 0 && max.length !== 0; i--) {
if (input[max.index] > input[i] && lisLenPerIndex[i] === max.length - 1) {
lis.unshift(input[i]);
max.length--;
}
}
 
return lis;
}
 
console.log(getLongestIncreasingSubsequence([0, 7, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]));
function findSequence(input, result){
console.log(getLongestIncreasingSubsequence([3, 2, 6, 4, 5, 1]));
var maxValue = Math.max.apply(null, result);
</syntaxhighlight>
var maxIndex = result.indexOf(Math.max.apply(Math, result));
 
var output = [];
{{out}}
output.push(input[maxIndex]);
<pre>
for(var i = maxIndex ; i >= 0; i--){
[ 0, 2, 6, 9, 11, 15 ]
if(maxValue==0)break;
[ 2, 4, 5 ]
if(input[maxIndex] > input[i] && result[i] == maxValue-1){
</pre>
output.push(input[i]);
 
maxValue--;
===Patience sorting===
}
<syntaxhighlight lang="javascript">function getLIS(input) {
}
if (input.length === 0) {
output.reverse();
return output0;
}
 
const piles = [input[0]];
 
for (let i = 1; i < input.length; i++) {
const leftPileIdx = binarySearch(piles, input[i]);
 
if (leftPileIdx !== -1) {
piles[leftPileIdx] = input[i];
} else {
piles.push(input[i]);
}
}
 
return piles.length;
}
 
function binarySearch(arr, target) {
let lo = 0;
let hi = arr.length - 1;
 
while (lo <= hi) {
var x = [0, 7, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15];
const mid = lo + Math.floor((hi - lo) / 2);
var y = [3, 2, 6, 4, 5, 1];
 
if (arr[mid] >= target) {
var result = findIndex(x);
hi = mid - 1;
var final = findSequence(x, result);
} else {
console.log(final);
lo = mid + 1;
}
}
 
return lo < arr.length ? lo : -1;
}
 
console.log(getLongestIncreasingSubsequence([0, 7, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]));
var result1 = findIndex(y);
console.log(getLongestIncreasingSubsequence([3, 2, 6, 4, 5, 1]));
var final1 = findSequence(y, result1);
</syntaxhighlight>
console.log(final1);
</lang>
 
{{out}}
Line 1,103 ⟶ 1,597:
 
Recent versions of jq have functions that obviate the need for the two generic functions defined in this subsection.
<langsyntaxhighlight lang="jq">def until(cond; update):
def _until:
if cond then . else (update | _until) end;
Line 1,119 ⟶ 1,613:
else .[0] = $mid + 1
end )
| .[0];</langsyntaxhighlight>
'''lis:'''
<langsyntaxhighlight lang="jq">def lis:
 
# Helper function:
Line 1,138 ⟶ 1,632:
)
| .[length - 1]
| reverse( recurse(.back) | .val ) ; </langsyntaxhighlight>
 
'''Examples:'''
<langsyntaxhighlight lang="jq">( [3,2,6,4,5,1],
[0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]
) | lis</langsyntaxhighlight>
{{out}}
<langsyntaxhighlight lang="sh">$ jq -c -n -f lis.jq
[2,4,5]
[0,2,6,9,11,15]
</syntaxhighlight>
</lang>
 
=={{header|Julia}}==
{{works with|Julia|0.6}}
 
<langsyntaxhighlight lang="julia">
function lis(arr::Vector)
if length(arr) == 0 return copy(arr) end
Line 1,173 ⟶ 1,667:
 
@show lis([3, 2, 6, 4, 5, 1])
@show lis([0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15])</langsyntaxhighlight>
 
{{out}}
Line 1,181 ⟶ 1,675:
=={{header|Kotlin}}==
Uses the algorithm in the Wikipedia L.I.S. article:
<langsyntaxhighlight lang="scala">// version 1.1.0
 
fun longestIncreasingSubsequence(x: IntArray): IntArray =
Line 1,221 ⟶ 1,715:
)
lists.forEach { println(longestIncreasingSubsequence(it).asList()) }
}</langsyntaxhighlight>
 
{{out}}
Line 1,230 ⟶ 1,724:
 
=={{header|Lua}}==
<langsyntaxhighlight lang="lua">function buildLIS(seq)
local piles = { { {table.remove(seq, 1), nil} } }
while #seq>0 do
Line 1,256 ⟶ 1,750:
buildLIS({3,2,6,4,5,1})
buildLIS({0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15})
</syntaxhighlight>
</lang>
 
{{out}}
Line 1,264 ⟶ 1,758:
 
=={{header|M2000 Interpreter}}==
===Using Stack objects in an array===
stack:=stackitem(L(i)), ! stack(L(j)) returns a refence to a new stack object, with the first item on L(i) (which is a reference to stack object) and merge using ! the copy of L(j) stack.
 
<syntaxhighlight lang="m2000 interpreter">
<lang M2000 Interpreter>
Module LIS_example {
Function LIS {
Line 1,304 ⟶ 1,799:
}
LIS_example
</syntaxhighlight>
</lang>
 
===Using arrays in an array===
<syntaxhighlight lang="m2000 interpreter">
Module LIS_example {
Function LIS {
LD=Stack.Size-1
dim L(0 to LD)
For i=0 to LD : Read V: L(i):=(V,):next
M=1
M1=LD
for i=LD-1 to 0
for j=LD to i+1
if Array(L(i))<Array(L(j)) then
' you can use either is the same
' if len(L(i))<=len(L(j)) then L(i)=Cons((Array(L(i)),), L(j))
if len(L(i))<=len(L(j)) then L(i)=(Array(L(i)),): Append L(i), L(j)
end if
next
if len(L(i))>=M then M1=i:M=Len(L(i))
next
=L(M1)
}
Const seq$="sequence", subseq$="Longest increasing subsequence"
Document doc$
Disp(seq$, (3,2,6,4,5,1))
Disp(subseq$, LIS(3,2,6,4,5,1))
Disp(seq$, (0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15))
Disp(subseq$, LIS(0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15))
Print #-2,Doc$
Clipboard Doc$
Sub Disp(title$, m)
local n=each(m), s$
while n
s$+=", "+str$(Array(n),"")
end while
s$=trim$(mid$(s$, 2))
Doc$=title$+": "+s$+{
}
End Sub
}
LIS_example
</syntaxhighlight>
 
{{out}}
Line 1,314 ⟶ 1,852:
</pre >
 
=={{header|MathematicaMaple}}==
<syntaxhighlight lang="maple"># dynamic programming:
LIS := proc(L)
local i, j;
local index := 1;
local output := Array(1..numelems(L), i -> Array(1..0));
 
for i from 1 to numelems(L) do
for j from 1 to i - 1 do
if (L[j] < L[i]) and (upperbound(output[j]) > upperbound(output[i])) then
output[i] := copy(output[j]);
end if;
end do;
# append current value
output[i] ,= L[i];
end do;
 
#output longest subsequence using loop
for i from 2 to numelems(L) do
if (upperbound(output[i]) > upperbound(output[index])) then
index := i;
end if;
end do;
return output[index];
end proc:</syntaxhighlight>
Alternatively, output the longest subsequence using built-in command max:
<syntaxhighlight lang="maple">i := max[index](map(numelems,output));
output[i];</syntaxhighlight>
 
<syntaxhighlight lang="maple">L := [3, 2, 6, 4, 5, 1];
M := [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15];
LIS(L);
LIS(M);</syntaxhighlight>
{{out}}
<pre>
[3 4 5]
[0 4 6 9 13 15]
</pre>
 
 
=={{header|Mathematica}}/{{header|Wolfram Language}}==
Although undocumented, Mathematica has the function LongestAscendingSequence which exactly does what the Task asks for:
<langsyntaxhighlight Mathematicalang="mathematica">LongestAscendingSequence/@{{3,2,6,4,5,1},{0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15}}</langsyntaxhighlight>
{{out}}
<pre>{{2,4,5},{0,2,6,9,11,15}}</pre>
 
=={{header|NirodNim}}==
{{trans|Python}}
<langsyntaxhighlight nimrodlang="nim">proc longestIncreasingSubsequence[T](d: seq[T]): seq[T] =
var l: = newSeqseq[seq[T]]()
for i in 0 .. <d.lenhigh:
var x: = newSeqseq[T]()
for j in 0 .. < i:
if l[j][l[j].high] < d[i] and l[j].len > x.len:
x = l[j]
l.add x & @[d[i]]
result = @[]
for x in l:
if x.len > result.len:
Line 1,336 ⟶ 1,915:
 
for d in [@[3,2,6,4,5,1], @[0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]]:
echo "aA L.I.S. of ", d, " is ", longestIncreasingSubsequence(d)</langsyntaxhighlight>
{{out}}
<pre>aA L.I.S. of @[3, 2, 6, 4, 5, 1] is @[3, 4, 5]
aA L.I.S. of @[0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15] is @[0, 4, 6, 9, 13, 15]</pre>
 
=={{header|Objective-C}}==
Patience sorting
<langsyntaxhighlight lang="objc">#import <Foundation/Foundation.h>
 
@interface Node : NSObject {
Line 1,395 ⟶ 1,974:
}
return 0;
}</langsyntaxhighlight>
{{out}}
<pre>an L.I.S. of (
Line 1,437 ⟶ 2,016:
=={{header|OCaml}}==
===Naïve implementation===
<langsyntaxhighlight OCamllang="ocaml">let longest l = List.fold_left (fun acc x -> if List.length acc < List.length x
then x
else acc) [] l
Line 1,459 ⟶ 2,038:
in
List.map (fun x -> print_endline (String.concat " " (List.map string_of_int
(lis x)))) sequences</langsyntaxhighlight>
{{out}}
<pre>
Line 1,467 ⟶ 2,046:
 
===Patience sorting===
<langsyntaxhighlight lang="ocaml">let lis cmp list =
let pile_tops = Array.make (List.length list) [] in
let bsearch_piles x len =
Line 1,488 ⟶ 2,067:
in
let len = List.fold_left f 0 list in
List.rev pile_tops.(len-1)</langsyntaxhighlight>
Usage:
<pre># lis compare [3; 2; 6; 4; 5; 1];;
Line 1,494 ⟶ 2,073:
# lis compare [0; 8; 4; 12; 2; 10; 6; 14; 1; 9; 5; 13; 3; 11; 7; 15];;
- : int list = [0; 2; 6; 9; 11; 15]</pre>
 
=={{header|Pascal}}==
{{works with|FPC}}
O(NLogN) version.
<syntaxhighlight lang="pascal">
program LisDemo;
{$mode objfpc}{$h+}
uses
SysUtils;
 
function Lis(const A: array of Integer): specialize TArray<Integer>;
var
TailIndex: array of Integer;
function CeilIndex(Value, R: Integer): Integer;
var
L, M: Integer;
begin
L := 0;
while L < R do begin
{$PUSH}{$Q-}{$R-}M := (L + R) shr 1;{$POP}
if A[TailIndex[M]] < Value then L := M + 1
else R := M;
end;
Result := R;
end;
var
I, J, Len: Integer;
Parents: array of Integer;
begin
Result := nil;
if Length(A) = 0 then exit;
SetLength(TailIndex, Length(A));
SetLength(Parents, Length(A));
Len := 1;
for I := 1 to High(A) do
if A[I] < A[TailIndex[0]] then
TailIndex[0] := I
else
if A[TailIndex[Len-1]] < A[I] then begin
Parents[I] := TailIndex[Len - 1];
TailIndex[Len] := I;
Inc(Len);
end else begin
J := CeilIndex(A[I], Len - 1);
Parents[I] := TailIndex[J - 1];
TailIndex[J] := I;
end;
if Len < 2 then exit([A[0]]);
SetLength(Result, Len);
J := TailIndex[Len - 1];
for I := Len - 1 downto 0 do begin
Result[I] := A[J];
J := Parents[J];
end;
end;
 
procedure PrintArray(const A: array of Integer);
var
I: SizeInt;
begin
Write('[');
for I := 0 to High(A) - 1 do
Write(A[I], ', ');
WriteLn(A[High(A)], ']');
end;
 
begin
PrintArray(Lis([3, 2, 6, 4, 5, 1]));
PrintArray(Lis([0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]));
PrintArray(Lis([1, 1, 1, 1, 1, 0]));
end.
</syntaxhighlight>
{{out}}
<pre>
[2, 4, 5]
[0, 2, 6, 9, 11, 15]
[1]
</pre>
 
=={{header|Perl}}==
===Dynamic programming===
{{trans|Perl 6Raku}}
<langsyntaxhighlight Perllang="perl">use strict;
 
sub lis {
Line 1,519 ⟶ 2,176:
 
print join ' ', lis 3, 2, 6, 4, 5, 1;
print join ' ', lis 0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15;</langsyntaxhighlight>
{{out}}
<pre>2 4 5
Line 1,525 ⟶ 2,182:
 
===Patience sorting===
<langsyntaxhighlight lang="perl">sub lis {
my @pileTops;
# sort into piles
Line 1,558 ⟶ 2,215:
print "an L.I.S. of [@d] is [@lis]\n";
}</langsyntaxhighlight>
{{out}}
<pre>an L.I.S. of [3 2 6 4 5 1] is [2 4 5]
an L.I.S. of [0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15] is [0 2 6 9 11 15]</pre>
 
=={{header|Perl 6}}==
{{works with|rakudo|2018.03}}
===<!--Perl 6-->Dynamic programming===
Straight-forward implementation of the algorithm described in the video.
<lang perl6>sub lis(@d) {
my @l = [].item xx @d;
@l[0].push: @d[0];
for 1 ..^ @d -> $i {
for ^$i -> $j {
if @d[$j] < @d[$i] && @l[$i] < @l[$j] + 1 {
@l[$i] = [ @l[$j][] ]
}
}
@l[$i].push: @d[$i];
}
return max :by(*.elems), @l;
}
 
say lis([3,2,6,4,5,1]);
say lis([0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]);</lang>
{{out}}
<pre>[2 4 5]
[0 2 6 9 11 15]</pre>
 
===<!--Perl 6-->Patience sorting===
<lang perl6>sub lis(@deck is copy) {
my @S = [@deck.shift() => Nil].item;
for @deck -> $card {
with first { @S[$_][*-1].key > $card }, ^@S -> $i {
@S[$i].push: $card => @S[$i-1][*-1] // Nil
} else {
@S.push: [ $card => @S[*-1][*-1] // Nil ].item
}
}
reverse map *.key, (
@S[*-1][*-1], *.value ...^ !*.defined
)
}
 
say lis <3 2 6 4 5 1>;
say lis <0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15>;</lang>
{{out}}
<pre>[2 4 5]
[0 2 6 9 11 15]</pre>
 
=={{header|Phix}}==
Using the Wikipedia algorithm (converted to 1-based indexing)
<!--<syntaxhighlight lang="phix">(phixonline)-->
<lang Phix>function lis(sequence X, integer N = length(X))
<span style="color: #008080;">with</span> <span style="color: #008080;">javascript_semantics</span>
sequence P = repeat(0,N)
<span style="color: #008080;">function</span> <span style="color: #000000;">lis</span><span style="color: #0000FF;">(</span><span style="color: #004080;">sequence</span> <span style="color: #000000;">x</span><span style="color: #0000FF;">,</span> <span style="color: #004080;">integer</span> <span style="color: #000000;">n</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #000000;">x</span><span style="color: #0000FF;">))</span>
sequence M = repeat(0,N)
<span style="color: #004080;">sequence</span> <span style="color: #000000;">p</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">repeat</span><span style="color: #0000FF;">(</span><span style="color: #000000;">0</span><span style="color: #0000FF;">,</span><span style="color: #000000;">n</span><span style="color: #0000FF;">),</span>
integer len = 0
<span style="color: #000000;">m</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">repeat</span><span style="color: #0000FF;">(</span><span style="color: #000000;">0</span><span style="color: #0000FF;">,</span><span style="color: #000000;">n</span><span style="color: #0000FF;">)</span>
for i=1 to N do
<span style="color: #004080;">integer</span> <span style="color: #000000;">len</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">0</span>
integer lo = 1
<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;">n</span> <span style="color: #008080;">do</span>
integer hi = len
<span style="color: #004080;">integer</span> <span style="color: #000000;">lo</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">1</span>
while lo<=hi do
<span style="color: #004080;">integer</span> <span style="color: #000000;">hi</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">len</span>
integer mid = ceil((lo+hi)/2)
<span style="color: #008080;">while</span> <span style="color: #000000;">lo</span><span style="color: #0000FF;"><=</span><span style="color: #000000;">hi</span> <span style="color: #008080;">do</span>
if X[M[mid]]<X[i] then
<span style="color: #004080;">integer</span> <span style="color: #000000;">mid</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">ceil</span><span style="color: #0000FF;">((</span><span style="color: #000000;">lo</span><span style="color: #0000FF;">+</span><span style="color: #000000;">hi</span><span style="color: #0000FF;">)/</span><span style="color: #000000;">2</span><span style="color: #0000FF;">)</span>
lo = mid + 1
<span style="color: #008080;">if</span> <span style="color: #000000;">x</span><span style="color: #0000FF;">[</span><span style="color: #000000;">m</span><span style="color: #0000FF;">[</span><span style="color: #000000;">mid</span><span style="color: #0000FF;">]]<</span><span style="color: #000000;">x</span><span style="color: #0000FF;">[</span><span style="color: #000000;">i</span><span style="color: #0000FF;">]</span> <span style="color: #008080;">then</span>
else
<span style="color: #000000;">lo</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">mid</span> <span style="color: #0000FF;">+</span> <span style="color: #000000;">1</span>
hi = mid - 1
end if<span style="color: #008080;">else</span>
<span style="color: #000000;">hi</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">mid</span> <span style="color: #0000FF;">-</span> <span style="color: #000000;">1</span>
end while
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
if lo>1 then
<span style="color: #008080;">end</span> <span style="color: #008080;">while</span>
P[i] = M[lo-1]
<span style="color: #008080;">if</span> <span style="color: #000000;">lo</span><span style="color: #0000FF;">></span><span style="color: #000000;">1</span> <span style="color: #008080;">then</span>
end if
<span style="color: #000000;">p</span><span style="color: #0000FF;">[</span><span style="color: #000000;">i</span><span style="color: #0000FF;">]</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">m</span><span style="color: #0000FF;">[</span><span style="color: #000000;">lo</span><span style="color: #0000FF;">-</span><span style="color: #000000;">1</span><span style="color: #0000FF;">]</span>
M[lo] = i
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
if lo>len then len = lo end if
<span style="color: #000000;">m</span><span style="color: #0000FF;">[</span><span style="color: #000000;">lo</span><span style="color: #0000FF;">]</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">i</span>
end for
<span style="color: #008080;">if</span> <span style="color: #000000;">lo</span><span style="color: #0000FF;">></span><span style="color: #000000;">len</span> <span style="color: #008080;">then</span> <span style="color: #000000;">len</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">lo</span> <span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
sequence res = repeat(0,len)
<span style="color: #008080;">end</span> <span style="color: #008080;">for</span>
if len>0 then
<span style="color: #004080;">sequence</span> <span style="color: #000000;">res</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">repeat</span><span style="color: #0000FF;">(</span><span style="color: #000000;">0</span><span style="color: #0000FF;">,</span><span style="color: #000000;">len</span><span style="color: #0000FF;">)</span>
integer k = M[len]
<span style="color: #008080;">if</span> <span style="color: #000000;">len</span><span style="color: #0000FF;">></span><span style="color: #000000;">0</span> <span style="color: #008080;">then</span>
for i=len to 1 by -1 do
<span style="color: #004080;">integer</span> <span style="color: #000000;">k</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">m</span><span style="color: #0000FF;">[</span><span style="color: #000000;">len</span><span style="color: #0000FF;">]</span>
res[i] = X[k]
<span style="color: #008080;">for</span> <span style="color: #000000;">i</span><span style="color: #0000FF;">=</span><span style="color: #000000;">len</span> <span style="color: #008080;">to</span> <span style="color: #000000;">1</span> <span style="color: #008080;">by</span> <span style="color: #0000FF;">-</span><span style="color: #000000;">1</span> <span style="color: #008080;">do</span>
k = P[k]
<span style="color: #000000;">res</span><span style="color: #0000FF;">[</span><span style="color: #000000;">i</span><span style="color: #0000FF;">]</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">x</span><span style="color: #0000FF;">[</span><span style="color: #000000;">k</span><span style="color: #0000FF;">]</span>
end for
<span style="color: #000000;">k</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">p</span><span style="color: #0000FF;">[</span><span style="color: #000000;">k</span><span style="color: #0000FF;">]</span>
end if
<span style="color: #008080;">end</span> <span style="color: #008080;">for</span>
return res
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
end function
<span style="color: #008080;">return</span> <span style="color: #000000;">res</span>
 
<span style="color: #008080;">end</span> <span style="color: #008080;">function</span>
constant tests = {{3, 2, 6, 4, 5, 1},
{0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15}}
<span style="color: #008080;">constant</span> <span style="color: #000000;">tests</span> <span style="color: #0000FF;">=</span> <span style="color: #0000FF;">{{</span><span style="color: #000000;">3</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">2</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">6</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">4</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">5</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">1</span><span style="color: #0000FF;">},</span>
for i=1 to length(tests) do
<span style="color: #0000FF;">{</span><span style="color: #000000;">0</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">8</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">4</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">12</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">2</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">10</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">6</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">14</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">1</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">9</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">5</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">13</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">3</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">11</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">7</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">15</span><span style="color: #0000FF;">}}</span>
?lis(tests[i])
<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: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #000000;">tests</span><span style="color: #0000FF;">)</span> <span style="color: #008080;">do</span>
end for</lang>
<span style="color: #0000FF;">?</span><span style="color: #000000;">lis</span><span style="color: #0000FF;">(</span><span style="color: #000000;">tests</span><span style="color: #0000FF;">[</span><span style="color: #000000;">i</span><span style="color: #0000FF;">])</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">for</span>
<!--</syntaxhighlight>-->
{{out}}
<pre>
Line 1,656 ⟶ 2,270:
=={{header|PHP}}==
Patience sorting
<langsyntaxhighlight lang="php"><?php
class Node {
public $val;
Line 1,692 ⟶ 2,306:
print_r(lis(array(3, 2, 6, 4, 5, 1)));
print_r(lis(array(0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15)));
?></langsyntaxhighlight>
{{out}}
<pre>Array
Line 1,709 ⟶ 2,323:
[5] => 15
)</pre>
 
=={{header|Picat}}==
===Mode-directed tabling===
{{trans|Prolog}}
<syntaxhighlight lang="picat">table(+,+,max)
lis_mode(In, Out,OutLen) =>
one_is(In, [], Is),
Out = reverse(Is),
OutLen = Out.length.
 
one_is([], Current, Current2) => Current = Current2.
one_is([H|T], Current, Final) =>
( Current = [], one_is(T, [H], Final));
( Current = [H1|_], H1 @< H, one_is(T, [H|Current], Final));
one_is(T, Current, Final).</syntaxhighlight>
 
===Constraint modelling approach===
For larger instances, the sat solver is generally faster than the cp solver.
<syntaxhighlight lang="picat">lis_cp(S, Res,Z) =>
Len = S.len,
X = new_list(Len),
X :: 0..1,
 
increasing_except_0($[X[I]*S[I] : I in 1..Len]),
Z #= sum(X),
 
solve($[max(Z)],X),
% Extract the found LIS
Res = [S[I] : I in 1..Len, X[I] == 1].
 
%
% Ensures that array A is (strictly) increasing if we disregard any 0's
%
increasing_except_0(A) =>
N = A.len,
foreach(I in 1..N, J in I+1..N)
(A[I] #!= 0 #/\ A[J] #!= 0) #=> (A[I] #< A[J])
end.</syntaxhighlight>
 
===Test===
<syntaxhighlight lang="picat">import sat. % for lis_cp
% import cp. % Slower than sat on larger instances.
 
go =>
nolog,
Tests = [
[3,2,6,4,5,1],
[0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15],
[1,1,1,1],
[4,65,2,-31,0,99,83,782,1]
],
Funs = [lis_mode, lis_cp],
foreach(Fun in Funs)
println(fun=Fun),
foreach(Test in Tests)
call(Fun,Test,Lis,Len),
printf("%w: LIS=%w (len=%d)\n",Test, Lis,Len)
end,
nl,
end,
nl.</syntaxhighlight>
 
{{out}}
<pre>[3,2,6,4,5,1]: LIS=[3,4,5] (len=3)
[0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]: LIS=[0,4,6,9,13,15] (len=6)
[1,1,1,1]: LIS=[1] (len=1)
[4,65,2,-31,0,99,83,782,1]: LIS=[4,65,99,782] (len=4)</pre>
 
The mode directed tabling tends to be the fastest of the two methods.
 
=={{header|PicoLisp}}==
Adapted patience sorting approach:
<langsyntaxhighlight PicoLisplang="picolisp">(de longinc (Lst)
(let (D NIL R NIL)
(for I Lst
Line 1,724 ⟶ 2,408:
(T (when R (queue 'D (car R)))
(push 'R I) ) ) )
(flip R) ) )</langsyntaxhighlight>
 
Original recursive glutton:
<langsyntaxhighlight PicoLisplang="picolisp">(de glutton (L)
(let N (pop 'L)
(maxi length
Line 1,747 ⟶ 2,431:
(test (-31 0 83 782)
(glutton (4 65 2 -31 0 99 83 782 1)) )</langsyntaxhighlight>
 
=={{header|PowerShell}}==
{{works with|PowerShell|2}}
<langsyntaxhighlight PowerShelllang="powershell">function Get-LongestSubsequence ( [int[]]$A )
{
If ( $A.Count -lt 2 ) { return $A }
Line 1,798 ⟶ 2,482:
# Return the series (reversed into the correct order)
return $S[$Last..0]
}</langsyntaxhighlight>
<langsyntaxhighlight PowerShelllang="powershell">( Get-LongestSubsequence 3, 2, 6, 4, 5, 1 ) -join ', '
( Get-LongestSubsequence 0, 8, 4, 12, 2, 10, 6, 16, 14, 1, 9, 5, 13, 3, 11, 7, 15 ) -join ', '</langsyntaxhighlight>
{{out}}
<pre>2, 4, 5
Line 1,810 ⟶ 2,494:
 
 
<langsyntaxhighlight lang="prolog">lis(In, Out) :-
% we ask Prolog to find the longest sequence
aggregate(max(N,Is), (one_is(In, [], Is), length(Is, N)), max(_, Res)),
Line 1,824 ⟶ 2,508:
( Current = [H1 | _], H1 < H, one_is(T, [H | Current], Final));
one_is(T, Current, Final).
</syntaxhighlight>
</lang>
Prolog finds the first longest subsequence
<pre> ?- lis([0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15], Out).
Line 1,836 ⟶ 2,520:
 
===Python: O(nlogn) Method from Wikipedia's LIS Article[https://en.wikipedia.org/wiki/Longest_increasing_subsequence#Efficient_algorithms]===
<langsyntaxhighlight lang="python">def longest_increasing_subsequence(X):
"""Returns the Longest Increasing Subsequence in the Given List/Array"""
N = len(X)
Line 1,868 ⟶ 2,552:
if __name__ == '__main__':
for d in [[3,2,6,4,5,1], [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]]:
print('a L.I.S. of %s is %s' % (d, longest_increasing_subsequence(d)))</langsyntaxhighlight>
 
{{out}}
Line 1,875 ⟶ 2,559:
 
===Python: Method from video===
<langsyntaxhighlight lang="python">def longest_increasing_subsequence(d):
'Return one of the L.I.S. of list d'
l = []
Line 1,885 ⟶ 2,569:
if __name__ == '__main__':
for d in [[3,2,6,4,5,1], [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]]:
print('a L.I.S. of %s is %s' % (d, longest_increasing_subsequence(d)))</langsyntaxhighlight>
 
{{out}}
Line 1,892 ⟶ 2,576:
 
===Python: Patience sorting method===
<langsyntaxhighlight lang="python">from collections import namedtuple
from functools import total_ordering
from bisect import bisect_left
Line 1,914 ⟶ 2,598:
for di in d:
j = bisect_left(pileTops, Node(di, None))
new_nodepileTops[j:j+1] = [Node(di, pileTops[j-1] if j > 0 else None)]
if j == len(pileTops):
pileTops.append(new_node)
else:
pileTops[j] = new_node
 
return list(pileTops[-1])[::-1]
 
Line 1,925 ⟶ 2,604:
for d in [[3,2,6,4,5,1],
[0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]]:
print('a L.I.S. of %s is %s' % (d, lis(d)))</langsyntaxhighlight>
 
{{out}}
Line 1,933 ⟶ 2,612:
=={{header|Racket}}==
Patience sorting. The program saves only the top card of each pile, with a link (cons) to the top of the previous pile at the time it was inserted. It uses binary search to find the correct pile.
<langsyntaxhighlight Racketlang="racket">#lang racket/base
(require data/gvector)
 
Line 1,959 ⟶ 2,638:
(if (<= item (car (gvector-ref piles middle)))
(loop first middle)
(loop (add1 middle) last)))))])))</langsyntaxhighlight>
{{out}}
<pre>'(2 4 5)
'(0 2 6 9 11 15)</pre>
 
=={{header|Raku}}==
(formerly Perl 6)
{{works with|Rakudo|2018.03}}
===Dynamic programming===
Straight-forward implementation of the algorithm described in the video.
<syntaxhighlight lang="raku" line>sub lis(@d) {
my @l = [].item xx @d;
@l[0].push: @d[0];
for 1 ..^ @d -> $i {
for ^$i -> $j {
if @d[$j] < @d[$i] && @l[$i] < @l[$j] + 1 {
@l[$i] = [ @l[$j][] ]
}
}
@l[$i].push: @d[$i];
}
return max :by(*.elems), @l;
}
 
say lis([3,2,6,4,5,1]);
say lis([0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15]);</syntaxhighlight>
{{out}}
<pre>[2 4 5]
[0 2 6 9 11 15]</pre>
 
===Patience sorting===
<syntaxhighlight lang="raku" line>sub lis(@deck is copy) {
my @S = [@deck.shift() => Nil].item;
for @deck -> $card {
with first { @S[$_][*-1].key > $card }, ^@S -> $i {
@S[$i].push: $card => @S[$i-1][*-1] // Nil
} else {
@S.push: [ $card => @S[*-1][*-1] // Nil ].item
}
}
reverse map *.key, (
@S[*-1][*-1], *.value ...^ !*.defined
)
}
 
say lis <3 2 6 4 5 1>;
say lis <0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15>;</syntaxhighlight>
{{out}}
<pre>[2 4 5]
[0 2 6 9 11 15]</pre>
 
=={{header|REXX}}==
{{trans|VBScript}}
<syntaxhighlight lang="rexx">/*REXX program finds & displays the longest increasing subsequence from a list of #'s.*/
$.=; $.1= 3 2 6 4 5 1 /*define the 1st list to be examined. */
$.2= 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15 /* " " 2nd " " " " */
 
do j=1 while $.j\==''; say /* [↓] process all of the list for LIS*/
say ' input: ' $.j /*display the (original) input list. */
call LIS $.j /*invoke the LIS function. */
say 'output: ' result /*display the output (result from LIS)*/
end /*j*/
exit /*stick a fork in it, we're all done. */
/*──────────────────────────────────────────────────────────────────────────────────────*/
LIS: procedure; parse arg x; n= words(x); if n==0 then return ''
p.=; m.= p.
do #=1 to n; _= # - 1; @._= word(x, #) /*build an array (@) from input.*/
end /*#*/
L= 0
do j=0 to n-1; lo= 1
HI= L
do while LO<=HI; middle= (LO+HI) % 2
_= m.middle /*create a temporary value for @ index.*/
if @._<@.j then LO= middle + 1
else HI= middle - 1
end /*while*/
newLO= LO
_= newLO - 1 /*create a temporary value for M index.*/
p.j= m._
m.newLO= j
if newLO>L then L= newLO
end /*i*/
k= m.L; $= /* [↓] build a list for the result. */
do L; $= @.k $; k= p.k /*perform this DO loop L times. */
end /*i*/
return strip($) /*the result has an extra leading blank*/</syntaxhighlight>
{{out|output|text=&nbsp; when using the internal default input:}}
<pre>
input: 3 2 6 4 5 1
output: 2 4 5
 
input: 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15
output: 0 2 6 9 11 15
</pre>
 
=={{header|Ring}}==
<langsyntaxhighlight lang="ring">
# Project : Longest increasing subsequence
 
Line 2,024 ⟶ 2,794:
see svect
see "}" + nl
</syntaxhighlight>
</lang>
Output:
<pre>
Line 2,033 ⟶ 2,803:
=={{header|Ruby}}==
Patience sorting
<langsyntaxhighlight lang="ruby">Node = Struct.new(:val, :back)
 
def lis(n)
Line 2,065 ⟶ 2,835:
 
p lis([3, 2, 6, 4, 5, 1])
p lis([0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15])</langsyntaxhighlight>
{{out}}
<pre>[2, 4, 5]
[0, 2, 6, 9, 11, 15]</pre>
 
=={{header|Rust}}==
 
<syntaxhighlight lang="rust">
<lang Rust>fn lower_bound<T: PartialOrd>(list: &Vec<T>, value: &T) -> usize {
fn lis(x: &[i32])-> Vec<i32> {
if list.is_empty() {
let n = return 0x.len();
let mut m = vec![0; n];
}
let mut lowerp = 0usizevec![0; n];
let mut upperl = list.len()0;
 
while lower != upper {
for i in 0..n {
let middle = lower + upper >> 1;
iflet list[middle]mut <lo *value= {1;
let mut lowerhi = middle + 1l;
 
} else {
while lo <= hi upper = middle;{
let mid = (lo + hi) / 2;
 
if x[m[mid]] <= x[i] {
lo = mid + 1;
} else {
hi = mid - 1;
}
}
}
return lower;
}
 
let new_l = lo;
fn lis<T: PartialOrd + Copy>(list: &Vec<T>) -> Vec<T> {
p[i] = m[new_l - 1];
if list.is_empty() {
returnm[new_l] Vec::new()= i;
 
}
let mut subseq: Vec<T if new_l > =l Vec::new();{
l = new_l;
subseq.push(*list.first().unwrap());
for i in list[1..].iter() {
if *i <= *subseq.last().unwrap() {
let index = lower_bound(&subseq, i);
subseq[index] = *i;
} else {
subseq.push(*i);
}
}
 
return subseq;
let mut o = vec![0; l];
let mut k = m[l];
for i in (0..l).rev() {
o[i] = x[k];
k = p[k];
}
 
o
}
 
Line 2,110 ⟶ 2,887:
let list = vec![0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15];
println!("{:?}", lis(&list));
}</langsyntaxhighlight>
 
{{out}}
<pre>[12, 4, 5]
[0, 12, 36, 79, 11, 15]</pre>
 
=={{header|Scala}}==
===Patience sorting===
{{Out}}See it in running in your browser by [https://scalafiddle.io/sf/Wx8DsUO/1 ScalaFiddle (JavaScript)] or by [https://scastie.scala-lang.org/FtLHeaAwSrO6VXVOTTZ7FQ Scastie (JVM)].
<langsyntaxhighlight Scalalang="scala">object LongestIncreasingSubsequence extends App {
val tests = Map(
"3,2,6,4,5,1" -> Seq("2,4,5", "3,4,5"),
Line 2,151 ⟶ 2,928:
allLongests.forall(lis => expect.contains(lis.mkString(",")))
})
}</langsyntaxhighlight>
{{Out}}
<pre>3,2,6,4,5,1 has 2 longest increasing subsequences, e.g. 2,4,5
Line 2,157 ⟶ 2,934:
 
===Brute force solution===
<langsyntaxhighlight Scalalang="scala">def powerset[A](s: List[A]) = (0 to s.size).map(s.combinations(_)).reduce(_++_)
def isSorted(l:List[Int])(f: (Int, Int) => Boolean) = l.view.zip(l.tail).forall(x => f(x._1,x._2))
def sequence(set: List[Int])(f: (Int, Int) => Boolean) = powerset(set).filter(_.nonEmpty).filter(x => isSorted(x)(f)).toList.maxBy(_.length)
 
sequence(set)(_<_)
sequence(set)(_>_)</langsyntaxhighlight>
 
=={{header|Scheme}}==
Patience sorting
<langsyntaxhighlight lang="scheme">(define (lis less? lst)
(define pile-tops (make-vector (length lst)))
(define (bsearch-piles x len)
Line 2,188 ⟶ 2,966:
 
(display (lis < '(3 2 6 4 5 1))) (newline)
(display (lis < '(0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15))) (newline)</langsyntaxhighlight>
 
{{out}}
Line 2,196 ⟶ 2,974:
=={{header|Sidef}}==
Dynamic programming:
<langsyntaxhighlight lang="ruby">func lis(a) {
var l = a.len.of { [] }
l[0] << a[0]
Line 2,211 ⟶ 2,989:
 
say lis(%i<3 2 6 4 5 1>)
say lis(%i<0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15>)</langsyntaxhighlight>
 
Patience sorting:
<langsyntaxhighlight lang="ruby">func lis(deck) {
var pileTops = []
deck.each { |x|
Line 2,240 ⟶ 3,018:
 
say lis(%i<3 2 6 4 5 1>)
say lis(%i<0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15>)</langsyntaxhighlight>
 
{{out}}
Line 2,251 ⟶ 3,029:
Patience sorting
{{works with|SML/NJ}}
<langsyntaxhighlight lang="sml">fun lis cmp n =
let
val pile_tops = DynamicArray.array (length n, [])
Line 2,281 ⟶ 3,059:
app f n;
rev (DynamicArray.sub (pile_tops, DynamicArray.bound pile_tops))
end</langsyntaxhighlight>
Usage:
<pre>- lis Int.compare [3, 2, 6, 4, 5, 1];
Line 2,287 ⟶ 3,065:
- lis Int.compare [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15];
val it = [0,2,6,9,11,15] : int list</pre>
 
=={{header|Swift}}==
 
<syntaxhighlight lang="swift">import Foundation
 
extension Array where Element: Comparable {
@inlinable
public func longestIncreasingSubsequence() -> [Element] {
var startI = [Int](repeating: 0, count: count)
var endI = [Int](repeating: 0, count: count + 1)
var len = 0
 
for i in 0..<count {
var lo = 1
var hi = len
 
while lo <= hi {
let mid = Int(ceil((Double(lo + hi)) / 2))
 
if self[endI[mid]] <= self[i] {
lo = mid + 1
} else {
hi = mid - 1
}
}
 
startI[i] = endI[lo-1]
endI[lo] = i
 
if lo > len {
len = lo
}
}
 
var s = [Element]()
var k = endI[len]
 
for _ in 0..<len {
s.append(self[k])
k = startI[k]
}
 
return s.reversed()
}
}
 
let l1 = [3, 2, 6, 4, 5, 1]
let l2 = [0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]
 
print("\(l1) = \(l1.longestIncreasingSubsequence())")
print("\(l2) = \(l2.longestIncreasingSubsequence())")</syntaxhighlight>
 
{{out}}
 
<pre>[3, 2, 6, 4, 5, 1] = [2, 4, 5]
[0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15] = [0, 2, 6, 9, 11, 15]</pre>
 
=={{header|Swym}}==
{{trans|Python}}
Based on the Python video solution. Interpreter at [[http://cheersgames.com/swym/SwymInterpreter.html?Array.%27lis%27%0A%7B%0A%20%20%27stems%27%20%3D%20Number.Array.mutableArray%5B%20%5B%5D%20%5D%0A%20%0A%20%20forEach%28this%29%20%27value%27-%3E%0A%20%20%7B%0A%20%20%20%20%27bestStem%27%20%3D%20stems.where%7B%3D%3D%5B%5D%20%7C%7C%20.last%20%3C%20value%7D.max%7B.length%7D%0A%20%0A%20%20%20%20stems.push%28%20bestStem%20+%20%5Bvalue%5D%20%29%0A%20%20%7D%0A%20%0A%20%20return%20stems.max%7B.length%7D%0A%7D%0A%20%0A%5B3%2C2%2C6%2C4%2C5%2C1%5D.lis.trace%0A%5B0%2C8%2C4%2C12%2C2%2C10%2C6%2C14%2C1%2C9%2C5%2C13%2C3%2C11%2C7%2C15%5D.lis.trace]]
<langsyntaxhighlight lang="swym">Array.'lis'
{
'stems' = Number.Array.mutableArray[ [] ]
Line 2,306 ⟶ 3,140:
 
[3,2,6,4,5,1].lis.trace
[0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15].lis.trace</langsyntaxhighlight>
{{out}}
<pre>
Line 2,315 ⟶ 3,149:
=={{header|Tcl}}==
{{works with|Tcl|8.6}}
<langsyntaxhighlight lang="tcl">package require Tcl 8.6
 
proc longestIncreasingSubsequence {sequence} {
Line 2,335 ⟶ 3,169:
# Pick the longest subsequence; -stride requires Tcl 8.6
return [lindex [lsort -stride 2 -index 0 $subseq] end]
}</langsyntaxhighlight>
Demonstrating:
<langsyntaxhighlight lang="tcl">puts [longestIncreasingSubsequence {3 2 6 4 5 1}]
puts [longestIncreasingSubsequence {0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15}]</langsyntaxhighlight>
{{out}}
<pre>
Line 2,346 ⟶ 3,180:
 
=={{header|VBScript}}==
<syntaxhighlight lang="vb">
<lang vb>
Function LIS(arr)
n = UBound(arr)
Line 2,384 ⟶ 3,218:
WScript.StdOut.WriteLine LIS(Array(3,2,6,4,5,1))
WScript.StdOut.WriteLine LIS(Array(0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15))
</syntaxhighlight>
</lang>
 
{{Out}}
Line 2,390 ⟶ 3,224:
2,4,5,
0,2,6,9,11,15,
</pre>
 
=={{header|Wren}}==
{{trans|Kotlin}}
<syntaxhighlight lang="wren">var longestIncreasingSubsequence = Fn.new { |x|
var n = x.count
if (n == 0) return []
if (n == 1) return x
var p = List.filled(n, 0)
var m = List.filled(n+1, 0)
var len = 0
for (i in 0...n) {
var lo = 1
var hi = len
while (lo <= hi) {
var mid = ((lo + hi)/2).ceil
if (x[m[mid]] < x[i]) {
lo = mid + 1
} else {
hi = mid - 1
}
}
var newLen = lo
p[i] = m[newLen - 1]
m[newLen] = i
if (newLen > len) len = newLen
}
var s = List.filled(len, 0)
var k = m[len]
for (i in len-1..0) {
s[i] = x[k]
k = p[k]
}
return s
}
 
var lists = [
[3, 2, 6, 4, 5, 1],
[0, 8, 4, 12, 2, 10, 6, 14, 1, 9, 5, 13, 3, 11, 7, 15]
]
lists.each { |l| System.print(longestIncreasingSubsequence.call(l)) }</syntaxhighlight>
 
{{out}}
<pre>
[2, 4, 5]
[0, 2, 6, 9, 11, 15]
</pre>
 
=={{header|zkl}}==
<langsyntaxhighlight lang="zkl">fcn longestSequence(ns){ // based on Patience sorting
piles:=L();
backPtr:='wrap(np){ return(np-1,if(np) piles[np-1].len()-1 else -1) }; // maybe (-1,-1)
Line 2,409 ⟶ 3,289:
do{ n,p=piles[p][n]; r.write(n); p,n=p; }while(p!=-1);
r.reverse()
}</langsyntaxhighlight>
<langsyntaxhighlight lang="zkl">foreach ns in (T(T(1),T(3,2,6,4,5,1),T(4,65,2,-31,0,99,83,782,1),
T(0,8,4,12,2,10,6,14,1,9,5,13,3,11,7,15),"foobar")){
s:=longestSequence(ns);
println(s.len(),": ",s," from ",ns);
}</langsyntaxhighlight>
{{out}}
<pre>
1,980

edits