In the last part in my series on Svelte testing, Iโll round off with some smaller pieces of advice.
To see all the techniques used in this series, remember to check out the demo repo on GitHub.
dirv
/
svelte-testing-demo
A demo repository for Svelte testing techniques
ย Focus on behavior, not static data
Remember why we should unit test? Hereโs one simple way of saying it: to avoid overtesting.
Overtesting is when you have multiple tests that cover the same surface area. It can result in brittle tests that simulatenously break when you make changes, which then slows you down as you fix all those tests.
But there are times when unit testing is overkill.
The biggest of those times is when you have static data, not data which changes.
Take, for example, a version of the Menu
component that was introduced in the previous part on testing context. The version we looked at had a button that, when clicked, would open up the menu overlay.
But what if weโd like to draw a hamburger icon in place of the button. Menu.svelte
might end up looking like this:
<button on:click={toggleMenu} class="icon">
<svg
viewBox="0 0 100 100"
width="32"
height="32">
<!-- draw a hamburger! -->
<rect x="10" y="12.5" width="80" height="15" rx="3" ry="3" />
<rect x="10" y="42.5" width="80" height="15" rx="3" ry="3" />
<rect x="10" y="72.5" width="80" height="15" rx="3" ry="3" />
</svg>
</button>
{#if open}
<div class="overlay" on:click={toggleMenu}>
<div class="box" on:click={supressClick}>
<slot />
</div>
</div>
{/if}
Look at that svg
there. Itโs a lot of declarative, static data, to draw a 32x32 hamburger.
Any unit test you write is essentially going to repeat whatโs written here: the test would verify that the HTML looks exactly like it does here.
I donโt write those tests. I see it as duplication. If HTML is static and never changes, I donโt use unit tests. If the system has a good set of system tests, then I may write them there instead.
But often I just wonโt write them. Iโm lazy.
This is a very different attitude from people who do not write unit tests at all. Often people donโt write unit tests because they feel that itโs too much work. In actual fact, writing unit tests but avoiding overtesting gives you less work but still gives you confidence in your code.
But now what if I wanted to introduce the ability for the caller to set their own Menu
icon, by providing a named slot icon
?
<button on:click={toggleMenu} class="icon">
<slot name="icon">
<svg
viewBox="0 0 100 100"
width="32"
height="32">
<rect x="10" y="12.5" width="80" height="15" rx="3" ry="3" />
<rect x="10" y="42.5" width="80" height="15" rx="3" ry="3" />
<rect x="10" y="72.5" width="80" height="15" rx="3" ry="3" />
</svg>
</slot>
</button>
Now there is behavior. The behavior is that the svg doesnโt get drawn if an icon
slot is defined, and does get drawn if an icon
slot isnโt defined.
In this case I would test it, but possibly only as far as saying โrenders an svg element when no icon slot is providedโ rather than testing each individual rect
.
(By the way, Iโd test that with an isolated component).
Raising events
Another time that behavior is important is when raising (or firing) DOM events, like click
, input
, submit
and so on.
One of the big changes I noticed when moving from React to Svelte is that textboxes respond to input
events rather than change
events.
const changeValue = (element, value) => {
const evt = document.createEvent("Event", { target: { value } });
evt.initEvent("input", true, false);
element.value = value;
element.dispatchEvent(evt);
};
The way I deal with events is to define little helper methods like the one above, changeValue
, which can be used like this:
changeValue(nameField(), "your name");
Some events, but not all, will need to have Svelteโs tick
method called.
The library svelte-testing-library
has a bunch of these methods already defined. I tend to write little functions to fire the events that I need (more on that below).
Why I donโt use svelte-testing-library
Three reasons:
- I think itโs overkill,
- I think itโs too opinionated
- I think building it yourself is a good way to learn
The kinds of helpers that make your tests clear are often very short, simple methods, as Iโve shown in this series. They can often be written in less than 50 lines of code.
I think some of the language thatโs used around testing can be toxic. There are many, many tools and techniques to testing. For me personally, choosing a tool like any of the testing-library
libraries feels like lock-in. Not just to the library, but also the opinionated ways of testing.
Iโve learnt a HUGE amount about Svelte just by figuring all this stuff out, and by writing this course. Two months ago, I knew no Svelte. Now I feel like Iโve nailed it. If I had made use of svelte-testing-library
that most likely wouldnโt be true.
About the best reason Iโve heard to use a framework rather than rolling your own is that itโs anti-social, meaning itโs fine if youโre an individual developer, but the moment you work on a team of professionals, this kind of behavior just doesnโt fly. Everyone has to spend time learning your hand-crafted methods, and everyone has to spend time maintaining them. By using a library, itโs someone elseโs problem.
Using object factories
A final tip. I use factory-bot
to build example objects for my tests. It keeps my test suites clean and tidy. For example, hereโs spec/factories/post.js
:
import { factory } from "factory-bot";
factory.define("post", () => ({}), {
id: factory.sequence("Post.id", n => `post-${n}`),
attributes: {
content: factory.chance("paragraph"),
tags: factory.chance("sentence")().toLowerCase().slice(0, -1).split(" ")
}
});
export const post = () => factory.attrs("post");
Conclusion
Thatโs it for this series. If youโve enjoyed it, please consider following me and retweeting the tweet below to share the series with others.
I started a tutorial series on unit testing with @sveltejs. There arenโt many people out there doing front-end unit testing, but Iโm having enough success with it that itโs worth sharing. dev.to/d_ir/introductโฆ14:18 PM - 13 Jan 2020
Iโll no doubt continue to post here about Svelte as I learn more about it and how to build professional applications with it.
All feedback is welcome, even if youโve hated this series and disagreed with everything! Send it my way, please please please! I can only improve with practice and feedback!๐
Top comments (12)
Hi, thanks for the great tutorials on Svelte!
Yesterday I've also started playing with the framework, but I've stuck with component testing.
My problem is how to test dispatched events from a Svelte component? I haven't found any example for it.
github.com/blacksonic/todoapp-svel...
Hey Gรกbor,
You can do it by using
component.$on
:Whether or not youโd want to do this is another question. Svelte gives you a lot of rope...
dispatch
is an example of that. That fact that testing is hard is a sign that there may be a better approach with the design.(Note--a better approach with the design, not a better approach with testing. An important difference!)
The question in my mind is does
Item
need to know that it exists within aList
? It feels likeList
andItem
canโt exist without one another, and each has a lot of knowledge about the other one. Is there a way to reduce the coupling? For example --- can remove functionality be moved entirely toList
somehow?You could also use stores to introduce shared state between the two, and remove the need for
dispatch
entirely.Let me know your thoughts :)
I've tried it out, works like a charm!
One more question: is it possible to test a component with
getContext
without a wrapper component?Here is an example: github.com/blacksonic/todoapp-svel...
Glad to hear it worked! ๐
Not sure about
getContext
. I vaguely recall looking into it and figuring out thatgetContext
expects to be called as part of a render cycle of a component tree, which you canโt easily fake.If youโre comfortable with relying on internal APIs like
$on
then one thing you could do is use the tutorial view for context (svelte.dev/tutorial/context-api). ChooseJS output
and explore the JS code that Svelte products for your component. Dig through to learn howsetContext
andgetContext
work. It might give you a solution. Failing that, use the Svelte source on GitHub. Let me know if you figure something out--Iโd be interested to know.Thanks for the example, I'll try it out tomorrow.
In my opinion events (or function props) and props mean loose coupling as they only know each others interface and shared state is a strong coupling. Why do you think they know about each other? Yes, they know each other's interface, but it's necessary to communicate.
With other frameworks (Vue, Angular, React) I've found it easy to test events or function props, what I was missing is the
$on
method.Item
knows about aremove
operation, which means it "knows" that it exists in some kind of container (List
or otherwise).Not saying I know of a better solution or that I wouldnโt write it that way myself... just that Iโm a little wary of
dispatch
and Iโd keep my eyes open for opportunities to design it differently.Another point: unless Iโm mistaken,
$on
is part of the internal Svelte API so if you use it, you have to be prepared to figure out a new solution if/when the maintainers break this one ๐คฃI'm new to testing front-end. It's amazing how complicated it is and how uncomplicated everyone makes it out to be. If you visit any of the testing framework websites they would have you believe you are just an npm install and 5 lines of code away from testing. It's the biggest lie in front-end development.
When you develop a true production app (not a webpage) you have information coming from so many vectors that all shape the current state of the UI. Local storage hydrating state, fetches, props, etc.
For example, I have a rather large svelte application with an entry-point for App.svelte. The first thing the user sees is wholly dependent on the svelte stores and what data they are pulling from local storage. If there is nothing in the settings key then they see a first time setup screen flow. If settings is there then they see a main page, or the previous page they left off on. That previous page maybe be a child page and have props.
A good functioning app needs to take all of these things into consideration and I don't see a SIMPLE way to test it all.
My ideal testing framework would make it easy and simple to test each component individually and have you setup the state contexts and then mount the component. I just want to do this every time.
For Each Test:
You're probably going to say that this is possible. And you might even say that the articles I just read show me how to do it. That may be true but I just finished creating a complex app in Svelte using many technologies I had to learn and had to overcome daily challenges to get it out the door. None of that knowledge or syntax seems to translate over to the testing at all. Instead I seem to have to learn how to wire 5 more things together, install a bunch more dependencies and learn a whole new syntax and methodology.
This isn't an indictment on your series. I will no doubt use the information in these articles to test like 15% of my app because it's all I'm going to be able to cobble together in the short amount of time I have allotted for testing (just being real). This is just a venting of frustration for what is involved to test something in the first place because, given Svelte's mandate, I'm disappointed that the state of testing is so disjointed.
I appreciate people like YOU that can pick up the pieces, put together the puzzle and communicate the picture to clueless devs like myself. Lots of love we need people like you in the Svelte community.
Now to start figuring out how to implement roll-up for my testing after just creating an entire app with webpack (FML).
Hey Jeff, thank you for this. I think your comment will resonate with many people, especially those whoโve been successfully testing back-end codebases and then moved to the front-end.
I know youโve already built your app, but the best advice for testable front-end codebases is this: Keep your components as simple as possible. Think of hexagonal architecture, ports-and-adapters, etc. Do any local storage access or fetch requests OUTSIDE of your components. That way your components become smaller in relative size and you might even choose to not unit test them at all.
Unit testing components is so hard that people prefer to use system/acceptance tests instead. IMHO this then results in overtesting and brittle tests, and end up costing you more in the long run.
Iโd encourage you to keep exploring and to keep posting about your experiences. I for one would love to hear more as you progress, and Iโm sure others would too.
I think this is a related concept: Segregated DOM
Now 6 years ago the motivation was to be able to test functionality without the DOM but I think the benefit of a boundary between DOM (& events) and view/application state can still exist today - i.e. there can be a case to keep your (view) components thin.
Hey thanks for the response.
I'm not sure what you mean by keep components as simple as possible.
Basically local storage is hydrated to stores and the stores are imported to my components. That's the recommended way for a svelte app.
I'm not 100% what I even need to test.
TBH early on I was able to implement cypress. And I did something people don't recommend, but worked for me, which was to load the app and step through it in code. This at least verified for me that things like first time setup would run. Problem was that to test any work-flow each test case would have to initially run the "first time setup" and then next test the workflow I wanted.
Unfortunately I installed an npm package (Monaco_Editor) that I need and it seems to have broke cypress and now I'm stuck with a generic cypress error and no test will run at all.
This leaves me with no avenue for support. Cypress points to Svelte or Monaco-Editor, Monaco-Editor is going to point to the other two.
It's just a mess.
I decided to try and scrap cypress and just try and test the components themselves opposed to a "workflow". But I don't think that's possible... I might look into just testing the stores themselves without the components because they do drive the app. Any suggestion on how I can do that or where I would look to find out?
Thanks again.
I completely missed your reply ๐คฆโโ๏ธ Itโs over a month later now -- let me know if youโve made any more progress.
If all your business logic is in stores then itโd be perfectly reasonably to not test components at all, or just have a few end-to-end tests rather than unit tests.