@mqschwanda/firebase-containers

0.0.22 • Public • Published

firebase-containers

Build Status License NPM Downlaods npm bundle size (minified) npm bundle size (minified + gzip)

Firebase containers are a collection of higher-order components that do firebase data fetching before rendering their corresponding sub-component.

Table of contents

Todo

  • [ ] add userContainer docs & examples
  • [ ] finish writing tests

Getting Started

Installation

Important: Make sure you have react and firebase packages already installed or you will also need to install these alongside @mqschwanda/firebase-containers.

Using yarn, our preferred method:

$ yarn add @mqschwanda/firebase-containers

Using npm:

$ npm install @mqschwanda/firebase-containers

Using cdn:

<script src="https://unpkg.com/@mqschwanda/firebase-containers"></script>

API

firestoreContainer

The firestoreContainer hooks into the onSnapshot listener to get realtime updates with Cloud Firestore. The initial call creates a document snapshot immediately with the current data of the single document. Then, each time the contents change, another call updates the document snapshot. The listener triggers a React.Component's this.setState and re-renders passing the updated snapshot through to the sub-component.

Example of the firebase onSnapshot listener we are wrapping:

import firebase from 'firebase';
const SF = firebase.database().collection('cities').doc('SF');

SF.onSnapshot((snapshot) => {
  console.log(snapshot.data());
});

You can read more about the onSnapshot Firebase API we are wrapping here.

firestoreContainer has the following signature:

/**
* @name firestoreContainer
* @type {Function}
* @description This container takes a firestore query and injects the snapshot
* into the sub-component.
* @since 0.0.15
* @param  {firebase.firestore.Query} query firestore Query which we can read or listen to
* @param  {Object} options options object
* @return {Function} composable function that accepts react components as params
* @returns container(Component, Loading)
*/
const container = firestoreContainer(query[, options]);
// we are currying the arguments so the above container is the same as...
// const container = (Component[, Loading]) =>
//   firestoreContainer(query[, options])(Component[, Loading])

arguments

  • query (required)
    /**
     * @description A firestore Query which you can read or listen to
     * @type {firebase.firestore.Query}
     * @see {@link https://firebase.google.com/docs/reference/js/firebase.firestore.Query}
     */
    const query = firebase.database().collection('cities').doc('SF');
  • options (optional)
    const options = {
      /**
       * @name mapData
       * @type {Function}
       * @description access the snapshot to map the prop injected into the sub-component
       * @since 0.0.1
       * @param {[firebase.firestore.QuerySnapshot, firebase.firestore.QueryDocumentSnapshot]} firebase snapshot
       * @see {@link https://firebase.google.com/docs/reference/js/firebase.firestore.QuerySnapshot}
       * @see {@link https://firebase.google.com/docs/reference/js/firebase.firestore.QueryDocumentSnapshotshot}
       * @return {Object} prop that is merged into sub-component's props
       * @default (snapshot) => ({ snapshot })
       */
      mapData: (snapshot) => ({ snapshot }),
      // or, lets say you want to map the data to a different name...
      // mapData: (labledSnapshot) => ({ labledSnapshot }),
      /**
       * @name once
       * @type {Boolean}
       * @description if you only want the first value and dont want reactive updates
       * @since 0.0.11
       * @default false
       */
      once: false,
    };
  • Component (required)
    /**
     * @name Component
     * @description sub-component we are injecting the snapshot into
     * @type {[React.Component, function]}
     * @since 0.0.1
     * @param {Object} props react props
     * @returns {React.Element}
     */
    const Component = (props) => (
      <div id={props.snapshot.id}>
        {JSON.stringify(props.snapshot.data())}
      </div>
    );
  • Loading (optional)
    /**
     * @name Loading
     * @description component displayed while loading the query snapshot
     * @type {[React.Component, function]}
     * @since 0.0.1
     * @param {Object} props react props
     * @returns {React.Element}
     * @default (props) => <div>loading...</div>
     */
    const Loading = (props) => <div>loading...</div>

Examples

  • query single document

    // ./examples/firestoreContaier/query-single-document.js
    import React from 'react'; // peer dependency
    import firebase from 'firebase'; // peer dependency
    import { firestoreContainer } from '@mqschwanda/firebase-containers';
    
    const query = firebase.firestore().collection('cities').doc('SF');
    const container = firestoreContainer(query);
    
    const ComponentWithData = container((props) =>
      <div id={props.snapshot.id}>
        {JSON.stringify(props.snapshot.data())}
      </div>
    );
  • query multiple documents

    // ./examples/firestoreContaier/query-multiple-documents.js
    import React from 'react'; // peer dependency
    import firebase from 'firebase'; // peer dependency
    import { firestoreContainer } from '@mqschwanda/firebase-containers';
    
    const query = firebase.firestore().collection('cities').where('state == CA');
    const container = firestoreContainer(query);
    
    const ComponentWithData = container((props) => props.snapshot.docs.map(doc =>
      doc.exists &&
      <div key={doc.id}>
        {JSON.stringify(doc.data())}
      </div>
    );
  • query composition

    // ./examples/firestoreContaier/query-composition.js
    import React from 'react'; // peer dependency
    import firebase from 'firebase'; // peer dependency
    import { firestoreContainer, compose } from '@mqschwanda/firebase-containers';
    
    const Cities = firebase.firestore().collection('cities');
    const SF = Cities.doc('SF');
    const LA = Cities.doc('LA');
    
    // use compose to apply multiple higher order components
    const container = compose(
      firestoreContainer(SF, { mapData: (sfSnapshot) => ({ sfSnapshot }) }),
      firestoreContainer(LA, { mapData: (laSnapshot) => ({ laSnapshot }) }),
    );
    
    const ComponentWithData = container((props) =>
      <div>
        <div className='san-francisco'>
          {JSON.stringify(props.sfSnapshot.data())}
        </div>
        <div className='los-angeles'>
          {JSON.stringify(props.laSnapshot.data())}
        </div>
      </div>
    );

    databaseContainer

    The databaseContainer hooks into the .on('value') listener to get realtime updates with Firebase's database. Firebase data is retrieved by attaching an asynchronous listener to a firebase.database.Reference. The listener triggers a React.Component's this.setState and re-renders passing the updated snapshot through to the sub-component.

    Important: The value event is called every time data is changed at the specified database reference, including changes to children. To limit the size of your snapshots, attach only at the lowest level needed for watching changes. For example, attaching a listener to the root of your database is not recommended.

    Example of the firebase .on('value') listener we are wrapping:

    import firebase from 'firebase';
    const SF = firebase.database().ref('cities/SF');
    
    SF.on('value', (snapshot) => {
      console.log(snapshot.val());
    });

    You can read more about the .on('value') Firebase API we are wrapping here.

    databaseContainer has the following signature:

    /**
      * @name databaseContainer
      * @type {Function}
      * @description This container listens to a database reference and injects the
      * snapshot into the sub-component.
      * @since 0.0.15
      * @param  {firebase.database.Reference} reference database reference which we can read or listen to
      * @see {@link https://firebase.google.com/docs/reference/js/firebase.database.Reference}
      * @param  {Object} options options object
      * @return {Function} composable function that accepts react components as params
      * @returns container(Component, Loading)
      */
      const container = databaseContainer(query[, options]);
      // we are currying the arguments so the above container is the same as...
      // const container = (Component[, Loading]) =>
      //   databaseContainer(query[, options])(Component[, Loading])

    arguments

    • reference (required)

      /**
       * @description database reference which we can read or listen to
       * @param  {firebase.database.Reference}
       * @see {@link https://firebase.google.com/docs/reference/js/firebase.database.Reference}
       */
      const reference = firebase.database().ref('cities/SF');
    • options (optional)

      const options = {
        /**
         * @name mapData
         * @type {Function}
         * @description access the snapshot to map the prop injected into the sub-component
         * @since 0.0.1
         * @param {firebase.database.DataSnapshot} snapshot database snapshot
         * @see {@link https://firebase.google.com/docs/reference/js/firebase.database.DataSnapshot}
         * @return {Object} prop that is merged into sub-component's props
         * @default (snapshot) => ({ snapshot })
         */
        mapData: (snapshot) => ({ snapshot }),
        // or, lets say you want to map the data to a different name...
        // mapData: (labledSnapshot) => ({ labledSnapshot }),
        /**
         * @name once
         * @type {Boolean}
         * @description if you only want the first value and dont want reactive updates
         * @since 0.0.11
         * @default false
         */
        once: false,
      };
    • Component (required)

      /**
       * @name Component
       * @description sub-component we are injecting the snapshot into
       * @type {[React.Component, function]}
       * @since 0.0.1
       * @param {Object} props react props
       * @returns {React.Element}
       */
      const Component = (props) => (
        <div id={props.snapshot.id}>
          {JSON.stringify(props.snapshot.data())}
        </div>
      );
    • Loading (optional)

      /**
       * @name Loading
       * @description component displayed while loading the query snapshot
       * @type {[React.Component, function]}
       * @since 0.0.1
       * @param {Object} props react props
       * @returns {React.Element}
       * @default (props) => <div>loading...</div>
       */
      const Loading = (props) => <div>loading...</div>

      Examples

      • reference single document
        // ./examples/databaseContainer/reference-single-document.js
        import React from 'react'; // peer dependency
        import firebase from 'firebase'; // peer dependency
        import { databaseContainer } from '@mqschwanda/firebase-containers';
        
        const reference = firebase.database().ref('cities/SF');
        const container = databaseContainer(reference);
        
        const ComponentWithData = container((props) =>
          <div id={props.snapshot.key}>
            {JSON.stringify(props.snapshot.val())}
          </div>
        );
      • reference multiple documents
        // ./examples/databaseContainer/reference-multiple-documents.js
        import React from 'react'; // peer dependency
        import firebase from 'firebase'; // peer dependency
        import { databaseContainer } from '@mqschwanda/firebase-containers';
        
        const reference = firebase.database().ref('cities');
        /**
         * Firebase refs do not return a mappable array of documents that we can easily
         * use with react. Instead we need to map the data ourselves by iterating
         * through each document.
         */
        const mapData = (snapshot) => {
          const docs = [];
          snapshot.forEach(docs.push);
          // inject docs array alongside the original snapshot
          return { docs, snapshot };
        }
        const container = databaseContainer(reference, { mapData });
        
        const ComponentWithData = container((props) => props.docs.map(doc =>
          doc.exists &&
          <div key={doc.key}>
            {JSON.stringify(doc.val())}
          </div>
        );
      • reference composition
        // ./examples/databaseContainer/reference-composition.js
        import React from 'react'; // peer dependency
        import firebase from 'firebase'; // peer dependency
        import { databaseContainer, compose } from '@mqschwanda/firebase-containers';
        
        const db = firebase.database();
        const SF = db.ref('cities/SF');
        const LA = db.ref('cities/LA');
        
        // use compose to apply multiple higher order components
        const container = compose(
          databaseContainer(SF, { mapData: (sfSnapshot) => ({ sfSnapshot }) }),
          databaseContainer(LA, { mapData: (laSnapshot) => ({ laSnapshot }) }),
        );
        
        const ComponentWithData = container((props) =>
          <div>
            <div className='san-francisco'>
              {JSON.stringify(props.sfSnapshot.val())}
            </div>
            <div className='los-angeles'>
              {JSON.stringify(props.laSnapshot.val())}
            </div>
          </div>
        );

userContainer

docs coming soon...

Package Sidebar

Install

npm i @mqschwanda/firebase-containers

Weekly Downloads

1

Version

0.0.22

License

MIT

Unpacked Size

49.1 kB

Total Files

35

Last publish

Collaborators

  • mqschwanda