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 🙏

© 2026 – Pkg Stats / Ryan Hefner

vue-3-firestore

v1.0.6

Published

An easy way to interact with Firestore using vue 3 and the composition-api

Readme

vue-3-firestore

An easy way to interact with Firestore using vue 3 and the composition-api.

Examples:

Get started

yarn add vue-3-firestore

in your .vue file

<template lang="html">
  <p>{{ data }}</p>
</template>

<script lang="ts">
import { defineComponent, ref } from '@vue/composition-api'
import useFirestore from 'vue-3-firestore'
export default defineComponent({
  setup() {
    const uid = ref('1')

    const { data, loading } = useFirestore({
      queryType: 'doc',
      type: 'watch',
      path: 'collection/$uid',
      variables: {
        uid
      }
    })

    return {
      data
    }
  }
})
</script>

<style lang="scss" scoped></style>

Usage

const results = useFirestore<ReturnDataType>(options)

Options

|param|type|required?|default|description| |-----|----|---------|-------|-----------| |queryType|string|true||The type of this query - 'collection' or 'doc'| |type|string|true||The type of the get function - 'watch' or 'get'. 'get' does a single get() from firestore. 'watch' watches for document or collection changes and updates the data recieved| |path|string|true||Path to the document or collection in firestore. Use $variableName to insert reactive variable data into the path. If the path includes variables, the options object must include a 'variables' key| |variables|Object|false||Variables that should be used to construct the path to the document or collection in firestore. If a variable changes the path, data will be re-fetched. Variable values should be a vue ref. Variable keys should match those in the path string| |debounce|number|false|200|The debounce amount in milliseconds that should be waited between a path change and getting the data from firestore. Useful to change if a variable is bound to a text input. Defaults to 200| |initialLoading|boolean|false|true|The initial state of the loading return value. Defaults to true. Setting to false could be helpful in manual mode| |manual|boolean|false|false|When in manual mode, data will not automatically be fetched or watched initially or on path change. It will be up to you to call the getData or watchData function.| |onError|function|false|console.error|Exposes a function to customise error handling. Defaults to console.error(e)| |||||| |query|function|false||Exposes a function to extend the firestore query for the collection eg: add a '.where()' function or '.limit()'. The returned Query object will be used to get or watch data| |mutate|function|false||Exposes a function to mutate the data that is fetched from firestore. The mutated data will be returned as 'mutatedData'| |onRecieve|function|false||Exposes a hook for when a collection is recieved. Provides access to the recieved data and mutated data|

Return values

|param|type|description| |-|-|-| |data|Ref<T | T[] | null>|The data returned from the collection as a reactive array or an ampty array if no data has been fetched yet |loading|Ref<boolean>|The loading state of the data fetch. Will be true when an async data fetch operation is happening. Works reactively as expected. |recieved|Ref<boolean>|A reactive boolean value to indicate if data has been recieved yet. Will be false as soon as data has been recieved and will stay false thereafter. |pathReplaced|ComputedRef<string>|A reactive string of the path with $variables replaced with the true variable value from the 'variables' input object |mutatedData|Ref<M | null>| Reactive mutated data returned from the mutate() function. If no mutate function is passed, will be equal to 'data'. Will be null until initialised and 'recieved' === true |firestoreRef|ComputedRef<CollectionRef | Docref>|A reactive computed prop that returns the firestore collection reference query |firestoreQuery|ComputedRef<Query>|A reactive computed prop that returns the firestore Query if the 'query' input function is used, else it will be null |updateDoc|(updates: Partial<T>) => Promise<void>|Exposes a method for updating the doc via the current firestore DocumentReference. Uses the firestore().doc(pathReplaced).set() function with the { merge: true } options. This way, it can be used to set a new doc as well as update an existing |deleteDoc|() => Promise<void>|Exposes a method for deleting the doc via the current firestore DocumentReference - firestore().doc(pathReplaced).delete() |watchData|() => void|Exposes a function to initiate a firestore document/collection listener via the onSnapshot method. |stopWatchData|() => void|Exposes a function for tearing down a firestore onSnapshot listener. Will be called on the onUnmounted hook of this component regardless of the manual mode setting. |getData|() => Promise<{ data: T; mutatedData: M | null }>|getData provides a function for getting data from firestore. firestore().doc(${path}).get

Examples

All of the examples below are within the context of the Vue composition api setup() function. eg:

import { defineComponent, ref } from '@vue/composition-api'
import useFirestore from 'vue-3-firestore'
export default defineComponent({
  setup() {
    // code examples
  }
})

This will save these docs from having a load of boiler 😅

Get Doc (without variables)

const { data, loading } = useFirestore({
  type: 'get',
  queryType: 'doc',
  path: 'collection/doc'
})
return { data, loading  }

Get Doc

const uid = ref('1')
const { data, loading  } = useFirestore({
  type: 'get',
  queryType: 'doc',
  path: 'collection/$id',
  variables: {
    id: uid
  }
})

return { data, loading  }

Get Collection (without variables)

const { data, loading  } = useFirestore({
  type: 'get',
  queryType: 'collection',
  path: 'collection/doc/subCollection'
})

return { data, loading  }

Get Collection

const uid = ref('1')
const { data, loading  } = useFirestore({
  type: 'get',
  queryType: 'collection',
  path: 'collection/$id/subCollection',
  variables: {
    id: uid
  }
})

return { data, loading  }

Watch Doc

const uid = ref('1')
const { data, loading  } = useFirestore({
  type: 'watch',
  queryType: 'doc',
  path: 'collection/$id',
  variables: {
    id: uid
  }
})

return { data, loading  }

Watch Collection

const uid = ref('1')
const { data, loading  } = useFirestore({
  type: 'watch',
  queryType: 'collection',
  path: 'collection/$id/subCollection',
  variables: {
    id: uid
  }
})

return { data, loading  }

With Typesctipt

interface UserType {
  firstName: string
  lastName: string
}

const uid = ref('1')
const { data: user, loading } = useFirestore<UserType>({
  queryType: 'doc',
  type: 'watch',
  path: 'users/$uid',
  variables: {
    uid
  }
})

const fullName = computed(() => {
  return `${user.value?.firstName} ${user.value?.lastName}`
})

return { user, loading }

With Typesctipt and Mutation of incoming data

interface UserType {
  firstName: string
  lastName: string
}
type fullName = string

const uid = ref('1')
const { mutatedData, loading } = useFirestore<UserType, fullName>({
  queryType: 'doc',
  type: 'watch',
  path: 'users/$uid',
  variables: {
    uid
  },
  mutate(data) {
    const { firstName, lastName } = data
    return `${firstName} ${lastName}`
  }
})

return { fullName: mutatedData, loading }

Manual mode get

interface UserType {
  firstName: string
  lastName: string
}

const uid = ref('1')
const { data: user, loading, getData } = useFirestore<UserType>({
  queryType: 'doc',
  type: 'get',
  path: 'users/$uid',
  variables: {
    uid
  },
  manual: true
})

const changeUserAndGetData = async(userId: string) => {
  uid.value = userId
  const newData = await getData()
  console.log(newData) // same as user.value
}

onMounted(() => {
  getData()
})

return { user, loading, changeUserAndGetData }

Manual mode watch

interface UserType {
  firstName: string
  lastName: string
}

const uid = ref('1')
const { data: user, loading, watchData, stopWatchData } = useFirestore<UserType>({
  queryType: 'doc',
  type: 'watch',
  path: 'users/$uid',
  variables: {
    uid
  },
  manual: true
})

const changeUserAndWatchData = async(userId: string) => {
  stopWatchData()
  uid.value = userId
  watchData()
}

return { user, loading, changeUserAndWatchData }

Update and Delete helpers

interface UserType {
  firstName: string
  lastName: string
}

const uid = ref('1')
const { data: user, loading, updateDoc, deleteDoc } = useFirestore<UserType>({
  queryType: 'doc',
  type: 'watch',
  path: 'users/$uid',
  variables: {
    uid
  }
})

const updatingUser = ref(false)
const updateUser = async (updates: Partial<UserType>) => {
  try {
    updatingUser.value = true
    await updateDoc(updates)
    updatingUser.value = false
  } catch (e) {
    updatingUser.value = false
    console.error(e)
  }
}

const deletingUser = ref(false)
const deleteUser = async (updates: Partial<UserType>) => {
  try {
    deletingUser.value = true
    await deleteDoc()
    deletingUser.value = false
  } catch (e) {
    deletingUser.value = false
    console.error(e)
  }
}

return { user, loading, updateUser, deleteUser }

Extending a query (order, where, limit)

interface UserType {
  firstName: string
  lastName: string
}

const { data: activeUsers, loading } = useFirestore<UserType>({
  queryType: 'collection',
  type: 'watch',
  path: 'users',
  query(collectionRef) {
    return collectionRef.where('status', '==', 'active').orderBy('lastName').limit(1)
  }
})

return { activeUsers, loading }

Roadmap

  • Make into vue plugin and inject into SetupContext