2023-01-26 18:12:20 +00:00
|
|
|
export const groupBy = (array: any[], key: string) => {
|
|
|
|
const innerKey = key.split("."); // split the key by dot
|
|
|
|
return array.reduce((result, currentValue) => {
|
|
|
|
const key = innerKey.reduce((obj, i) => obj?.[i], currentValue) ?? "None"; // get the value of the inner key
|
|
|
|
(result[key] = result[key] || []).push(currentValue);
|
|
|
|
return result;
|
|
|
|
}, {});
|
|
|
|
};
|
|
|
|
|
|
|
|
export const orderArrayBy = (
|
2023-05-25 07:08:15 +00:00
|
|
|
orgArray: any[],
|
2023-01-26 18:12:20 +00:00
|
|
|
key: string,
|
|
|
|
ordering: "ascending" | "descending" = "ascending"
|
|
|
|
) => {
|
2023-05-25 07:08:15 +00:00
|
|
|
const array = [...orgArray];
|
|
|
|
|
2023-05-10 20:45:39 +00:00
|
|
|
if (!array || !Array.isArray(array) || array.length === 0) return [];
|
|
|
|
|
2023-04-13 13:39:55 +00:00
|
|
|
if (key[0] === "-") {
|
|
|
|
ordering = "descending";
|
|
|
|
key = key.slice(1);
|
|
|
|
}
|
|
|
|
|
2023-01-26 18:12:20 +00:00
|
|
|
const innerKey = key.split("."); // split the key by dot
|
2023-04-13 13:39:55 +00:00
|
|
|
|
2023-01-26 18:12:20 +00:00
|
|
|
return array.sort((a, b) => {
|
|
|
|
const keyA = innerKey.reduce((obj, i) => obj[i], a); // get the value of the inner key
|
|
|
|
const keyB = innerKey.reduce((obj, i) => obj[i], b); // get the value of the inner key
|
|
|
|
if (keyA < keyB) {
|
|
|
|
return ordering === "ascending" ? -1 : 1;
|
|
|
|
}
|
|
|
|
if (keyA > keyB) {
|
|
|
|
return ordering === "ascending" ? 1 : -1;
|
|
|
|
}
|
|
|
|
return 0;
|
|
|
|
});
|
|
|
|
};
|
2023-04-21 19:29:57 +00:00
|
|
|
|
|
|
|
export const checkDuplicates = (array: any[]) => new Set(array).size !== array.length;
|
2023-05-11 12:08:46 +00:00
|
|
|
|
|
|
|
export const findStringWithMostCharacters = (strings: string[]) =>
|
|
|
|
strings.reduce((longestString, currentString) =>
|
|
|
|
currentString.length > longestString.length ? currentString : longestString
|
|
|
|
);
|