Typesafe Local Storage

Let's say we have a TypeScript web application (the exact stack is not relevant) with token-based user authentication. The user's token should be stored in the browser's local storage so that they don't need to log in again whenever they reload or open our app. The token must be removed from local storage if it's invalid or if the user logs out.

This use case is very simple because the value we're storing is a string and as a result no parsing needs to occur. When we get a token following a successful login, we can store it by calling localStorage.setItem("token", token). When we subsequently want to access the token, we can call localStorage.getItem("token"). Finally, when we need to remove the token, we can call localStorage.removeItem("token").

This approach is fine for the most part, but there's a small nit to pick - we (or a junior dev or AI coding assistant) might accidentally misspell or erroneously capitalize "token" while trying to access or modify the value in a certain place, and there would be no way for TypeScript to let us know that this key is incorrect. We can solve this problem with a simple abstraction:

class LocalStorage {
  private readonly key: string

  constructor(key: string) {
    this.key = key
  }

  get() {
    return localStorage.getItem(this.key)
  }

  set(item: string) {
    localStorage.setItem(this.key, item)
  }

  remove() {
    localStorage.removeItem(this.key)
  }
}

export const localToken = new LocalStorage("token")
						

This allows us to import localToken wherever we need to get, set, or remove the token. Now let's suppose that we also need to add a dark mode to our app. We can extend the functionality of our class accordingly:

class LocalStorage<
  K extends "dark" | "token",
  T extends K extends "dark" ? boolean : string
> {
  private readonly key: K

  constructor(key: K) {
    this.key = key
  }

  get(): T | null {
    const item = localStorage.getItem(this.key)
    return item ? JSON.parse(item) : null
  }

  set(item: T) {
    localStorage.setItem(this.key, JSON.stringify(item))
  }

  remove() {
    localStorage.removeItem(this.key)
  }
}

export const localDark = new LocalStorage("dark")
export const localToken = new LocalStorage("token")
            

We're leveraging generics and union types to ensure that only "dark" or "token" are allowed as keys. The beauty of this implementation is that TypeScript will prevent us from passing any value other than a boolean to localDark.set, meaning that we can safely cast the parsed return value of localDark.get to a boolean.

Without our abstraction we would have to do something like this:

const dark = localStorage.getItem("dark")
if (dark) {
  const parsedDark = JSON.parse(dark)
  if (typeof parsedDark === "boolean") {
    // do something
  }
}
						

This is pretty clunky but is necessary to avoid unexpected issues since JSON.parse has a return type of any. We could also simply check if dark === "true", but keep in mind that this is a simple example for demonstration purposes and in a real application we may need to store more complex data structures which would be onerous to parse safely.

If we want to manage a separate dark mode setting for each individual user who logs in to this browser on this device, we can update our generics:

// utils/storage.ts

export class LocalStorage<
  K extends `dark_${string}` | "token",
  T extends K extends `dark_${string}` ? boolean : string
> {
  // same body as above
}

export const localToken = new LocalStorage("token")



// components/theme-toggle.tsx

import * as React from "react"
import { LocalStorage } from "../utils/storage"

export function ThemeToggle(props: { userId: string }) {
  const localDark = new LocalStorage(`dark_${props.userId}`)
  const [dark, setDark] = React.useState(localDark.get() ?? false)
  function handleToggle() {
    localDark.set(!dark)
    setDark(!dark)
  }
  return <‍button onClick={handleToggle}>{dark ? "🌛" : "🌞"}<‍/button>
}
						

Since we can't know the user's ID in advance, we have to export LocalStorage itself instead of just instances. The most common use case for this pattern is to persist WIP form values.

If you're using a framework like Next.js which supports server-side rendering, you may need to update the methods like so:

get(): T | null {
  if (typeof localStorage === "undefined") return null
  const item = localStorage.getItem(this.key)
  return item ? JSON.parse(item) : null
}

set(item: T) {
  if (typeof localStorage === "undefined") return
  localStorage.setItem(this.key, JSON.stringify(item))
}

remove() {
  if (typeof localStorage === "undefined") return
  localStorage.removeItem(this.key)
}
						

This will ensure that there aren't issues during prerender, since window.localStorage only exists on the browser, not the server (as of the time of writing, at least). You may also need lifecycle methods to ensure that the component calls local storage only after it's mounted. Here's a quick example using our sample component from the previous section:

"use client"
import * as React from "react"
import { LocalStorage } from "../utils/storage"

export function ThemeToggle(props: { userId: string }) {
  const localDark = new LocalStorage(`dark_${props.userId}`)
  const [dark, setDark] = React.useState(false)
  const mounted = React.useRef(false)
  React.useEffect(() => {
    if (!mounted.current) {
      mounted.current = true
      setDark(localDark.get() ?? false)
    }
  }, [])
  function handleToggle() {
    localDark.set(!dark)
    setDark(!dark)
  }
  return <‍button onClick={handleToggle}>{dark ? "🌛" : "🌞"}<‍/button>
}
						

ThemeToggle is a React/Next.js component in the examples above, but the LocalStorage class can be used in any JavaScript app. Similarly, I used a boolean as an example of a value which requires stringification and parsing but you can also manage non-primitive data like objects and arrays. Just be aware that if you update the shape of the data in a consequential way, it's advisable to update the key as well since your users' browsers may contain previously stored values.

I use some variation of this approach in just about every project I work on, and I hope you find it useful as well. Thanks for reading!