0.10.0 • Published 8 months ago

neux v0.10.0

Weekly downloads
-
License
MIT
Repository
github
Last release
8 months ago

{\} NEUX

NEUX is a lightweight frontend library for building dynamic user interfaces using declarative element definitions and reactive signals to modify them. It leverages native JavaScript and browser APIs to minimize boilerplate, making it ideal for creating single page applications (SPA) and custom web components.

Key features:

  • No JSX, no compiler, just in real-time.
  • Framework-agnostic, use any part of the library independently.
  • Declarative element definitions using plain objects powered by reactive state management.
  • Intuitive two-way reactivity with direct DOM changes without virtual DOM.
  • Built-in localization support for dynamic language adaptation.
  • Easy integration with CSS modules, Tailwind CSS, and other styling solutions.
  • Minimal bundle size (~4kb gzipped) for fast loading.
  • Open source and available under the MIT license.

Content

  1. Getting Started
  2. Signals
  3. Elements
  4. Localization
  5. Custom Context
  6. Simple Routing
  7. Building with Vite
  8. Using with Tailwind CSS
  9. Using with daisyUI
  10. Using with Web Components
  11. Creating your own Web Component
  12. Code Example

Getting Started

Getting started with NEUX is quick and effortless. You can include NEUX directly in your project without any additional build steps. However, you can use the library with bundlers like Vite if it needed.

To use NEUX in the browser, simply add the following to your HTML page:

<script src="https://unpkg.com/neux"></script>
<script>
  // Import NUEX functions
  const { render, mount, signal, effect, l10n } = window.neux;
  // Start building your app right away!
</script>

Or you can import it as an ES module:

<script type="module">
  // Import NUEX functions
  import { render, mount, signal, effect, l10n } from 'https://esm.sh/neux';
  // Start building your app right away!
</script>

Take a look at the example below. It creates a button that displays a counter. Every time the button is clicked, the count is incremented and the displayed text is automatically updated via NEUX's reactive state management.

// Create reactive state
const state = signal({ count: 1 });
// Render button element
const el = render({
  // Tag name
  tag: 'button',
  // Event listeners
  on: {
    // Increment count on click
    click: () => state.count++,
  },
  // Dynamic text content ($ mark enables reactivity)
  children: () => `Count: ${state.$count}`,
});
// Mount to DOM
mount(el, document.body);

NEUX also supports a concise HyperScript-like syntax for element creation using a h() function, similar to approaches found in other libraries. This syntax helps to define your elements in a more functional manner.

// Create reactive state
const state = signal({ count: 1 });
// Render button element
const el = h(
  // Tag name
  'button',
  {
    // Event listeners
    on: {
      // Increment count on click
      click: () => state.count++,
    },
  },
  // Dynamic text content ($ mark enables reactivity)
  () => `Count: ${state.$count}`,
);
// Mount to DOM
mount(el, document.body);

Signals

Signals in NEUX are reactive proxies for objects. They track changes automatically and update any linked views or computed fields. Use signals to create reactive state, derived values, and listeners for side effects or debugging.

For example:

// Reactive state with fields and computed properties
const state = signal({
  count: 1,
  multiplier: 2,
  list: [
    { text: 'Item 1' },
    { text: 'Item 2', checked: true },
  ],
  double: obj => obj.$count * 2,
  filtered: obj => obj.$list.filter(item => item.checked),
  $double: (newv, oldv) => console.log(newv, oldv),
  $: (newv, oldv, prop) => console.log(newv, oldv, prop),
});
// Update computed field
state.double = obj => state.$count * state.$multiplier;
// Modify state
state.count++;
state.list.push({ text: 'Item 3' });
// Remove field and listeners
delete state.double;

In computed fields, prefixing a property name with $ marks it as reactive. When the property's value changes, the computed function is automatically invoked with its new value.

ATTENTION

  • Removing or replacing the observed object/array will break all bindings.
  • Only the fields accessed during the initial synchronous execution are tracked for updates.

You can creates a reactive effect that computes a derived value and triggers a side effect.

For example:

const dispose = effect(
  // Reactive getter: get count from state and subscribe to changes with '$' marker
  () => {
    const { $count } = state;
    return $count * 2;
  },
  // Non-reactive setter: get result from getter and use it
  (value) => {
    console.log(`The doubled count is: ${value}`);
  }
);
// Stop tracking changes and clear all associated subscriptions
dispose();

The first function (getter) retrieves $count from the reactive state and returns its multiplied value (in this case, doubled). This ensures that any change in $count will automatically update the computed result.

The second function (setter) acts as a non-reactive callback that receives the computed value and performs an action, such as logging it to the console.

Optionally, all reactivity subscriptions set up by the effect can be cleared by invoking the dispose() function, which stops further tracking and updates.

Additionally, you can subscribe to changes in your reactive state using dedicated listener methods. These listeners help you capture when a property's value is added, updated, or deleted. In the example below, the handler function demonstrates how to log the new value, old value, property name, the changed object, and any additional nested fields that were affected.

Here’s the example:

// Define a handler function that receives state change details
const handler = (newv, oldv, prop, obj, nested) => {
  console.log('New value:', newv);
  console.log('Old value:', oldv);
  console.log('Changed property:', prop);
  console.log('Reactive object:', obj);
  console.log('Nested fields (if any):', nested);

  // Determine if the property was added, updated, or deleted
  if (newValue === undefined) {
    console.log('Property deleted');
  } else if (oldValue === undefined) {
    console.log('Property added');
  } else {
    console.log('Property updated');
  }
};
// Subscribe to changes on the 'double' property
state.$$on('double', handler);
// Subscribe with a one-time listener for the 'double' property
state.$$once('double', handler);
// Unsubscribe a specific listener from the 'double' property
state.$$off('double', handler);
// Remove all listeners for the 'double' property
state.$$off('double');
// Subscribe to any changes on this object and all nested children
state.$$on('*', handler);

In this example:

  • The handler function logs useful details about state changes.
  • Using $$on(), you can add persistent listeners.
  • With $$once(), the listener triggers only the first time the change occurs.
  • The $$off() method allows you to remove specific or all listeners for a given property.
  • The wildcard '*' subscribes the handler to any changes across the entire reactive structure.

This flexibility lets you efficiently track and respond to state mutations across your application.

Elements

NEUX allows to render HTML elements and mount them in the DOM. You can declaratively define HTML elements and then mount them in the DOM using plain JavaScript objects and functions.

You should use the render() function to create an Element or DocumentFragment by declarative definition. Below is an overview of the most common parameters available for element configuration:

  • tag: (String or Element) Specifies the HTML tag name (e.g., "div", "span") or HTML markup to create or an existing Element to use directly.
  • classList: (Array of Strings or Function) Specifies one or more CSS classes to add to the element. It can be a static array or a function that returns an array based on dynamic context.
  • attributes: (Object or Function) Maps attribute names to their corresponding values. Use a static object for fixed attributes or a function for dynamic assignment.
  • style: (Object or Function) Sets inline CSS styles via an object where keys are CSS property names. This can also be defined as a function to handle dynamic styling.
  • dataset: (Object or Function) Assigns custom data attributes (data-*) through a static mapping or a function that returns the mapping.
  • on: (Object) Adds event listeners to the element. Each key represents an event name (e.g., "click", "change") with its corresponding handler function.
  • children: (String, Array of Elements, or Function) Defines the inner content of the element. This can be a direct string, an array of element definitions, or a function that returns child nodes for dynamic rendering.
  • ref: (Function) A callback that receives the created element, allowing you to store a reference or perform additional operations immediately after creation.
  • namespaceURI: (String) Specifies the XML namespace URI when creating namespaced elements, such as SVG or MathML. Usually, this property is not required because it is automatically determined by the tag name.
  • shadowRootMode: (String) Defines the mode of the element’s shadow DOM, determining its accessibility and encapsulation. Options include 'open' (the shadow root is accessible via the element’s shadowRoot property) and 'closed' (the shadow root is hidden, preventing external access).

You can also include any other parameters specific to particular elements. This flexible approach supports both static configurations and dynamic, reactive user interfaces.

const el = render({
  tag: 'ul',
  classList: ['list'],
  ref: el => {
    console.log(el);
  },
  children: ['Item 1', 'Item 2']
    .map((item, index) => {
      return {
        tag: 'li',
        style: {
          color: 'red',
        },
        attributes: {
          title: item,
        },
        dataset: {
          index,
        },
        textContent: item,
      };
    }),
});

The el variable will contain an HTML element with the following markup:

<ul class="list">
  <li title="Item 1" data-index="0" style="color: red;">Item 1</li>
  <li title="Item 2" data-index="1" style="color: red;">Item 2</li>
</ul>

To attach any HTML element to the DOM you should use the mount() function. This function attaches elements to the DOM and sets up a MutationObserver on the target to dispatch custom events on lifecycle changes. These events are emitted for each element in the target DOM tree.

List of lifecycle events:

  • mounted – Fired when the element is added to the DOM.
  • changed – Fired when an element attribute or property is modified.
  • removed – Fired when the element is removed from the DOM.

The removed event is used internally to clean up signal bindings. You can prevent the default behavior for the target element and all its children by calling the preventDefault() method.

Example of using lifecycle events:

// Create an HTML element
const el = render({
  // Event listeners
  on: {
    mounted(e) {
      console.log('Element mounted:', e);
    },
    changed(e) {
      console.log('Element changed:', e);
    },
    removed(e) {
      // you can prevent the default behavior
      // e.preventDefault();
      console.log('Element removed:', e);
    },
  },
  textContent: 'Hello World!',
});
// Mount to DOM and set up lifecycle events
mount(el, document.body);
// Change the element attribute
el.setAttribute('title', 'Text');
// Remove the element fomr DOM
el.remove();

In the mount() function, the second argument can be a target HTML element or CSS selector that will be used to find the target.

You can use the $$map() method of arrays in state to optimize the rendering of child elements. Instead of re-rendering the entire list when the associated array changes, only the elements that have been added, updated, or removed are affected. This minimizes unnecessary DOM manipulations, resulting in smoother and more efficient UI updates, especially when dealing with large or frequently changing arrays.

// Create a reactive state with an array
const state = signal({
  list: [
    { text: 'Item 1' },
    { text: 'Item 2' },
  ],
});
// Create an HTML element
const el = render({
  tag: 'ul',
  children: () => {
    return state.list.$$map((item) => {
      return {
        tag: 'li',
        textContent: () => item.$text,
      };
    });
  },
});
// Add item to the array
state.list.push({ text: 'Item 3' });

You can include any SVG icon as HTML markup and change its styles (size, color) via the classList or attributes parameters (raw import works with Vite):

import githubIcon from '@svg-icons/fa-brands/github.svg?raw';

const svgElement = render({
  tag: githubIcon,
  classList: ['icon'],
  attributes: {
    width: '64px',
    height: '64px'
  }
});

Additionally, you can create a DocumentFragment by simply passing an array to the render() function:

// Create DocumentFragment
const fragment = render([
  { tag: 'span', textContent: 'Item 1' },
  { tag: 'span', textContent: 'Item 2' },
  { tag: 'span', textContent: 'Item 3' },
]);
// Mount to DOM
mount(fragment, document.body);

Localization

Localization is used to display the application interface in different languages.You can use localized number and date formatting with Intl.NumberFormat and Intl.DateTimeFormat.

Translation example:

const t = l10n({
  en: {
    say: {
      hello: "Hello %{name}!"
    },
    number: 'number: %{val}',
    date: 'date: %{val}'
  },
  ru: {
    say: {
      hello: "Привет %{name}!"
    },
    number: 'число: %{val}',
    date: 'дата: %{val}'
  }
}, {
  language: navigator.language,
  fallback: 'en'
});

const msgEn = t('say.hello', { name: 'World' });
console.log(msgEn); // Hello World!

const numberMsg = t('number', {
  val: [12345, {
    style: 'currency',
    currency: 'USD'
  }]
});
console.log(numberMsg); // number: $12,345.00

const dateMsg = t('date', {
  val: [new Date('2025-01-15'), {
    weekday: 'long',
    year: 'numeric',
    month: 'long',
    day: 'numeric'
  }]
});
console.log(dateMsg); // date: Wednesday, January 15, 2025

const msgRu = t('say.hello', { name: 'Мир' }, 'ru');
console.log(msgRu); // Привет Мир!

Custom Context

By default, NEUX uses a global context for the signal() and render() functions. However, there are scenarios where you might need to use a custom context for signals and rendering. This allows you to separate multiple states, ensuring that reactivity works only within the same context. You can create an object and bind it to these functions.

Here’s an example of how to use a custom context:

// Custom context
const context = { hi: 'hello' };
// Signal with custom context
const state = signal.call(context, {
  count() {
    console.log('signal', this.hi); // hello
    return 1;
  }
});
// Render with the same context
const el = render.call(context, {
  textContent() {
    console.log('render', this.hi); // hello
    return state.$count;
  }
});
// Mount to DOM
mount(el, document.body);

In this example:

  • A custom context object is created with a property hi.
  • The signal function is called with the custom context using signal.call(context, {...}).
  • The render function is also called with the same custom context using render.call(context, {...}).
  • The this keyword inside the signal and render functions refers to the custom context, allowing access to its properties.

This approach ensures that the reactivity and rendering logic are scoped to the custom context, providing better modularity and separation of concerns in your application or within Web Components.

Simple Routing

NEUX lets you implement routing simply with reactive state. By tracking the URL hash, you can switch between views dynamically. The following example demonstrates a basic routing setup with detailed comments and improved styling.

// Initialize routing state
const state = signal({
  path: location.hash.slice(1) || 'Home',
});
// Route components
const Home = () => ({
  tag: 'div',
  textContent: 'Welcome to the Home Page!',
});
const About = () => ({
  tag: 'div',
  textContent: 'This is the About Page.',
});
const NotFound = () => ({
  tag: 'div',
  textContent: '404 - Page Not Found',
});
// Route views
const views = { Home, About };
// App layout with navigation and content
const el = render({
  children: [
    // Navigation links
    {
      tag: 'nav',
      children: [{
        tag: 'a',
        href: '#Home',
        textContent: 'Home',
      }, {
        tag: 'a',
        href: '#About',
        textContent: 'About',
      }, {
        tag: 'a',
        href: '#Blog',
        textContent: 'Blog',
      }],
    },
    // Main content
    {
      tag: 'main',
      children: () => {
        const View = views[state.$path];
        return View ? View() : NotFound();
      },
    },
  ],
});
// Update state on hash change
window.addEventListener('hashchange', () => {
  state.path = location.hash.slice(1);
});
// Mount to DOM
mount(el, document.body);

In this setup:

  • The reactive state holds the current path.
  • Navigation links update the URL hash, which triggers a state change.
  • The main content area dynamically renders the corresponding view.
  • If the route is not found, a default "Not Found" view is displayed.

Building with Vite

You can use NEUX with Vite bundler.

How to set up:

1. Create a new Vite project:

npm init vite@latest -- --template vanilla

2. Install the neux module:

npm install --save-dev neux

3. Paste your application code into the src/main.js file:

import { render, mount } from 'neux';

const el = render({
  textContent: 'Hello World!',
});

mount(el, '#app');

4. Run the project:

npm run dev

Using with Tailwind CSS

It also fits well with Tailwind CSS. After installing Tailwind CSS into your project you can use CSS classes in the classList field as String or Array.

How to set up your Vite project:

1. Install the required modules:

npm install --save-dev tailwindcss @tailwindcss/vite

2. Create the file vite.config.js:

import { defineConfig } from 'vite';
import tailwindcss from '@tailwindcss/vite';

export default defineConfig({
  plugins: [
    tailwindcss(),
  ],
});

3. Replace the contents of the src/style.css file with:

@import "tailwindcss";

4. Replace the contents of the src/main.js file with the example:

import './style.css';
import { render, mount } from 'neux';

const el = render({
  tag: 'h1',
  classList: ['text-3xl', 'font-bold', 'underline'],
  textContent: 'Hello world!',
});

mount(el, '#app');

Using with daisyUI

To simplify styles you can use daisyUI. This is a popular component library for Tailwind CSS.

How to set up your Tailwind CSS project:

1. Install the required modules:

npm install --save-dev daisyui

2. Replace the contents of the src/style.css file:

@plugin "daisyui";

3. Replace the contents of the src/main.js file with the example:

import './style.css';
import { signal, render, mount } from 'neux';

const state = signal({ count: 0 });

const el = render({
  classList: ['container', 'm-auto', 'p-8', 'flex', 'gap-4'],
  children: [{
    tag: 'button',
    classList: ['btn', 'btn-primary'],
    textContent: '-1',
    on: {
      click: () => {
        state.count--;
      },
    },
  }, {
    tag: 'input',
    type: 'number',
    classList: ['input', 'input-bordered', 'w-full'],
    value: () => state.$count,
    on: {
      change: ({ target }) => {
        state.count = parseInt(target.value);
      },
    },
  }, {
    tag: 'button',
    classList: ['btn', 'btn-primary'],
    textContent: '+1',
    on: {
      click: () => state.count++,
    },
  }],
});

mount(el, '#app');

Using with Web Components

You can use NEUX along with any Web Components. Many component libraries can be found here.

Let's take an example of working with the BlueprintUI library:

1. Install the required modules:

npm install --save-dev @blueprintui/components @blueprintui/themes @blueprintui/layout @blueprintui/typography

2. Import styles in the src/style.css file:

@import '@blueprintui/layout/index.min.css';
@import '@blueprintui/typography/index.min.css';
@import '@blueprintui/themes/index.min.css';

3. Replace the contents of the src/main.js file with the example:

import './style.css';
import '@blueprintui/components/include/button.js';
import '@blueprintui/components/include/card.js';
import '@blueprintui/components/include/input.js';
import { render, mount } from 'neux';

const el = render({
  tag: 'bp-card',
  children: [{
    tag: 'h2',
    slot: 'header',
    attributes: {
      'bg-text': 'section',
    },
    textContent: 'Heading',
  }, {
    tag: 'bp-field',
    children: [{
      tag: 'label',
      textContent: 'label',
    }, {
      tag: 'bp-input',
    }],
  }, {
    slot: 'footer',
    attributes: {
      'bp-layout': 'inline gap:xs inline:end',
    },
    children: [{
      tag: 'bp-button',
      attributes: {
        action: 'secondary',
      },
      textContent: 'Cancel',
    }, {
      tag: 'bp-button',
      attributes: {
        status: 'accent',
      },
      textContent: 'Confirm',
    }],
  }],
});

mount(el, document.body);

Creating your own Web Component

You can create your own components using one of the libraries, for example Lit. But you can also create your own Web Components using NEUX.

An example of a web component definition:

// Create a custom web component
class Counter extends HTMLElement {
  static observedAttributes = ['value'];

  constructor() {
    super();
    const context = {};
    this.state = signal.call(context, this.data());
    const el = render.call(context, this.template());
    const target = this.attachShadow({ mode: 'open' });
    mount(el, target);
  }

  attributeChangedCallback(name, oldv, newv) {
    this.state[name] = newv;
  }

  data() {
    return {
      value: '',
      $: (newv, oldv, prop) => this.setAttribute(prop, newv),
    };
  }

  template() {
    return {
      children: () => [{
        tag: 'slot',
        name: 'label',
        textContent: () => `Count: ${this.state.$value} `,
      }, {
        tag: 'input',
        type: 'number',
        value: () => this.state.$value,
        on: {
          change: (e) => {
            this.state.value = e.target.value;
          },
        },
      }],
    };
  }
}
// Define custom element
customElements.define('ne-counter', Counter);

Use this web component:

const state = signal({
  count: 1,
});

const el = render({
  tag: 'ne-counter',
  attributes: {
    value: () => state.$count,
  },
  on: {
    changed: (e) => {
      state.count = parseInt(e.detail.newValue);
    },
  },
  children: [{
    tag: 'span',
    slot: 'label',
    textContent: () => state.$count,
  }],
});

mount(el, document.body);

Code Example

This example shows how to write a simple app (To-Do List):

// Create a reactive state
const state = signal({
  // Todo items
  list: [
    { text: 'Item 1' },
    { text: 'Item 2', checked: true },
    { text: 'Item 3' },
  ],
  // List of checked items
  filtered: (obj) => {
    return obj.$list.filter(item => !item.checked);
  },
});
// Create HTML elements
const el = render({
  children: [{
    tag: 'h1',
    textContent: 'To Do',
  }, {
    tag: 'input',
    placeholder: 'Enter your task...',
    autofocus: true,
    on: {
      keyup(e) {
        if (e.key === 'Enter') {
          e.preventDefault();
          state.list.push({ text: e.target.value });
          e.target.value = '';
        }
      },
    },
  }, {
    children: [{
      tag: 'input',
      type: 'checkbox',
      on: {
        change(e) {
          const checked = e.target.checked;
          state.list.forEach((item) => {
            item.checked = checked;
          });
        },
      },
    }, {
      tag: 'label',
      textContent: 'Mark all as complete',
    }],
  }, {
    tag: 'ul',
    children: () => {
      // Redraw the list if any child element is added, replaced or removed.
      // Any updates inside children are ignored.
      return state.list.$$map((item) => {
        return {
          tag: 'li',
          children: [{
            tag: 'input',
            type: 'checkbox',
            checked: () => item.$checked,
            on: {
              change(e) {
                item.checked = e.target.checked;
              },
            },
          }, {
            tag: 'label',
            style: {
              textDecoration: () => item.$checked ? 'line-through' : 'none',
            },
            textContent: () => item.$text,
          }, {
            tag: 'button',
            textContent: 'x',
            on: {
              click(e) {
                e.preventDefault();
                const index = state.list.indexOf(item);
                state.list.splice(index, 1);
              },
            },
          }],
        };
      });
    },
  }, {
    textContent: () => {
      return `Total items: ${state.$filtered.length} / ${state.list.$length}`;
    },
  }],
});
// Mount to the DOM
mount(el, document.body);

Try it in the playground:

0.10.0

8 months ago

0.9.0

8 months ago

0.8.0

1 year ago

0.7.0

1 year ago

0.6.1

2 years ago

0.6.0

2 years ago

0.5.0

2 years ago

0.4.0

2 years ago

0.3.2

2 years ago

0.3.1

2 years ago

0.3.0

2 years ago

0.2.1

2 years ago

0.2.0

2 years ago

0.1.0

2 years ago