venveo / craft-bigcommerce
BigCommerce for Craft CMS
Installs: 191
Dependents: 0
Suggesters: 0
Security: 0
Stars: 1
Watchers: 0
Forks: 28
Open Issues: 0
Type:craft-plugin
pkg:composer/venveo/craft-bigcommerce
Requires
- php: ^8.0.2
- craftcms/cms: ^4.3.0
- shopify/shopify-api: ^4.1
Requires (Dev)
- craftcms/ecs: dev-main
- craftcms/phpstan: dev-main
- craftcms/rector: dev-main
- craftcms/redactor: *
- vlucas/phpdotenv: ^3.4
This package is auto-updated.
Last update: 2025-10-17 18:56:10 UTC
README
BigCommerce for Craft CMS
Build a content-driven storefront by BigCommerce BigCommerce products into Craft CMS.
Topics
- đŚ Installation: Set up the plugin and get connected to BigCommerce.
- đď¸ Working with Products: Learn what kind of data is available and how to access it.
- đ Templating: Tips and tricks for using products in Twig.
- đ Advanced Features: Go further with your integration.
Installation
The BigCommerce plugin requires Craft CMS 4.0.0 or later.
To install the plugin, visit the Plugin Store from your Craft project, or follow these instructions.
- 
Navigate to your Craft project in a new terminal: cd /path/to/project
- 
Require the package with Composer: composer require venveo/craft-bigcommerce -w 
- 
In the Control Panel, go to Settings â Plugins and click the âInstallâ button for BigCommerce, or run: php craft plugin/install bigcommerce 
Create a BigCommerce API Account
Note
You must be the owner of the store in order to generate API accounts.
Login to your BigCommerce admin panel and navigate to Settings â API Accounts â Create API Account. Proceed as follows:
- 
Token type: V2/V3 API token 
- 
Name: A descriptive name. It's a good idea to use different credentials for different environments - e.g. "[Prod] Craft CMS" 
- 
OAuth scopes: The following scopes are required for the plugin to function correctly: - Content: read-only
- Checkout content: None
- Customers: modify
- Customer login: login
- Information & settings: modify
- Marketing: modify
- Orders: modify
- Order transactions: read-only
- Create payments: None
- Get payment methods: None
- Stored Payment Instruments: None
- Products: modify
- Themes: read-only
- Carts: modify
- Checkouts: modify
- Sites & routes: modify
- Channel settings: modify
- Channel listings: modify
- Storefront API tokens: manage
- Storefront API customer impersonation tokens: manage
- Store logs: read-only
- Store Inventory: read-only
 
- Content: 
Click save.
- Client ID: Reveal and copy this value into your .envfile, asBC_CLIENT_ID.
- Client secret: Reveal and copy this value into your .envfile, asBC_CLIENT_SECRET.
- Access token: Reveal and copy this value into your .envfile, asBC_ACCESS_TOKEN.
- Store Hash: This value is found in your store URL: https://store-**store hash**.mybigcommerce.com/Copy this value into your.envfile, asBC_STORE_HASH
- Sales Channel: If you're using the default BigCommerce storefront, this value is 1; otherwise, find the ID of your Sales Channel in the Channel Manager of Big Commerce. Copy this value into your.envfile, asBC_SALES_CHANNEL
Connect Plugin
Now that you have credentials for your custom app, itâs time to add them to Craft.
- Visit the BigCommerce â Settings screen in your projectâs control panel.
- Assign the four environment variables to the corresponding settings, using the special config syntax:
- API Client ID: $BC_CLIENT_ID
- API Secret Key: $BC_CLIENT_SECRET
- Access Token: $BC_ACCESS_TOKEN
- Sales Channel: $BC_SALES_CHANNEL
 
- API Client ID: 
- Click Save.
Note
These settings are stored in Project Config, and will be automatically applied in other environments. Webhooks will still need to be configured for each environment!
Set up Webhooks
Once your credentials have been added to Craft, a new Webhooks tab will appear in the BigCommerce section of the control panel.
Click Create on the Webhooks screen to add the required webhooks to BigCommerce. The plugin will use the credentials you just configured to perform this operationâso this also serves as an initial communication test.
Warning
You will need to add webhooks for each environment you deploy the plugin to, because each webhook is tied to a specific URL.
Note
If you need to test live synchronization in development, we recommend using ngrok to create a tunnel to your local environment. DDEV makes this simple, with theddev sharecommand. Use the Base URL Override option on the webhook creation screen to provide this value. Remember to delete the test webhooks when you're done!
Product Element
Products from your BigCommerce store are represented in Craft as product elements, and can be found by going to BigCommerce â Products in the control panel.
Synchronization
Products will be automatically created, updated, and deleted via webhooksâbut Craft doesnât know about a product until a change happens.
Once the plugin has been configured, perform an initial synchronization via the command line:
php craft bigcommerce/sync/products
Note
Products can also be synchronized from the control panel using the BigCommerce Sync utility. Keep in mind that large stores (over a hundred products) may take some time to synchronize, and can quickly run through PHPâsmax_execution_time.
Native Attributes
In addition to the standard element attributes like id, title, and status, each BigCommerce product element contains the following mappings to its canonical BigCommerce Product resource:
| Attribute | Description | Type | 
|---|---|---|
| bcId | The unique product identifier in your BigCommerce store. | String | 
| bcStatus | The status of the product in your BigCommerce store. Values can be active,draft, orarchived. | String | 
| handle | The productâs âURL handleâ in BigCommerce, equivalent to a âslugâ in Craft. For existing products, this is visible under the Search engine listing section of the edit screen. | String | 
| productType | The product type of the product in your BigCommerce store. | String | 
| vendor | Vendor of the product. | String | 
| metaFields | Metafields associated with the product. | Array | 
| images | Images attached to the product in BigCommerce. The complete Product Image resources are stored in Craft. | Array | 
| options | Product options, as configured in BigCommerce. | Array | 
| variants | Product variants, as configured in BigCommerce. | Array | 
| createdAt | When the product was created in your BigCommerce store. | DateTime | 
| publishedAt | When the product was published in your BigCommerce store. | DateTime | 
| updatedAt | When the product was last updated in your BigCommerce store. | DateTime | 
All of these properties are available when working with a product element in your templates.
Note
See the BigCommerce documentation on the product resource for more information about what kinds of values to expect from these properties.
Methods
The product element has a few methods you might find useful in your templates.
Product::getVariants()
Returns the variants belonging to the product.
{% set variants = product.getVariants() %}
<select name="variantId">
  {% for variant in variants %}
    <option value="{{ variant.id }}">{{ variant.sku }}</option>
  {% endfor %}
</select>
Product::getDefaultVariant()
Shortcut for getting the first/default variant belonging to the product.
{% set products = craft.bigcommerceProducts.all() %}
<ul>
  {% for product in products %}
    {% set defaultVariant = product.getDefaultVariant() %}
    <li>
      <a href="{{ product.url }}">{{ product.title }}</a>
      <span>{{ defaultVariant.price|currency }}</span>
    </li>
  {% endfor %}
</ul>
Product::getCheapestVariant()
Shortcut for getting the lowest-priced variant belonging to the product.
{% set cheapestVariant = product.getCheapestVariant() %}
Starting at {{ cheapestVariant.price|currency }}!
Product::getBigCommerceUrl()
{# Get a link to the productâs page on BigCommerce: #} <a href="{{ product.getBigCommerceUrl() }}">View on our store</a> {# Link to a product with a specific variant pre-selected: #} <a href="{{ product.getBigCommerceUrl({ variant: variant.id }) }}">Buy now</a>
Product::getBigCommerceEditUrl()
For your administrators, you can even link directly to the BigCommerce admin:
{# Assuming youâve created a custom group for BigCommerce admin: #} {% if currentUser and currentUser.isInGroup('clerks') %} <a href="{{ product.getBigCommerceEditUrl() }}">Edit product on BigCommerce</a> {% endif %}
Custom Fields
Products synchronized from BigCommerce have a dedicated field layout, which means they support Craftâs full array of content tools.
The product field layout can be edited by going to BigCommerce â Settings â Products, and scrolling down to Field Layout.
Routing
You can give synchronized products their own on-site URLs. To set up the URI format (and the template that will be loaded when a product URL is requested), go to BigCommerce â Settings â Products.
If you would prefer your customers to view individual products on BigCommerce, clear out the Product URI Format field on the settings page, and use product.bigcommerceUrl instead of product.url in your templates.
Note
Statuses in Craft are often a synthesis of multiple properties. For example, an entry with the Pending status just means it isenabledand has apostDatein the future.
Querying Products
Products can be queried like any other element in the system.
A new query begins with the craft.bigcommerceProducts factory function:
{% set products = craft.bigcommerceProducts.all() %}
Query Parameters
The following element query parameters are supported, in addition to Craftâs standard set.
Note Fields stored as JSON (like
optionsandmetadata) are only queryable as plain text. If you need to do advanced organization or filtering, we recommend using custom Category or Tag fields in your Product field layout.
bigcommerceId
Filter by BigCommerce product IDs.
{# Watch outâthese aren't the same as element IDs! #} {% set singleProduct = craft.bigcommerceProducts .bigcommerceId(123456789) .one() %}
handle
Query by the productâs handle, in BigCommerce.
{% set product = craft.bigcommerceProducts
  .handle('worlds-tallest-socks')
  .all() %}
đ¨ This is not a reliable means to fetch a specific product, as the value may change during a synchronization. If you want a permanent reference to a product, consider using the BigCommerce product field.
productType
Find products by their âtypeâ in BigCommerce.
{% set upSells = craft.bigcommerceProducts
  .productType(['physical', 'digital'])
  .all() %}
publishedScope
Show only products that are published to a matching sales channel.
{# Only web-ready products: #} {% set webProducts = craft.bigcommerceProducts .publishedScope('web') .all() %} {# Everything: #} {% set inStoreProducts = craft.bigcommerceProducts .publishedScope('global') .all() %}
tags
Tags are stored as a comma-separated list. You may see better results using the .search() param.
{# Find products whose tags include the term in any position, with variations on casing: #} {% set clogs = craft.bigcommerceProducts .tags(['*clog*', '*Clog*']) .all() %}
vendor
Filter by the vendor information from BigCommerce.
{# Find products with a vendor matching either option: #} {% set fancyBags = craft.bigcommerceProducts .vendor(['Louis Vuitton', 'Jansport']) .all() %}
images
Images are stored as a blob of JSON, and only intended for use in a template in conjunction with a loaded product. Filtering directly by image resource values can be difficult and unpredictableâyou may see better results using the .search() param.
{# Find products that have an image resource mentioning "stripes": #} {% set clogs = craft.bigcommerceProducts .images('*stripes*') .all() %}
options
Options are stored as a blob of JSON, and only intended for use in a template in conjunction with a loaded product. You may see better results using the .search() param.
{# Find products that use a "color" option: #} {% set clogs = craft.bigcommerceProducts .options('"Color"') .all() %}
The above includes quote (") literals, because itâs attempting to locate a specific key in a JSON array, which will always be surrounded by double-quotes.
Templating
Product Data
Products behave just like any other element, in Twig. Once youâve loaded a product via a query (or have a reference to one on its template), you can output its native BigCommerce attributes and custom field data.
Note
Some attributes are stored as JSON, which limits nested propertiesâs types. As a result, dates may be slightly more difficult to work with.
{# Standard element title: #} {{ product.title }} {# -> Root Beer #} {# BigCommerce HTML content: #} {{ product.bodyHtml|raw }} {# -> <p>...</p> #} {# Tags, as list: #} {{ product.tags|join(', ') }} {# -> sweet, spicy, herbal #} {# Tags, as filter links: #} {% for tag in tags %} <a href="{{ siteUrl('products', { tag: tag }) }}">{{ tag|title }}</a> {# -> <a href="https://mydomain.com/products?tag=herbal">Herbal</a> #} {% endfor %} {# Images: #} {% for image in product.images %} <img src="{{ image.src }}" alt="{{ image.alt }}"> {# -> <img src="https://cdn.bigcommerce.com/..." alt="Bubbly Soda"> #} {% endfor %} {# Variants: #} <select name="variantId"> {% for variant in product.getVariants() %} <option value="{{ variant.id }}">{{ variant.title }} ({{ variant.price|currency }})</option> {% endfor %} </select>
Variants and Pricing
Products donât have a price, despite what the BigCommerce UI might implyâinstead, every product has at least one Variant.
You can get an array of variant objects for a product by calling product.getVariants(). The product element also provides convenience methods for getting the default and cheapest variants, but you can filter them however you like with Craftâs collect() Twig function.
Unlike products, variants in CraftâŚ
- âŚare represented exactly as the API returns them;
- âŚuse BigCommerceâs convention of underscores in property names instead of exposing camel-cased equivalents;
- âŚare plain associative arrays;
- âŚhave no methods of their own;
Once you have a reference to a variant, you can output its properties:
{% set defaultVariant = product.getDefaultVariant() %}
{{ defaultVariant.price|currency }}
Note
The built-incurrencyTwig filter is a great way to format money values.
Using Options
Options are BigCommerceâs way of distinguishing variants on multiple axes.
If you want to let customers pick from options instead of directly select variants, you will need to resolve which variant a given combination points to.
Form
<form id="add-to-cart" method="post" action="{{ craft.bigcommerce.store.getUrl('cart/add') }}"> {# Create a hidden input to send the resolved variant ID to BigCommerce: #} {{ hiddenInput('id', null, { id: 'variant', data: { variants: product.variants, }, }) }} {# Create a dropdown for each set of options: #} {% for option in product.options %} <label> {{ option.name }} {# The dropdown includes the optionâs `position`, which helps match it with the variant, later: #} <select data-option="{{ option.position }}"> {% for val in option.values %} <option value="{{ val }}">{{ val }}</option> {% endfor %} </select> </label> {% endfor %} <button>Add to Cart</button> </form>
Script
The code below can be added to a {% js %} tag, alongside the form code.
// Store references to <form> elements: const $form = document.getElementById("add-to-cart"); const $variantInput = document.getElementById("variant"); const $optionInputs = document.querySelectorAll("[data-option]"); // Create a helper function to test a map of options against known variants: const findVariant = (options) => { const variants = JSON.parse($variantInput.dataset.variants); // Use labels for the inner and outer loop so we can break out early: variant: for (const v in variants) { option: for (const o in options) { // Option values are stored as `option1`, `option2`, or `option3` on each variant: if (variants[v][`option${o}`] !== options[o]) { // Didn't match one of the options? Bail: continue variant; } } // Nice, all options matched this variant! Return it: return variants[v]; } }; // Listen for change events on the form, rather than the individual option menus: $form.addEventListener("change", (e) => { const selectedOptions = {}; // Loop over option menus and build an object of selected values: $optionInputs.forEach(($input) => { // Add the value under the "position" key selectedOptions[$input.dataset.option] = $input.value; }); // Use our helper function to resolve a variant: const variant = findVariant(selectedOptions); if (!variant) { console.warn("No variant exists for options:", selectedOptions); return; } // Assign the resolved variantâs ID to the hidden input: $variantInput.value = variant.id; }); // Trigger an initial `change` event to simulate a selection: $form.dispatchEvent(new Event("change"));
Cart
Your customers can add products to their cart directly from your Craft site:
{% set product = craft.bigcommerceProducts.one() %}
<form action="{{ craft.bigcommerce.store.getUrl('cart/add') }}" method="post">
  <select name="id">
    {% for variant in product.getVariants() %}
      <option value="{{ variant.id }}">{{ variant.title }}</option>
    {% endfor %}
  </select>
  {{ hiddenInput('qty', 1) }}
  <button>Add to Cart</button>
</form>
JS Buy SDK
Cart management and checkout are not currently supported in a native way.
However, BigCommerce maintains the Javascript Buy SDK as a means of interacting with their Storefront API to create completely custom shopping experiences.
Note
Use of the Storefront API requires a different access key, and assumes that you have published your products into the Storefront appâs sales channel.Your public Storefront API token can be stored with your other credentials in
.envand output in your front-end with the{{ getenv('...') }}Twig helperâor just baked into a Javascript bundle. Keep your other secrets safe! This is the only one that can be disclosed.
The plugin makes no assumptions about how you use your product data in the front-end, but provides the tools necessary to connect it with the SDK. As an example, letâs look at how you might render a list of products in Twig, and hook up a custom client-side cartâŚ
Shop Template: templates/shop.twig
{# Include the Buy SDK on this page: #} {% do view.registerJsFile('https://sdks.bigcommercecdn.com/js-buy-sdk/v2/latest/index.umd.min.js') %} {# Register your own script file (see âCustom Script,â below): #} {% do view.registerJsFile('/assets/js/shop.js') %} {# Load some products: #} {% set products = craft.bigcommerceProducts().all() %} <ul> {% for product in products %} {# For now, weâre only handling a single variant: #} {% set defaultVariant = product.getVariants()|first %} <li> {{ product.title }} <button class="buy-button" data-default-variant-id="{{ defaultVariant.id }}">Add to Cart</button> </li> {% endfor %} </ul>
Custom Script: assets/js/shop.js
// Initialize a client: const client = BigCommerceBuy.buildClient({ domain: "my-storefront.mybigcommerce.com", storefrontAccessToken: "...", }); // Create a simple logger for the cartâs state: const logCart = (c) => { console.log(c.lineItems); console.log(`Checkout URL: ${c.webUrl}`); }; // Create a cart or âcheckoutâ (or perhaps load one from `localStorage`): client.checkout.create().then((checkout) => { const $buyButtons = document.querySelectorAll(".buy-button"); // Add a listener to each button: $buyButtons.forEach(($b) => { $b.addEventListener("click", (e) => { // Read the variant ID off the product: client.checkout .addLineItems(checkout.id, [ { // Build the Storefront-style resource identifier: variantId: `gid://bigcommerce/ProductVariant/${$b.dataset.defaultVariantId}`, quantity: 1, }, ]) .then(logCart); // <- Log the changes! }); }); });
Buy Button JS
The above example can be simplified with the Buy Button JS, which provides some ready-made UI components, like a fully-featured cart. The principles are the same:
- Make products available via the appropriate sales channels in BigCommerce;
- Output synchronized product data in your front-end;
- Initialize, attach, or trigger SDK functionality in response to events, using BigCommerce-specific identifiers from step #2;
Checkout
While solutions exist for creating a customized shopping experience, checkout will always happen on BigCommerceâs platform. This is not a technical limitation so much as it is a policyâBigCommerceâs checkout flow is fast, reliable, secure, and familiar to many shoppers.
If you want your customersâ entire journey to be kept on-site, we encourage you to try out our powerful ecommerce plugin, Commerce.
Helpers
In addition to product element methods, the plugin exposes its API to Twig via craft.bigcommerce.
API Service
Warning
Use of API calls in Twig blocks rendering andâdepending on trafficâmay cause timeouts and/or failures due to rate limits. Consider using the{% cache %}tag with a key and specific expiry time to avoid making a request every time a template is rendered:{% cache using key "bigcommerce:collections" for 10 minutes %} {# API calls + output... #} {% endcache %}
Issue requests to the BigCommerce Admin API via craft.bigcommerce.api:
{% set req = craft.bigcommerce.api.get('custom_collections') %}
{% set collections = req.response.custom_collections %}
The schema for each API resource will differ. Consult the BigCommerce API documentation for more information.
Store Service
A simple URL generator is available via craft.bigcommerce.store. You may have noticed it in the cart example, aboveâbut it is a little more versatile than that!
{# Create a link to add a product/variant to the cart: #} {{ tag('a', { href: craft.bigcommerce.store.getUrl('cart/add', { id: variant.id }), text: 'Add to Cart', target: '_blank', }) }}
The same params argument can be passed to a product elementâs getBigCommerceUrl() method:
{% for variant in product.getVariants() %}
  <a href="{{ product.getBigCommerceUrl({ id: variant.id }) }}">{{ variant.title }}</a>
{% endfor %}
Product Field
The plugin provides a BigCommerce Products field, which uses the familiar relational field UI to allow authors to select Product elements.
Relationships defined with the BigCommerce Products field use stable element IDs under the hood. When BigCommerce products are archived or deleted, the corresponding elements will also be updated in Craft, and naturally filtered out of your query resultsâincluding those explicitly attached via a BigCommerce Products field.
Note
Upgrading? Check out the migration notes for more info.
Migrating from v2.x
If you are upgrading a Craft 3 project to Craft 4 and have existing âBigCommerce Productâ fields, youâll need show the plugin how to translate plain BigCommerce IDs (stored as a JSON array) into element IDs, within Craftâs relations system.
Warning
Before getting started with the field data migration, make sure you have synchronized your product catalog.
Itâs safe to remove the old plugin package (nmaier95/bigcommerce-product-fetcher) from your composer.jsonâbut do not use the control panel to uninstall it. We want the fieldâs data to stick around, but donât need the old field class to work with it.
Note
You may see a âmissing fieldâ in your field layouts during this processâthatâs OK! Your data is still there.
For each legacy BigCommerce Product field in your project, do the following:
- Create a new BigCommerce Products field, giving it a a new handle and name;
- Add the field to any layouts where the legacy field appeared;
Re-saving Data
Run the following command (substituting appropriate values) for each place you added the field in step #2, above:
- 
resave/entriesâ The re-save command for the element type the field layout is attached to;
- 
mySectionHandleâ A stand-in for any criteria that need to be applied to the element type youâre re-saving;
- 
oldBigCommerceFieldâ Field handle from the old version of the plugin (used inside the--toargument closure);
- 
newBigCommerceFieldâ New field handle created in step #1, above;php craft resave/entries \ --section=mySectionHandle \ --set=newBigCommerceField \ --to="fn(\$entry) => collect(json_decode(\$entry->oldBigCommerceField))->map(fn (\$id) => \venveo\bigcommerce\Plugin::getInstance()->getProducts()->getProductIdByBigCommerceId(\$id))->unique()->all()"
Updating Templates
After your content is re-saved, update your templates:
Before
In v2.x, you were responsible for looking up product details in the template:
{# Product references were stored as a list of IDs: #} {% set productIds = entry.oldBigCommerceField %} <ul> {% for productId in productIds %} {# Query BigCommerce API for Product using ID: #} {% set bigcommerceProduct = craft.bigcommerce.getProductById({ id: productId }) %} <li>{{ product.productType }}: {{ product.title }}</li> {% endfor %} </ul>
After
There is no need to query the BigCommerce API to render product details in your templatesâall of the data is available on the returned elements!
{# Execute element query from your new relational field: #} {% set relatedProducts = entry.newBigCommerceField.all() %} <ul> {% for product in products %} {# Output product data directly: #} <li>{{ product.productType }}: {{ product.title }}</li> {% endfor %} </ul>
Going Further
Events
venveo\bigcommerce\services\Products::EVENT_BEFORE_SYNCHRONIZE_PRODUCT
Emitted just prior to a product element being saved with new BigCommerce data. The venveo\bigcommerce\events\BigCommerceProductSyncEvent extends craft\events\CancelableEvent, so setting $event->isValid allows you to prevent the new data from being saved.
The event object has three properties:
- element: The product element being updated.
- source: The BigCommerce product object that was applied.
- metafields: Additional metafields from BigCommerce that the plugin discovered while performing the synchronization.
use venveo\bigcommerce\events\BigCommerceProductSyncEvent; use venveo\bigcommerce\services\Products; use yii\base\Event; Event::on( Products::class, Products::EVENT_BEFORE_SYNCHRONIZE_PRODUCT, function(BigCommerceProductSyncEvent $event) { // Example 1: Cancel the sync if a flag is set via a BigCommerce metafield: if ($event->metafields['do_not_sync'] ?? false) { $event->isValid = false; } // Example 2: Set a field value from metafield data: $event->element->setFieldValue('myNumberFieldHandle', $event->metafields['cool_factor']); } );
Warning Do not manually save changes made in this event handler. The plugin will take care of this for you!
Element API
Your synchronized products can be published into an Element API endpoint, just like any other element type. This allows you to set up a local JSON feed of products, decorated with any content youâve added in Craft:
use venveo\bigcommerce\elements\Product; return [ 'endpoints' => [ 'products.json' => function() { return [ 'elementType' => Product::class, 'criteria' => [ 'publishedScope' => 'web', 'with' => [ ['myImageField'] ], ], 'transformer' => function(Product $product) { $image = $product->myImageField->one(); return [ 'title' => $product->title, 'variants' => $product->getVariants(), 'image' => $image ? $image->getUrl() : null, ]; }, ]; }, ], ];
Acknowledgements
- Very helpful reference repository: https://github.com/labbydev/fingerprint