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

react-firebase-subscribable

v2.0.6

Published

Higher Order Components to wrap a component in a firebase subscription

Downloads

71

Readme

🔥 react-firebase-subscribable 🔥

npm bundle size (minified + gzip) CircleCI (all branches) GitHub issues

react-firebase-subscribable is a component library for handling Firebase Authentication and Firestore/RTDB subscriptions.

Table of Contents

Installation

Usage

Examples

Dependencies

Bugs, Pull Requests

Installation

This package is hosted on npm. To add it to your node project, use:

npm i -S react-firebase-subscribable
# with yarn
yarn add react-firebase-subscribable

A UMD build is also available for browsers via unpkg:

<script
  src="https://unpkg.com/[email protected]/dist/react-firebase-subscribable.umd.js"
>
</script>

Note: you will need load the dependencies before this tag to use this library

Usage

Context API

react-firebase-subscribable exports Provider components and connect functions for using Auth/Firestore state via the context API. Auth state is separated from database subscriptions so the module exports separate Provider/connect functions for each:

Auth

Firebase Auth Provider

Props:

| Name | Type | Required | | ------------------ |:----------------------:| --------:| | firebaseAuth | Firebase Auth Instance | true | | onAuthStateChanged | Function | false |

onAuthStateChanged can be provided to inform external stores of changes to auth state without nesting them inside of Firebase Auth Provider, such as if you want to nest it in an existing redux store and dispatch actions to update the store on auth state change, so you can simply use one connect if you are already using redux.

Usage:

// in root component
import React from 'react'
import { FirebaseAuthProvider } from 'react-firebase-subscribable'
import App from 'components/App'
import firebase from 'firebase'

const AuthConnectedRoot = () => (
  <FirebaseAuthProvider firebaseAuth={firebase.auth()}>
    <App />
  </FirebaseAuthProvider>
)

export default AuthConnectedRoot

/**
 * with a redux store
 * Note: this component must be rendered as a child to Redux's
 * Provider component for this example to work.
 **/
import React from 'react'
import { connect } from 'react-redux'
import { FirebaseAuthProvider } from 'react-firebase-subscribable'
import App from 'components/App'
import { onAuthStateChanged } from '../actions/auth'
import firebase from 'firebase'

const AuthConnectedRoot = ({ onAuthStateChanged }) => (
  <FirebaseAuthProvider
    firebaseAuth={firebase.auth()}
    onAuthStateChanged={onAuthStateChanged}
  >
    <App />
  </FirebaseAuthProvider>
)

const mapDispatchToProps = dispatch => ({
  onAuthStateChanged,
})

export default connect(
  null,
  mapDispatchToProps,
)(AuthConnectedRoot)

connectAuth

A function that accepts a function mapAuthStateToProps and returns a function that accepts a component.

mapAuthStateToProps

mapAuthStateToProps should accept the current user and return a props object to be applied to the wrapped component:

// in consumer components
import React from 'react'
import { connectAuth } from 'react-firebase-subscribable'

const CurrentUser = ({ user }) => (
  <div>
    {user ? user.uid : 'Not signed in'}
  </div>
)

const mapAuthStateToProps = user => ({
  user,
})

export default connectAuth(mapAuthStateToProps)(CurrentUser)

Firestore

Firestore Provider

Props:

| Name | Type | Required | | ----------- |:-------------------------------:| --------:| | initialRefs | object (see below.) | false |

type FirestoreProviderProps = {
  initialRefs: object<string, firestore.DocumentReference | firestore.CollectionReference | firestore.QueryReference>,
}
// in root component
import React from 'react'
import { FirestoreProvider } from 'react-firebase-subscribable'
import App from 'components/App'
import firebase from 'firebase'

const initialRefs = {
  allUsers: firebase.firestore().collection('all-users'),
}

const FirestoreConnectedRoot = () => (
  <FirestoreProvider initialRefs={initial}>
    <App />
  </FirestoreProvider>
)

export default FirestoreConnectedRoot

connectFirestore

A function that accepts a function mapSnapshotsToProps and a list of injectedRefs and returns a function that accepts a component.

mapSnapshotsToProps

mapSnapshotsToProps will receive the current store's corresponding snapshots as an argument:

import React from 'react'
import { connectFirestore } from 'react-firebase-subscribable'

const CurrentUserProfile = ({ userProfile }) => (
  <div>
    {userProfile
      ? <div>Welcome back, {userProfile.name}!</div>
      : <div>Sign in to view profile</div>
    }
  </div>
)

const mapSnapshotsToProps = ({ userProfile: { value, error } }) => ({
  userProfile: !error && value ? value.data() : null,
  profileError: error ? value : null,
})

export default connectFirestore(mapSnapshotsToProps)(CurrentUserProfile)
injectedRefs

injectedRefs can be passed into any firestore-connected component, and should have the form:

{
  [key: string]: firestore.Reference |
                 (props) => firestore.Reference | null,
}

If the provided ref is a function it will be called with the component's props

import React from 'react'
import { connectFirestore } from 'react-firebase-subscribable'

const CurrentUserProfile = ({ userProfile }) => (
  <div>
    {userProfile
      ? <div>Welcome back, {userProfile.name}!</div>
      : <div>Sign in to view profile</div>
    }
  </div>
)

// userProfile will be injected when this component connects
/**
 *  mapSnapshotsToProps can be null if you do not want the
 *  component to receive snapshot updates, but still want to inject
 *  refs.
 **/
const mapSnapshotsToProps = ({
  userProfile: { value: profileValue, error: profileError },
  allProfiles: { value: allProfiles, error: allProfilesError },
}) => ({
  userProfile: !profileError && profileValue ? profileValue.data() : null,
  otherProfiles: !allProfilesError && allProfiles.docs,
})

// ref can be a function, will be called with (props) as an arg
const injectedRefs = {
  userProfile: ({ user }) => user
    ? firebase.firestore().collection('user-profiles').doc(user.uid)
    : null,
  allProfiles: firebase.firestore().collection('user-profiles'),
}

// inject userProfileRef using key 'userProfile'
const withFirestore = connectFirestore(
  mapSnapshotsToProps,
  injectedRefs,
)

export default withFirestore(CurrentUserProfile)

useInjected

The useInjected hook can be used to manually connect a component to the Firestore Provider, and has the same API as connectFirestore:

import React from 'react'
import { useInjected } from 'react-firebase-subscribable'

const mapSnapshots = ({ userProfile: { value, error } }) => ({
  userProfile: !error && value ? value.data() : null,
  profileError: error ? value : null,
})

const CurrentUserProfile = ({ user }) => {
  const { userProfile } = useInjected(mapSnapshots, {
    userProfile: ({ user }) => user
      ? firebase.firestore().collection('user-profiles').doc(user.uid)
      : null,
    allProfiles: firebase.firestore().collection('user-profiles'),
  })
  return (
  <div>
    {userProfile
      ? <div>Welcome back, {userProfile.name}!</div>
      : <div>Sign in to view profile</div>
    }
  </div>
)

export default CurrentUserProfile

Examples

Provider/connect example

Bugs, Pull Requests

Pull requests, feature requests, bug reports welcome