Working with Data

Working with data in Factor is designed to be simple and powerful.

The Flat Store

For data, there is the database and it's equivalent in your app called the "flat store."

The flat store is a store built with Vue's store solution: Vuex, but you won't need to interact with it directly. In about 99% of cases, you'll be able to get by with two functions stored(key) and storeItem(key, value).

Here is how it works:

import { stored, storeItem } from "@factor/api"

storeItem("myKey", { myValue: "hello world" })

// later
const value = stored("myKey") // hello world

The Store In Components

The store is reactive and can be used as computed properties in your components. You can also use computed setters to interact with the stored value directly in your component.

import { stored, storeItem } from "@factor/api"
export default {
  computed: {
    myValue() {
      // Available as this.myValue
      return stored("myKey")
    },
    post: {
      get() {
        // gets whatever is stored under key [this._id]
        return stored(this._id) || {}
      },
      set(post): void {
        // whenever this.post changes, it updates the value in the store
        storeItem(this._id, post)
      },
    },
  },
}

Server-side Rendering

To prevent double-fetching of data between your server and client, use the store to send information from the server to the client.

Whenever you add information to the store on the server it is delivered and added to the store on load.

The example below uses serverPrefetch to get data on the server and then send it to the client.

import { storeItem } from "@factor/api"

// Example fetching of data and add to store
const getSomeData = async () => {
  const data = await getData()
  storeItem("myData", data)

  return
}

// In component
export default {
  computed: {
    // The property we'll use in the component
    myData() {
      return stored("myData")
    },
  },
  // Runs on server
  serverPrefetch() {
    return getSomeData()
  },
  async beforeMount() {
    // If we are not on initial page load (ssr)
    // Then run the request in the client
    if (!this.myData) {
      this.getSomeData()
    }
  },
}

Further Reading

To learn more about working with data in Factor, here are some resources we recommend:

Docs

Example

External Resources

  • Axios - Recommended HTTP request client
  • serverPrefetch - Server pre-fetching of data in Vue
post-19603c73.svg