score weight + quantils tooltip

This commit is contained in:
2023-10-12 10:22:40 +02:00
parent 0e883dd688
commit 4cb3de356f
16 changed files with 272 additions and 108 deletions

View File

@@ -0,0 +1,42 @@
import { MaybeRefOrGetter, computed, ref, toValue } from "vue";
export type SortDirection = "asc" | "desc";
export type UseSortOptions = {
defaultSortKey?: string;
defaultSortDirection?: SortDirection;
};
export const useSort = <T>(array: MaybeRefOrGetter<T[]>, options?: UseSortOptions) => {
const sortKey = ref<string | null>(options?.defaultSortKey ?? null);
const sortDirection = ref<SortDirection | null>(options?.defaultSortDirection ?? null);
const sortBy = (key: string, direction: SortDirection) => {
sortKey.value = key;
sortDirection.value = direction;
};
const headerProps = computed(() => ({
onSort: sortBy,
currentSortKey: sortKey.value,
sortDirection: sortDirection.value,
}));
const sortedArray = computed(() => toValue(array).sort((a, b) => {
if (sortKey.value === null || sortDirection.value === null) {
return 0;
}
const aValue = (a as any)[sortKey.value];
const bValue = (b as any)[sortKey.value];
if (aValue === bValue) {
return 0;
}
if (sortDirection.value === "asc") {
return aValue > bValue ? 1 : -1;
} else {
return aValue > bValue ? -1 : 1;
}
}));
return { sortedArray, headerProps };
}