npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

gooey

v0.3.2

Published

A modern gui library for the web.

Downloads

61

Readme

gooey.braebo.dev

Features

       Preset Manager    ·   Theme Manager    ·   Draggable / Resizable / Placeable    ·   Local Storage Integration    ·   Generators    ·   Reset Mechanism    ·   Undo/Redo History    ·   Flexible API    ·   Fully Typed    ·   Zero Dependencies

Getting Started

1. Install

npm install gooey
import { Gooey } from 'gooey'

JSR is a modern alternative to NPM

npx jsr add @braebo/gooey
import { Gooey } from '@braebo/gooey'

PNPM is the recommended way to install gooey.

pnpm i -D gooey
import { Gooey } from 'gooey'
<script type="module">
	import { Gooey } from 'https://esm.sh/gooey'

	const gui = new Gooey()
</script>

2. Create a new Gooey

const gui = new Gooey()

Basics

Use add to create a new input

gooey.add('hello', 'world')

gooey.add('count', 1, { min: -1 })

Use addMany to create multiple inputs at once:

gooey.addMany({
	stuff: true,
	more_stuff: {
		like_colors: '#4aa7ff' as const,
		or_buttons: () => alert('thanks!'),
	},
})

Do stuff on change:

const greetingInput = gooey.add('greeting', 'hello')

greetingInput.on('change', console.log) // logs the text value when changed

The onChange option can also be used to set a callback that will be called when the value changes:

gooey.add('title', 'change me', {
	onChange: v => (gooey.title = v),
})

Or, you can chain stuff:

gooey.add('title', 'change me').on('change', v => (gooey.title = v))

Instead of using add with event callbacks, you can use bind to automatically sync an object's values with an input. For example:

const data = {
	size: 12,
	color: '#4aa7ff' as const,
}

gooey.bind(data, 'size')
gooey.bind(data, 'color')

Bind to an entire object with bindMany

const data = {
	wght: 100,
	wdth: 75,
}

gooey.bindMany(data)

Create folders with addFolder

const outer = gooey.addFolder('outer')

const inner = outer.addFolder('inner')

inner.add('say sike', () => outer.close(), {
	text: 'sike',
})

Inputs

| Status | Feature | Primitive | | ------ | ---------- | ------------------------------ | | ✅ | Number | number | | ✅ | Text | string | | ✅ | Switch | boolean | | ✅ | Select | Array<any> | | ✅ | Button | { text, onClick, ... } | | ✅ | ButtonGrid | { text, onClick, ... }[][] | | ✅ | Color | Color \| ColorRepresentation | | 🏗️ | Range | { min, max } | | 🏗️ | Vector2 | { x, y } | | 🏗️ | Vector3 | { x, y, z } |

add vs bind

There are two ways to create inputs; add or bind (along with addMany / bindMany for multiple inputs). The return value will be the generated Input instance.

  • add inputs when you have no data and just want to generate some values and hook into change events. The value will be created and managed by Gooey.

  • bind inputs when you have an existing object, and you want its value(s) to stay in sync with the generated input(s) automatically. This is useful for data that's integrated into a larger system, like reactive state in a web app or entities in a 3D scene graph.

add

The Folder.add method can be used to create any input.

type add = <T>(
  title: string,
  initialValue: T,
  options?: InputOptions<T>
): Input<T>

It accepts a title, initialValue, and options object.

[!TIP] Passing an empty string as the title will omit the title's <div> element, allowing the input to fill the entire width of the parent folder.

The type of input generated depends on the type of the initialValue argument. For example, passing a string results in an InputText instance, while passing a number results in an InputNumber instance.

gooey.add('my text', 'foo') // string -> InputText

gooey.add('my number', 1) // number -> InputNumber

Simple examples of each type of input that can be created with the add method (with empty strings in the title arguments for simplicity):

// InputText
gooey.add('', 'foo') // string

// InputNumber
gooey.add('', 1) // number

// InputColor
gooey.add('', '#4aa7ff') // ColorValue

// InputSelect
gooey.add('', ['foo', 'bar']) // any[]

// InputButton
gooey.add('', () => alert('hi')) // () => void

// InputSwitch
gooey.add('', true) // boolean

// InputButtonGrid
gooey.add('', [
	[
		{ text: 'foo', onClick: () => alert('foo') },
		{ text: 'bar', onClick: () => alert('bar') },
	],
	[
		{ text: 'baz', onClick: () => alert('baz') },
		{ text: 'qux', onClick: () => alert('qux') },
	],
]) // (() => void)[][]

The type of the options object in the third argument will change depending on the type of input, for example:

const countInput = gooey.add('count', 1, {
	min: -1,
	max: 10,
	step: 0.1,
})

Because the initial value (1) is a number, gooey infers the options in the third argument as NumberInputOptions — which is why it accepts min, max, and step.

If we pass a string instead, it'll infer TextInputOptions:

const textInput = gooey.add('greeting', 'hello', {
	maxLength: 10,
})

This should get you some nice, dynamic intellisense. However, you can always fall back to the more specific adders (like addNumber, addColor, etc.) if need be.

addMany

The Folder.addMany method can be used to create multiple inputs at once.

type addMany = <T>(
  target: T,
  options?: Record<keyof T, InputOptions<T>> & {
    exclude?: Array<keyof T>
    include?: Array<keyof T>
  },
) => {
  folders: Folder[];
  inputs: Input<T>[];
}

It takes in any object, and generates a set of inputs based on the object's keys and values.

Nested objects will result in child folders being created.

Options can be passed to the second argument to customize the inputs being generated, and/or to include/exclude specific keys from generation.

While the simplified version of the type signature for addMany above might seem a bit complex, it's actually quite simple in practice! Let's break it down:

The addMany method takes two arguments:

  1. target: The object to create inputs from.
  2. options: Options to customize the inputs generated, as well as include and exclude arrays to omit certain keys.

It returns an object with two properties:

  1. folders: An array of Folder instances created from the object's nested objects, if any.
  2. inputs: An array of Input instances created from the object's primitive values.

Let's look at an example to see how this works in practice.

const {inputs, folders} = gooey.addMany({
  myNumber: 5,
  myFolder: {
    myColor: '#4aa7ff',
  }
})

This will result in an InputNumber, and a Folder titled myFolder containing an InputColor.

inputs.myNumber  // -> InputNumber
inputs.myColor   // -> InputColor

folders.myFolder // -> Folder

Suppose we want to configure the min and max options for myNumber. To do this, we can specify them in the second argument:

const { inputs, folders }  = gooey.addMany({
  myNumber: 5,
  myFolder: {
    myColor: '#4aa7ff',
  }
}, {
  myNumber: {
    min: 0,
    max: 10,
  }
})

And that's it! If all goes well, you should get strong intellisense for all available options in the second argument. If you don't, please file an issue!

Sometimes, relying on inference won't be enough, and you'll need an escape-hatch to get the exact inputs you want. In that case, you can exclude a key from generation, and create it manually with a more specific adder:

const { inputs, folders }  = gooey.addMany({
  myNumber: 5,
  myFolder: {
    myColor: 'hsl(200, 100%, 50%)', // -> InputText (wrong! let's exclude it)
  }
}, {
  exclude: ['myColor'],
})

// ...and now we can add it manually:
gooey.addColor('myColor', 'hsl(200, 100%, 50%)', {
  // and customize it a bit:
  mode: 'hsl'
})

bind

type bind = <T>(
  target: T,
  key: keyof T,
  options?: InputOptions<T>
): Input<T>

The Folder.bind method can be used to create an input that is bound to a key on a target object. When an input created with bind is changed, the target object's value for the given key will be updated automatically.

const data = {
	size: 12,
	color: '#4aa7ff' as const,
}

gooey.bind(data, 'size') // -> InputNumber
gooey.bind(data, 'color') // -> InputColor

About

I built this to scratch an itch, and to pave the way for more advanced features related to WebGL / WebAudio / audio-reactive 3D in the future.

tweakpane was the main inspiration for this project. I recommend it over gooey -- it's a more lightweight solution with more features and an awesome, highly active developer!

Other, similar projects:

Roadmap

  • [ ] Graph / Monitor Input
  • [ ] LFO / Envelope Manager
  • [ ] Bezier Curve Editor Input
  • [ ] Plugins
  • [ ] Framework Wrappers (svelte 5 runes "just work", but other frameworks need wrappers)