feat/arena-runtime #27

Open
max wants to merge 9 commits from feat/arena-runtime into main
18 changed files with 427 additions and 561 deletions
Showing only changes of commit 4006cc2dba - Show all commits

View File

@@ -28,7 +28,7 @@
"devDependencies": { "devDependencies": {
"@iconify-json/tabler": "^1.2.26", "@iconify-json/tabler": "^1.2.26",
"@iconify/tailwind4": "^1.2.1", "@iconify/tailwind4": "^1.2.1",
"@nodarium/types": "link:../packages/types", "@nodarium/types": "workspace:",
"@sveltejs/adapter-static": "^3.0.10", "@sveltejs/adapter-static": "^3.0.10",
"@sveltejs/vite-plugin-svelte": "^6.2.4", "@sveltejs/vite-plugin-svelte": "^6.2.4",
"@tsconfig/svelte": "^5.0.6", "@tsconfig/svelte": "^5.0.6",

View File

@@ -1,8 +1,8 @@
<script lang="ts"> <script lang="ts">
import { HTML } from "@threlte/extras"; import type { NodeId, NodeInstance } from '@nodarium/types';
import { onMount } from "svelte"; import { HTML } from '@threlte/extras';
import type { NodeInstance, NodeId } from "@nodarium/types"; import { onMount } from 'svelte';
import { getGraphManager, getGraphState } from "../graph-state.svelte"; import { getGraphManager, getGraphState } from '../graph-state.svelte';
type Props = { type Props = {
onnode: (n: NodeInstance) => void; onnode: (n: NodeInstance) => void;
@@ -14,6 +14,7 @@
const graphState = getGraphState(); const graphState = getGraphState();
let input: HTMLInputElement; let input: HTMLInputElement;
let wrapper: HTMLDivElement;
let value = $state<string>(); let value = $state<string>();
let activeNodeId = $state<NodeId>(); let activeNodeId = $state<NodeId>();
@@ -22,10 +23,10 @@
: graph.getNodeDefinitions(); : graph.getNodeDefinitions();
function filterNodes() { function filterNodes() {
return allNodes.filter((node) => node.id.includes(value ?? "")); return allNodes.filter((node) => node.id.includes(value ?? ''));
} }
const nodes = $derived(value === "" ? allNodes : filterNodes()); const nodes = $derived(value === '' ? allNodes : filterNodes());
$effect(() => { $effect(() => {
if (nodes) { if (nodes) {
if (activeNodeId === undefined) { if (activeNodeId === undefined) {
@@ -39,38 +40,38 @@
} }
}); });
function handleNodeCreation(nodeType: NodeInstance["type"]) { function handleNodeCreation(nodeType: NodeInstance['type']) {
if (!graphState.addMenuPosition) return; if (!graphState.addMenuPosition) return;
onnode?.({ onnode?.({
id: -1, id: -1,
type: nodeType, type: nodeType,
position: [...graphState.addMenuPosition], position: [...graphState.addMenuPosition],
props: {}, props: {},
state: {}, state: {}
}); });
} }
function handleKeyDown(event: KeyboardEvent) { function handleKeyDown(event: KeyboardEvent) {
event.stopImmediatePropagation(); event.stopImmediatePropagation();
if (event.key === "Escape") { if (event.key === 'Escape') {
graphState.addMenuPosition = null; graphState.addMenuPosition = null;
return; return;
} }
if (event.key === "ArrowDown") { if (event.key === 'ArrowDown') {
const index = nodes.findIndex((node) => node.id === activeNodeId); const index = nodes.findIndex((node) => node.id === activeNodeId);
activeNodeId = nodes[(index + 1) % nodes.length].id; activeNodeId = nodes[(index + 1) % nodes.length].id;
return; return;
} }
if (event.key === "ArrowUp") { if (event.key === 'ArrowUp') {
const index = nodes.findIndex((node) => node.id === activeNodeId); const index = nodes.findIndex((node) => node.id === activeNodeId);
activeNodeId = nodes[(index - 1 + nodes.length) % nodes.length].id; activeNodeId = nodes[(index - 1 + nodes.length) % nodes.length].id;
return; return;
} }
if (event.key === "Enter") { if (event.key === 'Enter') {
if (activeNodeId && graphState.addMenuPosition) { if (activeNodeId && graphState.addMenuPosition) {
handleNodeCreation(activeNodeId); handleNodeCreation(activeNodeId);
} }
@@ -81,6 +82,16 @@
onMount(() => { onMount(() => {
input.disabled = false; input.disabled = false;
setTimeout(() => input.focus(), 50); setTimeout(() => input.focus(), 50);
const rect = wrapper.getBoundingClientRect();
const deltaY = rect.bottom - window.innerHeight;
const deltaX = rect.right - window.innerWidth;
if (deltaY > 0) {
wrapper.style.marginTop = `-${deltaY + 30}px`;
}
if (deltaX > 0) {
wrapper.style.marginLeft = `-${deltaX + 30}px`;
}
}); });
</script> </script>
@@ -89,7 +100,7 @@
position.z={graphState.addMenuPosition?.[1]} position.z={graphState.addMenuPosition?.[1]}
transform={false} transform={false}
> >
<div class="add-menu-wrapper"> <div class="add-menu-wrapper" bind:this={wrapper}>
<div class="header"> <div class="header">
<input <input
id="add-menu" id="add-menu"
@@ -112,7 +123,7 @@
tabindex="0" tabindex="0"
aria-selected={node.id === activeNodeId} aria-selected={node.id === activeNodeId}
onkeydown={(event) => { onkeydown={(event) => {
if (event.key === "Enter") { if (event.key === 'Enter') {
handleNodeCreation(node.id); handleNodeCreation(node.id);
} }
}} }}
@@ -125,7 +136,7 @@
activeNodeId = node.id; activeNodeId = node.id;
}} }}
> >
{node.id.split("/").at(-1)} {node.id.split('/').at(-1)}
</div> </div>
{/each} {/each}
</div> </div>
@@ -167,6 +178,8 @@
min-height: none; min-height: none;
width: 100%; width: 100%;
color: var(--text-color); color: var(--text-color);
max-height: 300px;
overflow-y: auto;
} }
.result { .result {

View File

@@ -338,4 +338,8 @@ export class GraphState {
&& node.position[1] < this.cameraBounds[3] && node.position[1] < this.cameraBounds[3]
); );
} }
openNodePalette() {
this.addMenuPosition = [this.mousePosition[0], this.mousePosition[1]];
}
} }

View File

@@ -1,18 +1,18 @@
<script lang="ts"> <script lang="ts">
import type { Edge, NodeInstance } from "@nodarium/types"; import type { Edge, NodeInstance } from "@nodarium/types";
import { createKeyMap } from "../../helpers/createKeyMap";
import AddMenu from "../components/AddMenu.svelte";
import Background from "../background/Background.svelte";
import BoxSelection from "../components/BoxSelection.svelte";
import EdgeEl from "../edges/Edge.svelte";
import NodeEl from "../node/Node.svelte";
import Camera from "../components/Camera.svelte";
import { Canvas } from "@threlte/core"; import { Canvas } from "@threlte/core";
import HelpView from "../components/HelpView.svelte";
import { getGraphManager, getGraphState } from "../graph-state.svelte";
import { HTML } from "@threlte/extras"; import { HTML } from "@threlte/extras";
import { maxZoom, minZoom } from "./constants"; import { createKeyMap } from "../../helpers/createKeyMap";
import Background from "../background/Background.svelte";
import AddMenu from "../components/AddMenu.svelte";
import BoxSelection from "../components/BoxSelection.svelte";
import Camera from "../components/Camera.svelte";
import HelpView from "../components/HelpView.svelte";
import Debug from "../debug/Debug.svelte"; import Debug from "../debug/Debug.svelte";
import EdgeEl from "../edges/Edge.svelte";
import { getGraphManager, getGraphState } from "../graph-state.svelte";
import NodeEl from "../node/Node.svelte";
import { maxZoom, minZoom } from "./constants";
import { FileDropEventManager } from "./drop.events"; import { FileDropEventManager } from "./drop.events";
import { MouseEventManager } from "./mouse.events"; import { MouseEventManager } from "./mouse.events";
@@ -97,15 +97,15 @@
</script> </script>
<svelte:window <svelte:window
onmousemove={(ev) => mouseEvents.handleMouseMove(ev)} onmousemove={(ev) => mouseEvents.handleWindowMouseMove(ev)}
onmouseup={(ev) => mouseEvents.handleMouseUp(ev)} onmouseup={(ev) => mouseEvents.handleWindowMouseUp(ev)}
/> />
<div <div
onwheel={(ev) => mouseEvents.handleMouseScroll(ev)} onwheel={(ev) => mouseEvents.handleMouseScroll(ev)}
bind:this={graphState.wrapper} bind:this={graphState.wrapper}
class="graph-wrapper" class="graph-wrapper"
style="height: 100%;" style="height: 100%"
class:is-panning={graphState.isPanning} class:is-panning={graphState.isPanning}
class:is-hovering={graphState.hoveredNodeId !== -1} class:is-hovering={graphState.hoveredNodeId !== -1}
aria-label="Graph" aria-label="Graph"
@@ -115,6 +115,7 @@
bind:clientHeight={graphState.height} bind:clientHeight={graphState.height}
onkeydown={(ev) => keymap.handleKeyboardEvent(ev)} onkeydown={(ev) => keymap.handleKeyboardEvent(ev)}
onmousedown={(ev) => mouseEvents.handleMouseDown(ev)} onmousedown={(ev) => mouseEvents.handleMouseDown(ev)}
oncontextmenu={(ev) => mouseEvents.handleContextMenu(ev)}
{...fileDropEvents.getEventListenerProps()} {...fileDropEvents.getEventListenerProps()}
> >
<input <input

View File

@@ -1,7 +1,7 @@
import { animate, lerp } from '$lib/helpers'; import { animate, lerp } from '$lib/helpers';
import { type NodeInstance } from '@nodarium/types'; import { type NodeInstance } from '@nodarium/types';
import type { GraphManager } from '../graph-manager.svelte'; import type { GraphManager } from '../graph-manager.svelte';
import type { GraphState } from '../graph-state.svelte'; import { type GraphState } from '../graph-state.svelte';
import { snapToGrid as snapPointToGrid } from '../helpers'; import { snapToGrid as snapPointToGrid } from '../helpers';
import { maxZoom, minZoom, zoomSpeed } from './constants'; import { maxZoom, minZoom, zoomSpeed } from './constants';
import { EdgeInteractionManager } from './edge.events'; import { EdgeInteractionManager } from './edge.events';
@@ -16,7 +16,7 @@ export class MouseEventManager {
this.edgeInteractionManager = new EdgeInteractionManager(graph, state); this.edgeInteractionManager = new EdgeInteractionManager(graph, state);
} }
handleMouseUp(event: MouseEvent) { handleWindowMouseUp(event: MouseEvent) {
this.edgeInteractionManager.handleMouseUp(); this.edgeInteractionManager.handleMouseUp();
this.state.isPanning = false; this.state.isPanning = false;
if (!this.state.mouseDown) return; if (!this.state.mouseDown) return;
@@ -151,7 +151,19 @@ export class MouseEventManager {
this.state.addMenuPosition = null; this.state.addMenuPosition = null;
} }
handleContextMenu(event: MouseEvent) {
if (!this.state.addMenuPosition) {
event.preventDefault();
this.state.openNodePalette();
}
}
handleMouseDown(event: MouseEvent) { handleMouseDown(event: MouseEvent) {
// Right click
if (event.button === 2) {
return;
}
if (this.state.mouseDown) return; if (this.state.mouseDown) return;
this.state.edgeEndPosition = null; this.state.edgeEndPosition = null;
@@ -229,7 +241,7 @@ export class MouseEventManager {
this.state.edgeEndPosition = null; this.state.edgeEndPosition = null;
} }
handleMouseMove(event: MouseEvent) { handleWindowMouseMove(event: MouseEvent) {
let mx = event.clientX - this.state.rect.x; let mx = event.clientX - this.state.rect.x;
let my = event.clientY - this.state.rect.y; let my = event.clientY - this.state.rect.y;

View File

@@ -59,9 +59,7 @@ export function setupKeymaps(keymap: Keymap, graph: GraphManager, graphState: Gr
key: 'A', key: 'A',
shift: true, shift: true,
description: 'Add new Node', description: 'Add new Node',
callback: () => { callback: () => graphState.openNodePalette()
graphState.addMenuPosition = [graphState.mousePosition[0], graphState.mousePosition[1]];
}
}); });
keymap.addShortcut({ keymap.addShortcut({

View File

@@ -5,17 +5,17 @@
</script> </script>
<script lang="ts"> <script lang="ts">
import { humanizeDuration } from "$lib/helpers"; import { humanizeDuration } from '$lib/helpers';
import { localState } from "$lib/helpers/localState.svelte"; import { localState } from '$lib/helpers/localState.svelte';
import Monitor from "$lib/performance/Monitor.svelte"; import Monitor from '$lib/performance/Monitor.svelte';
import { Number } from "@nodarium/ui"; import { Number } from '@nodarium/ui';
import { writable } from "svelte/store"; import { writable } from 'svelte/store';
function calculateStandardDeviation(array: number[]) { function calculateStandardDeviation(array: number[]) {
const n = array.length; const n = array.length;
const mean = array.reduce((a, b) => a + b) / n; const mean = array.reduce((a, b) => a + b) / n;
return Math.sqrt( return Math.sqrt(
array.map((x) => Math.pow(x - mean, 2)).reduce((a, b) => a + b) / n, array.map((x) => Math.pow(x - mean, 2)).reduce((a, b) => a + b) / n
); );
} }
type Props = { type Props = {
@@ -25,21 +25,21 @@
const { run }: Props = $props(); const { run }: Props = $props();
let isRunning = $state(false); let isRunning = $state(false);
let amount = localState<number>("nodes.benchmark.samples", 500); let amount = localState<number>('nodes.benchmark.samples', 500);
let samples = $state(0); let samples = $state(0);
let warmUp = writable(0); let warmUp = writable(0);
let warmUpAmount = 10; let warmUpAmount = 10;
let status = ""; let status = '';
const copyContent = async (text?: string | number) => { const copyContent = async (text?: string | number) => {
if (!text) return; if (!text) return;
if (typeof text !== "string") { if (typeof text !== 'string') {
text = (Math.floor(text * 100) / 100).toString(); text = (Math.floor(text * 100) / 100).toString();
} }
try { try {
await navigator.clipboard.writeText(text); await navigator.clipboard.writeText(text);
} catch (err) { } catch (err) {
console.error("Failed to copy: ", err); console.error('Failed to copy: ', err);
} }
}; };
@@ -74,7 +74,7 @@
stdev: calculateStandardDeviation(results), stdev: calculateStandardDeviation(results),
samples: results, samples: results,
duration: performance.now() - a, duration: performance.now() - a,
avg: results.reduce((a, b) => a + b) / results.length, avg: results.reduce((a, b) => a + b) / results.length
}; };
} }
</script> </script>
@@ -90,38 +90,39 @@
<label for="bench-avg">Average </label> <label for="bench-avg">Average </label>
<button <button
id="bench-avg" id="bench-avg"
onkeydown={(ev) => ev.key === "Enter" && copyContent(result?.avg)} onkeydown={(ev) => ev.key === 'Enter' && copyContent(result?.avg)}
onclick={() => copyContent(result?.avg)} onclick={() => copyContent(result?.avg)}
>{Math.floor(result.avg * 100) / 100}</button
> >
{Math.floor(result.avg * 100) / 100}
</button>
<i <i
role="button" role="button"
tabindex="0" tabindex="0"
onkeydown={(ev) => ev.key === "Enter" && copyContent(result?.avg)} onkeydown={(ev) => ev.key === 'Enter' && copyContent(result?.avg)}
onclick={() => copyContent(result?.avg)}>(click to copy)</i onclick={() => copyContent(result?.avg)}
> >(click to copy)</i>
<label for="bench-stdev">Standard Deviation σ</label> <label for="bench-stdev">Standard Deviation σ</label>
<button id="bench-stdev" onclick={() => copyContent(result?.stdev)} <button id="bench-stdev" onclick={() => copyContent(result?.stdev)}>
>{Math.floor(result.stdev * 100) / 100}</button {Math.floor(result.stdev * 100) / 100}
> </button>
<i <i
role="button" role="button"
tabindex="0" tabindex="0"
onkeydown={(ev) => ev.key === "Enter" && copyContent(result?.avg)} onkeydown={(ev) => ev.key === 'Enter' && copyContent(result?.avg)}
onclick={() => copyContent(result?.stdev + "")}>(click to copy)</i onclick={() => copyContent(result?.stdev + '')}
> >(click to copy)</i>
<div> <div>
<button onclick={() => (isRunning = false)}>reset</button> <button onclick={() => (isRunning = false)}>reset</button>
</div> </div>
{:else if isRunning} {:else if isRunning}
<p>WarmUp ({$warmUp}/{warmUpAmount})</p> <p>WarmUp ({$warmUp}/{warmUpAmount})</p>
<progress value={$warmUp} max={warmUpAmount} <progress value={$warmUp} max={warmUpAmount}>
>{Math.floor(($warmUp / warmUpAmount) * 100)}%</progress {Math.floor(($warmUp / warmUpAmount) * 100)}%
> </progress>
<p>Progress ({samples}/{amount.value})</p> <p>Progress ({samples}/{amount.value})</p>
<progress value={samples} max={amount.value} <progress value={samples} max={amount.value}>
>{Math.floor((samples / amount.value) * 100)}%</progress {Math.floor((samples / amount.value) * 100)}%
> </progress>
{:else} {:else}
<label for="bench-samples">Samples</label> <label for="bench-samples">Samples</label>
<Number id="bench-sample" bind:value={amount.value} max={1000} /> <Number id="bench-sample" bind:value={amount.value} max={1000} />

View File

@@ -10,8 +10,8 @@
"author": "", "author": "",
"license": "ISC", "license": "ISC",
"dependencies": { "dependencies": {
"@nodarium/types": "link:../types", "@nodarium/types": "workspace:",
"@nodarium/utils": "link:../utils", "@nodarium/utils": "workspace:",
"idb": "^8.0.3" "idb": "^8.0.3"
} }
} }

View File

@@ -30,7 +30,7 @@
"svelte": "^4.0.0" "svelte": "^4.0.0"
}, },
"devDependencies": { "devDependencies": {
"@nodarium/types": "link:../types", "@nodarium/types": "workspace:",
"@sveltejs/adapter-static": "^3.0.10", "@sveltejs/adapter-static": "^3.0.10",
"@sveltejs/kit": "^2.50.0", "@sveltejs/kit": "^2.50.0",
"@sveltejs/package": "^2.5.7", "@sveltejs/package": "^2.5.7",

View File

@@ -1,10 +1,7 @@
<script lang="ts"> <script lang="ts">
import type { NodeInput } from '@nodarium/types'; import type { NodeInput } from '@nodarium/types';
import Checkbox from './inputs/Checkbox.svelte'; import { Checkbox, Number, Select, Vec3 } from './index.js';
import Number from './inputs/Number.svelte';
import Select from './inputs/Select.svelte';
import Vec3 from './inputs/Vec3.svelte';
interface Props { interface Props {
input: NodeInput; input: NodeInput;
@@ -16,7 +13,7 @@
</script> </script>
{#if input.type === 'float'} {#if input.type === 'float'}
<Number bind:value min={input?.min} max={input?.max} step={0.01} /> <Number bind:value min={input?.min} max={input?.max} step={input?.step} />
{:else if input.type === 'integer'} {:else if input.type === 'integer'}
<Number bind:value min={input?.min} max={input?.max} /> <Number bind:value min={input?.min} max={input?.max} />
{:else if input.type === 'boolean'} {:else if input.type === 'boolean'}

View File

@@ -1,8 +1,7 @@
export { default as Input } from './Input.svelte'; export { default as Input } from './Input.svelte';
export { default as Checkbox } from './inputs/Checkbox.svelte'; export { default as Checkbox } from './inputs/Checkbox.svelte';
export { default as Float } from './inputs/Float.svelte'; export { default as Float, default as Number } from './inputs/Float.svelte';
export { default as Integer } from './inputs/Integer.svelte'; export { default as Integer } from './inputs/Integer.svelte';
export { default as Number } from './inputs/Number.svelte';
export { default as Select } from './inputs/Select.svelte'; export { default as Select } from './inputs/Select.svelte';
export { default as Vec3 } from './inputs/Vec3.svelte'; export { default as Vec3 } from './inputs/Vec3.svelte';

View File

@@ -9,7 +9,7 @@
let { let {
value = $bindable(0.5), value = $bindable(0.5),
step = 0.01, step,
min = $bindable(0), min = $bindable(0),
max = $bindable(1), max = $bindable(1),
id id
@@ -22,8 +22,11 @@
max = value; max = value;
} }
// svelte-ignore state_referenced_locally only use initial values
const precision = ((step || value).toString().split('.')[1] || '').length;
function strip(input: number) { function strip(input: number) {
return +parseFloat(input + '').toPrecision(2); return +parseFloat(input + '').toFixed(precision);
} }
let inputEl: HTMLInputElement | undefined = $state(); let inputEl: HTMLInputElement | undefined = $state();
@@ -94,14 +97,22 @@
} else { } else {
value = Math.max(Math.min(min + (max - min) * vx, max), min); value = Math.max(Math.min(min + (max - min) * vx, max), min);
} }
(ev.target as HTMLElement)?.blur();
value = strip(value);
// With ctrl + outside of input ev.target becomes HTMLDocument
if (ev.target instanceof HTMLElement) {
ev.target?.blur();
} }
}
$effect(() => { $effect(() => {
if ((value || 0).toString().length > 5) { if (value.toString().length > 5) {
value = strip(value || 0); value = strip(value);
} }
value !== undefined && handleChange(); value !== undefined && handleChange();
}); });
let width = $derived( let width = $derived(
Number.isFinite(value) ? Math.max((value?.toString().length ?? 1) * 8, 50) + 'px' : '20px' Number.isFinite(value) ? Math.max((value?.toString().length ?? 1) * 8, 50) + 'px' : '20px'
); );
@@ -137,12 +148,12 @@
border-radius: var(--border-radius, 2px); border-radius: var(--border-radius, 2px);
} }
input[type='number']::-webkit-inner-spin-button, input[type="number"]::-webkit-inner-spin-button,
input[type='number']::-webkit-outer-spin-button { input[type="number"]::-webkit-outer-spin-button {
-webkit-appearance: none; -webkit-appearance: none;
} }
input[type='number'] { input[type="number"] {
box-sizing: border-box; box-sizing: border-box;
-webkit-appearance: textfield; -webkit-appearance: textfield;
-moz-appearance: textfield; -moz-appearance: textfield;

View File

@@ -1,3 +1,8 @@
<!--
@component
@deprecated use Float.svelte
-->
<script lang="ts"> <script lang="ts">
interface Props { interface Props {
value?: number; value?: number;

View File

@@ -1,177 +0,0 @@
<script lang="ts">
interface Props {
value?: number;
step?: number;
min?: number;
max?: number;
id?: string;
}
let {
value = $bindable(1),
step = 1,
min = $bindable(0),
max = $bindable(1),
id: _id
}: Props = $props();
const uid = $props.id();
const id = $derived(_id || uid);
if (min > max) {
[min, max] = [max, min];
}
if (value > max) {
max = value;
}
function strip(input: number) {
return +parseFloat(input + '').toPrecision(2);
}
let inputEl = $state() as HTMLInputElement;
let prev = -1;
function update() {
if (prev === value) return;
if (value.toString().length > 5) {
value = strip(value);
}
prev = value;
}
function handleChange(change: number) {
value = Math.max(min ?? -Infinity, Math.min(+value + change, max ?? Infinity));
}
function handleKeyDown(ev: KeyboardEvent) {
if (ev.key === 'Escape' || ev.key === 'Enter') {
inputEl?.blur();
}
}
$effect(() => {
update();
});
let ratio = $derived(((value - min) / (max - min)) * 100);
</script>
<div>
<div class="component-wrapper">
<button onclick={() => handleChange(-step)}>-</button>
<input
bind:value
bind:this={inputEl}
{id}
{step}
{max}
{min}
type="number"
onkeydown={handleKeyDown}
/>
<button onclick={() => handleChange(+step)}>+</button>
</div>
<div class="slider">
<input
type="range"
bind:value
{min}
{max}
{step}
style={`background: linear-gradient(90deg, var(--text-color) ${ratio}%, var(--layer-2, #4b4b4b) ${ratio}%)`}
/>
</div>
</div>
<style>
:root {
--slider-height: 4px;
}
.component-wrapper {
display: flex;
background-color: var(--layer-2, #4b4b4b);
user-select: none;
transition: box-shadow 0.3s ease;
border: solid 1px var(--outline);
overflow: hidden;
border-radius: 0 var(--border-radius, 2px); /* only top */
}
input[type='number']::-webkit-inner-spin-button,
input[type='number']::-webkit-outer-spin-button {
-webkit-appearance: none;
}
input[type='number'] {
-webkit-appearance: textfield;
-moz-appearance: textfield;
appearance: textfield;
cursor: pointer;
font-family: var(--font-family);
font-variant-numeric: tabular-nums;
color: var(--text-color);
background-color: transparent;
padding: var(--padding, 6px);
font-size: 1em;
padding-inline: 10px;
text-align: center;
border: none;
border-style: none;
flex: 1;
width: 72%;
}
button {
background-color: transparent;
border: none;
cursor: pointer;
line-height: 0px;
margin: 0;
color: var(--text-color);
margin-inline: 6px;
}
div input[type='number'] {
color: var(--text-color);
background-color: transparent;
padding: var(--padding, 6px);
padding-inline: 0px;
text-align: center;
border: none;
border-style: none;
}
.slider {
position: relative;
margin-top: -1px; /* hide edge */
}
input[type='range'] {
position: absolute;
appearance: none;
width: 100%;
height: var(--slider-height);
background: var(--layer-2, #4b4b4b);
cursor: pointer;
}
/* Thumb: for Chrome, Safari, Edge */
input[type='range']::-webkit-slider-thumb {
-webkit-appearance: none;
appearance: none;
width: 12px;
height: var(--slider-height);
background: var(--text-color);
box-shadow: none;
}
/* Thumb: for Firefox */
input[type='range']::-moz-range-thumb {
border: none;
width: 12px;
height: var(--slider-height);
background: var(--text-color);
box-shadow: none;
}
</style>

View File

@@ -1,5 +1,5 @@
<script lang="ts"> <script lang="ts">
import Number from './Number.svelte'; import { Number } from '$lib/index.js';
interface Props { interface Props {
value?: any; value?: any;

View File

@@ -1,10 +1,12 @@
<script lang="ts"> <script lang="ts">
import '$lib/app.css'; import '$lib/app.css';
import { Checkbox, Details, Float, Integer, Number, Select, ShortCut, Vec3 } from '$lib/index.js'; import { Checkbox, Details, Number, Select, ShortCut, Vec3 } from '$lib/index.js';
import Section from './Section.svelte'; import Section from './Section.svelte';
let intValue = $state(0); let intValue = $state(0);
let floatValue = $state(0.2); let floatValue = $state(0.2);
let float2Value = $state(0.02);
let float3Value = $state(1);
let vecValue = $state([0.2, 0.3, 0.4]); let vecValue = $state([0.2, 0.3, 0.4]);
const options = ['strawberry', 'raspberry', 'chickpeas']; const options = ['strawberry', 'raspberry', 'chickpeas'];
let selectValue = $state(0); let selectValue = $state(0);
@@ -30,22 +32,22 @@
<Select bind:value={themeIndex} options={themes}></Select> <Select bind:value={themeIndex} options={themes}></Select>
</div> </div>
<Section title="Integer" value={intValue}> <Section title="Integer (step inherit)" value={intValue}>
<Integer bind:value={intValue} /> <Number bind:value={intValue} max={2} />
</Section> </Section>
<Section title="Float" value={floatValue}> <Section title="Float (step inherit)" value={floatValue}>
<Float bind:value={floatValue} />
</Section>
<Section title="Number" value={intValue}>
<Number bind:value={intValue} />
</Section>
<Section title="Number (float)" value={floatValue}>
<Number bind:value={floatValue} /> <Number bind:value={floatValue} />
</Section> </Section>
<Section title="Float 2 (step inherit)" value={intValue}>
<Number bind:value={float2Value} />
</Section>
<Section title="Float (0.01 step)" value={floatValue}>
<Number bind:value={float3Value} step={0.01} max={3} />
</Section>
<Section title="Vec3" value={JSON.stringify(vecValue)}> <Section title="Vec3" value={JSON.stringify(vecValue)}>
<Vec3 bind:value={vecValue} /> <Vec3 bind:value={vecValue} />
</Section> </Section>

View File

@@ -10,7 +10,7 @@
"author": "", "author": "",
"license": "ISC", "license": "ISC",
"dependencies": { "dependencies": {
"@nodarium/types": "link:../types" "@nodarium/types": "workspace:"
}, },
"devDependencies": { "devDependencies": {
"vite": "^7.3.1", "vite": "^7.3.1",

10
pnpm-lock.yaml generated
View File

@@ -70,7 +70,7 @@ importers:
specifier: ^1.2.1 specifier: ^1.2.1
version: 1.2.1(tailwindcss@4.1.18) version: 1.2.1(tailwindcss@4.1.18)
'@nodarium/types': '@nodarium/types':
specifier: link:../packages/types specifier: 'workspace:'
version: link:../packages/types version: link:../packages/types
'@sveltejs/adapter-static': '@sveltejs/adapter-static':
specifier: ^3.0.10 specifier: ^3.0.10
@@ -118,10 +118,10 @@ importers:
packages/registry: packages/registry:
dependencies: dependencies:
'@nodarium/types': '@nodarium/types':
specifier: link:../types specifier: 'workspace:'
version: link:../types version: link:../types
'@nodarium/utils': '@nodarium/utils':
specifier: link:../utils specifier: 'workspace:'
version: link:../utils version: link:../utils
idb: idb:
specifier: ^8.0.3 specifier: ^8.0.3
@@ -155,7 +155,7 @@ importers:
version: 4.1.18 version: 4.1.18
devDependencies: devDependencies:
'@nodarium/types': '@nodarium/types':
specifier: link:../types specifier: 'workspace:'
version: link:../types version: link:../types
'@sveltejs/adapter-static': '@sveltejs/adapter-static':
specifier: ^3.0.10 specifier: ^3.0.10
@@ -215,7 +215,7 @@ importers:
packages/utils: packages/utils:
dependencies: dependencies:
'@nodarium/types': '@nodarium/types':
specifier: link:../types specifier: 'workspace:'
version: link:../types version: link:../types
devDependencies: devDependencies:
vite: vite: