npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

ts-firebase-mock

v0.0.20

Published

[![Node.js CI](https://github.com/loneObserver1/ts-firebase-mock/actions/workflows/nodejs.yml/badge.svg)](https://github.com/loneObserver1/ts-firebase-mock/actions/workflows/nodejs.yml)

Downloads

737

Readme

ts-firebase-mock

Node.js CI

ts-firebase-mock is a TypeScript library designed to simulate Firestore (a NoSQL cloud database from Firebase) for testing purposes. This package mimics Firestore's core functionality, allowing developers to write unit tests without requiring a real Firestore instance. It operates entirely in-memory, providing a lightweight solution for testing Firestore interactions locally.

Table of Contents

Installation

You can install ts-firebase-mock via npm or yarn.

npm install ts-firebase-mock
or
yarn add ts-firebase-mock

Usage

Creating a Firebase Mock Instance

To create a mock Firestore instance, simply instantiate the FirestoreMock class. This will simulate Firestore's collection and document behavior.

import MockedFirebase from 'ts-firebase-mock';

// Create associate mocked
const firebase = new MockedFirebase();

const firestore = firebase.firestore();
const fireauth = firebase.auth();

Mocked Firebase Auth

The MockedFireAuth class provides a simulated Firebase Authentication API for testing purposes.

Verify ID Token

This method checks if a given token (simulated as a user's uid) is valid and returns corresponding user details.

import MockedFireAuth from './MockedFireAuth';

const auth = new MockedFireAuth();
try {
    const decodedToken = await auth.verifyIdToken('mock-user-uid');
    console.log('Decoded Token:', decodedToken);
} catch (error) {
    console.error('Error verifying token:', error.message);
}

Create user

This method generates a new user with a unique uid and stores their email and password in the mock database.

import MockedFireAuth from './MockedFireAuth';

const auth = new MockedFireAuth();
try {
    const newUser = await auth.createUser('[email protected]', 'securePassword123');
    console.log('User Created:', newUser);
} catch (error) {
    console.error('Error creating user:', error.message);
}

Sign In With Email and Password

This method checks if the provided email and password match an existing user in the mock database and returns the user data if valid.

import MockedFireAuth from './MockedFireAuth';

const auth = new MockedFireAuth();
try {
    const user = await auth.signInWithEmailAndPassword('[email protected]', 'password123');
    console.log('User Signed In:', user);
} catch (error) {
    console.error('Error signing in:', error.message);
}

Sign In With Provider

This method simulates a sign-in process using a provider like Google, returning a pre-defined user with verified email.

import MockedFireAuth from './MockedFireAuth';

const auth = new MockedFireAuth();
try {
    const googleUser = await auth.signInWithProvider('google');
    console.log('User Signed In via Google:', googleUser);
} catch (error) {
    console.error('Error signing in with provider:', error.message);
}

Mocked Firestore

Adding Documents

You can add documents to collections and subcollections using the add method. Each document will have a unique ID generated by default.

// Collections
const usersCollection = firestore.collection('users');
usersCollection.add({ name: 'Alice', age: 30 });
usersCollection.add({ name: 'Bob', age: 25 });

// Subcollections
const usersCollection = firestore.collection('users');
const userDocRef = usersCollection.doc('user1');
// Adding a document to a subcollection under the 'user1' document
const addressesCollection = userDocRef.collection('addresses');
addressesCollection.add({ city: 'Paris', zip: '75000' });

// Also subcollections
const reviewsCollection = addressesCollection.doc('address1').collection('reviews');
reviewsCollection.add({ review: 'Great place!', rating: 5 });

Retrieving Documents

To retrieve documents, you can call get() on a collection. This will return all documents in the collection.

const users = usersCollection.get();
console.log(users);  // Output: [MockedDocumentSnapshot, MockedDocumentSnapshot]

Filtering with where

You can filter documents using the where method, which allows you to specify field values, operators, and the value to filter by. It supports operators like ==, >, <, >=, <=, !=, in, and not-in.

const filteredUsers = usersCollection.where('age', '>', 30).get();
console.log(filteredUsers.length);  // Output: 1 (users with age > 30)

// Example: Users not aged 30
const not30YearsOld = usersCollection.where('age', '!=', 30).get();
console.log(not30YearsOld.size);  // Output: 2

// Example: Users aged 25 or 35
const agesIn = usersCollection.where('age', 'in', [25, 35]).get();
console.log(agesIn.size);  // Output: 2

// Example: Users not aged 30 or 35
const agesNotIn = usersCollection.where('age', 'not-in', [30, 35]).get();
console.log(agesNotIn.size);  // Output: 1

Sorting with orderBy

To sort the results of a query, use the orderBy method, which allows sorting by a specified field in ascending or descending order.

const orderedUsers = usersCollection.orderBy('age', 'desc').get();
console.log(orderedUsers[0].data().age);  // Output: 30 (highest age)

Limiting Results with limit

You can limit the number of documents returned by a query using the limit method.

const limitedUsers = usersCollection.limit(1).get();
console.log(limitedUsers.length);  // Output: 1

Document References & Snapshots

Each document in a collection has a reference via the doc() method, and you can retrieve a snapshot of the document with the get() method.

const userDocRef = usersCollection.doc('user-id');
const userDoc = userDocRef.get();
console.log(userDoc.data());  // Output: { name: 'Alice', age: 30 }

Using arrays

The arrayUnion and arrayRemove methods are used to modify array fields within a document.

// Add a new user with interests
const userDocRef = usersCollection.doc('user-id');
userDocRef.set({ name: 'Daisy', interests: ['reading', 'swimming'] });

// Use arrayUnion to add a new interest without duplicating existing values
userDocRef.arrayUnion('interests', 'coding');
console.log(userDocRef.get().data().interests); // Output: ['reading', 'swimming', 'coding']

// Use arrayUnion again to attempt adding an existing interest
userDocRef.arrayUnion('interests', 'swimming');
console.log(userDocRef.get().data().interests); // Output remains: ['reading', 'swimming', 'coding']

// Use arrayRemove to remove an interest
userDocRef.arrayRemove('interests', 'reading');
console.log(userDocRef.get().data().interests); // Output: ['swimming', 'coding']

Listening to Document Changes

You can listen for real-time updates on a document using the onSnapshot method. This method accepts a callback function that gets called whenever the document is updated.

const userDocRef = usersCollection.doc('user-id');
userDocRef.onSnapshot((docSnapshot) => {
  console.log(docSnapshot.data());  // Output: updated data of the document
});

Updating Documents

You can update a document using the set method on a document reference. The set method allows for data replacement or merging depending on the provided options.

// Update document data
userDocRef.update({ age: 41 });

// Replace document data
userDocRef.set({ name: 'Charlie', age: 40 });

// Merge document data
userDocRef.set({ age: 41 }, { merge: true });

API Reference

FirestoreMock The main class that simulates Firestore functionality.

MockedCollection

Simulates a Firestore collection of documents.

Methods:

  • add(data: Record<string, any>): MockedDocumentReference - Adds a document to the collection.
  • get(): MockedDocumentSnapshot[] - Retrieves all documents in the collection.
  • where(field: string, operator: string, value: any): this - Filters documents by field values.
  • orderBy(field: string, direction: 'asc' | 'desc' = 'asc'): this - Orders documents by field value.
  • limit(count: number): this - Limits the number of documents returned by the query.
  • doc(id: string): MockedDocumentReference- Retrieves a document reference by ID.

MockedDocumentReference

Represents a reference to a document.

Methods:

  • set(data: Record<string, any>, options?: { merge: boolean }): void - Sets data for the document, with an option to merge.
  • get(): MockedDocumentSnapshot - Retrieves a snapshot of the document.
  • `update(data: Partial<Record<string, any>>): void``` - Update document
  • arrayUnion(field: string, value: any): void - Adds a value to an array field in the document, avoiding duplicates.
  • arrayRemove(field: string, value: any): void - Removes a value from an array field in the document, if it exists.
  • delete(): void - Deletes the document.
  • onSnapshot(callback: Function): void - Adds a listener for document changes.
  • exists(): boolean - Return if document exist

MockedDocumentSnapshot

Represents a snapshot of a document retrieved from a collection.

Methods:

  • data(): Record<string, any> - Retrieves the document data.
  • exists(): boolean - Return if document is exist
  • get(field: string): any - Return specific field in document

MockedFirestore

Represents a mocked firestore.

Methods:

  • collection(collectionPath: string): MockedCollection - Retreive or create collection with name
  • flush(): void - Flush all datas in mocked firestore

Example

Here’s a complete example showing how you can use ts-firebase-mock to add, retrieve, and update documents:

import { MockedFirebase } from 'ts-firebase-mock';

// Create associate mocked
const firebase = new MockedFirebase();

const firestore = firebase.firestore();
const fireauth = firebase.auth();

// Create a collection
const usersCollection = firestore.collection('users');

// Add some users
usersCollection.add({ name: 'Alice', age: 30 });
usersCollection.add({ name: 'Bob', age: 25 });
usersCollection.add({ name: 'Charlie', age: 35 });

// Retrieve all users
const users = usersCollection.get();
console.log(users);  // Output: [MockedDocumentSnapshot, MockedDocumentSnapshot, MockedDocumentSnapshot]

// Filter users above age 30
const usersAbove30 = usersCollection.where('age', '>', 30).get();
console.log(usersAbove30.length);  // Output: 1 (Only Charlie)

// Order users by age in descending order
const orderedUsers = usersCollection.orderBy('age', 'desc').get();
console.log(orderedUsers[0].data());  // Output: { name: 'Charlie', age: 35 }

// Limit the results to 2 users
const limitedUsers = usersCollection.limit(2).get();
console.log(limitedUsers.length);  // Output: 2

// Update a user
const userDocRef = usersCollection.doc('user-id');
userDocRef.set({ age: 31 }, { merge: true });

// Delete a user
const deleteUserDocRef = usersCollection.doc('user-to-remove').delete();

License

This project is licensed under the MIT License - see the LICENSE file for details.