Getting Started
This guide will walk you through setting up Nuxt API Party and making your first API requests with generated, type-safe composables.
Prerequisites
Make sure you have Nuxt 3.18+ installed in your project.
Installation
Install Nuxt API Party via the Nuxt CLI:
npx nuxt module add api-partyAdd to Nuxt Configuration
Add the module to your Nuxt configuration:
export default defineNuxtConfig({
modules: ['nuxt-api-party']
})Configure Your First API Endpoint
Configure an API endpoint in your Nuxt configuration. Each endpoint generates two composables for data fetching:
export default defineNuxtConfig({
modules: ['nuxt-api-party'],
apiParty: {
endpoints: {
// Endpoint ID: `jsonPlaceholder`
jsonPlaceholder: {
url: process.env.JSON_PLACEHOLDER_API_BASE_URL!,
// Optional: Global headers for all requests
headers: {
Authorization: `Bearer ${process.env.JSON_PLACEHOLDER_API_TOKEN!}`
}
}
}
}
})Endpoint Configuration Options
Each endpoint accepts the following options:
url(required): Base URL of the APItoken(optional): Bearer token for authenticationquery(optional): Default query parameters sent with each requestheaders(optional): Default headers sent with each requestcookies(optional): Whether to forward cookies in requestsallowedUrls(optional): URLs allowed for dynamic backend switchingschema(optional): OpenAPI Schema URL or file path for type generation
Dynamic Configuration
For dynamic headers or runtime configuration, use runtime hooks or environment variables.
Generated Composables
For the endpoint jsonPlaceholder configured above, Nuxt API Party generates two composables:
$jsonPlaceholder– Direct API calls, similar to$fetchuseJsonPlaceholderData– Reactive data fetching, similar touseFetch
Multiple Endpoints
You can configure as many endpoints as you need. Each endpoint generates its own pair of composables based on the endpoint ID.
Environment Variables
Use environment variables instead of hardcoding sensitive values:
# `.env`
JSON_PLACEHOLDER_API_BASE_URL=https://jsonplaceholder.typicode.com
JSON_PLACEHOLDER_API_TOKEN=your-secret-tokenOr use Nuxt's runtime config for automatic environment variable mapping:
export default defineNuxtConfig({
modules: ['nuxt-api-party'],
runtimeConfig: {
apiParty: {
endpoints: {
jsonPlaceholder: {
url: '', // Will be populated from `NUXT_API_PARTY_ENDPOINTS_JSON_PLACEHOLDER_URL`
token: '' // Will be populated from `NUXT_API_PARTY_ENDPOINTS_JSON_PLACEHOLDER_TOKEN`
}
}
}
}
})Environment variable mapping follows this pattern:
NUXT_API_PARTY_ENDPOINTS_{ENDPOINT_ID}_{OPTION}Making Your First Request
Now you can use the generated composables in your components and server routes.
Reactive Data Fetching
Use the useJsonPlaceholderData composable for reactive data that updates your component:
<script setup lang="ts">
// Fetch a single post
const { data: post, refresh, error, status } = await useJsonPlaceholderData('posts/1')
// Fetch multiple posts with query parameters
const { data: posts } = await useJsonPlaceholderData('posts', {
query: { _limit: 10 }
})
</script>
<template>
<div>
<!-- Single post -->
<article v-if="post">
<h1>{{ post.title }}</h1>
<p>{{ post.body }}</p>
<button @click="refresh()">
Refresh
</button>
</article>
<!-- Posts list -->
<div v-if="posts">
<h2>Latest Posts</h2>
<article v-for="item in posts" :key="item.id">
<h3>{{ item.title }}</h3>
</article>
</div>
<!-- Loading & Error states -->
<p v-if="status === 'pending'">
Loading...
</p>
<p v-if="error">
{{ error.statusMessage }}
</p>
</div>
</template>Direct API Calls
Use the $jsonPlaceholder composable for programmatic requests, form submissions, and one-time actions:
<script setup lang="ts">
import type { FetchError } from 'ofetch'
const newPost = ref({
title: '',
body: '',
userId: 1
})
async function createPost() {
try {
const post = await $jsonPlaceholder('posts', {
method: 'POST',
body: newPost.value
})
console.log('Created post:', post)
// Handle success (show notification, redirect, etc.)
}
catch (error) {
console.error('Failed to create post:', error as FetchError)
// Handle error
}
}
</script>
<template>
<form @submit.prevent="createPost">
<input v-model="newPost.title" placeholder="Post title" required>
<textarea v-model="newPost.body" placeholder="Post content" required />
<button type="submit">
Create Post
</button>
</form>
</template>What's Next?
Explore More Features
- Data Fetching Methods – Learn when to use
useMyApiDatavs$myApi - Module Configuration – Explore all configuration options
- Error Handling – Handle API errors gracefully
- OpenAPI Integration – Add full type safety with OpenAPI schemas
Advanced Topics
- Caching Strategies – Optimize performance with smart caching
- Runtime Hooks – Customize behavior with request/response hooks