DYNAMIC ARRAY.sortByComparisonFunction
Sorts the rows in the array by using a comparison function.
Syntax
sortByComparisonFunction(
key STRING,
reverse BOOLEAN,
compar FUNCTION (
s1 STRING,
s2 STRING
) RETURNS INTEGER
)
- key is the name of a member of a structured array (
DYNAMIC ARRAY OF RECORD
), orNULL
if the array is not structured. - reverse is
FALSE
for ascending order,TRUE
for descending order. - compar is a function reference of a user-defined sort function.
Usage
The sortByComparisonFunction()
method sorts the rows of an array with a
user-defined function to compare element values.
The first parameter defines the record member, when the array is a DYNAMIC ARRAY OF
RECORD
. It must be NULL
for non-structured arrays.
The second parameter defines the sort order as ascending (FALSE
) or descending
(TRUE
).
INTEGER
, if
value s1 is less then s2, a positive INTEGER
,
if s1 is greater than s2, and return zero when
s1 and s2 are equal. Take care with INTEGER
overflows, when substracting large numbers to produce the negative or positive return value.util.Strings.collate()
or util.Strings.collateNumeric()
functions: FUNCTION
util.String.collateNumeric
Pay attention to NULL
values: When both s1
and s2 are NULL
, they can be considered as equal and the
comparison function should return zero. If only one of the values is NULL
, it's up
to the comparison function to consider NULL
as lower or as greater than any
non-null value. The NVL()
operator is very useful in such case.
Example
In this example, clothing sizes are expressed as standard codes like XS, M, L. Sorting by these codes in the alphabetical order would not reflect the actual meaning of clothing sizes. To solve this problem, a user-defined comparison function is provided that will map a clothing size code to an integer value, and order the items from the smallest to the largest size:
IMPORT util
PRIVATE DEFINE size2int DICTIONARY OF INTEGER =
("XXS": -3, "XS": -2, "S": -1, "M": 0, "L": 1, "XL": 2, "XXL": 3)
PUBLIC TYPE t_item RECORD
item_id INTEGER,
item_size STRING
END RECORD
MAIN
DEFINE items DYNAMIC ARRAY OF t_item =
[
(item_id:1024, item_size:"XL"),
(item_id:1026, item_size:"S"),
(item_id:1028, item_size:"L")
]
CALL items.sortByComparisonFunction("item_size", FALSE, FUNCTION compareSize)
DISPLAY util.JSON.format( util.JSON.stringify(items) )
END MAIN
PUBLIC FUNCTION compareSize(s1 STRING, s2 STRING) RETURNS INTEGER
RETURN NVL(size2int[s1],-100) - NVL(size2Int[s2],-100)
END FUNCTION
[
{
"item_id": 1026,
"item_size": "S"
},
{
"item_id": 1028,
"item_size": "L"
},
{
"item_id": 1024,
"item_size": "XL"
}
]