• Stars
    star
    955
  • Rank 47,869 (Top 1.0 %)
  • Language Svelte
  • License
    MIT License
  • Created about 5 years ago
  • Updated over 1 year ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Cybernetically enhanced Firebase apps

SvelteFire

A minimal, yet powerful library that puts realtime Firebase data into Svelte stores.

Documentation

<!-- 1. πŸ”₯ Firebase App -->
<FirebaseApp {auth} {firestore}>

    <!-- 2. πŸ‘€ Get the current user -->
    <SignedIn let:user>

        <p>Howdy, {user.uid}</p>

        <!-- 3. πŸ“œ Get a Firestore document owned by a user -->
        <Doc ref={`posts/${user.uid}`} let:data={post} let:ref={postRef}>
            
            <h2>{post.title}</h2>

            <!-- 4. πŸ’¬ Get all the comments in its subcollection -->
            <Collection ref={postRef.path + '/comments'} let:data={comments}>
                {#each comments as comment}

                {/each}
...

Why?

Svelte makes it possible to dramatically simplify the way developers work with Firebase. Here are some problems the project solves:

  • Access users and realtime Firestore data as Svelte stores
  • Automatic subscription disposal to prevent memory/cost leaks
  • Better TypeScript experience for Firebase
  • Handle complex relational data between Auth and Firestore
  • Easily hydrate SvelteKit server data into a realtime Firebase stream

Quick Start

  1. Install Firebase npm i firebase v9+ and initialize it in a file like lib/firebase.js:
npm i sveltefire firebase
import { initializeApp } from 'firebase/app';
import { getFirestore } from 'firebase/firestore';
import { getAuth } from 'firebase/auth';

// Initialize Firebase
const app = initializeApp(/* your firebase config */);
export const db = getFirestore(app);
export const auth = getAuth(app);
  1. Get the Current user
<script>
  import { auth } from '$lib/firebase';
  import { userStore } from 'sveltefire';
  const user = userStore(auth);
</script>

Hello {$user?.uid}
  1. Listen to realtime data.

Use the $ as much as you want - it will only result in one Firebase read request. When all the subscriptions are removed, it will automatically unsubscribe.

<script>
  import { firestore } from '$lib/firebase';
  import { docStore } from 'sveltefire';

  const post = docStore(firestore, 'posts/test');
</script>

{$post?.content}
{$post?.title}

Or better yet, use the built in Doc and Collection components. See below.

Stores

Stores are the building blocks of SvelteFire.

Auth Store

Listen to the current user. Render UI conditionally based on the auth state:

<script>
  import { userStore } from 'sveltefire';

  const user = userStore(auth);
</script>

{#if $user}
    <p>Hi {$user.uid}</p>
{:else}
    <p>Sign in...</p>
{/if}

Firestore Stores

Subscribe to realtime data. The store will unsubscribe automatically to avoid unnecessary Firestore reads.

<script>
  import { docStore, collectionStore } from 'sveltefire';

  const post = docStore(firestore, 'posts/test');

  // OR 

  const posts = collectionStore(firestore, 'posts');
</script>

{$post?.content}

{#each $posts as post}

{/each}

Cast Firebase data to a TS interface:

interface Post {
    id: string;
    title: string;
    content: string;
}
const post = docStore<Post>(firestore, 'posts/test');
const posts = collectionStore<Post>(firestore, 'posts'); 

SSR

SvelteFire is a client-side library, but allows you to hydrate server data into a realtime stream.

First, fetch data from a load function like so:

import { doc, getDoc } from 'firebase/firestore';

export const load = (async () => {
    const ref = doc(firestore, 'posts', 'first-post');
    const snapshot = await getDoc(ref);
    return {
      post: snapshot.data();
    };
});

Second, pass the server data as the startWith value to a store. This will bypass the loading state and ensure the data is rendered in the server HTML, then realtime listeners will be attached afterwards.

// Data fetched via server
export let data: PageData;

// Just give the store a startWith value 
const post = docStore(firestore, 'posts/test', data.post);

Realtime Components

In addition to stores, SvelteFire provides a set of components that can build complex realtime apps without leaving the HTML.

FirebaseApp

The FirebaseApp component puts the FirebaseSDK into Svelte context. This avoids the need to pass auth and firestore down to every component. It is typically placed in root layout.

<!-- +layout.svelte -->
<script>
  // Initialize Firebase...
  const db = getFirestore(app);
  const auth = getAuth(app);
</script>

<FirebaseApp {auth} {firestore}>

    <User let:user></User>
    <!-- other sveltefire components here -->

</FirebaseApp>

You can use Svelte's context API to access the Firebase SDK in any component.

<script>
  import { getFirebaseContext } from "sveltefire";
  const { auth, firestore } = getFirebaseContext();
</script>

User

Get the current user.

<SignedIn let:user>
    Hello {user.uid}
</SignedIn>

<SignedOut>
    You need to sign in!
</SignedOut>

Doc

Fetch a single document and listen to data in realtime. The data slot prop provides access to the fetched data, while ref is the Firestore document reference.

<Doc ref="posts/test" let:data let:ref>
    {data.content}
    {ref.path}
</Doc>

Slot props can be renamed:

<Doc ref="posts/test" let:data={post} let:ref={postRef}>
    {post.content}
    {postRef.path}
</Doc>

Firestore components can also handle loading states:

<Doc path="posts/test">
    <!-- data renders here in the default slot -->
    <div slot="loading">Loading.... This will disappear when data is defined</div>
</Doc>

Pass a startWith value to bypass the loading state. This is useful in SvelteKit when you need to hydrate server data into a realtime stream:

<Doc ref="posts/test" startWith={dataFromServer}>

Collection

Collections provides array of objects containing the document data, as well as the id and ref for each result. It also provides a count slot prop for number of docs in the query.

<Collection ref="posts" let:data let:count>
  <p>Fetched {count} documents</p>
  {#each data as post}
    {post.id}
    {post.ref.path}
    {post.content}
  {/each}
</Collection>

Collections can also take a Firestore Query instead of a path:

<script>
    const myQuery = query(collection(firestore, 'posts'), where('test', '==', 'test'));
</script>

<Collection ref={myQuery} let:data>
</Collection>

DownloadURL

DownloadURL provides a link to download a file from Firebase Storage and its reference.

<DownloadURL ref={item} let:link let:ref>
    <a href={link} download>Download {ref?.name}</a>
</DownloadURL>

StorageList

StorageList provides a list of items and prefixes corresponding to the list of objects and sub-folders at a given Firebase Storage path.

<StorageList ref="/" let:list>
    <ul>
        {#if list === null}
            <li>Loading...</li>
        {:else if list.prefixes.length === 0 && list.items.length === 0}
            <li>Empty</li>
        {:else}
          <!-- Listing the prefixes -->
          {#each list.prefixes as prefix}
              <li>
                  {prefix.name}
              </li>
          {/each}
          <!-- Listing the objects in the given folder -->
          {#each list.items as item}
              <li>
                  {item.name}
              </li>
          {/each}
        {/if}
    </ul>
</StorageList>

UploadTask

Upload a file with progress tracking

<UploadTask ref="filename.txt" data={someBlob} let:progress let:snapshot>
  {#if snapshot?.state === "running"}
    {progress}% uploaded
  {/if}

  {#if snapshot?.state === "success"}
    <DownloadURL ref={snapshot?.ref} let:link>
      <a href={link} download>Download</a>
    </DownloadURL>
  {/if}
</UploadTask>

Using Components Together

These components can be combined to build complex realtime apps. It's especially powerful when fetching data that requires the current user's UID or a related document's path.

<FirebaseApp {auth} {firestore}>
  <SignedIn let:user>
      <p>UID: {user.uid}</p>
      
      <h3>Profile</h3>
      <Doc ref={`posts/${user.uid}`} let:data={profile} let:ref={profileRef}>

        {profile.content}


        <h4>Comments</h4>
        <Collection ref={profileRef.path + '/comments'} let:data={comments}>
          {#each comments as comment}
            <strong>{comment.content}</strong>
          {/each}

          <div slot="loading">Loading Comments...</div>
        </Collection>

        <div slot="loading">Loading Profile...</div>
      </Doc>
  </SignedIn>

  <SignedOut>
      <p>Sign in to see your profile</p>
  </SignedOut>
</FirebaseApp>

Roadmap

  • Add support for Firebase Storage
  • Add support for Firebase RTDB
  • Add support for Firebase Analytics in SvelteKit
  • Find a way to make TS generics with with Doc/Collection components

More Repositories

1

angular-firestarter

🍱 πŸ”₯ Angular + Firebase Progressive Web App Starter
TypeScript
931
star
2

rektor-db

Rektor Vector Database
588
star
3

code-this-not-that-js

JavaScript Pro Tips - Code This, Not That
JavaScript
512
star
4

geofirex

🌐 πŸ“ Geolocation Queries with Firestore & RxJS
TypeScript
460
star
5

firestore-migrator

πŸš„ A CLI utility for moving data to and from Cloud Firestore
TypeScript
311
star
6

async-await-pro-tips

TypeScript
232
star
7

electron-forge-svelte

A starter template for Electron Forge + Svelte 3
JavaScript
132
star
8

gimmie-sticker

Trade a Pull Request for a Sticker
JavaScript
123
star
9

ngrx-vs-ngxs

A side-by-side comparison of Angular state management libraries
TypeScript
116
star
10

cloud-functions-master-course

Firebase Cloud Functions Master Course
HTML
113
star
11

ngrx-fire

Demo app using Angular + ngrx + Firebase
TypeScript
109
star
12

angular-gtag

πŸ”– Google Analytics gtag.js for Angular
TypeScript
108
star
13

angular-firebase-stripe

Full Stack Stripe Payments Solution with Angular + Firebase
TypeScript
88
star
14

ionic4-master-course

Source Code for the Ionic 4 Master Course
TypeScript
67
star
15

sveltefire-template

App template for SvelteFire
HTML
52
star
16

ionic-firestarter

Ionic Firebase Starter Template
TypeScript
44
star
17

stripe-firebase-master-course

44
star
18

hnpwa-angular5

Hacker News PWA with an Angular 5 Service Worker
HTML
42
star
19

vue-firestore-hello-world

Quickstart using Webpack, Vuefire, and Firestore
JavaScript
23
star
20

magic-music-flutter-create

Dart
19
star
21

can-i-use-ng-add

Where can I use the `ng add` command?
16
star
22

hippicons

an alternative icon font for the web
HTML
13
star
23

flowmap

Stream and slice data
Dart
13
star
24

javascript-jeopardy

A Realtime Trivia Game
HTML
12
star
25

lazy-loading-angular

A bare minimum demo for Component Lazy Loading in Angular 4
TypeScript
11
star
26

lex-chatbot-lambda

Python validation for Lex. AWS Chatbot Hackathon 2017
Python
10
star
27

self-driving-car-projects

Self Driving Car Projects
Jupyter Notebook
10
star
28

machine-learning-nanodegree

Machine learning projects and examples
HTML
10
star
29

tasksnail

Rails, AJAX, and Devise - Single Page Application Demo
CSS
9
star
30

hotroute

TypeScript
8
star
31

anchorage

Community Powered Cruising Guide for Boaters
JavaScript
7
star
32

lightstate

Experimental StatefulObject
TypeScript
5
star
33

firestarter-geofire

TypeScript
5
star
34

nice-tweets-only

Sentiment Validation with Ionic v4 + Cloud Language API + Cloud Functions
TypeScript
5
star
35

icon-font-lesson

codediode.io lesson for creating custom icon fonts
CSS
4
star
36

brachial-plexus-ultrasound-segmentation

Neural network comparison for Kaggle Ultrasound Segmentation competition
Jupyter Notebook
3
star
37

rembg-webapp-tutorial

a simple webapp with rembg
HTML
3
star
38

kaggle-scripts

Data visualization and machine learning scripts on Kaggle
Jupyter Notebook
3
star
39

juicesherpa

Build Juice Recipes with Realtime Nutrition Facts
Ruby
2
star
40

platform

A digital sandbox of Matthew harwood
TypeScript
2
star