modmapper-web/components/CellList.tsx

92 lines
2.5 KiB
TypeScript
Raw Normal View History

2022-03-18 00:24:25 +00:00
import React, { useEffect, useRef, useState } from "react";
2022-02-07 00:38:48 +00:00
import Link from "next/link";
2022-03-18 00:24:25 +00:00
import MiniSearch from "minisearch";
2022-02-07 00:38:48 +00:00
2022-03-18 00:24:25 +00:00
import styles from "../styles/CellList.module.css";
2022-02-07 00:38:48 +00:00
import type { CellCoord } from "./ModData";
type Props = {
cells: CellCoord[];
};
const CellList: React.FC<Props> = ({ cells }) => {
2022-03-18 00:24:25 +00:00
const cellSearch = useRef<MiniSearch<CellCoord> | null>(
null
) as React.MutableRefObject<MiniSearch<CellCoord>>;
useEffect(() => {
cellSearch.current = new MiniSearch({
fields: ["id"],
storeFields: ["id", "x", "y"],
tokenize: (s) => [s.replace(/cell\s?|\s/gi, "")],
searchOptions: {
fields: ["id"],
prefix: true,
fuzzy: false,
},
});
cellSearch.current.addAll(
cells.map((cell) => ({ ...cell, id: `${cell.x},${cell.y}` }))
);
}, [cells]);
const [filter, setFilter] = useState<string>("");
const [filterResults, setFilterResults] = useState<Set<string>>(new Set());
const filteredCells = cells
.filter((cell) => !filter || filterResults.has(`${cell.x},${cell.y}`))
.sort((a, b) => (a.x - b.x) * 1000 + a.y - b.y);
useEffect(() => {
if (cellSearch.current) {
setFilterResults(
new Set(cellSearch.current.search(filter).map((result) => result.id))
);
}
}, [filter]);
2022-02-07 00:38:48 +00:00
return (
2022-03-18 00:24:25 +00:00
filteredCells && (
2022-02-07 00:38:48 +00:00
<>
2022-03-18 00:24:25 +00:00
<h2>Exterior Cells ({filteredCells.length})</h2>
<div className={styles.filters}>
<hr />
<div className={styles["filter-row"]}>
<label htmlFor="filter">Filter:</label>
<input
type="search"
id="filter"
className={styles.filter}
value={filter}
onChange={(event) => setFilter(event.target.value)}
/>
</div>
<hr />
</div>
2022-02-07 00:38:48 +00:00
<ul className={styles["cell-list"]}>
2022-03-18 00:24:25 +00:00
{filteredCells.map((cell) => (
<li
key={`cell-${cell.x},${cell.y}`}
className={styles["cell-list-item"]}
>
<div className={styles["cell-title"]}>
<strong>
<Link
href={`/?cell=${encodeURIComponent(`${cell.x},${cell.y}`)}`}
>
<a>
{cell.x}, {cell.y}
</a>
</Link>
</strong>
</div>
</li>
))}
2022-02-07 00:38:48 +00:00
</ul>
</>
)
);
};
export default CellList;