impress-2020/src/app/WardrobePage/useOutfitState.js

373 lines
10 KiB
JavaScript
Raw Normal View History

2020-04-21 20:46:53 -07:00
import React from "react";
2020-04-24 18:39:38 -07:00
import gql from "graphql-tag";
import produce, { enableMapSet } from "immer";
import { useQuery, useApolloClient } from "@apollo/client";
2020-04-21 20:46:53 -07:00
import { itemAppearanceFragment } from "../components/useOutfitAppearance";
2020-04-21 20:46:53 -07:00
2020-04-24 18:39:38 -07:00
enableMapSet();
2020-04-21 20:46:53 -07:00
export const OutfitStateContext = React.createContext(null);
2020-04-24 18:39:38 -07:00
function useOutfitState() {
const apolloClient = useApolloClient();
const initialState = parseOutfitUrl();
2020-04-24 19:16:24 -07:00
const [state, dispatchToOutfit] = React.useReducer(
outfitStateReducer(apolloClient),
initialState
2020-04-24 19:16:24 -07:00
);
2020-04-21 20:46:53 -07:00
const { name, speciesId, colorId, pose, appearanceId } = state;
2020-04-21 20:46:53 -07:00
2020-04-24 18:39:38 -07:00
// It's more convenient to manage these as a Set in state, but most callers
// will find it more convenient to access them as arrays! e.g. for `.map()`
const wornItemIds = Array.from(state.wornItemIds);
const closetedItemIds = Array.from(state.closetedItemIds);
2020-04-21 20:46:53 -07:00
2020-04-24 18:39:38 -07:00
const allItemIds = [...state.wornItemIds, ...state.closetedItemIds];
2020-04-24 21:17:03 -07:00
const { loading, error, data } = useQuery(
gql`
query OutfitStateItems(
$allItemIds: [ID!]!
$speciesId: ID!
$colorId: ID!
) {
2020-04-24 21:17:03 -07:00
items(ids: $allItemIds) {
# TODO: De-dupe this from SearchPanel?
id
name
thumbnailUrl
appearanceOn(speciesId: $speciesId, colorId: $colorId) {
# This enables us to quickly show the item when the user clicks it!
...ItemAppearanceForOutfitPreview
2020-04-24 21:17:03 -07:00
# This is used to group items by zone, and to detect conflicts when
# wearing a new item.
layers {
zone {
id
label @client
2020-04-24 21:17:03 -07:00
}
}
}
}
# NOTE: We skip this query if items is empty for perf reasons. If
# you're adding more fields, consider changing that condition!
2020-04-24 21:17:03 -07:00
}
${itemAppearanceFragment}
`,
{
variables: { allItemIds, speciesId, colorId },
skip: allItemIds.length === 0,
}
2020-04-21 20:46:53 -07:00
);
const items = data?.items || [];
2020-04-24 21:17:03 -07:00
const itemsById = {};
for (const item of items) {
itemsById[item.id] = item;
}
2020-04-22 14:55:12 -07:00
const zonesAndItems = getZonesAndItems(
itemsById,
wornItemIds,
closetedItemIds
2020-04-21 20:46:53 -07:00
);
2020-04-30 00:45:01 -07:00
const url = buildOutfitUrl(state);
2020-04-24 19:16:24 -07:00
const outfitState = {
zonesAndItems,
2020-04-24 23:29:26 -07:00
name,
2020-04-24 19:16:24 -07:00
wornItemIds,
2020-04-25 07:22:03 -07:00
closetedItemIds,
2020-04-24 19:16:24 -07:00
allItemIds,
speciesId,
colorId,
2020-05-23 12:47:06 -07:00
pose,
appearanceId,
2020-04-30 00:45:01 -07:00
url,
2020-04-24 19:16:24 -07:00
};
2020-04-24 18:39:38 -07:00
// Keep the URL up-to-date. (We don't listen to it, though 😅)
2020-04-30 00:45:01 -07:00
React.useEffect(() => {
window.history.replaceState(null, "", url);
}, [url]);
2020-04-24 19:16:24 -07:00
return { loading, error, outfitState, dispatchToOutfit };
2020-04-24 18:39:38 -07:00
}
const outfitStateReducer = (apolloClient) => (baseState, action) => {
switch (action.type) {
2020-04-24 23:29:26 -07:00
case "rename":
return { ...baseState, name: action.outfitName };
2020-05-10 00:21:04 -07:00
case "setSpeciesAndColor":
return {
...baseState,
speciesId: action.speciesId,
colorId: action.colorId,
pose: action.pose,
appearanceId: null,
2020-05-10 00:21:04 -07:00
};
2020-04-24 18:39:38 -07:00
case "wearItem":
return produce(baseState, (state) => {
2020-04-24 19:16:24 -07:00
const { wornItemIds, closetedItemIds } = state;
2020-04-24 18:39:38 -07:00
const { itemId } = action;
// Move conflicting items to the closet.
//
// We do this by looking them up in the Apollo Cache, which is going to
// include the relevant item data because the `useOutfitState` hook
// queries for it!
//
// (It could be possible to mess up the timing by taking an action
// while worn items are still partially loading, but I think it would
// require a pretty weird action sequence to make that happen... like,
// doing a search and it loads before the worn item data does? Anyway,
// Apollo will throw in that case, which should just essentially reject
// the action.)
let conflictingIds;
try {
conflictingIds = findItemConflicts(itemId, state, apolloClient);
} catch (e) {
console.error(e);
return;
}
2020-04-24 18:39:38 -07:00
for (const conflictingId of conflictingIds) {
wornItemIds.delete(conflictingId);
closetedItemIds.add(conflictingId);
}
2020-04-24 20:19:26 -07:00
// Move this item from the closet to the worn set.
closetedItemIds.delete(itemId);
2020-04-24 18:39:38 -07:00
wornItemIds.add(itemId);
});
2020-04-24 20:19:26 -07:00
case "unwearItem":
return produce(baseState, (state) => {
const { wornItemIds, closetedItemIds } = state;
const { itemId } = action;
// Move this item from the worn set to the closet.
wornItemIds.delete(itemId);
closetedItemIds.add(itemId);
});
case "removeItem":
return produce(baseState, (state) => {
const { wornItemIds, closetedItemIds } = state;
const { itemId } = action;
// Remove this item from both the worn set and the closet.
wornItemIds.delete(itemId);
closetedItemIds.delete(itemId);
});
case "setPose":
return {
...baseState,
pose: action.pose,
// Usually only the `pose` is specified, but `PosePickerSupport` can
// also specify a corresponding `appearanceId`, to get even more
// particular about which version of the pose to show if more than one.
appearanceId: action.appearanceId || null,
};
2020-04-25 05:29:27 -07:00
case "reset":
return produce(baseState, (state) => {
const {
name,
speciesId,
colorId,
2020-05-23 12:47:06 -07:00
pose,
wornItemIds,
closetedItemIds,
} = action;
state.name = name;
state.speciesId = speciesId ? String(speciesId) : baseState.speciesId;
state.colorId = colorId ? String(colorId) : baseState.colorId;
2020-05-23 12:47:06 -07:00
state.pose = pose || baseState.pose;
state.wornItemIds = wornItemIds
2020-04-25 07:22:03 -07:00
? new Set(wornItemIds.map(String))
: baseState.wornItemIds;
state.closetedItemIds = closetedItemIds
2020-04-25 07:22:03 -07:00
? new Set(closetedItemIds.map(String))
: baseState.closetedItemIds;
});
2020-04-24 18:39:38 -07:00
default:
2020-04-25 04:33:05 -07:00
throw new Error(`unexpected action ${JSON.stringify(action)}`);
2020-04-24 18:39:38 -07:00
}
};
function parseOutfitUrl() {
const urlParams = new URLSearchParams(window.location.search);
return {
name: urlParams.get("name"),
speciesId: urlParams.get("species"),
colorId: urlParams.get("color"),
2020-05-23 12:47:06 -07:00
pose: urlParams.get("pose") || "HAPPY_FEM",
appearanceId: urlParams.get("state") || null,
2020-05-11 21:19:34 -07:00
wornItemIds: new Set(urlParams.getAll("objects[]")),
closetedItemIds: new Set(urlParams.getAll("closet[]")),
};
}
2020-04-24 18:39:38 -07:00
function findItemConflicts(itemIdToAdd, state, apolloClient) {
const { wornItemIds, speciesId, colorId } = state;
const { items } = apolloClient.readQuery({
query: gql`
2020-05-19 14:48:54 -07:00
query OutfitStateItemConflicts(
$itemIds: [ID!]!
$speciesId: ID!
$colorId: ID!
) {
2020-04-24 18:39:38 -07:00
items(ids: $itemIds) {
id
appearanceOn(speciesId: $speciesId, colorId: $colorId) {
layers {
zone {
id
}
}
restrictedZones {
id
}
2020-04-24 18:39:38 -07:00
}
}
}
`,
variables: {
itemIds: [itemIdToAdd, ...wornItemIds],
speciesId,
colorId,
},
});
const itemToAdd = items.find((i) => i.id === itemIdToAdd);
if (!itemToAdd.appearanceOn) {
return [];
}
2020-04-24 18:39:38 -07:00
const wornItems = Array.from(wornItemIds).map((id) =>
items.find((i) => i.id === id)
);
const itemToAddZoneSets = getItemZones(itemToAdd);
2020-04-24 18:39:38 -07:00
const conflictingIds = [];
for (const wornItem of wornItems) {
if (!wornItem.appearanceOn) {
continue;
}
const wornItemZoneSets = getItemZones(wornItem);
const itemsConflict =
setsIntersect(
itemToAddZoneSets.occupies,
wornItemZoneSets.occupiesOrRestricts
) ||
setsIntersect(
wornItemZoneSets.occupies,
itemToAddZoneSets.occupiesOrRestricts
);
if (itemsConflict) {
2020-04-24 18:39:38 -07:00
conflictingIds.push(wornItem.id);
}
}
2020-04-22 14:55:12 -07:00
2020-04-24 18:39:38 -07:00
return conflictingIds;
2020-04-22 14:55:12 -07:00
}
function getItemZones(item) {
const occupies = new Set(item.appearanceOn.layers.map((l) => l.zone.id));
const restricts = new Set(item.appearanceOn.restrictedZones.map((z) => z.id));
const occupiesOrRestricts = new Set([...occupies, ...restricts]);
return { occupies, occupiesOrRestricts };
}
function setsIntersect(a, b) {
for (const el of a) {
if (b.has(el)) {
return true;
}
}
return false;
}
2020-04-24 19:16:24 -07:00
// TODO: Get this out of here, tbh...
2020-04-22 14:55:12 -07:00
function getZonesAndItems(itemsById, wornItemIds, closetedItemIds) {
const wornItems = wornItemIds.map((id) => itemsById[id]).filter((i) => i);
const closetedItems = closetedItemIds
.map((id) => itemsById[id])
.filter((i) => i);
// We use zone label here, rather than ID, because some zones have the same
// label and we *want* to over-simplify that in this UI. (e.g. there are
// multiple Hat zones, and some items occupy different ones, but mostly let's
// just group them and if they don't conflict then all the better!)
2020-04-21 20:46:53 -07:00
const allItems = [...wornItems, ...closetedItems];
const itemsByZoneLabel = new Map();
2020-04-24 19:16:24 -07:00
for (const item of allItems) {
if (!item.appearanceOn) {
continue;
}
2020-04-24 19:16:24 -07:00
for (const layer of item.appearanceOn.layers) {
const zoneLabel = layer.zone.label;
2020-04-24 19:16:24 -07:00
if (!itemsByZoneLabel.has(zoneLabel)) {
itemsByZoneLabel.set(zoneLabel, []);
2020-04-24 19:16:24 -07:00
}
itemsByZoneLabel.get(zoneLabel).push(item);
2020-04-24 19:16:24 -07:00
}
}
const zonesAndItems = Array.from(itemsByZoneLabel.entries()).map(
([zoneLabel, items]) => ({
zoneLabel: zoneLabel,
2020-04-24 19:16:24 -07:00
items: [...items].sort((a, b) => a.name.localeCompare(b.name)),
})
);
zonesAndItems.sort((a, b) => a.zoneLabel.localeCompare(b.zoneLabel));
2020-04-21 20:46:53 -07:00
2020-04-22 14:55:12 -07:00
return zonesAndItems;
2020-04-21 20:46:53 -07:00
}
2020-04-30 00:45:01 -07:00
function buildOutfitUrl(state) {
const {
name,
speciesId,
colorId,
2020-05-23 12:47:06 -07:00
pose,
appearanceId,
wornItemIds,
closetedItemIds,
} = state;
2020-04-30 00:45:01 -07:00
2020-05-10 00:21:04 -07:00
const params = new URLSearchParams({
name: name || "",
species: speciesId,
color: colorId,
2020-05-23 12:47:06 -07:00
pose,
2020-05-10 00:21:04 -07:00
});
2020-04-30 00:45:01 -07:00
for (const itemId of wornItemIds) {
params.append("objects[]", itemId);
}
for (const itemId of closetedItemIds) {
params.append("closet[]", itemId);
}
if (appearanceId != null) {
// `state` is an old name for compatibility with old-style DTI URLs. It
// refers to "PetState", the database table name for pet appearances.
params.append("state", appearanceId);
}
2020-04-30 00:45:01 -07:00
const { origin, pathname } = window.location;
const url = origin + pathname + "?" + params.toString();
return url;
}
2020-04-21 20:46:53 -07:00
export default useOutfitState;