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

declarativ

v0.1.8

Published

This is definitely not JSX.

Downloads

9

Readme

Declarativ Build Status NPM Package Discord Liberapay

"Declarativ" is a lightweight and asynchronous HTML templating library for JavaScript. It definitely isn't my own reinvention of React's JSX. Okay, it kind of is, but whatever, it's still cool.

Declarativ allows you to write a document tree using a series of nested function calls, much like how Declarative UI works inside Flutter or in Jetpack Compose. Here's an example:

container(
  jumbotron(
    h1("This is a big header."),
    button("Do something").on("click", () => alert("Hello!")),
    p($.get("https://loripsum.net/api/plaintext"))
  )
)

Installation

Script Tag

<script type="text/javascript" src="https://unpkg.com/[email protected]/dist/declarativ.min.js"></script>

(the module will be included in the global scope as the declarativ variable)

NPM/Webpack

npm install declarativ

From Source

git clone https://github.com/fennifith/declarativ.git
cd declarativ && make install

Usage

Most component trees can be built using the standard functions defined in declarativ.el. I often use destructuring assignment to move them to the current scope when using more than one or two of them, which makes it a bit easier to work with (provided you don't use any variables that conflict with the element names). Here's an example:

const { div, h1, p, a } = declarativ.el;

let components = div(
  h1("This is a big header."),
  p(
    "Here, have a bit of text",
    a("and a link").attr("href", "https://example.com/"),
    "."
  )
);

After defining your component tree, it can be placed on the DOM by either calling the render or renderString functions. Calling render will place them inside whatever element (or selector) you pass as its argument, while renderString simply returns their HTML representation.

components.render("#content").then(() => {
    console.log("Elements rendered!");
});

Working examples can be found in the examples folder.

Promises & Asynchronicity

Promises can be mixed in with components, and declarativ will wait for them to resolve before processing the result.

p(
  "Everything in this example ",
  new Promise((resolve) => {
    setTimeout(() => resolve("will all render "), 1000);
  }),
  new Promise((resolve) => {
    setTimeout(() => resolve("at the exact same "), 2000);
  }),
  "time!"
)

This happens a bit differently when using the .bind method; components that are unbound will render first, and any children within a bound component will wait for its promise to resolve before being processed.

div(
  p("This will render first."),
  p("This will render second.").bind(new Promise((resolve) => {
    setTimeout(() => resolve(), 1000);
  })),
  p("This will render last.").bind(new Promise((resolve) => {
    setTimeout(() => resolve("at the exact same"), 2000);
  }))
)

Handling Data

Nodes can exist in various forms inside of a component. In the last example, I specified a Promise and a string as the contents of a paragraph element. However, not all of the promises you use will return a string. Often times, you will handle data structures that need to be bound to multiple elements. This is where the .bind() function comes in useful.

div(
  p("This will render first"),
  div(
    p((data) => data.first),
    p((data) => data.second)
  ).bind(Promise.resolve({
    first: "This is a string.",
    second: "This is another string."
  }))
)

Okay, a lot is happening here. I'll slow down and explain.

The bind function also allows you to specify a set of data to be passed to other parts of a component - and extends upon the types of nodes that can be placed inside it. Because the paragraph elements inside the div are not bound to any data, they inherit the Promise that is bound to their parent. The nodes inside of the paragraph elements are then specified as a function of the resolved data, returning the text to render.

A more complex data binding situation based off the GitHub API can be found in examples/binding.html.

Templates

Templating functionality is crucial for projects that involve a large number of elements or repeat a common set of element structures in multiple places. There are a few different ways to create them:

Functions

The easiest is to just create a function that returns another component, like so:

function myComponent(title, description) {
  return div(
    h3(title),
    p(description)
  );
}

Because you're just passing the arguments directly into the structure, this allows you to pass your function a string, another component, a function(data), or a Promise, and have it resolve during the render.

Wrapped Components

If you want to make a component that just slightly extends upon an existing instance of one, it can be wrapped in a function that will act like other components during use. This isn't useful very often, as any child components will be lost in the process, but it is useful if you just want to add a class name or attribute to a component without defining a structure.

const myComponent = declarativ.wrapCompose(
  div().className("fancypants")
);

Custom Elements

This is possibly the least useful kind of template, but I'll leave it here anyway. Most elements are specified inside declarativ.elements, but in the event that you want to use one that isn't, you can create an element template by calling declarativ.compose() with a template function.

By "template function", it must be a function that accepts a string and returns that string inside of the element's HTML tag. For example, here I implement the deprecated <center> tag.

const myComponent = declarativ.compose((inner) => `<center>${inner}</center>`);

Working examples of all of these templates can be found in examples/templates.html.