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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@meonode/canvas

v1.3.0

Published

A declarative, component-based library for server-side canvas image generation. Write complex visuals with simple functions, similar to the composition style of @meonode/ui.

Readme

@meonode/canvas

A declarative, component-based library for server-side canvas image generation. Write complex visuals with simple functions, similar to the composition style of @meonode/ui. It uses skia-canvas for drawing and yoga-layout for flexbox-based layouts.

This library allows you to build complex image layouts using a familiar component-based approach. You can define your image structure with components like Box, Text, Image, and Grid, and the library will handle the layout and rendering to a canvas.

Key Features

  • Declarative API: Build images using a component tree, just like in React.
  • Flexbox Layout: Powered by yoga-layout, it supports flexbox for powerful and flexible layouts.
  • Rich Text: Render text with custom fonts and inline styling using simple HTML-like tags. Supported tags include <color="value">, <weight="value">, <size="value">, <b>, and <i>.
  • Image Support: Render images from URLs, file paths, or buffers, with object-fit and object-position support.
  • Chart Support: Render bar, line, pie, and doughnut charts with customizable data and options.
  • Styling: Style your components with properties that mimic CSS, including borders, padding, margins, and more.
  • Grid Layout: A Grid component is provided for easy grid-based layouts.
  • TypeScript Support: Fully typed for a better development experience.

Showcase

Installation

yarn add @meonode/canvas

Basic Usage

Here's a simple example of how to create an image with a title and a description:

import {Root, Box, Text} from '@meonode/canvas';
import {writeFile} from 'fs/promises';

async function generateImage() {
    const canvas = await Root({
        width: 500,
        height: 300,
        fonts: [
            {
                family: 'Roboto',
                paths: ['./fonts/Roboto-Regular.ttf', './fonts/Roboto-Bold.ttf'],
            },
        ],
        children: [
            Box({
                width: '100%',
                height: '100%',
                backgroundColor: '#f0f0f0',
                padding: 20,
                children: [
                    Text('Hello, World!', {
                        fontSize: 32,
                        fontWeight: 'bold',
                        fontFamily: 'Roboto',
                        color: '#333',
                    }),
                    Text('This is a basic example of using @meonode/canvas.', {
                        fontSize: 18,
                        fontFamily: 'Roboto',
                        color: '#666',
                        margin: {Top: 10},
                    }),
                ],
            }),
        ],
    });

    const buffer = await canvas.toBuffer('png');
    await writeFile('output.png', buffer);
}

generateImage().catch(console.error);

Wider Usage Example

This example demonstrates a more complex layout using various components, including Image and advanced flexbox properties.

import {Root, Column, Row, Text, Image, Style} from '@meonode/canvas';
import {writeFile} from 'fs/promises';

async function generateComplexImage() {
    const canvas = await Root({
        width: 800,
        height: 600,
        fonts: [
            {
                family: 'Roboto',
                paths: ['./fonts/Roboto-Regular.ttf', './fonts/Roboto-Bold.ttf'],
            },
            {
                family: 'Open Sans',
                paths: ['./fonts/OpenSans-Regular.ttf'],
            },
        ],
        children: [
            Column({
                width: '100%',
                height: '100%',
                backgroundColor: '#f0f0f0',
                padding: 20,
                justifyContent: Style.Justify.SpaceBetween,
                children: [
                    // Header Section
                    Row({
                        width: '100%',
                        alignItems: Style.Align.Center,
                        marginBottom: 20,
                        children: [
                            Image({
                                src: 'https://via.placeholder.com/80x80/FF0000/FFFFFF?text=Logo',
                                width: 80,
                                height: 80,
                                borderRadius: 40,
                                marginRight: 20,
                                objectFit: 'cover',
                            }),
                            Text('Welcome to MeoNode Canvas!', {
                                fontSize: 40,
                                fontWeight: 'bold',
                                fontFamily: 'Roboto',
                                color: '#333',
                            }),
                        ],
                    }),

                    // Main Content Section
                    Column({
                        flexGrow: 1,
                        width: '100%',
                        backgroundColor: '#ffffff',
                        borderRadius: 10,
                        padding: 30,
                        boxShadow: {blur: 10, color: 'rgba(0,0,0,0.1)'},
                        children: [
                            Text('A New Way to Render Graphics', {
                                fontSize: 28,
                                fontWeight: 'bold',
                                fontFamily: 'Open Sans',
                                color: '#555',
                                marginBottom: 15,
                            }),
                            Text(
                                `This example demonstrates a more complex layout using various components.
                We have a header with a logo and title, a main content area with text,
                and a footer. Notice how flexbox properties are used to arrange elements.`,
                                {
                                    fontSize: 18,
                                    fontFamily: 'Open Sans',
                                    color: '#777',
                                    lineHeight: 24,
                                },
                            ),
                            Image({
                                src: 'https://via.placeholder.com/600x200/007bff/ffffff?text=Feature+Image',
                                width: '100%',
                                height: 200,
                                marginTop: 20,
                                borderRadius: 8,
                                objectFit: 'contain',
                                objectPosition: {Top: '50%', Left: '50%'},
                            }),
                        ],
                    }),

                    // Footer Section
                    Row({
                        width: '100%',
                        marginTop: 20,
                        justifyContent: Style.Justify.Center,
                        children: [
                            Text('© 2025 MeoNode Canvas. All rights reserved.', {
                                fontSize: 14,
                                fontFamily: 'Open Sans',
                                color: '#999',
                            }),
                        ],
                    }),
                ],
            }),
        ],
    });

    const buffer = await canvas.toBuffer('png');
    await writeFile('complex_output.png', buffer);
}

generateComplexImage().catch(console.error);

Chart Examples

You can easily create charts by providing data and options to the Chart component.

Bar Chart

import {Root, Chart} from '@meonode/canvas';
import {writeFile} from 'fs/promises';

async function generateBarChart() {
    const canvas = await Root({
        width: 600,
        height: 400,
        children: [
            Chart({
                type: 'bar',
                width: '100%',
                height: '100%',
                data: {
                    labels: ['Jan', 'Feb', 'Mar', 'Apr', 'May'],
                    datasets: [
                        {
                            label: 'Sales',
                            data: [120, 150, 180, 90, 200],
                            color: '#36A2EB',
                        },
                    ],
                },
                options: {
                    gridOptions: {show: true, style: 'dashed'},
                    axisColor: '#333',
                    labelColor: '#333',
                    showValues: true,
                    valueFontSize: 12,
                    showYAxis: true,
                    yAxisColor: '#666',
                },
            }),
        ],
    });

    const buffer = await canvas.toBuffer('png');
    await writeFile('bar_chart.png', buffer);
}

generateBarChart().catch(console.error);

Doughnut Chart with Custom Legend

import {Root, Chart, Row, Box, Text} from '@meonode/canvas';
import {writeFile} from 'fs/promises';

async function generateDoughnutChart() {
    const canvas = await Root({
        width: 600,
        height: 400,
        children: [
            Chart({
                type: 'doughnut',
                width: '100%',
                height: '100%',
                data: [
                    {label: 'Red', value: 300, color: '#FF6384'},
                    {label: 'Blue', value: 50, color: '#36A2EB'},
                    {label: 'Yellow', value: 100, color: '#FFCE56'},
                ],
                options: {
                    innerRadius: 0.7,
                    sliceBorderRadius: 5,
                    renderLegendItem: ({item, color}) =>
                        Row({
                            alignItems: 'center',
                            children: [
                                Box({width: 12, height: 12, backgroundColor: color, borderRadius: 6}),
                                Text(`${item.label}: ${item.value}`, {fontSize: 16, marginLeft: 8}),
                            ],
                        }),
                },
            }),
        ],
    });

    const buffer = await canvas.toBuffer('png');
    await writeFile('doughnut_chart.png', buffer);
}

generateDoughnutChart().catch(console.error);

Grid Layout Examples

The Grid component simplifies creating complex layouts. It mimics CSS Grid Layout.

Basic Grid

A simple grid with 3 columns, each 100 pixels wide.

import {Root, Grid, Box, Text} from '@meonode/canvas';
import {writeFile} from 'fs/promises';

async function generateBasicGrid() {
    const canvas = await Root({
        width: 400,
        height: 300,
        children: [
            Grid({
                columns: 3,
                templateColumns: [100, 100, 100], // or ['100px', '100px', '100px']
                gap: 10,
                children: [
                    Box({backgroundColor: 'red', height: 50, children: [Text('1')]}),
                    Box({backgroundColor: 'blue', height: 50, children: [Text('2')]}),
                    Box({backgroundColor: 'green', height: 50, children: [Text('3')]}),
                    Box({backgroundColor: 'yellow', height: 50, children: [Text('4')]}),
                ],
            }),
        ],
    });

    await canvas.toFile('grid_basic.png');
}

generateBasicGrid();

Responsive Grid (Fractional Units)

Using fractional units (fr) allows columns to take up proportional space.

Grid({
    // First column takes 1 part, second takes 2 parts, third takes 1 part
    templateColumns: ['1fr', '2fr', '1fr'],
    gap: 10,
    children: [
        Box({backgroundColor: 'red', height: 50, children: [Text('1fr')]}),
        Box({backgroundColor: 'blue', height: 50, children: [Text('2fr')]}),
        Box({backgroundColor: 'green', height: 50, children: [Text('1fr')]}),
    ],
});

Spanning Items

Use GridItem (or just passing gridColumn/gridRow props to any child) to span multiple columns or rows.

import {Grid, GridItem, Box, Text} from '@meonode/canvas';

Grid({
    templateColumns: ['1fr', '1fr', '1fr'],
    gap: 10,
    children: [
        // Spans all 3 columns
        GridItem({
            gridColumn: 'span 3',
            height: 50,
            backgroundColor: '#333',
            children: [Text('Header', {color: 'white'})],
        }),
        // Standard items
        Box({backgroundColor: '#eee', height: 100, children: [Text('Content')]}),
        Box({backgroundColor: '#ccc', height: 100, children: [Text('Sidebar')]}),
        // Spans 2 columns
        GridItem({
            gridColumn: 'span 2',
            height: 50,
            backgroundColor: '#555',
            children: [Text('Footer', {color: 'white'})],
        }),
    ],
});

Using Yoga Layout Properties

This library leverages yoga-layout for its powerful flexbox engine. Many layout properties directly map to Yoga's concepts. You can access Yoga-specific constants through the Style export from @meonode/canvas.

For example, to set flexDirection to row or positionType to absolute, you would use:

import {Box, Style} from '@meonode/canvas';

Box({
    flexDirection: Style.FlexDirection.Row,
    justifyContent: Style.Justify.Center,
    alignItems: Style.Align.Center,
    children: [
        Box({
            width: 100,
            height: 100,
            backgroundColor: 'red',
            positionType: Style.PositionType.Absolute,
            position: {Top: 10, Left: 10},
        }),
        // ... other children
    ],
});

Refer to the Yoga Layout documentation for a comprehensive understanding of these properties.

Component API Reference

This section details the props available for each component.

Box, Row, and Column

These are the fundamental layout components. Row and Column are wrappers around Box with a pre-set flexDirection. They all share the same props.

Layout Props

| Prop | Type | Description | |-------------------------|------------------------------|--------------------------------------------------------------------------------| | width, height | number \| string | Sets the size of the node in pixels or percentage. | | minWidth, minHeight | number \| string | Sets the minimum size of the node. | | maxWidth, maxHeight | number \| string | Sets the maximum size of the node. | | flexDirection | Style.FlexDirection | Defines the direction of the main axis (Row, Column, etc.). | | justifyContent | Style.Justify | Defines how items are distributed along the main axis. | | alignItems | Style.Align | Defines how items are aligned along the cross axis. | | alignSelf | Style.Align | Overrides the parent's alignItems for a specific item. | | alignContent | Style.Align | Defines how lines are distributed when content wraps. | | flexGrow | number | Defines the ability of an item to grow. | | flexShrink | number | Defines the ability of an item to shrink. | | flexBasis | number \| 'auto' \| string | Defines the default size of an item along the main axis. | | flexWrap | Style.Wrap | Controls whether flex items wrap to multiple lines. | | positionType | Style.PositionType | Sets the positioning method (Relative or Absolute). | | position | object \| number \| string | Sets the offset for a positioned element. | | margin | object \| number \| string | Sets the margin space on the outside of the node. | | padding | object \| number \| string | Sets the padding space on the inside of the node. | | border | object \| number | Sets the width of the node's border. | | aspectRatio | number | Locks the aspect ratio (width / height) of the node. | | overflow | Style.Overflow | Defines how content that overflows is handled (Visible, Hidden). | | display | Style.Display | Controls if the node is included in layout (Flex, None). | | direction | Style.Direction | Sets the primary layout direction (LTR, RTL). | | gap | object \| number \| string | Defines the space between flex items. | | boxSizing | Style.BoxSizing | Defines how width and height are interpreted (ContentBox, BorderBox). | | zIndex | number | Specifies the stack order of an element (only for positionType: 'absolute'). |

Styling Props

| Prop | Type | Description | |-------------------|--------------------------------------|--------------------------------------------------------| | backgroundColor | string | Sets the background color of the node. | | borderColor | string | Sets the color of the node's border. | | borderStyle | Style.Border | Sets the style of the border (Solid, Dashed). | | borderRadius | object \| number | Sets the radius of the node's corners. | | opacity | number | Sets the opacity of the node and its children (0-1). | | gradient | object | Sets a linear or radial gradient as the background. | | boxShadow | BoxShadowProps \| BoxShadowProps[] | Applies one or more box-shadow effects. | | transform | TransformProps | Applies 2D transformations (translate, rotate, scale). |

Font & Text Props (Inheritable)

These props, when set on a Box, Row, or Column, are inherited by any descendant Text nodes.

| Prop | Type | Description | |-----------------|------------------------------------------------------------------|--------------------------------------------| | fontSize | number | Font size in pixels. | | fontFamily | string | Font family name. | | fontWeight | string \| number | Font weight ('normal', 'bold', 400, etc.). | | fontStyle | 'normal' \| 'italic' | Font style. | | color | string | Text color. | | textAlign | 'start' \| 'end' \| 'left' \| 'center' \| 'right' \| 'justify' | Horizontal text alignment. | | verticalAlign | 'top' \| 'middle' \| 'bottom' | Vertical text alignment. | | lineHeight | number | Line height in pixels. | | lineGap | number | Additional vertical spacing between lines. | | letterSpacing | number \| string | Spacing between letters. | | wordSpacing | number \| string | Spacing between words. | | fontVariant | FontVariantSetting | Specifies font variation settings. |


Text

The Text component renders text content. It inherits all BoxProps except for children, gap, and flex container properties.

Text-Specific Props

| Prop | Type | Description | |--------------|----------------------------------------|----------------------------------------------------------------------------| | maxLines | number | Maximum number of lines to display before truncating. | | ellipsis | boolean \| string | If true, adds '...' when text is truncated. Can also be a custom string. | | textShadow | TextShadowProps \| TextShadowProps[] | Applies one or more shadow effects to the text itself. |


Image

The Image component renders an image. It inherits all BoxProps except for children.

Image-Specific Props

| Prop | Type | Description | |------------------|------------------------------------------------------------|-----------------------------------------------------------------------| | src | string \| Buffer | The source URL, file path, or buffer of the image. | | objectFit | 'fill' \| 'contain' \| 'cover' \| 'none' \| 'scale-down' | Specifies how the image should be resized to fit its container. | | objectPosition | object | Specifies the alignment of the image within its box. | | saturate | number | Adjusts the image's saturation level (0 is grayscale, 1 is original). | | dropShadow | DropShadowProps | Applies a drop-shadow effect based on the image's alpha channel. | | alt | string | Alternative text description (for accessibility). | | onLoad | () => void | Callback function that executes when the image loads successfully. | | onError | (error: Error) => void | Callback function that executes when the image fails to load. |


Grid

The Grid component arranges its children in a grid layout. It is a specialized RowNode and inherits most BoxProps.

Grid-Specific Props

| Prop | Type | Description | |-------------------|----------------------------------------------------------|---------------------------------------------------------| | columns | number | The number of columns in the grid. Default is 1. | | templateColumns | GridTrackSize[] | Defines the columns of the grid (e.g., [100, '1fr']). | | templateRows | GridTrackSize[] | Defines the rows of the grid. | | autoRows | GridTrackSize | Specifies the size of implicitly created rows. | | autoFlow | 'row' \| 'column' \| 'row-dense' \| 'column-dense' | Controls how the auto-placement algorithm works. | | gap | number \| string | Defines the gap between grid items. | | rowGap | number \| string | Defines the row gap. | | columnGap | number \| string | Defines the column gap. | | direction | 'row' \| 'column' \| 'row-reverse' \| 'column-reverse' | The direction of the grid layout. Default is 'row'. |


Chart

The Chart component renders various types of charts. It inherits all BoxProps.

Chart-Specific Props

| Prop | Type | Description | |-----------|---------------------------------------------|-------------------------------------------------------------------------------| | type | 'bar' \| 'line' \| 'pie' \| 'doughnut' | The type of chart to render. | | data | CartesianChartData \| PieChartDataPoint[] | The data for the chart, which varies based on the type. | | options | ChartOptions<T> | An object containing rendering and style options, specific to the chart type. |

ChartOptions

The options prop is a conditional type that changes based on the chart type.

Common Options (All Chart Types)

| Prop | Type | Description | |--------------------|----------------------------------------------|---------------------------------------------------| | showLabels | boolean | If true, displays labels on the chart. | | showLegend | boolean | If true, displays the chart legend. | | labelFontSize | number | Font size for labels and legend text. | | labelColor | string | Color for labels and legend text. | | legendPosition | 'top' \| 'bottom' \| 'left' \| 'right' | The position of the legend relative to the chart. | | renderLabelItem | (props: { item, index }) => BoxNode | A custom render function for chart labels. | | renderLegendItem | (props: { item, index, color }) => BoxNode | A custom render function for legend items. |

Cartesian Chart Options (bar, line)

| Prop | Type | Description | |-----------------------|-----------------------------|-------------------------------------------------------------------| | gridOptions | GridOptions | An object to configure the grid lines (show, color, style). | | axisColor | string | The color of the chart axes. | | showValues | boolean | If true, displays values on top of bars or points. | | valueColor | string | Color of the value labels. | | valueFontSize | number | Font size of the value labels. | | showYAxis | boolean | If true, displays the Y-axis labels on the left. | | yAxisColor | string | Color of the Y-axis labels. | | yAxisFontSize | number | Font size of the Y-axis labels. | | yAxisLabelFormatter | (value: number) => string | Custom formatter for Y-axis labels. |

Pie & Doughnut Chart Options (pie, doughnut)

| Prop | Type | Description | |---------------------|----------|------------------------------------------------------------------------------| | innerRadius | number | The radius of the inner circle in a doughnut chart (0 to 1). Default is 0.6. | | sliceBorderRadius | number | The border radius for the corners of each slice. Default is 0. |


Root

The Root component is the entry point for rendering. It is a specialized ColumnNode.

Root-Specific Props

| Prop | Type | Description | |----------|--------------------------|--------------------------------------------------------------------------| | width | number | Required. Width of the canvas in pixels. | | height | number | Optional height of the canvas. If not set, it's calculated from content. | | scale | number | Scale factor for rendering (e.g., 2 for 2x resolution). Default is 1. | | fonts | FontRegistrationInfo[] | An array of font files to register for use in the canvas. |

Contributing

Contributions are welcome! Please see the Contributing Guidelines for more details on how to get started.

License

This project is licensed under the MIT License - see the LICENSE file for details.