File size: 1,546 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 |
import type { LayoutLocator } from "./types";
// Function to find a specific item in a layout
export const findItemInLayout = (item: string, layout: string[][][]): LayoutLocator | null => {
for (const [page, element] of layout.entries()) {
for (const [column, element_] of element.entries()) {
for (const [section, element__] of element_.entries()) {
if (element__ === item) {
return { page, column, section };
}
}
}
}
return null;
};
// Function to remove a specific item in a layout
export const removeItemInLayout = (item: string, layout: string[][][]): LayoutLocator | null => {
const locator = findItemInLayout(item, layout);
if (locator) {
layout[locator.page][locator.column].splice(locator.section, 1);
}
return locator;
};
// Function to move an item within a layout
export const moveItemInLayout = (
current: LayoutLocator,
target: LayoutLocator,
layout: string[][][],
): string[][][] => {
try {
// Create a deep copy of the layout to avoid mutating the original array
const newLayout = JSON.parse(JSON.stringify(layout));
// Get the item from the current location
const item = newLayout[current.page][current.column][current.section];
// Remove the item from the current location
newLayout[current.page][current.column].splice(current.section, 1);
// Insert the item at the target location
newLayout[target.page][target.column].splice(target.section, 0, item);
return newLayout;
} catch {
return layout;
}
};
|