Soft assertions

A soft assertion is a type of assertion that doesn't short-circuit your test case when it fails. Instead, all failed soft assertions are reported at the end of the test run at once.
πŸ¦‰ The concept of soft assertions isn't new, and you can find it in other programming languages. Somehow, it's not as widespread in JavaScript, which is a shame we will try collectively to correct.
You can turn any assertion into a soft assertion in Vitest by replacing expect() with expect.soft():
test('cancels the user subscription', () => {
	const user = new User()
	user.subscribe(new UnlimitedPlan())

	expect(user.subscription.name).toBe('Unlimited')
	expect(user.subscription.kind).toBe('yearly')
	expect(user.subscription.state).toBe('active')
	expect(user.subscription.endsAt).toBeUndefined()
	expect.soft(user.subscription.name).toBe('Unlimited')
	expect.soft(user.subscription.kind).toBe('yearly')
	expect.soft(user.subscription.state).toBe('active')
	expect.soft(user.subscription.endsAt).toBeUndefined()

	user.cancelSubscription()

	expect(user.subscription.state).toBe('cancelled')
	expect(user.subscription.endsAt).toBe('2026-01-01T00:00:00.000Z')
	expect.soft(user.subscription.state).toBe('cancelled')
	expect.soft(user.subscription.endsAt).toBe('2026-01-01T00:00:00.000Z')
})
In the case of the subscription service test, both assertions around the current subscription state and the cancelled state reflect the same expectation that requires multiple criteria to be fully expressed.
πŸ’‘ If you imagine regular assertions as await new Promise(expectation), then soft assertions are await Promise.allSettled(...expectations).
With the soft assertions in place, I can now see all failed assertions after the test run is complete:
 FAIL  src/user.test.ts > cancels the user subscription
AssertionError: expected 'active' to be 'cancelled' // Object.is equality

Expected: "cancelled"
Received: "active"

 ❯ src/user.test.ts:24:39
     22|  user.cancelSubscription()
     23|
     24|  expect.soft(user.subscription.state).toBe('cancelled')
       |                                       ^
     25|  expect.soft(user.subscription.endsAt).toBe('2026-01-01T00:00:00.000Z')
     26| })

⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯⎯[1/2]⎯

 FAIL  src/user.test.ts > cancels the user subscription
AssertionError: expected '2025-12-01T00:00:00.000Z' to be '2026-01-01T00:00:00.000Z' // Object.is equality

Expected: "2026-01-01T00:00:00.000Z"
Received: "2025-12-01T00:00:00.000Z"

 ❯ src/user.test.ts:25:40
     23|
     24|  expect.soft(user.subscription.state).toBe('cancelled')
     25|  expect.soft(user.subscription.endsAt).toBe('2026-01-01T00:00:00.000Z')
       |                                        ^
     26| })
     27|
This gives me an overview of the entire system, not just the first failed assertion. Equipped with that knowledge, I can fix the issue as a whole instead of solving each failed assertion individually.
	public cancel() {
		if (this.state !== 'active') {
			return
		}

		this.state = 'cancelled'

		const today = new Date()
		today.setUTCDate(1)
		today.setUTCMonth(
			today.getUTCMonth() + 1 > 11 ? 0 : today.getUTCMonth() + 1,
		)

		if (today.getUTCMonth() === 0) {
			today.setUTCFullYear(today.getUTCFullYear() + 1)
		}

		this.endsAt = today.toISOString()
	}

When to use soft assertions

Soft assertions are tremendously useful because they give you more information on test failures. But that doesn't mean you should make all assertions soft. In fact, that would be quite a disasterous thing to do.
Both regular and soft assertions are valuable, and they are valuable precisely due to the difference in their behavior. Below, I will give you a few examples so you would know when to reach out for each.
Regular assertionsSoft assertions
Use to express a hard expectation. In other words, if this assertion fails, there's no reason to run the rest of the test.Use to express a single, non-exclusive criteria in a compound expectation. In other words, if this assertion fails, there is more to this expectation to paint a full picture.
Regular assertions are your hard stops in a test, which also makes all such assertions dependent on each other.
// This assertion must pass...
expect(one).toBe(two)
// ...in order for this to run, which must pass...
expect(three).toBe(four)
// ...in order for this to run.
expect(five).toBe(six)
This allows you to create a waterfall of expectations.
Soft assertions, on the other hand, have no such dependency and will run in parallel. This characteristic makes them a great choice for expressing compound expectations or expectations toward multiple, independent states.
renderIntialState()
await transition(nextState)

// In this example, soft assertions are used to describe
// multiple criteria of the same expectation.
expect.soft(state.one).toBe('this')
expect.soft(state.two).toBe('that')
await goto(page.url)
await interact()

// Here, we are expressing multiple expectations toward DIFFERENT
// states (in this case, different elements on the page).
// The heading and the button aren't interconnected and should be
// asserted independently.
expect.soft(headingElement).toHaveTextContent('Welcome to my site!')
expect.soft(buttonElement).toHaveTextContent('Subscribe to my newsletter')

Please set the playground first

Loading "Soft assertions"
Loading "Soft assertions"
Login to get access to the exclusive discord channel.
  • πŸ§ͺVitest Patterns
    Testing
    Binalfew πŸš€ 🌌 ⚑:
    Hi <@283714112452821002> Working on your amazing Advanced Vitest Patterns. I was wondering if you ha...
    8 Β· a day ago
  • general
    Modals / Dialogs
    Lucas Wargha πŸš€ 🌌:
    It seems like modals and dialogs are becoming a hot topic on my team lately. I haven’t found a solid...
    • βœ…1
    3 Β· 3 months ago
  • general
    Welcome to EpicWeb.dev! Say Hello πŸ‘‹
    Kent C. Dodds β—† πŸš€πŸ†πŸŒŒβš‘:
    This is the first post of many hopefully!
    • 18
    86 Β· 2 years ago
  • general
    epic stack website initial load at home page is unstyled (sometimes)
    osmancakir πŸš€ 🌌:
    Sometimes (especially when it is loaded first time on a new browser etc.) I see this unstyled versio...
    • βœ…1
    10 Β· 6 months ago
  • general
    Resource / Api endpoints on epic stack / RR7
    Lucas Wargha πŸš€ 🌌:
    Hi everyone! Quick question for those using the Epic Stack: How are you handling resource routes ...
    • βœ…1
    2 Β· 5 months ago
  • general
    Epic stack using tanstack form
    Lucas Wargha πŸš€ 🌌:
    https://github.com/epicweb-dev/epic-stack/compare/epicweb-dev:main...wargha:feature/tanstack-form-ex...
    • βœ…1
    3 Β· 5 months ago
  • general
    Init command outdated on the EpicWeb website
    Virgile πŸ† 🌌:
    Hi everyone. I've initialized a new epic-stack project yesterday. Following instructions from http...
    • βœ…1
    3 Β· 6 months ago
  • general
    Mark as complete, resets the first time you click it.
    Daniel V.C πŸš€ 🌌:
    Not sure if anyone else has had this issue, as i've not seen anyone else talk about it, but I find ...
    • βœ…1
    8 Β· 6 months ago
  • πŸ’Ύdata
    general
    πŸ“forms
    πŸ”­foundations
    double underscore?
    trendaaang 🌌:
    What with the `__note-editor.tsx`? I don't see that in the Remix docs and I don't remember Kent talk...
    • βœ…1
    2 Β· a year ago
  • general
    Keeping Epic Stack Projects Free on Fly – Any Tips?
    Lucas Wargha πŸš€ 🌌:
    I’ve been experimenting with the Epic Stack and deploying some dummy projects on Fly. I noticed that...
    • βœ…1
    0 Β· 6 months ago
  • πŸ’Ύdata
    general
    πŸ“forms
    πŸ”­foundations
    Creating Notes
    Scott 🌌 πŸ†:
    Does anybody know in what workshop we create notes? I would like to see the routing structure. So fa...
    • βœ…1
    2 Β· 8 months ago
  • πŸ”­foundations
    πŸ’Ύdata
    general
    πŸ“forms
    πŸ”auth
    Thank you for the inspiration
    Binalfew πŸš€ 🌌 ⚑:
    <@105755735731781632> I wanted to thank you for the incredible knowledge I gained from your Epic Web...
    • ❀️1
    1 Β· 9 months ago
  • general
    npm install everytime I setup a new playground
    Duki 🌌:
    Is it normal that I have to run `npm install` in my playground directory, everytime I setup the play...
    • βœ…1
    2 Β· a year ago
  • general
    Migration to Vite: Server-only module referenced by client
    Fabian 🌌:
    Hi, I'm working on migrating to Vite following the remix docs (https://remix.run/docs/en/main/guides...
    • βœ…1
    1 Β· a year ago
  • general
    Remix Vite Plugin
    Binalfew πŸš€ 🌌 ⚑:
    <@105755735731781632> Now that remix officially supports vite (though not stable) what does it mean...
    • βœ…1
    3 Β· 2 years ago
  • general
    πŸ”­foundations
    Solutions video on localhost:5639 ?
    quang πŸš€ 🌌:
    Hi, so I'm having a hard time navigating (hopefully will be better with time) The nav on epicweb.de...
    • βœ…1
    9 Β· 2 years ago
  • general
    Epicshop is now social and mobile friendly!
    Kent C. Dodds β—† πŸš€πŸ†πŸŒŒβš‘:
    I'm excited to announce that now the Epic Web workshops are mobile friendly! https://foundations.ep...
    • πŸŽ‰2
    0 Β· a year ago