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

adonisjsx

v0.5.0

Published

AdonisJS package for adding JSX as your templating engine

Downloads

24

Readme

Features

  • JSX as a runtime, usable everywhere in your app
  • Config for global layouts
  • Extended HTTPContext with jsx rendering and streaming methods
  • Uses @kitajs/html for JSX runtime

First steps

# Install the package
npm i adonisjsx
# Register providers and config
node ace configure adonisjsx

Add jsx factories

After installing package, extend your tsconfig.json compiler options:

{
  "compilerOptions": {
    "jsx": "react-jsx",
    "jsxImportSource": "@kitajs/html",
    // Optionally add the ts-html-plugin for xss protection
    // the package is installed automatically if you are using adonisjsx
    "plugins": [{ "name": "@kitajs/ts-html-plugin" }]
  }
}

Update useAsyncLocalStorage

You should also update your app.ts useAsyncLocalStorage to true if you want to access helpers that depend on HttpContext to work.

Use it!

const Component() {
  return <div>Hello World</div>
}

router.get('/', async ({ jsx }) => {
  return jsx.render(Component)
})

router.get('/stream', async ({ jsx }) => {
  jsx.stream(Component)
})

API

With the JSX configured, whenever you use it will be compiled to string, so you can simply return JSX from your routes, controllers, or any other place in your app. However, it may get tedious if you are accustomed to using layouts or you want to use more powerful features like streaming. The package gives you a few tools to make your life easier.

HttpContext.jsx.render

render: <
  TData extends Record<string, unknown>,
  TOptions extends {
    layout?: Component
    data: TData
  },
>(
  view: Component<TData> | string,
  options?: TOptions
) => Promise<JSX.Element>

You can render your components with the jsx util. It will wrap your component with global layout by default (which you can override through options or change it globally in the jsx.ts config published by the package).

// routes.tsx
import { MyComponent, Layout } from '#components'
route.get('/', async ({ jsx }) => {
  return jsx(MyComponent)
  // If your component takes props, data option will be typed accordingly
  return jsx(MyComponent, { data: { name: 'John' }, layout: Layout })
})

HttpContext.jsx.stream

stream: <TData extends Record<string, unknown>, TOptions extends {
    layout?: Component;
    errorCallback?: (error: NodeJS.ErrnoException) => [string, number?];
    data: TData;
}>(view: Component<TData & {
    rid?: number | string;
}>, options?: TOptions) => void

You can await any data in the component normally, as they are not react components but just functions that are converted from syntax sugar into pure javascript.

async function MyComponent() {
  const data = await fetch('https://api.com/data')
  return <div>{data}</div>
}

But you may want to show most of your UI instantly, and then stream only the parts that require async data. You can do that with render method. It will render the component and then stream the async parts as they resolve. Underneath, this method uses AdonisJS streaming, so you do not return the result of the method, you just call it.

stream takes the same options as render method, but also accepts errorCallback option, which is called when an error occurs during streaming. By default, it will log the error and send 500 status code, but you can override it to handle errors in your own way. It comes directly from the framework streaming methods. The method will also pass the render id to your component - through rid prop that you can pass to the Suspense component as unique identifier. If you want to, feel free to generate one yourself.

import { Suspense } from 'adonisjsx'

router.get('/', async ({ jsx }) => {
  jsx.stream(MyComponent, { errorCallback: (error) => ([`Rendering failed: ${error.message}`, 500]) })
})

function MyComponent({ rid }) {
  return (<>
    <div>Instant UI</div>
    <Suspense
      rid={rid}
      fallback={<div>Loading username...</div>}
      catch={(err) => <div>Error: {err.stack}</div>}
    >
      <MyAsyncComponent />
    </Suspense>
  </>)
}

async function MyAsyncComponent() {
  const data = await fetch('https://api.com/data')
  return <div>{data}</div>
}

viteAssets

function viteAssets(entries: string[], attributes: Record<string, unknown> = {}): JSX.Element

If you use vite with AdonisJS, there are helper methods for edge templates that integrate your templates with vite. adonisjsx provides similar helpers for JSX.

You can use viteAssets method to generate resource tags in your JSX that refer to the vite entries.

For vite config like this:

adonisjs({
  entrypoints: ['resources/js/app.js'],
})

You can add the javascript entry to your JSX like this:

import { viteAssets } from 'adonisjsx'

function MyComponent() {
  return (
    <html>
      <head>
        {viteAssets(['resources/js/app.js'])}
      </head>
      <body>
        <div>Hello World</div>
      </body>
    </html>
  )
}

viteReactRefresh

function viteReactRefresh(): JSX.Element

This function will add the necessary script tags to enable vite's react refresh feature. Make sure it is registered before actual react scripts.

import { viteReactRefresh, viteAssets } from 'adonisjsx'

function MyComponent() {
  return (
    <html>
      <head>
        {viteReactRefresh()}
        {viteAssets(['resources/js/app.js'])}
      </head>
      <body>
        <div>Hello World</div>
      </body>
    </html>
  )
}

csrfField

With @adonisjs/shield installed, you can use csrfField method to generate a hidden input with csrf token.

import { csrfField } from 'adonisjsx'

function Form() {
  return (
    <form>
      {csrfField()}
      <button>Submit</button>
    </form>
  )
}

route

You can use route method to generate urls for your routes. It works the same way as in edge templates.

// routes.tsx
import router from "@adonisjs/core/services/router";

router.get('/foo', async () => {
  return "foo"
}).as('foo')

// MyComponent.tsx
import {route} from 'adonisjsx'

function MyComponent() {
  return (
    <a href={route('foo')}>Home</a>
  )
}

Recipes

Code samples that will help you move from edge templating.

Get http context inside the component

You may need to access request or other HttpContext metadata inside your component. You can do that by calling HttpContext.getOrFail method.

function MyComponent() {
  const { request } = HttpContext.getOrFail()
  return <div>{request.ip()}</div>
}

License

Adonisjsx is open-sourced software licensed under the MIT license.