Context and helpers
The context provides additional and often optional information about the current request to the application.
The context
object is available in specific Nuxt functions like asyncData , plugins , middleware and nuxtServerInit . It provides additional and often optional information about the current request to the application.
First and foremost, the context is used to provide access to other parts of the Nuxt application, e.g. the Vuex store or the underlying connect
instance. Thus, we have the req
and res
objects in the context available on the server side and store
always available. But with time, the context was extended with many other helpful variables and shortcuts. Now we have access to HMR (Hot Module Reload / Replacement) functionalities in development
mode, the current route
, page params
and query
, as well as the option to access environment variables through the context. Furthermore, module functions and helpers can be exposed through the context to be available on both - the client and the server side.
All context keys that are present by default
function (context) { // Could be asyncData, nuxtServerInit, ...
// Always available
const {
app,
store,
route,
params,
query,
env,
isDev,
isHMR,
redirect,
error,
$config
} = context
// Only available on the Server-side
if (process.server) {
const { req, res, beforeNuxtRender, beforeSerialize } = context
}
// Only available on the Client-side
if (process.client) {
const { from, nuxtState } = context
}
}
context
object available in Vuex Actions or the one available in the build.extend
function in your nuxt.config.js
. These are not related to each other!Learn more about the different context keys in our Internals Glossary
Using page parameters for your API query
The context directly exposes possible dynamic parameters of the route via context.params
. In the following example, we call an API via the nuxt/http
module using a dynamic page parameter as part of the URL. Modules, like the nuxt/http module, can expose own functions which are then available through the context.app object.
Also, we wrap the API call in a try/catch
statement to handle potential errors. With the context.error
function, we can directly show Nuxt's error page and pass in the occurred error.
export default {
async asyncData(context) {
const id = context.params.id
try {
// Using the nuxtjs/http module here exposed via context.app
const post = await context.app.$http.$get(
`https://api.nuxtjs.dev/posts/${id}`
)
return { post }
} catch (e) {
context.error(e) // Show the nuxt error page with the thrown error
}
}
}
With ES6 you can use this syntax to destructure your context object. You can pass in the objects you want to have access to and then you can use them in the code without using the word context.
export default {
async asyncData({ params, $http, error }) {
const id = params.id
try {
// Using the nuxtjs/http module here exposed via context.app
const post = await $http.$get(`https://api.nuxtjs.dev/posts/${id}`)
return { post }
} catch (e) {
error(e) // Show the nuxt error page with the thrown error
}
}
}
Want to use query parameters instead? You then use context.query.id .
Redirecting users & accessing the store
Accessing the Vuex store (when you have it set up through the store
directory) is also possible through the context. It provides a store
object which can be treated as this.$store
in Vue components. In addition, we use the redirect
method, an exposed helper through the context, to redirect the user in case the authenticated
state is falsy .
export default {
middleware({ store, redirect }) {
// retrieving keys via object destructuring
const isAuthenticated = store.state.authenticated
if (!isAuthenticated) {
return redirect('/login')
}
}
}
Helpers
Besides the shortcuts in the context, there are also other tiny helpers present in your Nuxt application.
$nuxt
: The Nuxt helper
$nuxt
is a helper designed to improve the user experience and to be an escape hatch in some situations. It is accessible via this.$nuxt
in Vue components and via window.$nuxt
otherwise on the client side.
Connection checker
The $nuxt
helper provides a quick way to find out whether the internet connection of a user is present or not: It exposes the boolean values isOffline
and isOnline
. We can use these to show a message as soon as the user is offline (for example).
<template>
<div>
<div v-if="$nuxt.isOffline">You are offline</div>
<Nuxt />
</div>
</template>
Accessing the root instance
Besides providing DX/UX (Developer Experience / User Experience) features, the $nuxt
helper also provides a shortcut to the root instance of your application from every other component. But that's not everything — you can also access the $nuxt
helper through window.$nuxt
which can be used as an escape hatch to gain access to module methods like $axios
from outside your Vue components. This should be used wisely and only as last resort.
Refreshing page data
When you want to refresh the current page for the user, you don't want to fully reload the page because you might hit the server again and at least re-initialize the whole Nuxt application. Instead, you often only want to refresh the data, provided by asyncData
or fetch
.
You can do so, by using this.$nuxt.refresh()
!
<template>
<div>
<div>{{ content }}</div>
<button @click="refresh">Refresh</button>
</div>
</template>
<script>
export default {
asyncData() {
return { content: 'Created at: ' + new Date() }
},
methods: {
refresh() {
this.$nuxt.refresh()
}
}
}
</script>
Controlling the loading bar
With $nuxt
, you can also control Nuxt's loading bar programmatically via this.$nuxt.$loading
.
export default {
mounted() {
this.$nextTick(() => {
this.$nuxt.$loading.start()
setTimeout(() => this.$nuxt.$loading.finish(), 500)
})
}
}
Read more in the corresponding loading feature chapter
onNuxtReady helper
If you want to run some scripts after your Nuxt application has been loaded and is ready, you can use the window.onNuxtReady
function. This can be useful when you want to execute a function on the client-side without increasing the time to interactive of your site.
window.onNuxtReady(() => {
console.log('Nuxt is ready and mounted')
})
Process helpers
Nuxt injects three boolean values (client
, server
, and static
) into the global process
object which will help you to determine whether your app was rendered on the server or fully on the client, as well as checking for static site generation. These helpers are available across your application and are commonly used in asyncData
userland code.
<template>
<h1>I am rendered on the {{ renderedOn }} side</h1>
</template>
<script>
export default {
asyncData() {
return { renderedOn: process.client ? 'client' : 'server' }
}
}
</script>
In the example, renderedOn
will evaluate to 'server'
when using server-side rendering and a user accesses the page directly. When the user would navigate to the page from another part of the application, e.g. by click on a <NuxtLink>
, it will evaluate to client.