shopware/frontends - api-client
Dynamic and fully typed API Client for Shopware 6. Usable in any JavaScript and TypeScript project. You can use types generated from your custom API instance to have autocompletion and type safety.
To generate your own types use @shopware/api-gen CLI.
Setup
Install npm package:
# ✨ Auto-detect
npx nypm install @shopware/api-client
# npm
npm install @shopware/api-client
# yarn
yarn add @shopware/api-client
# pnpm
pnpm install @shopware/api-client
# bun
bun install @shopware/api-client
# deno
deno install @shopware/api-clientStore API client setup
Recommended practice is to create a separate module file. For example src/apiClient.ts, and import it whenever you need to use API Client.
import { createAPIClient } from "@shopware/api-client";
// You can pick types of your current API version, the default one:
import type { operations } from "@shopware/api-client/store-api-types";
// or - RECOMMENDED - your types generated by [@shopware/api-gen](https://www.npmjs.com/package/@shopware/api-gen) CLI:
import type { operations } from "./api-types/storeApiTypes";
// you can pick cookies library of your choice
import Cookies from "js-cookie";
export const apiClient = createAPIClient<operations>({
baseURL: "https://demo-frontends.shopware.store/store-api",
accessToken: "SWSCBHFSNTVMAWNZDNFKSHLAYW",
contextToken: Cookies.get("sw-context-token"),
});
apiClient.hook("onContextChanged", (newContextToken) => {
Cookies.set("sw-context-token", newContextToken, {
expires: 365, // days
path: "/",
sameSite: "lax",
secure: shopwareEndpoint.startsWith("https://"),
});
});Admin API client setup
import { createAdminAPIClient } from "@shopware/api-client";The setup works the same way as creteAPIClient function, with few differences
credentials (optional) - Quick scripting or token-based authentication
We provide optional credentials parameter to createAdminAPIClient. Which allows you to use authentication type of your choice whenever you wish to create connection to any endpoint.
Example:
import type {
operations,
} from "@shopware/api-client/admin-api-types"; // we take default admin api types from different directory than store-api - use your own types by generating schema with @shopware/api-gen CLI
import type { operations } from "./api-types/adminApiTypes"; // or use your own types generated by @shopware/api-gen CLI
const adminApiClient = createAdminAPIClient<operations>({
baseURL: `${process.env.SHOP_URL}/api`,
credentials: {
grant_type: "password",
client_id: "administration",
scope: "write",
username: process.env.SHOP_ADMIN_USERNAME,
password: process.env.SHOP_ADMIN_PASSWORD,
},
// credentials: { // or token-based example
// grant_type: "client_credentials",
// client_id: "administration",
// client_secret: process.env.SHOP_ADMIN_TOKEN,
// },
});
await adminApiClient.invoke(...); // invoke defined endpointsessionData (optional) - Persistent authentication
This parameter is used to store session data in cookies (or other place you want to store it), so you can keep your session persistent.
You can combine this option with credentials property.
// example adminApiClient.ts file
import { createAdminAPIClient } from "@shopware/api-client"; // we use different function to create admin api client
import { createAdminAPIClient } from "@shopware/api-client";
import type { operations, Schemas } from "@shopware/api-client/admin-api-types"; // we take default admin api types from different directory than store-api
import Cookies from "js-cookie";
export const adminApiClient = createAdminAPIClient<operations>({
baseURL: "https://demo-frontends.shopware.store/api",
sessionData: JSON.parse(Cookies.get("sw-admin-session-data") || "{}"),
});
adminApiClient.hook("onAuthChange", (sessionData) => {
Cookies.set("sw-admin-session-data", JSON.stringify(sessionData), {
expires: 1, // days
path: "/",
sameSite: "lax",
secure: shopwareEndpoint.startsWith("https://"),
});
});the rest works the same as store-api client.
Customizing API Types
The client is fully typed via a generic operations parameter. You can use the bundled default types or generate and override types from your own Shopware instance.
Generating types from your instance
Use @shopware/api-gen to generate TypeScript types directly from your Shopware instance's OpenAPI schema.
# 1. Load the schema from your running Shopware instance
pnpx @shopware/api-gen loadSchema --apiType=store
# 2. Generate TypeScript types
pnpx @shopware/api-gen generate --apiType=storeThis creates api-types/storeApiTypes.ts (or adminApiTypes.ts for Admin API). Point shopware.d.ts to your generated types instead of the bundled defaults:
// shopware.d.ts
declare module "#shopware" {
import type { createAPIClient } from "@shopware/api-client";
export type operations = import("./api-types/storeApiTypes").operations;
export type Schemas = import("./api-types/storeApiTypes").components["schemas"];
export type ApiClient = ReturnType<typeof createAPIClient<operations>>;
}All code importing from #shopware will now use your instance's types automatically.
Add a script to package.json to make regeneration easy:
{
"scripts": {
"generate-types": "shopware-api-gen generate --apiType=store"
}
}TypeScript overrides
If your instance has custom fields, custom endpoints, or incorrect types in the OpenAPI spec, you can override or extend the generated types without modifying the generated file directly.
Create an overrides file next to the generated types:
api-types/storeApiTypes.overrides.ts— for Store APIapi-types/adminApiTypes.overrides.ts— for Admin API
Create api-types/storeApiTypes.overrides.ts with your merged types:
// api-types/storeApiTypes.overrides.ts
import type { components as mainComponents } from "./storeApiTypes";
// Extend schemas with your custom fields
export type components = mainComponents & {
schemas: Schemas;
};
export type Schemas = {
// Fully override an existing schema
Product: mainComponents["schemas"]["Product"] & {
customFields: {
my_custom_field: string;
};
};
};
// Add or override operations
export type operations = {
// Add a custom endpoint
"myCustomEndpoint post /custom/endpoint": {
contentType?: "application/json";
accept?: "application/json";
body: { id: string };
response: components["schemas"]["Product"];
responseCode: 200;
};
// Override an existing operation (e.g. restrict the request body)
"updateCustomerAddress patch /account/address/{addressId}": {
contentType?: "application/json";
accept?: "application/json";
body: { city: string };
response: components["schemas"]["CustomerAddress"];
responseCode: 200;
};
};IMPORTANT
Overriding a schema or operation requires a full object definition — partial overrides are not supported in TypeScript overlay files.
Then point shopware.d.ts to the overrides file instead of the generated one:
// shopware.d.ts
declare module "#shopware" {
import type { createAPIClient } from "@shopware/api-client";
export type operations = import("./api-types/storeApiTypes.overrides").operations;
export type Schemas = import("./api-types/storeApiTypes.overrides").components["schemas"];
export type ApiClient = ReturnType<typeof createAPIClient<operations>>;
}Your apiClient.ts already imports from #shopware, so no change is needed there — the overridden types flow through automatically.
JSON patch overrides (partial schema fixes)
For fine-grained, field-level corrections to the JSON schema (e.g. marking a field as required, fixing a wrong type), use patch files. These are applied before TypeScript generation and support partial changes.
Create a storeApiTypes.overrides.json patch file:
{
"components": {
"Cart": {
"required": ["price", "errors"]
}
}
}Reference it in api-gen.config.json:
{
"$schema": "./node_modules/@shopware/api-gen/api-gen.schema.json",
"store-api": {
"patches": [
"storeApiSchema.overrides.json",
"./api-types/myCustomPatches.json"
]
}
}See the @shopware/api-gen documentation for the full patching reference and available configuration options.
Basic usage
Take a look at example project using API Client.
Simple invocation
import { apiClient, RequestReturnType } from "./apiClient";
// could be reactive value, you can use ApiReturnType to type it properly
let productsResponse: RequestReturnType<"readProduct">;
async function loadProducts() {
productsResponse = await apiClient.invoke("readProduct post /product", {
limit: 2,
});
}Fetch features
The new API client is leveraging ofetch library, which has built in support for AbortController, timeout and other features.
Example usage of AbortController to cancell your request:
const controller = new AbortController();
const request = client.invoke("readContext get /context", {
fetchOptions: {
signal: controller.signal,
},
});
controller.abort(); // At this point client will throw an error with the information, that the request has been cancelledOther example of using fetchOptions for setting the timeout:
const request = client.invoke("readContext get /context", {
fetchOptions: {
timeout: 5000, // 5 seconds
},
});All exposed options available under fetchOptions are:
cacheduplexkeepalivepriorityredirectretryretryDelayretryStatusCodessignaltimeout
Predefining methods
If you prefer to add another layer of abstraction you can use created previously types to define your own concept of methods.
// add for example into apiClient.ts file
const readNavigation = ({
depth,
type,
}: {
depth: number;
type: "main-navigation";
}) =>
apiClient.invoke("readNavigation post /navigation/{activeId}/{rootId}", {
headers: {
"sw-include-seo-urls": true,
},
pathParams: {
activeId: type,
rootId: type,
},
body: {
depth,
},
});
// in another file you can use it, and depth property will be set to 2 by default
import { readNavigation } from "./apiClient";
async function loadMainNavigation() {
const navigation = await readNavigation({
body: { activeId: "main-navigation", rootId: "main-navigation" },
});
}Error handling
Client is throwing ApiClientError with detailed information returned from the API. It will display clear message in the console or you can access details property to get raw information from the response.
import { ApiClientError } from "@shopware/api-client";
try {
// ... your request
} catch (error) {
if (error instanceof ApiClientError) {
console.error(error); // This prints message summary
console.error("Details:", error.details); // Raw response from API
} else {
console.error("==>", error); // Another type of error, not recognized by API client
}
}Hooks
Api client provides hooks to listen to events like context change, authentication change or default headers change. Example:
apiClient.hook("onDefaultHeaderChanged", (key, value) => {
// here we can detect that the default header has changed, either by the user or by the headers incoming from the API
});Available hooks:
onContextChanged: Triggered when context token changesonResponseError: Triggered when API returns an erroronSuccessResponse: Triggered when API request succeedsonDefaultHeaderChanged: Triggered when default headers are modifiedonRequest: Triggered before each request is made, allowing for request inspection and modification
calling apiClient.hook will autocomplete the list of available hooks.
Base Configuration Management
The API client provides methods to manage its base configuration:
// Get current configuration
const config = apiClient.getBaseConfig();
console.log(config.baseURL); // "https://demo-frontends.shopware.store/store-api"
console.log(config.accessToken); // "SWSCBHFSNTVMAWNZDNFKSHLAYW"
// Update configuration
apiClient.updateBaseConfig({
baseURL: "https://new-url.com/store-api",
accessToken: "NEW_TOKEN",
});This allows you to dynamically change the API endpoint or access token during runtime, for example when switching between different environments or when the access token needs to be updated.
Helper Functions
The API client provides helper functions that can be imported separately to keep your main bundle size smaller.
encodeForQuery
The encodeForQuery function compresses and encodes objects into base64url format for use in query strings. This is particularly useful for complex criteria objects that need to be passed as URL parameters.
Related issue: https://github.com/shopware/shopware/issues/12388
import { encodeForQuery } from "@shopware/api-client/helpers";
// Example: Encoding complex search criteria
const criteria = {
page: 1,
limit: 10,
filter: [
{
type: "equals",
field: "active",
value: true
},
{
type: "contains",
field: "name",
value: "smartphone"
}
],
associations: {
manufacturer: {},
categories: {
associations: {
media: {}
}
}
}
};
// Use in URL
apiClient.invoke("getProducts get /product", {
query: {
_criteria: encodeForQuery(encodedCriteria),
},
});Links
👥 Community Discord (
#composable-frontendchannel)
Changelog
Full changelog for stable version is available here
Latest changes: 1.4.0
Minor Changes
#2012
70dcf95Thanks @patzick! - Added helper to support encoded_criteriafield in GET query parameters. Context information: https://github.com/shopware/shopware/issues/12388This helper is available under the
@shopware/api-client/helpersimport path.typescriptimport { encodeForQuery } from "@shopware/api-client/helpers"; const criteria = { page: 1, limit: 10, ... } const encodedCriteria = encodeForQuery(criteria); const result = await apiClient.invoke("getProducts get /product", { query: { _criteria: encodedCriteria, }, });#1959
c77daa6Thanks @patzick! - Updated default types to Shopware 6.7
API
createAPIClient
export function createAPIClient<
// biome-ignore lint/suspicious/noExplicitAny: we allow for broader types to be used
OPERATIONS extends Record<string, any> = operations,
PATHS extends string | number | symbol = keyof OPERATIONS,
>(params: {
baseURL?: string;
accessToken?: string;
contextToken?: string;
defaultHeaders?: ClientHeaders;
fetchOptions?: GlobalFetchOptions;
})createAdminAPIClient
export function createAdminAPIClient<
// biome-ignore lint/suspicious/noExplicitAny: we allow for broader types to be used
OPERATIONS extends Record<string, any> = operations,
PATHS extends string | number | symbol = keyof OPERATIONS,
>(params: {
baseURL?: string;
/**
* If you pass `credentials` object, it will be used to authenticate the client whenever session expires.
* You don't need to manually invoke `/token` endpoint first.
*/
credentials?: OPERATIONS["token post /oauth/token"]["body"];
sessionData?: AdminSessionData;
defaultHeaders?: ClientHeaders;
fetchOptions?: GlobalFetchOptions;
})ApiError
export type ApiError = {
title?: string;
detail?: string;
code?: string;
status?: string;
source?: {
pointer?: string;
};
meta?: {
parameters?: Record<string, string> | [];
};
};