Best Practices

Evidence is a very flexible and open-ended tool that allows you to build almost any kind of data app. However, to get the best out of Evidence, here are some principles:

  1. Only source the data you need
  2. Sort your source queries
  3. Change props, not components

Source Performance

1. Only source the data you need


Every time you rebuild Evidence, it re-caches all the data from your sources. This can:

  • Be time-consuming and expensive to cache.
  • Cause longer load times for your app, as the data comes over the network.

It's best to only source the data you need.

2. Sort your source queries


The cache in Evidence is composed of parquet files. After running npm run sources, you can inspect these files in .evidence/template/static/data.

Sorted queries lead to better compression in parquet files, resulting in faster source build times, lower likelyhood of hitting memory limits, and faster query times in your app.

If your source queries are sorted, the client-side query engine is able to take advantage of Projection Pushdown i.e. only loading the rows it needs.

Interactive Performance

3. Change props, not components


If you swap out components (for example using {#if} blocks), Evidence will re-render the entire component. This can cause a jerky transition as the component is re-rendered.

Don't do this

The entire component is re-rendered when the dropdown changes:

```sql categories
select * from categories
```

```sql products
select * from products
```

<Dropdown name=chart_picker>
    <DropdownOption value="categories"/>
    <DropdownOption value="products"/>
</Dropdown>

{#if inputs.chart_picker.value == "categories"}

    <BarChart data={categories}/>

{:else}

    <BarChart data={products}/>

{/if}

Do this

Instead, change which query the component uses with a ternary operator:

```sql categories
select * from categories
```

```sql products
select * from products
```

<Dropdown name=chart_picker>
    <DropdownOption value="categories"/>
    <DropdownOption value="products"/>
</Dropdown>

<BarChart 
    data={inputs.chart_picker.value=="categories" ? categories : products}
/>