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

lachs

v1.0.8

Published

Workspace for exporting JSX to PDF, SVG, PNG and JPEG

Downloads

14

Readme

The majority of the work that realised this package happen in one of lachs dependencies, lachs-pdf-lib. PDFLib is an awesome pure javascript package that allows modifying and creating PDF files. lachs-pdf-lib is a fork of this library that enables drawing from JSX elements. If you are interested in drawing a SVG string to a PDF visit lachs-pdf-lib.

Table of Contents

Features

  • Elements
    • JSX -> PNG | PNG[]
    • JSX -> JPEG | JPEG[]
    • JSX -> WEBP | WEBP[]
    • JSX -> SVG | SVG[]
    • JSX -> PDF | PDF[]
  • Artboard
    • JSX -> PNG | PNG[]
    • JSX -> JPEG | JPEG[]
    • JSX -> WEBP | WEBP[]
    • JSX -> SVG | SVG[]
    • JSX -> PDF | PDF[]
  • Workspace
    • JSX[] -> PNG | PNG[]
    • JSX[] -> JPEG | JPEG[]
    • JSX[] -> WEBP | WEBP[]
    • JSX[] -> SVG | SVG[]
    • JSX[] -> PDF | PDF[]
  • Response types
    • arrayBuffer
    • base64
    • dataUri
    • binary
    • string
  • Advanced
    • Export based on list of JSON configs
    • Modify existing PDFs -> PDF, JPEG, PNG and WEBP

Usage

Elements

An element is constructed with properties and a compiler. The compiler is a react hook function that returns a JSX element. At a minimum xmlns and viewbox must be provided.

import { Element } from 'lachs';
import QRCode from 'qrcode';
import bbox from 'svg-path-bbox';

const compiler = (props: {
  url: string,
  errorCorrectionLevel?: QRCode.QRCodeErrorCorrectionLevel,
  version?: number,
  stroke?: string,
}): JSX.Element => {
  const qrcode = QRCode.create(props.url, {
    errorCorrectionLevel: props.errorCorrectionLevel,
    version: props.version,
  });

  const cmd = (cmd: string, x: number, y?: number) => {
    let str = cmd + x;
    if (typeof y !== 'undefined') str += ' ' + y;

    return str;
  };

  const { size, data } = qrcode.modules;

  let d = '';
  let moveBy = 0;
  let newRow = false;
  let lineLength = 0;

  for (let i = 0; i < data.length; i++) {
    const col = Math.floor(i % size);
    const row = Math.floor(i / size);

    if (!col && !newRow) newRow = true;

    if (data[i]) {
      lineLength++;

      if (!(i > 0 && col > 0 && data[i - 1])) {
        d += newRow ? cmd('M', col, 0.5 + row) : cmd('m', moveBy, 0);

        moveBy = 0;
        newRow = false;
      }

      if (!(col + 1 < size && data[i + 1])) {
        d += cmd('h', lineLength);
        lineLength = 0;
      }
    } else {
      moveBy++;
    }
  }

  const viewBox = bbox(d);
  const height = viewBox[3] - viewBox[1];
  const width = viewBox[2] - viewBox[0];

  const { stroke } = props;
  return (
    <svg
      xmlns="http://www.w3.org/2000/svg"
      viewBox={'0 0 ' + width + ' ' + height}
    >
      <path d={d} fill="none" stroke={stroke} />
    </svg>
  );
};

const element = new Element(compiler, {
  url: 'https://github.com/lachlansmith/lachs',
  errorCorrectionLevel: 'H',
  stroke: 'black',
});

const PDF = await element.toPDF(); // arrayBuffer
const SVG = await element.toSVG(); // string
const PNG = await element.toPNG(); // dataUri
const JPEG = await element.toJPEG({ responseType: 'arrayBuffer' }); // arrayBuffer
const WEBP = await element.toWEBP({ responseType: 'base64' }); // base64

Artboards

import { Artboard, BoardSizes } from 'lachs';
import opentype from 'opentype.js';

const [width, height] = BoardSizes.A4;

const artboard = new Artboard([width, height]);

artboard.addMethod(
  'text',
  (props: {
    text: string,
    font: ArrayBuffer,
    fontSize: number,
    fill: string,
  }): JSX.Element => {
    const { text, font, fontSize, fill } = props;

    const f = opentype.parse(font);
    const d = f.getPath(text, 0, 0, fontSize).toPathData(3);

    const viewBox = bbox(d);
    const height = viewBox[3] - viewBox[1];
    const width = viewBox[2] - viewBox[0];

    return (
      <svg
        xmlns="http://www.w3.org/2000/svg"
        viewBox={'0 0 ' + width + ' ' + height}
      >
        <path fill={fill} d={d} />
      </svg>
    );
  },
);

const font = await axios.get(
  'https://urloftheTTForOTForWOFFfile.com/font.ttf',
  {
    responseType: 'arrayBuffer',
  },
);

artboard
  .text({
    text: 'Hello World',
    font: font,
    fontSize: 32,
    fill: '#FF0000',
  })
  .transform({
    x: width / 2,
    y: height / 2,
    anchor: 'center middle',
  });

const PDF = await artboard.to('application/pdf'); // arrayBuffer
const SVG = await artboard.to('image/svg+xml'); // string
const PNG = await artboard.to('image/png'); // dataUri
const JPEG = await artboard.to('image/jpeg', { responseType: 'arrayBuffer' }); // arrayBuffer
const WEBP = await artboard.to('image/webp', { responseType: 'base64' }); // base64

Workspaces

import lachs, { BoardSizes } from 'lachs';
import { qrcode, text } from './myCompilers';

const workspace = new lachs.Workspace();

workspace.addMethod('qrcode', qrcode);
workspace.addMethod('text', text);

const artboard = workspace.addArtboard(BoardSizes.A1);

const qrcodeElement = artboard.qrcode({
  url: 'Welcome',
});

workspace.addArtboard(BoardSizes.A5);

const textElement = workspace.artboards[1].text({
  text: 'Welcome',
  font: font,
  fontSize: 20,
});

textElement.transform({
  x: qrcodeElement.width + 20,
});

const PDFs = await workspace.toPDF({ individual: true }); // arrayBuffer[]
const SVGs = await workspace.to('svg'); // string[]
const PNGs = await workspace.to('image/png'); // dataUri[]
const JPEGs = await workspace.to('image/jpg', { responseType: 'arrayBuffer' }); // arrayBuffer[]
const WEBPs = await workspace.toWEBP({ responseType: 'base64' }); // base64[]

Globals

Given lachs list of available methods is empty by default this might be annoying if you use certain methods often. Here's how you might add all basic svg shapes to lachs without needing to add them to each workspace as they are constructed.

import lachs, { BoardSizes } from 'lachs';

lachs.addMethod('circle', lachs.compilers.circle);
lachs.addMethod('ellipse', lachs.compilers.ellipse);
lachs.addMethod('line', lachs.compilers.line);
lachs.addMethod('rect', lachs.compilers.rect);
lachs.addMethod('path', lachs.compilers.path);
lachs.addMethod('polygon', lachs.compilers.polygon);
lachs.addMethod('polyline', lachs.compilers.polyline);

const workspace = new Workspace();
const artboard1 = workspace.addArtboard(BoardSizes.A4);

// no need to call add method on workspace or artboards

artboard1.circle({ ... });
artboard1.ellipse({ ... });

const artboard2 = workspace.addArtboard(BoardSizes.A4);

artboard2.line({ ... });
artboard2.rect({ ... });

const PDF = await workspace.toPDF()

Advanced

Configs

Largely the reason this package was created was to enable changing an element across multiple pages based on high level JSON configs. The configs option is available on all Element, Artboard and Workspace .to* methods. For an element to configure based on configs it must have a configurer.

You can directly set the elements configurer on a per element basis.

import lachs, { useConfigurer } from 'lachs';
import { qrcode as compiler } from './myCompilers';

const element = new Element(compiler, {
  url: 'https://github.com/lachlansmith/lachs#',
});

element.configurer = useConfigurer((props: any, config: any) => ({
  ...props,
  url: props.url + config,
}));

let configs = ['table-of-contents', 'features', 'contributing', 'license'];
const SVGs = await workspace.to('image/svg+xml', {
  configs: configs,
  responseType: 'dataUri',
}); // base64[]

If your element always needs the same configurer, it may be added as the third argument to any addMethod. The method will now always return an element with that configurer.

import lachs, { useConfigurer } from 'lachs';
import { text as compiler } from './myCompilers';

const artboard = new Artboard([500, 500]);

const configurer = useConfigurer((props: any, config: any): any => ({
  ...props,
  text: props.text.replace('#', config.number),
}));

artboard.addMethod('text', compiler, configurer);

artboard.text({ text: 'Replace # with number' });
artboard.text({ text: 'And this # with number' }).transform({ y: 50 });

let configs = [];
for (let n = 1; n < 20; n++) {
  const config = { number: n.toString() };
  configs.push(config);
}

const PNGs = await artboard.to('image/png', { configs: configs }); // dataUri[]

Modify

If you'd like to initalise a Workspace from a PDF file this is done with the .from method. If you'd like to intialise an Artboard from a PDF file this is also done with the .from method. Use the optional argument index with Artboard to select which page the Artboard should be initilised from.

import lachs, { Workspace, useConfigurer } from 'lachs';
import { qrcode as compiler } from './myCompilers';

const configurer = useConfigurer((props: any, config: any): any => {
  const colors = ['black', 'red', 'blue'];
  return {
    ...props,
    stroke: colors[config.number % 3],
  };
});

lachs.addMethod('qrcode', compiler, configuerer);

// Fetch the PDF
const pdf = await axios.get('https://urlOfPDFDocument/doc.pdf', {
  responseType: 'arrayBuffer',
});

// Initialise Workspace from PDF
const workspace = Workspace.from(pdf);

console.log(workspace.artboards.length); // 3

const [width, height] = workspace.artboard[0].size;

const element = workspace.artboard[0]
  .qrcode({
    url: 'https://github.com/lachlansmith/lachs',
  })
  .transform({ x: width / 2, y: height / 2, anchor: 'center middle' });

workspace.artboard[1].add(element).transform({ rotate: 45 });
workspace.artboard[2].add(element).transform({ rotate: 90 });

let configs = [];
for (let n = 1; n < 18; n++) {
  const config = { number: n.toString() };
  configs.push(config);
}

const pdf = await workspace.to('application/pdf', { configs: configs });

Download


import JSZip from "jszip";
import { saveAs } from "file-saver";

interface Extension {
  [mimeType: string]: string;
}

const ext: Extension = {
  "application/pdf": "pdf",
  "image/svg+xml": "svg",
  "image/png": "png",
  "image/jpeg": "jpeg",
  "image/webp": "webp",
};

const download = async (
    workspace: Workspace,
    mimeType:
        | "application/pdf"
        | "image/svg+xml"
        | "image/png"
        | "image/jpeg"
        | "image/webp",
    options: { configs: any }
) => {
    const output = (await workspace.to(mimeType, {
        responseType: "dataUri",
        ...options
    })) as string | string[];

    if (output instanceof Array) {
        const zip = new JSZip();
        await Promise.all(
            output.map(async (dataUri, index) => {
                zip.file(
                    "artboard" + (index + 1) + "." + ext[mimeType],
                    dataUri.split(";base64,")[1],
                    {
                        base64: true,
                    }
                );
            })
        );

        zip.generateAsync({ type: "blob" }).then((content) => {
            saveAs(content, "workspace-" + ext[mimeType] + ".zip");
        });
    } else {
        saveAs(output, "workspace." + ext[mimeType]);
    }
};

Contributing

We welcome contributions from the open source community! If you are interested in contributing to lachs, please take a look at the CONTRIBUTING.md file.

License

MIT