DEV Community

Cover image for Svelte Charts: Quick Charts in SvelteKit with Chart.js
Rodney Lab
Rodney Lab

Posted on • Originally published at rodneylab.com

Svelte Charts: Quick Charts in SvelteKit with Chart.js

đź“Š Svelte Charts with Chart.js

In this Svelte charts post post, we see how you can quickly add customisable charts to your Svelte app using Chart.js. You should find this post useful, in fact, if you are creating a dashboard or console and need to throw in some charts. Alternatively, you might be writing an article summarising some data. You should find the post equally useful for these use cases and many others. Although we focus on SvelteKit, we have tested the approach on Astro and it should be easily adapted to other Svelte frameworks.

🧱 What we’re Building

We will create a bar chart from the State of JS 2021 survey results. Locally, we will source the data from a JSON file. After importing the data, we will then add some custom styling and see configuration changes which you need for Chart.js to work smoothly with SvelteKit. You will see that with minimal effort you can knock up something with Chart.js and Svelte which does not look too bad at all!

Svelte Charts: Building: screenshot shows large bar chart with title, colours bars of varying tones, number scale on y axis and labels on x axis.

🚀 Quick Start

There’s not all that much to do. You will probably find you spend most time on customising the charts to show your research or data in its best light. To get going why don’t we spin up a new SvelteKit project from the Terminal:

pnpm create svelte svelte-charts && cd $_
pnpm install
pnpn run dev
Enter fullscreen mode Exit fullscreen mode

I chose the TypeScript option along with ESLint and Prettier, but no Browser testing. If this is your first time using TypeScript with SvelteKit, then you might want to check out the Starting out Svelte and SvelteKit tutorial which gives a little more colour on using SvelteKit with TypeScript. We use the Merriweather font self-hosted below, so you might also want to install that now, along with the Chart.js package (and its types):

pnpm add -D @fontsource/merriweather @types/chart.js chart.js
Enter fullscreen mode Exit fullscreen mode

⚙️ Svelte Charts: JSON Data

Probably the most important part of this project are the data! We will add them in a JSON file, then use Vite’s JSON import feature to import them onto our chart page. Create a new src/lib/data folder and in there, make a satisfaction.json file and past in this content:

{
  "FY2021": [
    { "framework": "SvelteKit", "score": 96 },
    { "framework": "Astro", "score": 91 },
    { "framework": "Fastify", "score": 91 },
    { "framework": "Next.js", "score": 91 },
    { "framework": "Remix", "score": 91 },
    { "framework": "Express", "score": 88 },
    { "framework": "Nest", "score": 85 },
    { "framework": "Eleventy", "score": 82 },
    { "framework": "Nuxt", "score": 82 },
    { "framework": "Strapi", "score": 76 },
    { "framework": "Blitz", "score": 67 },
    { "framework": "Redwood", "score": 67 },
    { "framework": "Gatsby", "score": 51 }
  ]
}
Enter fullscreen mode Exit fullscreen mode

First Try

Chart.js uses an HTML canvas element to create the chart in. Typically you can just create a div with an id and use JavaScript to find that id and attach the chart. However, Svelte lets us bind elements to JavaScript variables, so we will use that approach. Replace the code in src/routes/index.svelte with the following:

<script lang="ts">
  import { browser } from '$app/env';
  import { FY2021 as satisfactionData2021 } from '$lib/data/satisfaction.json';
  import '@fontsource/merriweather';
  import { Chart, registerables } from 'chart.js';
  import { onMount } from 'svelte';

  Chart.register(...registerables);

  let barChartElement: HTMLCanvasElement;

  const chartData = {
    labels: satisfactionData2021.map(({ framework }) => framework),
    datasets: [
      {
        label: 'Satisfaction (%)',
        data: satisfactionData2021.map(({ score }) => score),
        backgroundColor: [
          'hsl(347 38% 49%)',
          'hsl(346 65% 63%)',
          'hsl(346 49% 56%)',
          'hsl(346 89% 70%)',
          'hsl(346 90% 76%)',
          'hsl(346 90% 73%)',
          'hsl(346 89% 79%)',
          'hsl(346 89% 85%)',
          'hsl(347 89% 82%)',
          'hsl(346 90% 88%)',
          'hsl(347 87% 94%)',
          'hsl(347 91% 91%)',
          'hsl(346 87% 97%)',
        ],
        borderColor: ['hsl(43 100% 52%)'],
        borderRadius: 4,
        borderWidth: 2,
      },
    ],
  };

  onMount(() => {
    if (browser) {
      new Chart(barChartElement, {
        type: 'bar',
        data: chartData,
        options: {
          plugins: {
            legend: {
              display: false,
            },
          },
          scales: {
            x: {
              grid: {
                color: 'hsl(43 100% 52% / 10%)',
              },
              ticks: { color: 'hsl(43 100% 52% )' },
            },
            y: {
              beginAtZero: false,
              ticks: { color: 'hsl(43 100% 52% )', font: { size: 18 } },
              grid: {
                color: 'hsl(43 100% 52% / 40%)',
              },
              title: {
                display: true,
                text: 'Satisfaction (%)',
                color: 'hsl(43 100% 52% )',
                font: { size: 24, family: 'Merriweather' },
              },
            },
          },
        },
      });
    }
  });
</script>

<main class="main-container">
  <h1>State of JS 2021 Backend Framework Satisfaction</h1>
  <section>
    <canvas bind:this={barChartElement} />
  </section>
</main>
Enter fullscreen mode Exit fullscreen mode

This will not work out-of-the-box, so let’s first see how to fix it then take a closer look at the code.

Using Chart.js with SvelteKit

You will probably get a registerables is not iterable error in your browser. This is just because although Chart.js ships with ESM support it does not currently work out-of-the-box with SvelteKit. No sweat though, we can fix this with a few lines of config.

Add vite SSR config svelte.config.js to sort this issue:

import adapter from '@sveltejs/adapter-auto';
import preprocess from 'svelte-preprocess';

/** @type {import('@sveltejs/kit').Config} */
const config = {
  // Consult https://github.com/sveltejs/svelte-preprocess
  // for more information about preprocessors
  preprocess: preprocess(),

  kit: {
    adapter: adapter(),
    vite: {
      ssr: {
        noExternal: ['chart.js'],
      },
    },
  },
};

export default config;
Enter fullscreen mode Exit fullscreen mode

Give that a save then jump back to you browser and it should all be right as rain.

đź‘€ A Closer Look at the Code

In line 3 of src/routes/indx.svelte we import the top level JSON data as a named import. If you didn’t know you could do this with Vite or SvelteKit, check out the short video on Svelte JSON imports.

Jumping down to line 81 we see where we include the chart in our markup. Adding bind:this on the canvas element lets us bind our element to a JavaScript variable. We declare that variable in line 10.

In lines 12–38 we get our data into a format which Chart.js expects. As examples, labels (line 13) is just an array of text labels for each data point. We create it using the JavaScript map method to extract just the framework field from each data point in our input JSON. We do something very similar in line 17 to extract the actual value for each data point. Then, backgroundColor is just an array of colours to use for the bars. I generated some tints and shades using the What-a-colour app. You can create and customise this app yourself in the Starting out Svelte and SvelteKit tutorial. We also look at converting colours between hex and hsl and generating contrast ratios for a chosen colour palette.

Chart.js Initialisation

The Svelte onMount method is for any setting up we need to do after the initial render of our page. That works here because we need an initial render in order to have a the canvas element to attach the chart to. In line 43, we create a Chart object, attaching it to barChartElement (our canvas element). We add minimal customisation in the following lines. This is just to give you a flavour of what is possible. Go to town on your own app. You will find a mountain of material on customisation in the Chart.js docs.

đź’„ Svelte Charts: a Little Style

The chart looks a little plain, albeit with the pink bars! We will see how to change the chart background colour in a moment. Before that though, here are some styles for the app itself. Paste this content at the end of src/routes/index.svelte:

<style>
  :global(html) {
    background-color: var(--colour-theme);
    font-family: Merriweather;
  }
  :global(h1) {
    color: var(--colour-dark);
    font-size: var(--font-size-6);
  }
  :global(:root) {
    --colour-theme: hsl(43 100% 52%); /* selective yellow */
    --colour-brand: hsl(13 46% 25%); /* irish coffee */
    --colour-alt: hsl(346 89% 70%); /* froly */
    --colour-light: hsl(75 100% 98%); /* ceramic */
    --colour-dark: hsl(182 83% 9%); /* tiber */

    --spacing-12: 3rem;
    --spacing-18: 4.5rem;

    --max-width-wrapper: 48rem;

    --font-size-6: 3.052rem;
  }
  .main-container {
    width: min(100% - var(--spacing-12), var(--max-width-wrapper));
    margin: var(--spacing-18) auto;
  }
</style>
Enter fullscreen mode Exit fullscreen mode

As a final step we will see how to change the chart background colour, then the customary test!

🎨 Svelte Charts: Changing Background Colour

For Chart.js charts, you can change the background colour by updating the canvas element’s background. You could push the boat out and add a picture for the background by tweaking the method we use here. We will keep it simple though and go for a solid colour. To do that we create a Chart.js plugin. Although that sounds overwhelming, it reality it’s just a few extra lines of code.

Update src/lib/routes/index.svelte:

  onMount(() => {
    if (browser) {
      chart = new Chart(barChartElement, {
        type: 'bar',
        data: chartData,
        plugins: [
          {
            id: 'custom_canvas_background_colour',
            beforeDraw: (chart: Chart) => {
              const ctx = chart.canvas.getContext('2d');
              if (ctx) {
                ctx.save();
                ctx.globalCompositeOperation = 'destination-over';
                ctx.fillStyle = 'hsl(13 46% 25%)';
                ctx.fillRect(0, 0, chart.width, chart.height);
                ctx.restore();
              }
            },
          },
        ],
        options: {
          plugins: {
            legend: {
              display: false,
            },
          },
          scales: {
            x: {
              grid: {
                color: 'hsl(43 100% 52% / 10%)',
              },
              ticks: { color: 'hsl(43 100% 52% )' },
            },
            y: {
              beginAtZero: false,
              ticks: { color: 'hsl(43 100% 52% )', font: { size: 18 } },
              grid: {
                color: 'hsl(43 100% 52% / 40%)',
              },
              title: {
                display: true,
                text: 'Satisfaction (%)',
                color: 'hsl(43 100% 52% )',
                font: { size: 24, family: 'Merriweather' },
              },
            },
          },
        },
      });
    }
  });
Enter fullscreen mode Exit fullscreen mode

We actually set the background colour to “Irish Coffee” using HSL in line 53. That’s all there is to creating a chart in Svelte using Chart.js.

đź’Ż SvelteCharts: Testing it Out

Hope you are as impressed as I am with how little effort we needed to create something fairly respectable.

🙌🏽 Svelte Charts: Wrapup

In this Svelte Charts post we have seen how quickly to create charts in Svelte. In particular we have touched on:

  • using Chart.js with Svelte including initialising a chart and customising styles,
  • adding a background colour to a Chart.js bar chart,
  • Vite configuration for using Chart.js with SvelteKit.

This has just been an introduction with using Svelte with Chart.js. You can use the code here as a stepping stone for creating Svelte Pie Charts, Line Charts and so much more. Check Chart.js docs for more on the config for these other chart types, then just drop it into your Svelte code. Let me know what you end up creating. You can drop a comment below or reach out for a chat on Element as well as Twitter @mention

You can see the full code for this Svelte Chart project, in all its glory in the Rodney Lab Git Hub repo.

🙏🏽 Svelte Charts: Feedback

If you have found this video useful, see links below for further related content on this site. I do hope you learned one new thing from the video. Let me know if there are any ways I can improve on it. I hope you will use the code or starter in your own projects. Be sure to share your work on Twitter, giving me a mention so I can see what you did. Finally be sure to let me know ideas for other short videos you would like to see. Read on to find ways to get in touch, further below. If you have found this post useful, even though you can only afford even a tiny contribution, please consider supporting me through Buy me a Coffee.

Finally, feel free to share the post on your social media accounts for all your followers who will find it useful. As well as leaving a comment below, you can get in touch via @askRodney on Twitter and also askRodney on Telegram. Also, see further ways to get in touch with Rodney Lab. I post regularly on SvelteKit as well as Search Engine Optimisation among other topics. Also subscribe to the newsletter to keep up-to-date with our latest projects.

Top comments (0)