π Usage Guide
Once you've installed the SDK and initialized your client, you can start fetching Shopify data with full type safety and powerful customization options.
This guide shows you how to:
- Fetch products or collections
- Work with metafields
- Handle server-only operations
- Manage errors properly
π§ Where should I use SDK functions?β
We recommend organizing your SDK calls inside a lib/NextShopKit/
folder.
Suggested structure:
lib/NextShopKit/client.ts β SDK client setup
lib/NextShopKit/products.ts β getProduct, getCollection
lib/NextShopKit/cart.ts β Cart operations
You can also use the SDK directly where needed β but for larger projects, centralizing logic improves maintainability.
β Example: Fetch a Single Product with Error Handlingβ
The getProduct()
function returns an object with data
and error
. Always check for errors before accessing the result.
- TypeScript
- JavaScript
import { getProduct } from "@/lib/NextShopKit/client";
export default async function ProductPage({ params }) {
const { data, error } = await getProduct({ handle: params.handle });
if (error || !data) {
// Handle your error logic here
return <div>Product not found.</div>;
}
return (
<div>
<h1>{data.title}</h1>
<p>
{data.price.amount} {data.price.currencyCode}
</p>
<div dangerouslySetInnerHTML={{ __html: data.descriptionHtml }} />
</div>
);
}
import { getProduct } from "@/lib/NextShopKit/client";
export default async function ProductPage({ params }) {
const { data, error } = await getProduct({ handle: params.handle });
if (error || !data) {
// Handle your error logic here
return <div>Product not found.</div>;
}
return (
<div>
<h1>{data.title}</h1>
<p>
{data.price.amount} {data.price.currencyCode}
</p>
<div dangerouslySetInnerHTML={{ __html: data.descriptionHtml }} />
</div>
);
}
π¦ Example: Fetch Products by Collectionβ
This example fetches products from a collection and handles metafields and formatting:
import { getCollection } from "@/lib/NextShopKit/client";
export async function getCollectionProducts(slug: string) {
return await getCollection({
collectionHandle: slug,
customMetafields: [
{ field: "custom.brand", type: "single_line_text" },
{ field: "custom.weight", type: "decimal" },
{ field: "custom.short_description", type: "rich_text" },
],
options: {
renderRichTextAsHtml: true,
resolveFiles: true,
camelizeKeys: true,
transformMetafields: (raw, casted) => ({
...casted,
metaSummary: `Brand: ${casted["custom.brand"] || "N/A"} Β· ${
casted["custom.weight"] ? `${casted["custom.weight"]} kg` : ""
}`,
}),
},
});
}
You can customize this logic per use case or centralize it to reuse in many routes.
transformMetafields
You can use the transformMetafields
option to reshape, simplify, or enhance the raw metafield data returned from Shopify.
This is especially useful when:
- You want to flatten nested custom metafields into a more usable format
- You need to restructure references (like
Metaobject
,File
, orProduct
types) - You want to compute derived values, such as summaries or tags
In the example above, we're creating a new field metaSummary
by combining two metafields:
custom.brand
(as a string)custom.weight
(formatted in kilograms)
This helps you keep your rendering logic clean and centralized.
π§ͺ Pro Tip: "use server"
in App Routerβ
Since Next.js 13.4, you can add "use server"
to your SDK-based utilities for guaranteed server-only execution.
"use server";
import { getCollection } from "@/lib/NextShopKit/client";
export async function fetchProductsByCategory(category: string) {
return await getCollection({ collectionHandle: category });
}
This helps you reuse logic across components or pages while keeping sensitive tokens out of the browser.
π Important: Use SDK on the Server Onlyβ
Your Shopify token is stored in environment variables and must stay private.
β Safe usage:
- Server Components (e.g.,
page.tsx
) - API routes
- App Router Route Handlers
"use server"
utilities
π Whatβs next?β
Now that you understand the basics, dive deeper into:
Description
Learn how to use @nextshopkit/sdk to fetch Shopify products, handle metafields, and build server-safe logic in your Next.js storefront.