Skip to content

Commit

Permalink
Use natural sort order
Browse files Browse the repository at this point in the history
Replace default alphabetical sort order (i.e. a, a11, a2)
with human friendly "natural" sort (i.e. a, a2, a11).
The change applies to all found cases of string sorting.
For convenience the comparator converts all values to strings (with
nulish values being converted to empty string).

In addition, the natural sort with string conversion (universal
comparator) was used as a replacement in sorting hooks. There a general
sorting algorithm was implemented with type-specific comparators.
Benefits of universal comparator:
1. better handling of mixed types (i.e. string and number). String value
   most likely gets converted to NaN.
2. better handling of undefined (numeric value NaN)
2. simplified coercion logic compared to less than/greater then
   operators

Reference-Url: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Less_than
Signed-off-by: Radoslaw Szwajkowski <[email protected]>
  • Loading branch information
rszwajko committed May 20, 2024
1 parent f501fb8 commit 6a824a2
Show file tree
Hide file tree
Showing 14 changed files with 67 additions and 80 deletions.
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
import i18n from "@app/i18n";
import { ISortState } from "./useSortState";
import { universalComparator } from "@app/utils/utils";

/**
* Args for getLocalSortDerivedState
Expand Down Expand Up @@ -51,22 +52,10 @@ export const getLocalSortDerivedState = <

let sortedItems = items;
sortedItems = [...items].sort((a: TItem, b: TItem) => {
let aValue = getSortValues(a)[activeSort.columnKey];
let bValue = getSortValues(b)[activeSort.columnKey];
if (typeof aValue === "string" && typeof bValue === "string") {
aValue = aValue.replace(/ +/g, "");
bValue = bValue.replace(/ +/g, "");
const aSortResult = aValue.localeCompare(bValue, i18n.language);
const bSortResult = bValue.localeCompare(aValue, i18n.language);
return activeSort.direction === "asc" ? aSortResult : bSortResult;
} else if (typeof aValue === "number" && typeof bValue === "number") {
return activeSort.direction === "asc" ? aValue - bValue : bValue - aValue;
} else {
if (aValue > bValue) return activeSort.direction === "asc" ? -1 : 1;
if (aValue < bValue) return activeSort.direction === "asc" ? -1 : 1;
}

return 0;
const aValue = getSortValues(a)[activeSort.columnKey];
const bValue = getSortValues(b)[activeSort.columnKey];
const compareValue = universalComparator(aValue, bValue, i18n.language);
return activeSort.direction === "asc" ? compareValue : -compareValue;
});

return { sortedItems };
Expand Down
26 changes: 5 additions & 21 deletions client/src/app/hooks/useLegacySortState.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import * as React from "react";
import { ISortBy, SortByDirection } from "@patternfly/react-table";
import i18n from "@app/i18n";
import { universalComparator } from "@app/utils/utils";

/**
* @deprecated The return value of useLegacySortState which predates table-controls/table-batteries and is deprecated.
Expand Down Expand Up @@ -49,27 +50,10 @@ export const useLegacySortState = <T>(
if (sortBy.index !== undefined && sortBy.direction !== undefined) {
sortedItems = [...items].sort((a: T, b: T) => {
const { index, direction } = sortBy;
let aValue = getSortValues(a)[index || 0];
let bValue = getSortValues(b)[index || 0];
if (typeof aValue === "string" && typeof bValue === "string") {
aValue = aValue.replace(/ +/g, "");
bValue = bValue.replace(/ +/g, "");
const aSortResult = aValue.localeCompare(bValue, i18n.language);
const bSortResult = bValue.localeCompare(aValue, i18n.language);
if (direction === "asc") {
return aSortResult;
} else {
return bSortResult;
}
} else if (typeof aValue === "number" && typeof bValue === "number") {
if (direction === "asc") return aValue - bValue;
else return bValue - aValue;
} else {
if (aValue > bValue) return direction === "asc" ? -1 : 1;
if (aValue < bValue) return direction === "asc" ? -1 : 1;
}

return 0;
const aValue = getSortValues(a)[index || 0];
const bValue = getSortValues(b)[index || 0];
const compareValue = universalComparator(aValue, bValue, i18n.language);
return direction === "asc" ? compareValue : -compareValue;
});
}

Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -18,7 +18,7 @@ import { useFormContext } from "react-hook-form";
import { useTranslation } from "react-i18next";
import * as yup from "yup";

import { getValidatedFromErrors } from "@app/utils/utils";
import { getValidatedFromErrors, universalComparator } from "@app/utils/utils";
import { defaultTargets } from "../../../data/targets";
import spacing from "@patternfly/react-styles/css/utilities/Spacing/spacing";
import { AnalysisWizardFormValues } from "./schema";
Expand Down Expand Up @@ -71,11 +71,7 @@ export const SetOptions: React.FC = () => {
const defaultTargetsAndTargetsLabels = [
...defaultTargets,
...allTargetLabelsFromTargets,
].sort((t1, t2) => {
if (t1.label > t2.label) return 1;
if (t1.label < t2.label) return -1;
return 0;
});
].sort((t1, t2) => universalComparator(t1.label, t2.label));

const defaultSourcesAndSourcesLabels = [
...new Set(defaultSources.concat(allSourceLabelsFromTargets)),
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -29,18 +29,14 @@ import {
import { useLegacyFilterState } from "@app/hooks/useLegacyFilterState";
import { useHistory } from "react-router-dom";
import { ItemTagLabel } from "../../../../components/labels/item-tag-label/item-tag-label";
import { capitalizeFirstLetter } from "@app/utils/utils";
import { capitalizeFirstLetter, universalComparator } from "@app/utils/utils";

interface TagWithSource extends Tag {
source?: string;
}

const compareSources = (a: string, b: string) => {
// Always put Manual tags (source === "") first
if (a === "") return -1;
if (b === "") return 1;
return a.localeCompare(b);
};
// Always put Manual tags (source === "") first
const compareSources = (a: string, b: string) => universalComparator(a, b);

export interface ApplicationTagsProps {
application: Application;
Expand Down Expand Up @@ -152,7 +148,7 @@ export const ApplicationTags: React.FC<ApplicationTagsProps> = ({
getItemValue: (tag) => tag.category?.name || "",
selectOptions: Array.from(tagCategoriesById.values())
.map((tagCategory) => tagCategory.name)
.sort((a, b) => a.localeCompare(b))
.sort(universalComparator)
.map((tagCategoryName) => ({
key: tagCategoryName,
value: tagCategoryName,
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -23,7 +23,11 @@ import {
useCreateArchetypeMutation,
useUpdateArchetypeMutation,
} from "@app/queries/archetypes";
import { duplicateNameCheck, getAxiosErrorMessage } from "@app/utils/utils";
import {
duplicateNameCheck,
getAxiosErrorMessage,
universalComparator,
} from "@app/utils/utils";
import { type TagItemType, useFetchTagsWithTagItems } from "@app/queries/tags";

import { useFetchStakeholderGroups } from "@app/queries/stakeholdergroups";
Expand Down Expand Up @@ -198,8 +202,14 @@ const ArchetypeForm: React.FC<ArchetypeFormProps> = ({
.map(({ id }) => tagItems.find((tag) => tag.id === id))
.filter(Boolean),

stakeholders: archetype?.stakeholders?.sort() ?? [],
stakeholderGroups: archetype?.stakeholderGroups?.sort() ?? [],
stakeholders:
archetype?.stakeholders?.sort((a, b) =>
universalComparator(a.name, b.name)
) ?? [],
stakeholderGroups:
archetype?.stakeholderGroups?.sort((a, b) =>
universalComparator(a.name, b.name)
) ?? [],
},
resolver: yupResolver(validationSchema),
mode: "all",
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,7 @@ import { useFetchStakeholders } from "@app/queries/stakeholders";
import { useFetchStakeholderGroups } from "@app/queries/stakeholdergroups";
import { HookFormAutocomplete } from "@app/components/HookFormPFFields";
import { AssessmentWizardValues } from "../assessment-wizard/assessment-wizard";
import { universalComparator } from "@app/utils/utils";

export const AssessmentStakeholdersForm: React.FC = () => {
const { t } = useTranslation();
Expand All @@ -24,7 +25,7 @@ export const AssessmentStakeholdersForm: React.FC = () => {
() =>
stakeholders
.map(({ id, name }) => ({ id, name }))
.sort((a, b) => a.name.localeCompare(b.name)),
.sort((a, b) => universalComparator(a.name, b.name)),
[stakeholders]
);

Expand All @@ -33,7 +34,7 @@ export const AssessmentStakeholdersForm: React.FC = () => {
() =>
stakeholderGroups
.map(({ id, name }) => ({ id, name }))
.sort((a, b) => a.name.localeCompare(b.name)),
.sort((a, b) => universalComparator(a.name, b.name)),
[stakeholderGroups]
);

Expand Down
4 changes: 2 additions & 2 deletions client/src/app/pages/controls/tags/components/tag-form.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@ import {

import { DEFAULT_SELECT_MAX_HEIGHT } from "@app/Constants";
import { New, Tag, TagCategory } from "@app/api/models";
import { duplicateNameCheck } from "@app/utils/utils";
import { duplicateNameCheck, universalComparator } from "@app/utils/utils";
import { ITagCategoryDropdown } from "@app/utils/model-utils";
import {
useFetchTags,
Expand Down Expand Up @@ -56,7 +56,7 @@ export const TagForm: React.FC<TagFormProps> = ({ tag, onClose }) => {
};
});

return options.sort((a, b) => a.value.localeCompare(b.value));
return options.sort((a, b) => universalComparator(a.value, b.value));
}, [tagCategories]);

const tagCategoryInitialValue: ITagCategoryDropdown | null = useMemo(() => {
Expand Down
3 changes: 2 additions & 1 deletion client/src/app/pages/controls/tags/components/tag-table.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -11,6 +11,7 @@ import {
} from "@patternfly/react-table";
import { Tag, TagCategory } from "@app/api/models";
import "./tag-table.css";
import { universalComparator } from "@app/utils/utils";

export interface TabTableProps {
tagCategory: TagCategory;
Expand All @@ -35,7 +36,7 @@ export const TagTable: React.FC<TabTableProps> = ({
</Thead>
<Tbody>
{(tagCategory.tags || [])
.sort((a, b) => a.name.localeCompare(b.name))
.sort((a, b) => universalComparator(a.name, b.name))
.map((tag) => (
<Tr key={tag.name}>
<Td>{tag.name}</Td>
Expand Down
7 changes: 2 additions & 5 deletions client/src/app/pages/controls/tags/tags.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -29,7 +29,7 @@ import { CubesIcon } from "@patternfly/react-icons";
import {
dedupeFunction,
getAxiosErrorMessage,
localeNumericCompare,
universalComparator,
} from "@app/utils/utils";
import { Tag, TagCategory } from "@app/api/models";
import { FilterToolbar, FilterType } from "@app/components/FilterToolbar";
Expand Down Expand Up @@ -57,7 +57,6 @@ import {
import { useLocalTableControls } from "@app/hooks/table-controls";
import { RBAC, controlsWriteScopes, RBAC_TYPE } from "@app/rbac";
import { TagTable } from "./components/tag-table";
import i18n from "@app/i18n";

export const Tags: React.FC = () => {
const { t } = useTranslation();
Expand Down Expand Up @@ -204,9 +203,7 @@ export const Tags: React.FC = () => {
value: tagCategory?.name,
})) ?? []
)
.sort((a, b) =>
localeNumericCompare(a.value, b.value, i18n.language)
)
.sort((a, b) => universalComparator(a.value, b.value))
),
},
{
Expand Down
5 changes: 2 additions & 3 deletions client/src/app/pages/issues/helpers.ts
Original file line number Diff line number Diff line change
Expand Up @@ -23,8 +23,7 @@ import { useFetchTagsWithTagItems } from "@app/queries/tags";
import { useTranslation } from "react-i18next";
import { useFetchArchetypes } from "@app/queries/archetypes";
import { useFetchApplications } from "@app/queries/applications";
import { localeNumericCompare } from "@app/utils/utils";
import i18n from "@app/i18n";
import { universalComparator } from "@app/utils/utils";

// Certain filters are shared between the Issues page and the Affected Applications Page.
// We carry these filter values between the two pages when determining the URLs to navigate between them.
Expand Down Expand Up @@ -58,7 +57,7 @@ export const useSharedAffectedApplicationFilterCategories = <
}) + "...",
selectOptions: applications
.map(({ name }) => name)
.sort((a, b) => localeNumericCompare(a, b, i18n.language))
.sort(universalComparator)
.map((name) => ({
key: name,
value: name,
Expand Down
3 changes: 2 additions & 1 deletion client/src/app/pages/reports/reports.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -30,6 +30,7 @@ import { ApplicationSelectionContextProvider } from "./application-selection-con
import { IdentifiedRisksTable } from "./components/identified-risks-table";
import { toIdRef } from "@app/utils/model-utils";
import { ApplicationLandscape } from "./components/application-landscape";
import { universalComparator } from "@app/utils/utils";

const ALL_QUESTIONNAIRES = -1;

Expand Down Expand Up @@ -112,7 +113,7 @@ export const Reports: React.FC = () => {
)
.map((id) => questionnairesById[id])
.filter((questionnaire) => questionnaire !== undefined)
.sort((a, b) => a.name.localeCompare(b.name));
.sort((a, b) => universalComparator(a.name, b.name));

const isAllQuestionnairesSelected =
selectedQuestionnaireId === ALL_QUESTIONNAIRES;
Expand Down
3 changes: 2 additions & 1 deletion client/src/app/queries/tags.ts
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ import {
updateTagCategory,
} from "@app/api/rest";
import { AxiosError } from "axios";
import { universalComparator } from "@app/utils/utils";

export const TagsQueryKey = "tags";
export const TagCategoriesQueryKey = "tagcategories";
Expand Down Expand Up @@ -88,7 +89,7 @@ export const useFetchTagsWithTagItems = () => {
name: `${tag.category?.name} / ${tag.name}`,
tooltip: tag.category?.name,
}))
.sort((a, b) => a.name.localeCompare(b.name));
.sort((a, b) => universalComparator(a.name, b.name));
}, [tags]);

return {
Expand Down
15 changes: 6 additions & 9 deletions client/src/app/queries/tasks.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import { useMutation, useQuery } from "@tanstack/react-query";

import { cancelTask, deleteTask, getTaskById, getTasks } from "@app/api/rest";
import { universalComparator } from "@app/utils/utils";

interface FetchTasksFilters {
addon?: string;
Expand All @@ -22,15 +23,11 @@ export const useFetchTasks = (
filters?.addon ? filters.addon === task.addon : true
)
// sort by application.id (ascending) then createTime (newest to oldest)
.sort((a, b) => {
if (a.application.id !== b.application.id) {
return a.application.id - b.application.id;
} else {
const aTime = a?.createTime ?? "";
const bTime = b?.createTime ?? "";
return aTime < bTime ? 1 : aTime > bTime ? -1 : 0;
}
})
.sort((a, b) =>
a.application.id !== b.application.id
? universalComparator(a.application.id, b.application.id)
: -1 * universalComparator(a.createTime, b.createTime)
)
// remove old tasks for each application
.filter(
(task, index, tasks) =>
Expand Down
19 changes: 17 additions & 2 deletions client/src/app/utils/utils.ts
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,7 @@ import * as yup from "yup";
import { AxiosError } from "axios";
import { ToolbarChip } from "@patternfly/react-core";
import { AdminPathValues, DevPathValues } from "@app/Paths";
import i18n from "@app/i18n";

// Axios error

Expand Down Expand Up @@ -195,5 +196,19 @@ export const capitalizeFirstLetter = (str: string) =>
export const localeNumericCompare = (
a: string,
b: string,
locale: string
): number => a.localeCompare(b, locale, { numeric: true });
locale: string = i18n.language
): number => a.localeCompare(b, locale ?? "en", { numeric: true });

/**
* Compares all types by converting them to string.
* Nullish entities are converted to empty string.
* @see localeNumericCompare
* @param locale to be used by string compareFn
*/
export const universalComparator = (
// eslint-disable-next-line @typescript-eslint/no-explicit-any
a: any,
// eslint-disable-next-line @typescript-eslint/no-explicit-any
b: any,
locale: string = i18n.language
) => localeNumericCompare(String(a ?? ""), String(b ?? ""), locale);

0 comments on commit 6a824a2

Please sign in to comment.