From salesforce-commerce
Builds Salesforce B2B Commerce Apex CartExtension calculators for pricing, shipping, tax, inventory; handles governor limits, bulkification, 75% test coverage, checkout flows.
npx claudepluginhub orcaqubits/agentic-commerce-skills-plugins --plugin salesforce-commerceThis skill is limited to using the following tools:
**ALWAYS fetch live documentation BEFORE writing any Apex code:**
Searches, retrieves, and installs Agent Skills from prompts.chat registry using MCP tools like search_skills and get_skill. Activates for finding skills, browsing catalogs, or extending Claude.
Searches prompts.chat for AI prompt templates by keyword or category, retrieves by ID with variable handling, and improves prompts via AI. Use for discovering or enhancing prompts.
Guides MCP server integration in Claude Code plugins via .mcp.json or plugin.json configs for stdio, SSE, HTTP types, enabling external services as tools.
ALWAYS fetch live documentation BEFORE writing any Apex code:
https://developer.salesforce.com/docs/atlas.en-us.apexcode.meta/apexcode/https://developer.salesforce.com/docs/commerce/salesforce-commerce/guide/b2b-cart-calculate.htmlWhy this matters: Salesforce releases three times per year (Spring, Summer, Winter). Commerce APIs, CartExtension interfaces, and governor limits change. Live docs prevent using deprecated patterns.
Salesforce B2B Commerce uses the CartExtension namespace to provide extension points for customizing checkout logic. Each calculator extends CartExtension.AbstractCartCalculator and overrides the calculate() method.
| Extension Point | Purpose | Example Use Cases |
|---|---|---|
PricingCartCalculator | Custom pricing calculations | Volume discounts, contract pricing, tiered pricing |
ShippingCartCalculator | Shipping rate determination | Carrier integration, zone-based rates |
TaxCartCalculator | Tax calculations | Avalara, Vertex, custom tax engines |
InventoryCartCalculator | Real-time inventory validation | Warehouse checks, ATP calculations |
calculate() methodCartCalculateCalculatorRequest with access to the full cartrequest.getCart(), which returns a CartExtension.Cart| Object | Access Method | Purpose |
|---|---|---|
Cart | request.getCart() | Root cart object with all items and delivery groups |
CartItemList | cart.getCartItems() | Iterable list of all line items |
CartItem | cartItems.get(index) | Individual line item with product, quantity, pricing |
CartDeliveryGroupList | cart.getCartDeliveryGroups() | Shipping delivery groups |
CartDeliveryGroup | deliveryGroups.get(index) | Address, shipping method, delivery charges |
CartDeliveryGroupMethod | Constructor-based | Shipping option with name, cost, carrier |
Note: CartItemList uses index-based access (get(i)) and size(), not enhanced for-loops.
Register calculators via the Salesforce UI. There is NO custom metadata type (B2B_Commerce_Hook__mdt or similar) for registration.
| Limit | Synchronous | Asynchronous |
|---|---|---|
| SOQL queries | 100 | 200 |
| DML statements | 150 | 150 |
| CPU time | 10,000 ms | 60,000 ms |
| Heap size | 6 MB | 12 MB |
| Callouts per transaction | 100 | 100 |
| Callout timeout (per call) | 10 s (configurable up to 120 s) | 10 s |
| Callout total response size | 12 MB | 12 MB |
| Future calls per transaction | 50 | 0 (not allowed from async) |
| Queueable jobs per transaction | 50 | 1 |
Custom Metadata queries do NOT count against SOQL limits. Always verify these limits against the current release notes -- values change across Salesforce releases.
B2B carts can have hundreds of line items. All calculator code must be bulkified:
WHERE Id IN :idSetMap<Id, SObject> for O(1) lookups when applying resultsList<SObject> for batch DML operations| Pattern | Returns Value? | Accepts Complex Params? | Use in calculate()? |
|---|---|---|---|
| Synchronous HTTP | Yes | Yes | Yes -- preferred for real-time data |
@future(callout=true) | No (void only) | No (primitives only) | Not for return values |
Queueable | No (async) | Yes | For post-processing follow-up |
callout:MyCredential/path) -- never hardcode auth headersreq.setTimeout(10000))The ConnectApi namespace provides programmatic cart and checkout operations:
| Class | Purpose |
|---|---|
ConnectApi.CommerceCart | Create, retrieve, delete carts; add items |
ConnectApi.CommerceCatalog | Product search, category browse |
ConnectApi.CheckoutInput / CartCheckoutOutput | Start and manage checkout |
ConnectApi classes are not constructable in test context by default. Use wrapper/mock patterns or Test.isRunningTest() guards for testability.
@TestSetup to create shared test data (Account, Product2, WebStore, WebCart, CartDeliveryGroup, CartItem)CartCalculateCalculatorRequest is not directly constructable in tests -- test business logic methods separatelyTest.setMock(HttpCalloutMock.class, ...) for callout testsLimits.getQueries(), Limits.getDmlStatements(), Limits.getCpuTime()| Artifact | Convention | Example |
|---|---|---|
| Calculator class | [Purpose]Calculator | VolumePricingCalculator |
| Test class | [ClassName]Test | VolumePricingCalculatorTest |
| Test data factory | B2BCommerceTestDataFactory | Shared across test classes |
| Custom Metadata | Commerce_Config__mdt | Configuration without SOQL cost |
| Platform Cache | local.CommerceCache | Frequently accessed pricing data |
| Queueable job | [Purpose]Job | ShippingRateLoggerJob |
Pattern: CartExtension calculator skeleton
public class MyCalculator extends CartExtension.PricingCartCalculator {
public override void calculate(
CartExtension.CartCalculateCalculatorRequest request
) {
CartExtension.Cart cart = request.getCart();
// Fetch live docs for CartCalculateCalculatorRequest API
}
}
Pattern: Bulkified query + map lookup
Set<Id> ids = new Set<Id>();
// ... collect ids from cart items ...
Map<Id, Product2> products = new Map<Id, Product2>(
[SELECT Id, Field__c FROM Product2 WHERE Id IN :ids]
);
// ... apply via products.get(itemProductId) ...
Pattern: HttpCalloutMock for tests
private class MockResponse implements HttpCalloutMock {
public HttpResponse respond(HttpRequest req) {
// Fetch live docs for HttpCalloutMock interface
}
}
Pattern: Graceful error handling in calculate()
try {
applyPricing(cartItems);
} catch (CalloutException e) {
CommerceLogger.logError('Calculator', 'calculate', e);
// Allow checkout to continue with existing prices
}
Cache.Org) for frequently accessed configuration dataitem.setMessage() for validation errors visible to the buyerQueryException, CalloutException, and generic ExceptionB2BCommerceTestDataFactory class for reusable test dataLimits class methods@TestVisible annotation to expose private helper methods for unit testingQueueable (not @future) for complex async post-processing after calculate()Database.AllowsCallouts on Queueable classes that make HTTP callscalculate() with System.enqueueJob()Fetch the latest Salesforce B2B Commerce Apex developer guide and CartExtension namespace reference for exact method signatures and current governor limits before implementing.