parent
7dbc947abd
commit
ed6765fbf6
@ -1,26 +1,143 @@ |
||||
import React from "react"; |
||||
import useShape from "../../ng-mock/js-land/frontendAdapters/react/useShape"; |
||||
import flattenObject from "../utils/flattenObject"; |
||||
|
||||
export function HelloWorldReact() { |
||||
const state = useShape("Shape1", ""); |
||||
const state = useShape("TestShape", ""); |
||||
|
||||
// @ts-expect-error
|
||||
window.reactState = state; |
||||
console.log("react render", state); |
||||
// console.log("[react] rendering", state);
|
||||
|
||||
if (!state) return <>Loading state</>; |
||||
|
||||
// Create a table from the state object: One column for keys, one for values, one with an input to change the value.
|
||||
|
||||
return ( |
||||
<div> |
||||
<p>Hello World from React!</p> |
||||
{state.name} lives at {state.address.street} |
||||
<p></p> |
||||
<p>Rendered in React</p> |
||||
|
||||
<table border={1} cellPadding={5}> |
||||
<thead> |
||||
<tr> |
||||
<th>Key</th> |
||||
<th>Value</th> |
||||
<th>Edit</th> |
||||
</tr> |
||||
</thead> |
||||
<tbody> |
||||
{(() => { |
||||
const setNestedValue = (obj: any, path: string, value: any) => { |
||||
const keys = path.split("."); |
||||
let current = obj; |
||||
|
||||
for (let i = 0; i < keys.length - 1; i++) { |
||||
current = current[keys[i]]; |
||||
} |
||||
|
||||
current[keys[keys.length - 1]] = value; |
||||
}; |
||||
|
||||
const getNestedValue = (obj: any, path: string) => { |
||||
return path |
||||
.split(".") |
||||
.reduce((current, key) => current[key], obj); |
||||
}; |
||||
|
||||
return flattenObject(state).map(([key, value]) => ( |
||||
<tr key={key}> |
||||
<td>{key}</td> |
||||
<td> |
||||
{value instanceof Set |
||||
? Array.from(value).join(", ") |
||||
: Array.isArray(value) |
||||
? `[${value.join(", ")}]` |
||||
: JSON.stringify(value)} |
||||
</td> |
||||
<td> |
||||
{typeof value === "string" ? ( |
||||
<input |
||||
type="text" |
||||
value={value} |
||||
onChange={(e) => { |
||||
setNestedValue(state, key, e.target.value); |
||||
}} |
||||
/> |
||||
) : typeof value === "number" ? ( |
||||
<input |
||||
type="number" |
||||
value={value} |
||||
onChange={(e) => { |
||||
setNestedValue(state, key, Number(e.target.value)); |
||||
}} |
||||
/> |
||||
) : typeof value === "boolean" ? ( |
||||
<input |
||||
type="checkbox" |
||||
checked={value} |
||||
onChange={(e) => { |
||||
setNestedValue(state, key, e.target.checked); |
||||
}} |
||||
/> |
||||
) : Array.isArray(value) ? ( |
||||
<div> |
||||
<button |
||||
onClick={() => { |
||||
state.name = `${state.name} ${state.name}`; |
||||
const currentArray = getNestedValue(state, key); |
||||
setNestedValue(state, key, [ |
||||
...currentArray, |
||||
currentArray.length + 1, |
||||
]); |
||||
}} |
||||
> |
||||
Double name |
||||
Add |
||||
</button> |
||||
<button |
||||
onClick={() => { |
||||
const currentArray = getNestedValue(state, key); |
||||
if (currentArray.length > 0) { |
||||
setNestedValue( |
||||
state, |
||||
key, |
||||
currentArray.slice(0, -1) |
||||
); |
||||
} |
||||
}} |
||||
> |
||||
Remove |
||||
</button> |
||||
</div> |
||||
) : value instanceof Set ? ( |
||||
<div> |
||||
<button |
||||
onClick={() => { |
||||
const currentSet = getNestedValue(state, key); |
||||
currentSet.add(`item${currentSet.size + 1}`); |
||||
}} |
||||
> |
||||
Add |
||||
</button> |
||||
<button |
||||
onClick={() => { |
||||
const currentSet = getNestedValue(state, key); |
||||
const lastItem = Array.from(currentSet).pop(); |
||||
if (lastItem) { |
||||
currentSet.delete(lastItem); |
||||
} |
||||
}} |
||||
> |
||||
Remove |
||||
</button> |
||||
</div> |
||||
) : ( |
||||
"N/A" |
||||
)} |
||||
</td> |
||||
</tr> |
||||
)); |
||||
})()} |
||||
</tbody> |
||||
</table> |
||||
</div> |
||||
); |
||||
} |
||||
|
@ -1,19 +1,126 @@ |
||||
<script> |
||||
import useShape from "../../ng-mock/js-land/frontendAdapters/svelte/useShape"; |
||||
<script lang="ts"> |
||||
import useShape from "../../ng-mock/js-land/frontendAdapters/svelte/useShape.svelte"; |
||||
import flattenObject from "../utils/flattenObject"; |
||||
import type { Writable } from "svelte/store"; |
||||
|
||||
const nestedObject = useShape("Shape1", null); |
||||
</script> |
||||
const shapeObject = useShape("TestShape"); |
||||
|
||||
$effect(() => { |
||||
console.log("[svelte]", $shapeObject.objectValue.nestedString); |
||||
}); |
||||
|
||||
<div> |
||||
<p>Hello World from Svelte!</p> |
||||
function getNestedValue(obj: any, path: string) { |
||||
return path |
||||
.split(".") |
||||
.reduce((cur, k) => (cur == null ? cur : cur[k]), obj); |
||||
} |
||||
function setNestedValue(obj: any, path: string, value: any) { |
||||
const keys = path.split("."); |
||||
let cur = obj; |
||||
for (let i = 0; i < keys.length - 1; i++) { |
||||
cur = cur[keys[i]]; |
||||
if (cur == null) return; |
||||
} |
||||
cur[keys[keys.length - 1]] = value; |
||||
} |
||||
const flatEntries = $derived( |
||||
$shapeObject ? flattenObject($shapeObject as any) : [] |
||||
); |
||||
$effect(() => { |
||||
(window as any).svelteState = $shapeObject; |
||||
}); |
||||
</script> |
||||
|
||||
<pre>{JSON.stringify($nestedObject, null, 4)}</pre> |
||||
{#if $shapeObject} |
||||
<div> |
||||
<p>Rendered in Svelte</p> |
||||
<table border="1" cellpadding="5"> |
||||
<thead> |
||||
<tr> |
||||
<th>Key</th> |
||||
<th>Value</th> |
||||
<th>Edit</th> |
||||
</tr> |
||||
</thead> |
||||
<tbody> |
||||
{#each flatEntries as [key, value] (key)} |
||||
<tr> |
||||
<td style="white-space:nowrap;">{key}</td> |
||||
<td> |
||||
{#if value instanceof Set} |
||||
{Array.from(value).join(", ")} |
||||
{:else if Array.isArray(value)} |
||||
[{value.join(", ")}] |
||||
{:else} |
||||
{JSON.stringify(value)} |
||||
{/if} |
||||
</td> |
||||
<td> |
||||
{#if typeof value === "string"} |
||||
<input |
||||
type="text" |
||||
{value} |
||||
oninput={(e: any) => |
||||
setNestedValue($shapeObject, key, e.target.value)} |
||||
/> |
||||
{:else if typeof value === "number"} |
||||
<input |
||||
type="number" |
||||
{value} |
||||
oninput={(e: any) => |
||||
setNestedValue($shapeObject, key, Number(e.target.value))} |
||||
/> |
||||
{:else if typeof value === "boolean"} |
||||
<input |
||||
type="checkbox" |
||||
checked={value} |
||||
onchange={(e: any) => |
||||
setNestedValue($shapeObject, key, e.target.checked)} |
||||
/> |
||||
{:else if Array.isArray(value)} |
||||
<div style="display:flex; gap:.5rem;"> |
||||
<button |
||||
onclick={() => { |
||||
const cur = getNestedValue($shapeObject, key) || []; |
||||
setNestedValue($shapeObject, key, [ |
||||
...cur, |
||||
cur.length + 1, |
||||
]); |
||||
}}>Add</button |
||||
> |
||||
<button |
||||
onclick={() => { |
||||
const cur = getNestedValue($shapeObject, key) || []; |
||||
if (cur.length) |
||||
setNestedValue($shapeObject, key, cur.slice(0, -1)); |
||||
}}>Remove</button |
||||
> |
||||
</div> |
||||
{:else if value instanceof Set} |
||||
<div style="display:flex; gap:.5rem;"> |
||||
<button |
||||
onclick={() => { |
||||
const cur: Set<any> = getNestedValue($shapeObject, key); |
||||
cur.add(`item${cur.size + 1}`); |
||||
}}>Add</button |
||||
> |
||||
<button |
||||
on:click={() => { |
||||
window.svelteState = $nestedObject; |
||||
$nestedObject.name = $nestedObject.name.toUpperCase(); |
||||
}} |
||||
onclick={() => { |
||||
const cur: Set<any> = getNestedValue($shapeObject, key); |
||||
const last = Array.from(cur).pop(); |
||||
if (last !== undefined) cur.delete(last); |
||||
}}>Remove</button |
||||
> |
||||
upper-case name |
||||
</button> |
||||
</div> |
||||
</div> |
||||
{:else} |
||||
N/A |
||||
{/if} |
||||
</td> |
||||
</tr> |
||||
{/each} |
||||
</tbody> |
||||
</table> |
||||
</div> |
||||
{:else} |
||||
<p>Loading state</p> |
||||
{/if} |
||||
|
@ -0,0 +1,43 @@ |
||||
interface FlattenOptions { |
||||
/** Maximum depth to traverse (default: 8). */ |
||||
maxDepth?: number; |
||||
/** Skip keys that start with a dollar sign (deepSignal meta). Default: true */ |
||||
skipDollarKeys?: boolean; |
||||
} |
||||
|
||||
const isPlainObject = (v: any) => |
||||
Object.prototype.toString.call(v) === "[object Object]"; |
||||
|
||||
const flattenObject = ( |
||||
obj: any, |
||||
prefix = "", |
||||
options: FlattenOptions = {}, |
||||
seen = new Set<any>(), |
||||
depth = 0 |
||||
): Array<[string, any]> => { |
||||
const { maxDepth = 8, skipDollarKeys = true } = options; |
||||
const result: Array<[string, any]> = []; |
||||
if (!obj || typeof obj !== "object") return result; |
||||
if (seen.has(obj)) return result; // cycle detected
|
||||
seen.add(obj); |
||||
if (depth > maxDepth) return result; |
||||
|
||||
for (const [key, value] of Object.entries(obj)) { |
||||
if (skipDollarKeys && key.startsWith("$")) continue; |
||||
const fullKey = prefix ? `${prefix}.${key}` : key; |
||||
if ( |
||||
value && |
||||
typeof value === "object" && |
||||
!Array.isArray(value) && |
||||
!(value instanceof Set) && |
||||
isPlainObject(value) |
||||
) { |
||||
result.push(...flattenObject(value, fullKey, options, seen, depth + 1)); |
||||
} else { |
||||
result.push([fullKey, value]); |
||||
} |
||||
} |
||||
return result; |
||||
}; |
||||
|
||||
export default flattenObject; |
@ -1,29 +1,129 @@ |
||||
<script setup lang="ts"> |
||||
import type { WritableComputedRef } from 'vue'; |
||||
import { watch } from 'vue'; |
||||
import useShape from '../../ng-mock/js-land/frontendAdapters/vue/useShape'; |
||||
import { deepComputed } from '../../ng-mock/js-land/frontendAdapters/vue/deepComputed'; |
||||
import flattenObject from '../utils/flattenObject'; |
||||
|
||||
const shapeObj = useShape("Shape1", "null"); |
||||
// Acquire deep signal object (proxy) for a shape; scope second arg left empty string for parity |
||||
const shapeObj = useShape('TestShape', ''); |
||||
|
||||
window.vueState= shapeObj; |
||||
// Expose for devtools exploration |
||||
// @ts-ignore |
||||
window.vueState = shapeObj; |
||||
|
||||
const setName = () => { |
||||
shapeObj.value.name = "Bobby" |
||||
// Helpers to read / write nested properties given a dot path produced by flattenObject |
||||
function getNestedValue(obj: any, path: string) { |
||||
return path.split('.').reduce((cur, k) => (cur == null ? cur : cur[k]), obj); |
||||
} |
||||
function setNestedValue(obj: any, path: string, value: any) { |
||||
const keys = path.split('.'); |
||||
let cur = obj; |
||||
for (let i = 0; i < keys.length - 1; i++) { |
||||
cur = cur[keys[i]]; |
||||
if (cur == null) return; |
||||
} |
||||
cur[keys[keys.length - 1]] = value; |
||||
} |
||||
|
||||
// Reactive flattened entries built via deepComputed bridging deepSignal dependencies to Vue. |
||||
const flatEntries = deepComputed(() => (shapeObj ? flattenObject(shapeObj.value as any) : [])); |
||||
|
||||
// log flatEntries |
||||
watch(flatEntries, (newVal) => { |
||||
console.log('flatEntries changed:', newVal); |
||||
}, { deep: true }); |
||||
</script> |
||||
|
||||
|
||||
<template> |
||||
<div> |
||||
<p>Hello World from Vue!</p> |
||||
<div v-if="shapeObj != null"> |
||||
<p>Type is <em>{{shapeObj.type}}</em> with street <em>{{shapeObj.address.street}}</em></p> |
||||
|
||||
<button @click="setName"> |
||||
Click to switch name |
||||
</button> |
||||
<div class="vue"> |
||||
<p>Rendered in Vue</p> |
||||
<template v-if="shapeObj"> |
||||
|
||||
<table border="1" cellpadding="5" style="margin-top:1rem; max-width:100%; font-size:0.9rem;"> |
||||
<thead> |
||||
<tr> |
||||
<th>Key</th> |
||||
<th>Value</th> |
||||
<th>Edit</th> |
||||
</tr> |
||||
</thead> |
||||
|
||||
<tbody> |
||||
<tr v-for="([key, value]) in flatEntries" :key="key"> |
||||
<!-- Key--> |
||||
<td style="white-space:nowrap;">{{ key }}</td> |
||||
|
||||
<!-- Value --> |
||||
<td> |
||||
<template v-if="value instanceof Set"> |
||||
{{ Array.from(value).join(', ') }} |
||||
</template> |
||||
<template v-else-if="Array.isArray(value)"> |
||||
[{{ value.join(', ') }}] |
||||
</template> |
||||
<template v-else> |
||||
{{ JSON.stringify(value) }} |
||||
</template> |
||||
</td> |
||||
|
||||
<!-- Edit --> |
||||
<td> |
||||
<!-- String editing --> |
||||
<template v-if="typeof value === 'string'"> |
||||
<template v-if="key.indexOf('.') === -1"> |
||||
<input type="text" v-model="(shapeObj)[key]" /> |
||||
</template> |
||||
<template v-else> |
||||
<input type="text" v-bind:value="value" /> |
||||
</template> |
||||
</template> |
||||
<!-- Number editing --> |
||||
<template v-else-if="typeof value === 'number'"> |
||||
<template v-if="key.indexOf('.') === -1"> |
||||
<input type="number" v-model.number="(shapeObj)[key]" /> |
||||
</template> |
||||
<template v-else> |
||||
<input type="number" v-bind:value="value" /> |
||||
</template> |
||||
</template> |
||||
<!-- Boolean editing --> |
||||
<template v-else-if="typeof value === 'boolean'"> |
||||
<template v-if="key.indexOf('.') === -1"> |
||||
<input type="checkbox" v-model="(shapeObj as any)[key]" /> |
||||
</template> |
||||
<template v-else> |
||||
<input type="checkbox" v-bind:value="value" /> |
||||
</template> |
||||
</template> |
||||
<!-- Array editing --> |
||||
<template v-else-if="Array.isArray(value)"> |
||||
<div style="display:flex; gap:.5rem;"> |
||||
<button |
||||
@click="() => { const current = getNestedValue(shapeObj, key) || []; setNestedValue(shapeObj, key, [...current, current.length + 1]); }">Add</button> |
||||
<button |
||||
@click="() => { const current = getNestedValue(shapeObj, key) || []; if (current.length) setNestedValue(shapeObj, key, current.slice(0, -1)); }">Remove</button> |
||||
</div> |
||||
<div v-else> |
||||
Loading state |
||||
</template> |
||||
<!-- Set editing --> |
||||
<template v-else-if="value instanceof Set"> |
||||
<div style="display:flex; gap:.5rem;"> |
||||
<button |
||||
@click="() => { const currentSet: Set<any> = getNestedValue(shapeObj, key); currentSet.add(`item${currentSet.size + 1}`); }">Add</button> |
||||
<button |
||||
@click="() => { const currentSet: Set<any> = getNestedValue(shapeObj, key); const last = Array.from(currentSet).pop(); if (last !== undefined) currentSet.delete(last); }">Remove</button> |
||||
</div> |
||||
</template> |
||||
<template v-else> |
||||
N/A |
||||
</template> |
||||
</td> |
||||
</tr> |
||||
</tbody> |
||||
</table> |
||||
</template> |
||||
<template v-else> |
||||
<p>Loading state</p> |
||||
</template> |
||||
</div> |
||||
</template> |
@ -1,9 +1,7 @@ |
||||
import type { DeepSignalObject } from "alien-deepsignals"; |
||||
import type { Diff } from "../types"; |
||||
|
||||
/** Mock function to apply diffs. Just uses a copy of the diff as the new object. */ |
||||
export function applyDiff(currentState: any, diff: Diff) { |
||||
const clone = JSON.parse(JSON.stringify(diff)); |
||||
Object.keys(clone).forEach((k) => { |
||||
currentState[k] = clone[k]; |
||||
}); |
||||
export function applyDiff(currentState: DeepSignalObject<any>, diff: Diff) { |
||||
Object.assign(currentState, diff); |
||||
} |
||||
|
@ -0,0 +1 @@ |
||||
export * from "./useDeepSignal"; |
@ -0,0 +1,119 @@ |
||||
import { useCallback, useMemo, useRef, useSyncExternalStore } from "react"; |
||||
import { subscribeDeepMutations, getDeepSignalRootId } from "alien-deepsignals"; |
||||
|
||||
/** |
||||
* Basic hook: re-renders whenever any deep patch for the provided deepSignal root occurs. |
||||
* Returns ONLY the deep proxy (React-like primitive hook contract). |
||||
*/ |
||||
export function useDeepSignal<T extends object>(deepProxy: T): T { |
||||
const rootIdRef = useRef(getDeepSignalRootId(deepProxy as any)); |
||||
const versionRef = useRef(0); |
||||
const listenersRef = useRef(new Set<() => void>()); |
||||
|
||||
useMemo(() => { |
||||
const unsubscribe = subscribeDeepMutations((batch) => { |
||||
if (!rootIdRef.current) return; |
||||
if (batch.some((p) => p.root === rootIdRef.current)) { |
||||
versionRef.current++; |
||||
listenersRef.current.forEach((l) => l()); |
||||
} |
||||
}); |
||||
return unsubscribe; |
||||
}, []); |
||||
|
||||
const subscribe = useCallback((cb: () => void) => { |
||||
listenersRef.current.add(cb); |
||||
return () => listenersRef.current.delete(cb); |
||||
}, []); |
||||
const getSnapshot = useCallback(() => versionRef.current, []); |
||||
useSyncExternalStore(subscribe, getSnapshot, getSnapshot); |
||||
return deepProxy; |
||||
} |
||||
|
||||
/** Internal representation of a tracked path as an array of keys. */ |
||||
type Path = (string | number)[]; |
||||
|
||||
/** Convert path to a cache key string. */ |
||||
const pathKey = (p: Path) => p.join("\u001f"); |
||||
|
||||
/** |
||||
* Selective hook: only re-renders when a patch path intersects (prefix in either direction) |
||||
* with a property path actually read during the last render. Returns a proxy view for tracking. |
||||
*/ |
||||
export function useDeepSignalSelective<T extends object>(deepProxy: T): T { |
||||
const rootIdRef = useRef(getDeepSignalRootId(deepProxy as any)); |
||||
const versionRef = useRef(0); |
||||
const listenersRef = useRef(new Set<() => void>()); |
||||
const accessedRef = useRef<Set<string>>(new Set()); |
||||
// Cache proxies per path for identity stability within a render.
|
||||
const proxyCacheRef = useRef(new Map<string, any>()); |
||||
|
||||
// Build a tracking proxy for a target at a given path.
|
||||
const buildProxy = useCallback((target: any, path: Path): any => { |
||||
const key = pathKey(path); |
||||
if (proxyCacheRef.current.has(key)) return proxyCacheRef.current.get(key); |
||||
const prox = new Proxy(target, { |
||||
get(_t, prop, recv) { |
||||
if (typeof prop === "symbol") return Reflect.get(_t, prop, recv); |
||||
const nextPath = path.concat(prop as any); |
||||
// Record full path and all prefixes for descendant change detection.
|
||||
for (let i = 1; i <= nextPath.length; i++) { |
||||
accessedRef.current.add(pathKey(nextPath.slice(0, i))); |
||||
} |
||||
const val = Reflect.get(_t, prop, recv); |
||||
if (val && typeof val === "object") { |
||||
return buildProxy(val, nextPath); |
||||
} |
||||
return val; |
||||
}, |
||||
}); |
||||
proxyCacheRef.current.set(key, prox); |
||||
return prox; |
||||
}, []); |
||||
|
||||
// Patch subscription (once)
|
||||
useMemo(() => { |
||||
const unsubscribe = subscribeDeepMutations((batch) => { |
||||
if (!rootIdRef.current) return; |
||||
const relevant = batch.filter((p) => p.root === rootIdRef.current); |
||||
if (!relevant.length) return; |
||||
// Test intersection.
|
||||
const used = accessedRef.current; |
||||
let hit = false; |
||||
outer: for (const patch of relevant) { |
||||
const pPath = patch.path as Path; |
||||
const pKey = pathKey(pPath); |
||||
if (used.has(pKey)) { |
||||
hit = true; |
||||
break; |
||||
} |
||||
// Check prefix/descendant
|
||||
for (const usedKey of used) { |
||||
if (pKey.startsWith(usedKey) || usedKey.startsWith(pKey)) { |
||||
hit = true; |
||||
break outer; |
||||
} |
||||
} |
||||
} |
||||
if (hit) { |
||||
versionRef.current++; |
||||
listenersRef.current.forEach((l) => l()); |
||||
} |
||||
}); |
||||
return unsubscribe; |
||||
}, []); |
||||
|
||||
const subscribe = useCallback((cb: () => void) => { |
||||
listenersRef.current.add(cb); |
||||
return () => listenersRef.current.delete(cb); |
||||
}, []); |
||||
const getSnapshot = useCallback(() => versionRef.current, []); |
||||
useSyncExternalStore(subscribe, getSnapshot, getSnapshot); |
||||
|
||||
// Each render reset tracking containers so next render collects fresh usage.
|
||||
accessedRef.current = new Set(); |
||||
proxyCacheRef.current = new Map(); |
||||
return buildProxy(deepProxy, []); |
||||
} |
||||
|
||||
export default useDeepSignal; |
@ -0,0 +1,98 @@ |
||||
import { derived, writable, type Readable } from "svelte/store"; |
||||
import { createSignalObjectForShape } from "src/ng-mock/js-land/connector/createSignalObjectForShape"; |
||||
import type { Scope, Shape } from "src/ng-mock/js-land/types"; |
||||
import { onDestroy } from "svelte"; |
||||
import { |
||||
subscribeDeepMutations, |
||||
getDeepSignalRootId, |
||||
type DeepPatch, |
||||
} from "alien-deepsignals"; |
||||
|
||||
/** Base result contract for a deepSignal-backed Svelte integration. */ |
||||
export interface UseDeepSignalResult<T = any> extends Readable<T> { |
||||
/** Store of the full deep proxy tree (also accessible via `subscribe` directly on this result). */ |
||||
deep: Readable<T>; |
||||
/** Last batch of deep mutation patches for this root (empties only on next non-empty batch). */ |
||||
patches: Readable<DeepPatch[]>; |
||||
/** Derive a nested selection; re-runs when the underlying tree version increments. */ |
||||
select<U>(selector: (tree: T) => U): Readable<U>; |
||||
/** Stop receiving further updates (invoked automatically on component destroy). */ |
||||
dispose(): void; |
||||
/** Replace root shape contents (mutative merge) – enables Svelte writable store binding semantics. */ |
||||
set(next: Partial<T> | T): void; |
||||
/** Functional update helper using current tree snapshot. */ |
||||
update(updater: (current: T) => T | void): void; |
||||
} |
||||
|
||||
/** |
||||
* Generic Svelte rune bridging any deepSignal proxy root into the Svelte store contract. |
||||
* |
||||
* Exposes itself as a store (has `subscribe`) plus helper properties/methods. |
||||
*/ |
||||
export function useDeepSignal<T = any>(deepProxy: T): UseDeepSignalResult<T> { |
||||
const rootId = getDeepSignalRootId(deepProxy as any); |
||||
const version = writable(0); |
||||
const patchesStore = writable<DeepPatch[]>([]); |
||||
|
||||
const unsubscribe = subscribeDeepMutations((batch) => { |
||||
if (!rootId) return; |
||||
const filtered = batch.filter((p) => p.root === rootId); |
||||
if (filtered.length) { |
||||
patchesStore.set(filtered); |
||||
version.update((n) => n + 1); |
||||
} |
||||
}); |
||||
|
||||
const deep = derived(version, () => deepProxy); |
||||
const select = <U>(selector: (tree: T) => U): Readable<U> => |
||||
derived(deep, (t) => selector(t)); |
||||
const dispose = () => unsubscribe(); |
||||
onDestroy(dispose); |
||||
|
||||
// Expose Svelte store contract by delegating subscribe to deep store.
|
||||
const applyReplacement = (next: any) => { |
||||
if (!next || typeof next !== "object") return; |
||||
// Remove keys absent in next
|
||||
for (const k of Object.keys(deepProxy as any)) { |
||||
if (!(k in next)) delete (deepProxy as any)[k]; |
||||
} |
||||
// Assign / overwrite provided keys
|
||||
Object.assign(deepProxy as any, next); |
||||
}; |
||||
|
||||
const store: UseDeepSignalResult<T> = { |
||||
deep, |
||||
patches: patchesStore, |
||||
select, |
||||
dispose, |
||||
subscribe: deep.subscribe, |
||||
set(next) { |
||||
applyReplacement(next); |
||||
}, |
||||
update(updater) { |
||||
const result = updater(deepProxy); |
||||
if (result && typeof result === "object") applyReplacement(result); |
||||
}, |
||||
}; |
||||
return store; |
||||
} |
||||
|
||||
/** Extended result including the originating root signal wrapper from shape logic. */ |
||||
export interface UseShapeRuneResult<T = any> extends UseDeepSignalResult<T> { |
||||
root: any; |
||||
} |
||||
|
||||
/** |
||||
* Shape-specific rune: constructs the signal object for a shape then delegates to {@link useDeepSignal}. |
||||
*/ |
||||
export function useShapeRune<T = any>( |
||||
shape: Shape, |
||||
scope?: Scope |
||||
): UseShapeRuneResult<T> { |
||||
const rootSignal = createSignalObjectForShape(shape, scope); |
||||
// rootSignal is already a deepSignal proxy root (object returned by createSignalObjectForShape)
|
||||
const ds = useDeepSignal<T>(rootSignal as unknown as T); |
||||
return { root: rootSignal, ...ds } as UseShapeRuneResult<T>; |
||||
} |
||||
|
||||
export default useShapeRune; |
@ -1,16 +0,0 @@ |
||||
import { derived } from "svelte/store"; |
||||
import { useSignal } from "@gn8/alien-signals-svelte"; |
||||
import { createSignalObjectForShape } from "src/ng-mock/js-land/connector/createSignalObjectForShape"; |
||||
import type { Scope, Shape } from "src/ng-mock/js-land/types"; |
||||
|
||||
const useShape = (shape: Shape, scope: Scope) => { |
||||
const signalOfShape = createSignalObjectForShape(shape, scope); |
||||
|
||||
const writeableStoreForShape = useSignal(signalOfShape); |
||||
|
||||
// Get the content "deepSignal"
|
||||
const content = derived(writeableStoreForShape, (value) => value.content); |
||||
return content; |
||||
}; |
||||
|
||||
export default useShape; |
@ -0,0 +1,26 @@ |
||||
import { shallowRef, onMounted, onUnmounted } from "vue"; |
||||
import { subscribeDeepMutations } from "alien-deepsignals"; |
||||
|
||||
/** |
||||
* Coarse-grained bridge: recompute the getter on every deep mutation batch. |
||||
* Simpler than dual dependency systems (Vue + alien) and sufficient for editor panel. |
||||
* Optimize later by filtering patches / caching accessed top-level keys. |
||||
*/ |
||||
export function deepComputed<T>(getter: () => T) { |
||||
const r = shallowRef<T>(getter()); |
||||
let unsubscribe: (() => void) | null = null; |
||||
onMounted(() => { |
||||
unsubscribe = subscribeDeepMutations(() => { |
||||
try { |
||||
r.value = getter(); |
||||
} catch (e) { |
||||
// eslint-disable-next-line no-console
|
||||
console.warn("deepComputed recompute failed", e); |
||||
} |
||||
}); |
||||
}); |
||||
onUnmounted(() => unsubscribe?.()); |
||||
return r; |
||||
} |
||||
|
||||
export default deepComputed; |
@ -0,0 +1,3 @@ |
||||
export * from "./useDeepSignal"; |
||||
export { default as useDeepSignal } from "./useDeepSignal"; |
||||
export { default as useShape } from "./useShape"; |
@ -0,0 +1,9 @@ |
||||
import { ref } from "vue"; |
||||
|
||||
export function useDeepSignal<T extends object>(deepProxy: T) { |
||||
// TODO: Subscribe to and synchronize changes between deepProxy and ref.
|
||||
|
||||
return ref(deepProxy); |
||||
} |
||||
|
||||
export default useDeepSignal; |
@ -1,14 +1,16 @@ |
||||
import { useSignal } from "@gn8/alien-signals-vue"; |
||||
import { createSignalObjectForShape } from "src/ng-mock/js-land/connector/createSignalObjectForShape"; |
||||
import type { Scope, Shape } from "src/ng-mock/js-land/types"; |
||||
import { computed } from "vue"; |
||||
const useShape = (shape: Shape, scope: Scope) => { |
||||
const signalOfShape = createSignalObjectForShape(shape, scope); |
||||
|
||||
const refOfShape = useSignal(signalOfShape); |
||||
import { useDeepSignal } from "./useDeepSignal"; |
||||
|
||||
// TODO: Maybe `refOfShape.value.content` works too?
|
||||
return computed(() => refOfShape.value.content); |
||||
/** |
||||
* Vue adapter returning a wrapped deepSignal root whose property reads become Vue-reactive |
||||
* via a version dependency injected in the proxy layer (see useDeepSignal). |
||||
*/ |
||||
const useShape = (shape: Shape, scope: Scope) => { |
||||
const container = createSignalObjectForShape(shape, scope); |
||||
// container is a deepSignal root; we only care about its content field once set.
|
||||
return useDeepSignal(container) as any; |
||||
}; |
||||
|
||||
export default useShape; |
||||
|
@ -0,0 +1,437 @@ |
||||
import { test, expect, type Page } from '@playwright/test'; |
||||
|
||||
test.beforeEach(async ({ page }) => { |
||||
await page.goto('https://demo.playwright.dev/todomvc'); |
||||
}); |
||||
|
||||
const TODO_ITEMS = [ |
||||
'buy some cheese', |
||||
'feed the cat', |
||||
'book a doctors appointment' |
||||
] as const; |
||||
|
||||
test.describe('New Todo', () => { |
||||
test('should allow me to add todo items', async ({ page }) => { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
// Create 1st todo.
|
||||
await newTodo.fill(TODO_ITEMS[0]); |
||||
await newTodo.press('Enter'); |
||||
|
||||
// Make sure the list only has one todo item.
|
||||
await expect(page.getByTestId('todo-title')).toHaveText([ |
||||
TODO_ITEMS[0] |
||||
]); |
||||
|
||||
// Create 2nd todo.
|
||||
await newTodo.fill(TODO_ITEMS[1]); |
||||
await newTodo.press('Enter'); |
||||
|
||||
// Make sure the list now has two todo items.
|
||||
await expect(page.getByTestId('todo-title')).toHaveText([ |
||||
TODO_ITEMS[0], |
||||
TODO_ITEMS[1] |
||||
]); |
||||
|
||||
await checkNumberOfTodosInLocalStorage(page, 2); |
||||
}); |
||||
|
||||
test('should clear text input field when an item is added', async ({ page }) => { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
// Create one todo item.
|
||||
await newTodo.fill(TODO_ITEMS[0]); |
||||
await newTodo.press('Enter'); |
||||
|
||||
// Check that input is empty.
|
||||
await expect(newTodo).toBeEmpty(); |
||||
await checkNumberOfTodosInLocalStorage(page, 1); |
||||
}); |
||||
|
||||
test('should append new items to the bottom of the list', async ({ page }) => { |
||||
// Create 3 items.
|
||||
await createDefaultTodos(page); |
||||
|
||||
// create a todo count locator
|
||||
const todoCount = page.getByTestId('todo-count') |
||||
|
||||
// Check test using different methods.
|
||||
await expect(page.getByText('3 items left')).toBeVisible(); |
||||
await expect(todoCount).toHaveText('3 items left'); |
||||
await expect(todoCount).toContainText('3'); |
||||
await expect(todoCount).toHaveText(/3/); |
||||
|
||||
// Check all items in one call.
|
||||
await expect(page.getByTestId('todo-title')).toHaveText(TODO_ITEMS); |
||||
await checkNumberOfTodosInLocalStorage(page, 3); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Mark all as completed', () => { |
||||
test.beforeEach(async ({ page }) => { |
||||
await createDefaultTodos(page); |
||||
await checkNumberOfTodosInLocalStorage(page, 3); |
||||
}); |
||||
|
||||
test.afterEach(async ({ page }) => { |
||||
await checkNumberOfTodosInLocalStorage(page, 3); |
||||
}); |
||||
|
||||
test('should allow me to mark all items as completed', async ({ page }) => { |
||||
// Complete all todos.
|
||||
await page.getByLabel('Mark all as complete').check(); |
||||
|
||||
// Ensure all todos have 'completed' class.
|
||||
await expect(page.getByTestId('todo-item')).toHaveClass(['completed', 'completed', 'completed']); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 3); |
||||
}); |
||||
|
||||
test('should allow me to clear the complete state of all items', async ({ page }) => { |
||||
const toggleAll = page.getByLabel('Mark all as complete'); |
||||
// Check and then immediately uncheck.
|
||||
await toggleAll.check(); |
||||
await toggleAll.uncheck(); |
||||
|
||||
// Should be no completed classes.
|
||||
await expect(page.getByTestId('todo-item')).toHaveClass(['', '', '']); |
||||
}); |
||||
|
||||
test('complete all checkbox should update state when items are completed / cleared', async ({ page }) => { |
||||
const toggleAll = page.getByLabel('Mark all as complete'); |
||||
await toggleAll.check(); |
||||
await expect(toggleAll).toBeChecked(); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 3); |
||||
|
||||
// Uncheck first todo.
|
||||
const firstTodo = page.getByTestId('todo-item').nth(0); |
||||
await firstTodo.getByRole('checkbox').uncheck(); |
||||
|
||||
// Reuse toggleAll locator and make sure its not checked.
|
||||
await expect(toggleAll).not.toBeChecked(); |
||||
|
||||
await firstTodo.getByRole('checkbox').check(); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 3); |
||||
|
||||
// Assert the toggle all is checked again.
|
||||
await expect(toggleAll).toBeChecked(); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Item', () => { |
||||
|
||||
test('should allow me to mark items as complete', async ({ page }) => { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
// Create two items.
|
||||
for (const item of TODO_ITEMS.slice(0, 2)) { |
||||
await newTodo.fill(item); |
||||
await newTodo.press('Enter'); |
||||
} |
||||
|
||||
// Check first item.
|
||||
const firstTodo = page.getByTestId('todo-item').nth(0); |
||||
await firstTodo.getByRole('checkbox').check(); |
||||
await expect(firstTodo).toHaveClass('completed'); |
||||
|
||||
// Check second item.
|
||||
const secondTodo = page.getByTestId('todo-item').nth(1); |
||||
await expect(secondTodo).not.toHaveClass('completed'); |
||||
await secondTodo.getByRole('checkbox').check(); |
||||
|
||||
// Assert completed class.
|
||||
await expect(firstTodo).toHaveClass('completed'); |
||||
await expect(secondTodo).toHaveClass('completed'); |
||||
}); |
||||
|
||||
test('should allow me to un-mark items as complete', async ({ page }) => { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
// Create two items.
|
||||
for (const item of TODO_ITEMS.slice(0, 2)) { |
||||
await newTodo.fill(item); |
||||
await newTodo.press('Enter'); |
||||
} |
||||
|
||||
const firstTodo = page.getByTestId('todo-item').nth(0); |
||||
const secondTodo = page.getByTestId('todo-item').nth(1); |
||||
const firstTodoCheckbox = firstTodo.getByRole('checkbox'); |
||||
|
||||
await firstTodoCheckbox.check(); |
||||
await expect(firstTodo).toHaveClass('completed'); |
||||
await expect(secondTodo).not.toHaveClass('completed'); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 1); |
||||
|
||||
await firstTodoCheckbox.uncheck(); |
||||
await expect(firstTodo).not.toHaveClass('completed'); |
||||
await expect(secondTodo).not.toHaveClass('completed'); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 0); |
||||
}); |
||||
|
||||
test('should allow me to edit an item', async ({ page }) => { |
||||
await createDefaultTodos(page); |
||||
|
||||
const todoItems = page.getByTestId('todo-item'); |
||||
const secondTodo = todoItems.nth(1); |
||||
await secondTodo.dblclick(); |
||||
await expect(secondTodo.getByRole('textbox', { name: 'Edit' })).toHaveValue(TODO_ITEMS[1]); |
||||
await secondTodo.getByRole('textbox', { name: 'Edit' }).fill('buy some sausages'); |
||||
await secondTodo.getByRole('textbox', { name: 'Edit' }).press('Enter'); |
||||
|
||||
// Explicitly assert the new text value.
|
||||
await expect(todoItems).toHaveText([ |
||||
TODO_ITEMS[0], |
||||
'buy some sausages', |
||||
TODO_ITEMS[2] |
||||
]); |
||||
await checkTodosInLocalStorage(page, 'buy some sausages'); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Editing', () => { |
||||
test.beforeEach(async ({ page }) => { |
||||
await createDefaultTodos(page); |
||||
await checkNumberOfTodosInLocalStorage(page, 3); |
||||
}); |
||||
|
||||
test('should hide other controls when editing', async ({ page }) => { |
||||
const todoItem = page.getByTestId('todo-item').nth(1); |
||||
await todoItem.dblclick(); |
||||
await expect(todoItem.getByRole('checkbox')).not.toBeVisible(); |
||||
await expect(todoItem.locator('label', { |
||||
hasText: TODO_ITEMS[1], |
||||
})).not.toBeVisible(); |
||||
await checkNumberOfTodosInLocalStorage(page, 3); |
||||
}); |
||||
|
||||
test('should save edits on blur', async ({ page }) => { |
||||
const todoItems = page.getByTestId('todo-item'); |
||||
await todoItems.nth(1).dblclick(); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).fill('buy some sausages'); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).dispatchEvent('blur'); |
||||
|
||||
await expect(todoItems).toHaveText([ |
||||
TODO_ITEMS[0], |
||||
'buy some sausages', |
||||
TODO_ITEMS[2], |
||||
]); |
||||
await checkTodosInLocalStorage(page, 'buy some sausages'); |
||||
}); |
||||
|
||||
test('should trim entered text', async ({ page }) => { |
||||
const todoItems = page.getByTestId('todo-item'); |
||||
await todoItems.nth(1).dblclick(); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).fill(' buy some sausages '); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).press('Enter'); |
||||
|
||||
await expect(todoItems).toHaveText([ |
||||
TODO_ITEMS[0], |
||||
'buy some sausages', |
||||
TODO_ITEMS[2], |
||||
]); |
||||
await checkTodosInLocalStorage(page, 'buy some sausages'); |
||||
}); |
||||
|
||||
test('should remove the item if an empty text string was entered', async ({ page }) => { |
||||
const todoItems = page.getByTestId('todo-item'); |
||||
await todoItems.nth(1).dblclick(); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).fill(''); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).press('Enter'); |
||||
|
||||
await expect(todoItems).toHaveText([ |
||||
TODO_ITEMS[0], |
||||
TODO_ITEMS[2], |
||||
]); |
||||
}); |
||||
|
||||
test('should cancel edits on escape', async ({ page }) => { |
||||
const todoItems = page.getByTestId('todo-item'); |
||||
await todoItems.nth(1).dblclick(); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).fill('buy some sausages'); |
||||
await todoItems.nth(1).getByRole('textbox', { name: 'Edit' }).press('Escape'); |
||||
await expect(todoItems).toHaveText(TODO_ITEMS); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Counter', () => { |
||||
test('should display the current number of todo items', async ({ page }) => { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
// create a todo count locator
|
||||
const todoCount = page.getByTestId('todo-count') |
||||
|
||||
await newTodo.fill(TODO_ITEMS[0]); |
||||
await newTodo.press('Enter'); |
||||
|
||||
await expect(todoCount).toContainText('1'); |
||||
|
||||
await newTodo.fill(TODO_ITEMS[1]); |
||||
await newTodo.press('Enter'); |
||||
await expect(todoCount).toContainText('2'); |
||||
|
||||
await checkNumberOfTodosInLocalStorage(page, 2); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Clear completed button', () => { |
||||
test.beforeEach(async ({ page }) => { |
||||
await createDefaultTodos(page); |
||||
}); |
||||
|
||||
test('should display the correct text', async ({ page }) => { |
||||
await page.locator('.todo-list li .toggle').first().check(); |
||||
await expect(page.getByRole('button', { name: 'Clear completed' })).toBeVisible(); |
||||
}); |
||||
|
||||
test('should remove completed items when clicked', async ({ page }) => { |
||||
const todoItems = page.getByTestId('todo-item'); |
||||
await todoItems.nth(1).getByRole('checkbox').check(); |
||||
await page.getByRole('button', { name: 'Clear completed' }).click(); |
||||
await expect(todoItems).toHaveCount(2); |
||||
await expect(todoItems).toHaveText([TODO_ITEMS[0], TODO_ITEMS[2]]); |
||||
}); |
||||
|
||||
test('should be hidden when there are no items that are completed', async ({ page }) => { |
||||
await page.locator('.todo-list li .toggle').first().check(); |
||||
await page.getByRole('button', { name: 'Clear completed' }).click(); |
||||
await expect(page.getByRole('button', { name: 'Clear completed' })).toBeHidden(); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Persistence', () => { |
||||
test('should persist its data', async ({ page }) => { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
for (const item of TODO_ITEMS.slice(0, 2)) { |
||||
await newTodo.fill(item); |
||||
await newTodo.press('Enter'); |
||||
} |
||||
|
||||
const todoItems = page.getByTestId('todo-item'); |
||||
const firstTodoCheck = todoItems.nth(0).getByRole('checkbox'); |
||||
await firstTodoCheck.check(); |
||||
await expect(todoItems).toHaveText([TODO_ITEMS[0], TODO_ITEMS[1]]); |
||||
await expect(firstTodoCheck).toBeChecked(); |
||||
await expect(todoItems).toHaveClass(['completed', '']); |
||||
|
||||
// Ensure there is 1 completed item.
|
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 1); |
||||
|
||||
// Now reload.
|
||||
await page.reload(); |
||||
await expect(todoItems).toHaveText([TODO_ITEMS[0], TODO_ITEMS[1]]); |
||||
await expect(firstTodoCheck).toBeChecked(); |
||||
await expect(todoItems).toHaveClass(['completed', '']); |
||||
}); |
||||
}); |
||||
|
||||
test.describe('Routing', () => { |
||||
test.beforeEach(async ({ page }) => { |
||||
await createDefaultTodos(page); |
||||
// make sure the app had a chance to save updated todos in storage
|
||||
// before navigating to a new view, otherwise the items can get lost :(
|
||||
// in some frameworks like Durandal
|
||||
await checkTodosInLocalStorage(page, TODO_ITEMS[0]); |
||||
}); |
||||
|
||||
test('should allow me to display active items', async ({ page }) => { |
||||
const todoItem = page.getByTestId('todo-item'); |
||||
await page.getByTestId('todo-item').nth(1).getByRole('checkbox').check(); |
||||
|
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 1); |
||||
await page.getByRole('link', { name: 'Active' }).click(); |
||||
await expect(todoItem).toHaveCount(2); |
||||
await expect(todoItem).toHaveText([TODO_ITEMS[0], TODO_ITEMS[2]]); |
||||
}); |
||||
|
||||
test('should respect the back button', async ({ page }) => { |
||||
const todoItem = page.getByTestId('todo-item');
|
||||
await page.getByTestId('todo-item').nth(1).getByRole('checkbox').check(); |
||||
|
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 1); |
||||
|
||||
await test.step('Showing all items', async () => { |
||||
await page.getByRole('link', { name: 'All' }).click(); |
||||
await expect(todoItem).toHaveCount(3); |
||||
}); |
||||
|
||||
await test.step('Showing active items', async () => { |
||||
await page.getByRole('link', { name: 'Active' }).click(); |
||||
}); |
||||
|
||||
await test.step('Showing completed items', async () => { |
||||
await page.getByRole('link', { name: 'Completed' }).click(); |
||||
}); |
||||
|
||||
await expect(todoItem).toHaveCount(1); |
||||
await page.goBack(); |
||||
await expect(todoItem).toHaveCount(2); |
||||
await page.goBack(); |
||||
await expect(todoItem).toHaveCount(3); |
||||
}); |
||||
|
||||
test('should allow me to display completed items', async ({ page }) => { |
||||
await page.getByTestId('todo-item').nth(1).getByRole('checkbox').check(); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 1); |
||||
await page.getByRole('link', { name: 'Completed' }).click(); |
||||
await expect(page.getByTestId('todo-item')).toHaveCount(1); |
||||
}); |
||||
|
||||
test('should allow me to display all items', async ({ page }) => { |
||||
await page.getByTestId('todo-item').nth(1).getByRole('checkbox').check(); |
||||
await checkNumberOfCompletedTodosInLocalStorage(page, 1); |
||||
await page.getByRole('link', { name: 'Active' }).click(); |
||||
await page.getByRole('link', { name: 'Completed' }).click(); |
||||
await page.getByRole('link', { name: 'All' }).click(); |
||||
await expect(page.getByTestId('todo-item')).toHaveCount(3); |
||||
}); |
||||
|
||||
test('should highlight the currently applied filter', async ({ page }) => { |
||||
await expect(page.getByRole('link', { name: 'All' })).toHaveClass('selected'); |
||||
|
||||
//create locators for active and completed links
|
||||
const activeLink = page.getByRole('link', { name: 'Active' }); |
||||
const completedLink = page.getByRole('link', { name: 'Completed' }); |
||||
await activeLink.click(); |
||||
|
||||
// Page change - active items.
|
||||
await expect(activeLink).toHaveClass('selected'); |
||||
await completedLink.click(); |
||||
|
||||
// Page change - completed items.
|
||||
await expect(completedLink).toHaveClass('selected'); |
||||
}); |
||||
}); |
||||
|
||||
async function createDefaultTodos(page: Page) { |
||||
// create a new todo locator
|
||||
const newTodo = page.getByPlaceholder('What needs to be done?'); |
||||
|
||||
for (const item of TODO_ITEMS) { |
||||
await newTodo.fill(item); |
||||
await newTodo.press('Enter'); |
||||
} |
||||
} |
||||
|
||||
async function checkNumberOfTodosInLocalStorage(page: Page, expected: number) { |
||||
return await page.waitForFunction(e => { |
||||
return JSON.parse(localStorage['react-todos']).length === e; |
||||
}, expected); |
||||
} |
||||
|
||||
async function checkNumberOfCompletedTodosInLocalStorage(page: Page, expected: number) { |
||||
return await page.waitForFunction(e => { |
||||
return JSON.parse(localStorage['react-todos']).filter((todo: any) => todo.completed).length === e; |
||||
}, expected); |
||||
} |
||||
|
||||
async function checkTodosInLocalStorage(page: Page, title: string) { |
||||
return await page.waitForFunction(t => { |
||||
return JSON.parse(localStorage['react-todos']).map((todo: any) => todo.title).includes(t); |
||||
}, title); |
||||
} |
Loading…
Reference in new issue