Skip to content

Instantly share code, notes, and snippets.

@rxliuli
Last active March 11, 2025 00:29
Show Gist options
  • Save rxliuli/c886198390a9fd1138853d0e260025f3 to your computer and use it in GitHub Desktop.
Save rxliuli/c886198390a9fd1138853d0e260025f3 to your computer and use it in GitHub Desktop.
Svelte5: A Less Favorable Vue3

Svelte5: A Less Favorable Vue3

Background

Svelte5 was released in October last year, touted as the best version of Svelte to date. The team was particularly proud of "runes," a reactive state system built on proxies. However, after experiencing Vue3's Composition API and SolidJS signals, I didn't feel particularly excited. This blog outlines specific issues encountered when using Svelte5 in real projects. If you're a Svelte5 enthusiast, you might want to stop reading now.

Runes Only Work in Svelte Components or .svelte.ts Files

When trying to write hooks with runes similar to React/Vue, like useCounter:

export function useCounter() {
  let count = $state(0)
  return {
    get value() {
      return count
    },
    inc() {
      count++
    },
    dec() {
      count--
    },
  }
}

const counter = useCounter()
console.log(counter.value)
counter.inc()

This function cannot be placed in regular .ts files. It must use the .svelte.ts extension and be compiled by @sveltejs/vite-plugin-svelte, otherwise you'll get $state is not defined. This also applies to unit tests - if you want to use runes (typically for testing hooks/Svelte components), the filename must end with .svelte.test.ts. This creates unpleasant code infection.

Source documentation

Hooks Using Runes Must Wrap State in Functions

Notice how the returned value in useCounter is wrapped in a getter? This is mandatory. If you try to write a hook that directly returns rune states (whether $state or $derived), they must be wrapped in functions to "maintain reactivity," otherwise you'll get an error pointing to this documentation. This also applies to function parameters:

import { onMount } from 'svelte'

export function useTime() {
  let now = $state(new Date())
  onMount(() => {
    const interval = setInterval(() => {
      now = new Date()
    }, 1000)
    return () => clearInterval(interval)
  })
  return now
}

You can't simply return { now } but must use getters/setters, forcing more boilerplate:

export function useTime() {
  // other code...
  return {
    get now() {
      return now
    },
    set now(value) {
      now = value
    },
  }
}

Classes as First-Class Citizens for Runes... or Not?

When I mentioned wrapping runes states in functions, the Svelte team left themselves an escape hatch: classes. The following code works by directly returning a class instance! If you check SvelteKit's official code, they even combine class declaration and creation: SvelteKit example

export function useClazz1() {
  class Clazz1 {
    count = $state(0)
    inc() {
      this.count++
    }
    dec() {
      this.count--
    }
  }
  return new Clazz1()
}

However, this doesn't work with plain JavaScript objects - it fails at compile time:

export function usePojo() {
  return {
    value: $state(0), // `$state(...)` can only be used as a variable declaration initializer or a class field https://svelte.dev/e/state_invalid_placement
    inc() {
      this.value++
    },
    dec() {
      this.value--
    },
  }
}

Can $state make an entire class reactive?

class Clazz2 {
  value = 0
  inc() {
    this.value++
  }
  dec() {
    this.value--
  }
}
const clazz = $state(new Clazz2())

Of course not. Making class fields reactive like MobX seems too difficult. Interestingly, you can use plain JS objects here:

const clazz = $state({
  value: 0,
  inc() {
    this.value++
  },
  dec() {
    this.value--
  },
})

All these patterns work fine in Vue3, which has fewer quirks.

Svelte Templates Include Features That Cannot Be Implemented in JavaScript

As documented, you cannot use bindable props in tests because they're template-specific features with no JavaScript equivalent. You must create additional components to convert bindable props to Svelte/store writable props for testing:

<!-- input.svelte -->
<script lang="ts">
  let {
    value = $bindable(),
  }: {
    value?: string
  } = $props()
</script>

<input bind:value />

When testing this component with bindable props, you must write a wrapper:

<!-- Input.test.svelte -->
<script lang="ts">
  import { type Writable } from 'svelte/store'

  let {
    value,
  }: {
    value?: Writable<string>
  } = $props()
</script>

<input bind:value={$value} />

Unit test:

import { expect, it } from 'vitest'
import { render } from 'vitest-browser-svelte'
import InputTest from './Input.test.svelte'
import { get, writable } from 'svelte/store'
import { tick } from 'svelte'

it('Input', async () => {
  let value = writable('')
  const screen = render(InputTest, { value })
  expect(get(value)).empty
  const inputEl = screen.baseElement.querySelector('input') as HTMLInputElement
  inputEl.value = 'test1'
  inputEl.dispatchEvent(new InputEvent('input'))
  expect(get(value)).eq('test1')
  value.set('test2')
  await tick()
  expect(inputEl.value).eq('test2')
})

Is there a way to dynamically bind multiple bindable props like in Vue3?

<template>
  <my-component v-bind="dynamicProps"></my-component>
</template>

<script setup>
  import { reactive } from 'vue'

  const dynamicProps = reactive({
    title: 'Title',
    description: 'Desc',
    active: true,
  })
</script>

No, there isn't even an escape hatch, so you can't create a generic Bindable2Writable higher-order component to automatically convert bindable props to writable props. This is particularly frustrating considering how well Vue3 handles this.

Related discussion

Form Components Are Uncontrolled by Default, Which Can Cause Issues

For a simple component with a two-way bound checkbox:

<script lang="ts">
  let checked = $state(false)
</script>

<input type="checkbox" bind:checked />

What happens if you remove the bind? One-way binding? No, it only sets the initial value, then the input's internal state takes over, contrary to expectations. See 3-second demo

This isn't unique to Svelte - except for React, most web frameworks make exceptions to unidirectional data flow for forms.

Small Ecosystem

This affects all new frameworks, but is particularly severe with Svelte:

  • Router: Couldn't find a memory SPA router compatible with Svelte5 in early January Issue
  • Query: TanStack Query supports Svelte, but Svelte5 support remains unreleased Discussion
  • shadcn/ui: The Svelte implementation has poor Shadow DOM support Issue
  • Table/Form: Couldn't find suitable components for these complex UI elements; TanStack Table's API is problematic
  • Virtual List: Couldn't find libraries supporting variable row height/column width for lists/grids
  • Chart: Integrated ECharts manually and contributed a PR for Svelte5 support, but it remains unreleased PR

Community Response

When people complain about Svelte5's increased complexity, community members often dismiss them as newcomers struggling with "hello world" or suggest sticking with Svelte4. First, I've used React/Vue before and built substantial applications with Svelte4 (10k+ lines of pure code). Second, sticking with older versions is impractical for new projects when the ecosystem is rapidly moving forward, making resources for older versions hard to find.


Right after I published this blog, someone immediately defended with "Svelte's reactivity doesn't exist at runtime," which isn't even a valid argument in svelte5. Of course, he received 5 ๐Ÿ‘, while I got one ๐Ÿ‘Ž. https://www.reddit.com/r/sveltejs/comments/1j6ayaf/comment/mgnctgm/

Conclusion

Has Svelte5 improved? Runes make it somewhat more similar to React/Vue, but there are still many edge cases and quirks. For my next project, I might seriously consider SolidJS. After using React/Vue for so long, I'm still interested in exploring new alternatives.

@lumosminima
Copy link

After using react and then svelte, I realized each of the framework has their own pros and cons and you have to choose a beast you are more familiar with since a known beast is better than a unknown one and we are always craving novelty and it seems like grass is greener and whatnot. A lot of the things you mentioned are obviously because each framework wants you to do things in their own way so it doesn't matter as much that you can't access state in .ts files since you can in other ways. I remember they originally didn't required .svelte.ts and people were complaining that "svelte is changing javascript" by using syntax like $state in a .ts which is why they changed.

I'm using svelte 5 for a new project and I realized it is better actually in svelte 5 to reinvent a dedicated wheel for your use-cases and you will be much better off since you don't need as many dependencies in svelte 5 and you will have more control over your project. On top of my mind I replaced tanstack query with a @square/svelte-store inspired parent dependency based data fetcher, superforms with simple form.svelte.ts using only valibot for validation and use native html dialog,popover api combined with unocss and UI looks good and rock solid . The only other thing i need now is Echart and I hope you PR gets merged soon.

@b3nten
Copy link

b3nten commented Mar 9, 2025

I agree with the post, thankfully with some structure and rules you can minimize the downsides pretty effectively.

Limit use of raw runes. I use a Store class that interfaces with a @state() decorator, $derived() becomes getters, and we just don't use $effect() unless absolutely necessary. State looks like this

class Wrapper extends Store {
  @state() accessor count = 0;

  get doubled() { return this.count * 2 }

  constructor(c: number) { this.count = c; }

  destructor() { console.log("goodbye") } 
}

We pass this around the app through a custom DI container stored in svelte's context. Since most of the biz logic works through events it's very rare we need to use $effect() and in so in practice we rarely use runes at all. Banning @bindable() is also a good idea imo.

The upside is using Sveltekit, which seems to be the best designed JS web framework thus far. So I'm fairly happy with it. Vue solves a lot of these issues too but comes with their own set of faults imo.

@vanhalt
Copy link

vanhalt commented Mar 10, 2025

As someone looking for an alternative to React. This post is eye opening.

Gonna consider SolidJS...

@rxliuli
Copy link
Author

rxliuli commented Mar 10, 2025

Limit use of raw runes. I use a Store class that interfaces with a @state() decorator, $derived() becomes getters, and we just don't use $effect() unless absolutely necessary. State looks like this

I won't use decorators; it's another kind of nonsense, not to mention that ts/js has two different types, and those who have gone through that era say they won't consider it.

@b3nten
Copy link

b3nten commented Mar 10, 2025

I'm using the newer ones that are at stage 3 of standardization - ie will be part of the javascript standard soon. Runes are simply a more confusing and non-standard version of a decorator. In fact they're a compiler symbol and not actually part of the runtime (soon).

@rxliuli
Copy link
Author

rxliuli commented Mar 11, 2025

As someone looking for an alternative to React. This post is eye opening.

Gonna consider SolidJS...

Of course, if you only look at framework promotions, you might be attracted by the hype. Someone needs to point out the problems, even if this isn't so popular within the community.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment