svesta
svesta - is a tiny svelte state management library for svelte/sveltekit.
Installation
# In your project directory
npm install svesta
or
# In your project directory
yarn add svesta There are 6 major exported components in svesta, they are:
Transport: This allows the creation of requests, which starts asfetchbut could migrate toWebSocket, especially, whenTransportisconfigured with a realTime as in{ realTime: { transport:['websocket','polling'],... } }.realTimeaccepts valid validsocket.io-clientprops.useStore: The main component ofsvesta. It is responsible for creating reactive stores for providing aRESTful interface for anyRESTAPI while supporting real-time data exchanges.Resource:Resourceis asveltecomponent, which helps manage the network and resolution of promises to notify ofloading,errorsordataavailability on success.useEvents: This allows components exchange informations in a reliable manner, using events.network:networkallows the determination of network states. It exposed astatusattribute that helps you do that. For instance, whennetwork.status.onlineistrue => onlineandfalse => offline.Offline: Asveltecomponent, which displays itschildrenwhennetwork.status.onlineisfalse. It helps in monitoring network activities.
Let us examine each component in detail.
1. Transport
Transport is useful in requesting any arbitrary HTTP(S) endpoint. Transport exposes 2 methods, configure and instance:
configure: It allows the customization of HTTP(S) requests. Such customization could be achieved as below, especially in your+layout.[t|j]s:
import { type TransportConfig, Transport } from 'svesta';
const configOptions: TransportConfig = {
// Log out details or not. Default is false.
DEBUG: true,
// Set the base URL. Default is ''.
BASE_URL: 'https://some-base-url',
// External fetch implementation could be passed.
// Default is undefined.
// Either window.fetch or fetch from
// +page.[t|j]s' onload as shown in our example.
fetch: window.fetch,
// Allow or disallow migration to web socket.
// Default is undefined.
realTime: { transport: ['websocket'] },
// Allows the override of the base fetch RequestInit.
// Default is undefined.
init: RequestInit,
// If you do not want the transport to be a top-level(default)
// one, tag it with a context
// This allows you have multiple transport instances.
context: 'news' // This is used in accessing the instance later
// A function that allows user set headers before sending requests
beforeSend(headers:Params){
}
};
Transport.configure(configOptions); Best practices favors doing all your Transport configuration in the
+layout.[t|j]sin a manageable way. WhileTransport.configurecould be done within your view’s$effector in your+page.[j|t]s, the recommended place to do the setupu is the+layout.[j|t]slike below:
In +layout.ts
import { Transport } from 'svesta';
// This is configured on the default context
Transport.configure({ BASE_URL: 'https://reqres.in/api' });
export const prerender = true; instance: By default,Transportcreates adefaultinstance, which gets returned when no argument is passed toinstance. If you do not want the transport to be a top-level(default) one, tag it with a context. This allows you have multiple transport instances. The field is also used in accessing the instance later.instanceaccepts either aTransportInstancePropstype.
import { Transport } from 'svesta';
// Just for news, as configured above
const newsTransport = Transport.instance('news'); In +page.[t|j]s
Transport instance plays well with +page.[t|j]s allowing us to specify what fetch to use.
Default context
// from sveltekit
import { Transport } from 'svesta';
import type { PageLoad } from './$types.js';
import { resultTransformer } from '..';
export const load: PageLoad = async ({ fetch }) => {
// This is happening on the server and we have a ref to a fetch
// implementation, let's use it by passing it to the configure
// method of Transport
//Default transport
const transport = Transport.instance({ fetch });
const { error, ...rest } = await transport.get('/users');
return { ...resultTransformer(rest), error };
}; News context
// from sveltekit
import { Transport } from 'svesta';
import type { PageLoad } from './$types.js';
import { resultTransformer } from '..';
export const load: PageLoad = async ({ fetch }) => {
// This is happening on the server and we have a ref to a fetch
// implementation, let's use it by passing it to the configure
// method of Transport
// Scoped only for news
// Must have been configured too
// Let's even use beforeSend
const token = 'some-token';
const beforeSend = (headers: Params) => {
headers['authorization'] = `Bearer ${token}`;
};
const transport = Transport.instance({ context: 'news', fetch, beforeSend });
const { error, ...rest } = await transport.get('/users');
return { ...resultTransformer(rest), error };
}; Transport competently handles GET, POST, PUT, PATCH, OPTIONS and DELETE HTTP methods via the exposed methods: .get, .post, .put, .patch, .delete, .options and .upload. An example could look like the following:
// Using the default instance
const { error, data } = await Trasport.instance().post('/users', {
name: 'Name',
address: 'Some address'
}); // Using some context(news) instance
const newsTransport = Transport.instance('news');
const { error, data } = await newsTransport.post('/users', {
name: 'Name',
address: 'Some address'
}); Note that you must have configured the
newstransportcontextbefore using it like so:
Transport.configure({context:'news',....}); Transport also exposes a loading, which actually, is a field indicative of whether an active request is happening.
3. useStore
If the target of requests are RESTful APIs, then the appropriate component from svesta is the useStore. useStore defines 2 parameters:
resourceName: This is astringthat represents the name or path of REST resource. This is required.storeOption: This is aStoreProps<T>, explained in detail below. This is optional.
Note:
useStoreusesTransportunder the hood, therefore, configurations set onTransport.configurealso affectuseStore.
import { type StoreProps, useStore } from 'svesta';
// Create a store props
const usersProps: StoreProps<User> = {
// Parameters. Default {}
params: {},
// Query order asc, desc or [asc|desc]|<field>
// e.g "desc|id". Default is 'asc'
orderAndBy: 'asc',
// namespace allows you proxy a resource with another name
// E.g. 'profile' could still be used as 'users' namespace.
// That is profile is not known to you system but 'users'
// namespace defaults to ''.
namespace: '',
// You can pre-populate a store by passing `initData`
// of StoreState<T> type
// It defaults to {}
initData: {},
// includes helps control what fields are returned
// It is pipe-separated string of resource names.
// resource name is comma-saparate string of fields
// E.g. 'users:name, age, gender | accounts: accountId, balance' where
// users and accounts are resource names and their fields are listed after `:`
// The above example is for when there are relationship
// in multiple resources(join).
// It defaults to ''.
includes: '',
// resultTransformer is a StoreResultTransformer type, a function you can pass
// to intercept and convert the data from your API to what
// `useStore` understands, the StoreState type.
// This is important when using the `.sync` method of store
// to synchronize/fetch data from your APIs.
// It accepts the raw data from your API and
// returns the transformed data. See transformer.js above.
// It defaults to undefined
resultTransformer: undefined,
// queryTransformer is a StoreQueryTransformer type, a function you can pass
// to intercept and convert your query to what your API expects.
// This is important when using the `.sync` method of store
// to synchronize/fetch data from your APIs.
// It accepts the raw query and
// returns the transformed query for your API.
// It defaults to undefined
queryTransformer: undefined,
//Specifies transport context
transportContext: undefined
};
// Let's create a users store
const users = useStore(
// resource name, not path please. Required
'users',
// store props. Optional
usersProps
);
// Of all the store arguments, the `resource name/path` is mandatory
// StoreProps is optional and could be omitted, for instance:
const people = useStore('users'); useStore maintains its internal structure as a StoreState<T>. In our example above, T is User. The structure as as shown below:
type StoreState<T> = {
// result target
data: T[];
// total record count
recordCount: number;
// Number of pages for limit per page
pages?: number;
// What page number are we on?
page?: number;
// Record per page
limit?: number;
// Are we processing network?
loading?: boolean;
// Are there error based on request
error?: string | null | undefined;
// Params that produced result or error
params?: Params;
transportContext?: string;
}; The reason for a resultTransformer, is to convert API responses that do not conform to StoreState<T>. Look at the API in our example, that is, regres.in. regres.in API returns its response as:
type IngressType = {
page: number;
per_page: number;
total: number;
total_pages: numbers;
data: unknow;
}; However, useStore cannot store data like this, hence, the need to implement a result transformer to convert as below:
export const resultTransformer = <User>(raw: IngressType): StoreResult<User> => {
// raw is what comes from regres.in
const { page, per_page: limit, total: recordCount, total_pages: pages, data } = raw;
// return what conforms to StoreState
return { page, limit, recordCount, pages, data };
}; Note: You can register a global resultTransformer, by using the
useGlobalResultTransformerhook.
You can equally register a global queryTransformer, by using the
useGlobalQueryTransformerhook.
useStore exposes result, which is a state object comprising of:
loading: Abooleanindicative of on-going network request or not.error: Astringthat is non-empty wheneverstorerequest resolves with some error.data: An object of typeT[]representing the data from API when store request resolves with noerror.
import { useStore } from 'svesta';
const {
sync,
result: { loading, data, error }
} = useStore('users');
$effect(() => {
sync();
}); <header>Users</header>
{#if loading}
<p>Loading users...</p>
{/if}
{#if !!error}
<p>Error:{error}</p>
{/if}
{#if data }
{#each users as user}
<p>Name: {user.first_name} {user.last_name}</p>
{/each}
{/if} useStore exposes the following methods:
.sync: This synchronizes the store by fetching the first page from the resource. This could also be used to pre-populate the store by passing data. This is typically aGETscoped to the resource only. When this executes, it populates the store and notifies all views depending on the store for appropriate view updates.This is asynchronous, therefore, if you need the population before something else, you must
awaitits call.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// force sync
accounts.sync();
// or with initial data
// initData is of type StoreState<Account>
accounts.sync(initData) .next: This synchronizes the store by fetching thenextpage from the resource depending. This is typically aGETscoped to the resource only. When this executes, it populates the store and notifies all views depending on the store for appropriate view updates.This is asynchronous, therefore, if you need the population before something else, you must
awaitits call. Important to note also is that previous store data are replaced by the new result..prev: This synchronizes the store by fetching thepreviouspage from the resource depending. This is typically aGETscoped to the resource only. When this executes, it populates the store and notifies all views depending on the store for appropriate view updates.This is asynchronous, therefore, if you need the population before something else, you must
awaitits call. Important to note also is that previous store data are replaced by the new result..more: This synchronizes the store by fetchingmorepages from the resource but rather than replace the store data like in the case of.nextor.prev, it appends result to the existing store data, useful in endless loading. This is typically aGETscoped to the resource only. When this executes, it populates the store and notifies all views depending on the store for appropriate view updates.This is asynchronous, therefore, if you need the population before something else, you must
awaitits call. Important to note also is that the new result is added/appended to the previous store data not replaced.
import { useStore, Resource, type StoreResult } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
const onNext = () => accounts.next();
const onPrev = () => accounts.prev();
const onMore = () => accounts.more(); Using Resource(we’ll explain next), we can have the following:
{#snippet resolve({ loading, data, error, page, pages }:StoreResult<Account>)}
{#if data}
<AccountList users="{data}" />
<div class="buttons">
<button onclick={accounts.prev } disabled={page ===1 }>Previous page</button>
<button onclick={accounts.next } disabled={page===pages }>Next page</button>
<button onclick={accounts.more } disabled={ page === pages }>
more(append to view)...
</button>
</div>
{/if}
{#if loading}
<p class="spinner">Fetching data...</p>
{if}
{#if error}
<p class="danger">Error: {error}</p>
{if}
{/snippet}
<Resource store="{accounts}" {resolve} /> .pageTo: This synchronizes the store by fetching thenext/previouspage from the resource depending onoffsetpassed. This work with offsets. This is typically aGETscoped to the resource only. When this executes, it populates the store and notifies all views depending on the store for appropriate view updates.This is asynchronous, therefore, if you need the population before something else, you must
awaitits call. Important to note also is that previous store data are replaced by the new result..save: This does a scopedPOSTorPUTbased on resource. For new data, i.e, data withoutid, it doesPOSTotherwise, it does aPUT. When this executes, it updates the store and notifies all views depending on the store for appropriate view updates. It returns aPromise<TransportResponse<T>>.This is asynchronous, therefore, if you need the saving before something else, you must
awaitits call.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// Fire and forget
accounts.save({accountName:'Account Name', accountNo:1234});
// Fire and inspect
const { error, message, data, status } = await accounts.save({accountName:'Account Name', accountNo:1234});
// Do something with fields
.destroy: This does a scopedDELETEbased on resource. It expects aWithIDtype that must contain theid. When this executes, it updates the store and notifies all views depending on the store for appropriate view updates. It returns aPromise<TransportResponse<T>>.This is asynchronous, therefore, if you need the saving before something else, you must
awaitits call.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// Fire and forget
accounts.destroy({id:12345678});
// Fire and inspect
const {
error,
message,
data,
status
} = await accounts.destroy({id:12345678});
// Do something with fields
.search: This does a scopedGETbased on resource but appends a&search=<searchTerm>to the endpoint. It expects asearchTerm, a string. When this executes, it updates the store and notifies all views depending on the store for appropriate view updates. It returns aPromise<void>.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// Fire and forget
// Seach can be added and customized via `queryTransformer`
accounts.search('google'); .get: This does a scopedGETbased on resource but appends the passedpathto resourceurl. When this executes, it does not updates the store. It returns aPromise<TransportResponse<T>>.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
$effect(async () => {
// The following will make a GET request to `/accounts/checking`
// path using the passed params
const { data, error} = await accounts.get('/checking',{...});
}) .post: This does a scopedPOSTbased on resource but appends the passedpathto resourceurl. When this executes, it does not updates the store. It returns aPromise<TransportResponse<T>>.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
$effect(async () => {
// The following will make a request to POST `/accounts/checking`
// path using the passed params
const { data, error} = await accounts.post('/checking',{...});
}) .find: This does searches the store to locate the first item that match the searchvalue, using the passedkeyorundefinedwhen there are no match.HTTPrequest could be involved, especially if store was notsynced yet. It returns aPromise<T | undefined>.This is asynchronous, therefore, you must
awaitits call.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// Seach for `12345` on the `accountId` field
const targetAccount = await accounts.find(key:'accountId', value:12345);
// Check and use targetAccount .filter: This does filtering based on passedqueryparam of typePartial<T>.HTTPrequest is involved. It returns avoid. When this executes, it updates the store and notifies all views depending on the store for appropriate view updates.
import { useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// Filters for `accountName` that equals 'Steve Samson'
accounts.filter({accountName:'Steve Samson'}); .on: This does allows the registering of event listeners on stores so we can react to those events should they fire. Possible events arerefresh,create,destroy,update.
import { type EventHandler, useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
const onAccountUpdate:EventHandler = (account:Account) =>{
console.log(`${account} was updated!`);
};
// onAccountUpdate will be called when update
// happens on any account in the store
accounts.on('update',onAccountUpdate); The following methods of store do not make network requests when used but they propagate changes to the view. They are added for the purpose of prototyping without persistence. These methods are:
.debug: This logs store info to the console. Useful during dev..add: Add items to store.remove: Removes specific item from store.patch: Updates specific item in store
import { type EventHandler, useStore } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('accounts',...);
// id is required
const account = {accountName:'Account Name', accountNo:2345566, id:new Date().getTime()};
accounts.add(account);
accounts.patch({...account, accountName:'Updated Account Name'});
accounts.remove(account);
3. Resource
As mentioned earlier, Resource, is a svelte component, which helps manage the network requests while using store to manage REST resources. Resource also handles resolution of promises and notify of result during an on-going network request, errors on events of HTTP errors or data availability on success.
Resource accepts 2 props:
store: A type ofStore<T>, which by all means is an instance ofuseStore. This prop is required.resolve: Asvelte runes snippetof typeSnippet<[StoreResult<T>]>that get called whenResourceresolves thestorepassed to it. It is responsible for rendering the data fromstorewhen store resolves. This prop is required.
See example in demo app.
Resource is just a svelte component used as below:
// svelte file
<script>
import { useStore, type StoreResult } from 'svesta';
import type Account from '...';
const accounts = useStore<Account>('some');
</script>
{#snippet resolve({ data, loading, error, page, pages }:StoreResult<Account>)}
<AccountList users="{data}" />
{#if loading}
<p>Loading data...</p>
{/if}
{#if data}
<div class="buttons">
<button onclick={accounts.prev } disabled={page ===1 }>Previous page</button>
<button onclick={accounts.next } disabled={page===pages }>Next page</button>
<button onclick={accounts.more } disabled={ page === pages }>
more(append to view)...
</button>
</div>
{/if}
{#if error}
<h4>Oh, error?</h4>
<p>{error}</p>
{/if}
{/snippet}
<Resource store="{accounts}" resolve="{resolve}" /> 4. useEvents
useEvents: This allows components exchange informations in a reliable manner, using events rather than passing props. For instance, see the following:
import {type UseEvent, useEvents } from "svesta";
// Here loading is the scope of the created event
const loadEvent: UseEvent<boolean> = useEvents<boolean>('loading', false);
...
...
function start(){
loadEvent.value = true;
}
function done(){
loadEvent.value = false;
}
In another component, we can track and use the created loadEvent like so:
<script>
import {type UseEvent, useEvents } from "svesta";
// Here loading is the scope of the created event
const loader: UseEvent<boolean> = useEvents<boolean>('loading', false);
</script> {#if loader.value}
<p>Loading...</p>
{/if} 5. network
network allows the determination of network states. It exposed a status attribute that helps you do that. For instance, when network.status.online is true => online and false => offline. This can be used both in view and non-view components. For instance, the Offline component was build by using network.
6. Offline
This is a svelte component, which displays its children when network.status.online is false. It helps in monitoring network activities in view components. The usage as as shown below:
import { Offline } from 'svesta'; <Offline>
<p>Content to show when offline.</p>
</Offline>