wix-cli-context-provider
Creates context provider extensions for Wix CLI apps — logical components (no UI) that expose shared state, functions, and configuration to child site components via React hooks and Editor Binding. Use when building a context provider, sharing state between components, creating a context hook (useContext), building a provider/consumer pattern, wiring contextDependencies, or using Editor Binding for context. Only site components can consume context providers — do NOT use for site widgets or site plugins.
From wixnpx claudepluginhub wix/skills --plugin wixThis skill uses the workspace's default tool permissions.
references/CONTEXT_PROVIDER_SPEC.mdreferences/EDITOR_BINDING.mdreferences/EXAMPLES.mdWix Context Provider Builder
Creates production-quality context provider components for Wix CLI applications. Context providers are logical components (no UI) that can be added to any page, container, or section in the Editor. They expose shared state and functionality that child components consume via a React hook.
You MUST read CONTEXT_PROVIDER_SPEC.md before implementing a context provider. It contains the complete manifest structure, all data types, and type constraints.
Consumer Constraint
⚠️ Only site components (wix-cli-site-component) can consume context provider extensions. Site widgets, site plugins, and all other extension types are NOT supported as consumers.
⚠️ Consumer site components require valid manifests. When creating a site component to consume this context provider, you MUST follow the wix-cli-site-component skill, including its Hard Constraints.
Quick Start Checklist
Follow these steps in order when creating a context provider:
- Ask the user for the app's code identifier (
<codeIdentifier>) — this is configured in the Wix Dev Center and cannot be derived from the code. It is used as the namespace in thetypefield (e.g.,<codeIdentifier>.CounterContext) - Install
@wix/public-schemasas a devDependency - Install
@wix/services-manager-reactand@wix/services-definitionsif not already present - Create provider folder:
src/extensions/{provider-name}/ - Create
provider.tsxwith React context, hook export, provider component, and RichText support for all text/number values - Create
extensions.tsin the provider folder withexperimentalExtensions.contextProvider()— include both plain and richText context items - Import and register the extension in
src/extensions.tsusing.use() - Ensure consumer components are site components with
contextDependenciesin their registration
Hard Constraints
- Import
experimentalExtensionsfrom@wix/astro/builders/experimental, NOT from@wix/astro/builders - Do NOT invent or assume new types, modules, or imports
- The
typefield must be namespaced:<codeIdentifier>.ComponentName - Generate a fresh UUID v4 for each new context provider
id - Do NOT use disallowed data types (
UNKNOWN_DataType,schema,container,onClick,onChange,onKeyPress,onKeyUp,onSubmit) - All context items must have a
dataType - The hook name in
contextSpecifier.hookmust match the exported hook inprovider.tsx - NEVER use mocks, placeholders, or TODOs in any code
- ALWAYS implement complete, production-ready functionality
- ALWAYS expose RichText versions (
{ text, html }) of all text and number context values — this is mandatory, not optional
Architecture
Context providers consist of two required parts:
1. Provider Component (provider.tsx)
A React component that:
- Creates a React context using
createContext - Exports a hook for child components (e.g.,
useCounterContext) - Exports the provider component as the
defaultexport - Accepts configuration props defined in the
datafield of the registration - Provides state and functions to child components via context
- Optionally exports
injectAccessTokenGetterfor access token injection
2. Extension Registration (in src/extensions.ts)
Registers the context provider with the app builder using experimentalExtensions.contextProvider(), defining:
- The context model (what values/functions are exposed)
- The data model (what configuration props the provider accepts)
- The resource URLs (where to load the component bundle)
- The context specifier (hook name and optional module specifier)
Provider Component Pattern
import React, { createContext, useContext, useMemo, useCallback } from 'react';
import { useService } from '@wix/services-manager-react';
import { SignalsServiceDefinition } from '@wix/services-definitions/core-services/signals';
import type { Text } from '@wix/public-schemas';
// 1. Define the context type interface (use @wix/public-schemas types, not plain primitives)
export interface MyContextType {
someValue: Text;
someAction: () => void;
}
// 2. Define the provider props interface (matches `data` in registration)
export interface MyProviderProps {
children?: React.ReactNode;
initialValue: Text;
}
// 3. Create the context (use null, not undefined)
const MyContext = createContext<MyContextType | null>(null);
MyContext.displayName = 'MyContext';
// 4. Export the hook
export function useMyContext(): MyContextType {
const context = useContext(MyContext);
if (!context) {
throw new Error('useMyContext must be used within a MyProvider');
}
return context;
}
// 5. Export the provider component (also as default)
export function MyContextProvider({
children,
initialValue,
}: MyProviderProps): React.ReactNode {
const signalsService = useService(SignalsServiceDefinition);
const signal = useMemo(() => {
return signalsService.signal(initialValue || '');
}, [initialValue]);
const someAction = () => {
signal.set('updated');
};
const api: MyContextType = {
someValue: signal.get(),
someAction,
};
return (
<MyContext.Provider value={api}>{children}</MyContext.Provider>
);
}
MyContextProvider.displayName = 'MyContextProvider';
export default MyContextProvider;
Key Rules for Provider Components
- Always create a
displayNamefor both the context and the provider component — for human readability - Always export the hook as a named export — the manifest's
contextSpecifier.hookfield references it by name, and consumers import it from themoduleSpecifier - Always export the provider as both a named export and
default— the Wix runtime loads the context provider via its default export - Always throw an error in the hook if used outside the provider — this surfaces a clear message when a consumer component is rendered outside the provider tree, rather than silently returning
null - Always accept
childrenas a prop — the provider wraps child components in the React tree; the Wix editor places consumer components as children of the provider - Always use types from
@wix/public-schemas(e.g.,NumberType,Text,BooleanType) instead of plain TypeScript primitives — these types match the actual runtime format Wix provides to components as props, so using plain primitives creates a type mismatch - Provider props correspond to the
dataentries in the extension registration - Use
@wix/services-manager-reactwithSignalsServiceDefinitionfrom@wix/services-definitions/core-services/signalsfor reactive state management - Always expose RichText versions of all text and number context values (see RichText Support below)
RichText Support (Mandatory)
Every context provider MUST expose RichText versions of all text and number context values. This ensures both native hook consumers and Editor Binding consumers can connect values to rich text components (like Wix's built-in text elements). This is NOT optional — always provide both the plain value and its RichText equivalent.
RichText Helper
Add a toRichText helper in the provider:
type RichTextType = { text: string; html: string };
const toRichText = (value: string | number): RichTextType => ({
text: `${value}`,
html: `<div>${value}</div>`,
});
Provider API
Expose both plain and richText versions in the context API object:
const api = {
count: signal.get(),
richTextCount: toRichText(signal.get()),
// ...other context items
};
Registration
Register both the plain value and the richText version in context.items:
context: {
items: {
count: {
dataType: 'number',
displayName: 'Counter Value',
},
richTextCount: {
dataType: 'data',
displayName: 'Counter Value (Rich Text)',
data: {
items: {
text: { dataType: 'text' },
html: { dataType: 'text' },
},
},
},
},
}
Context Type Interface
Include both versions in the context type:
export interface MyContextType {
count: NumberType;
richTextCount: { text: string; html: string };
// ...functions, other values
}
Exposing both gives consumers maximum flexibility — native hook consumers use the plain value directly, while Editor Binding consumers can connect the richText version to text elements.
Extension Registration
Extension registration is MANDATORY.
Import Requirements
Context providers use the experimental extensions builder:
import { extensions as experimentalExtensions } from '@wix/astro/builders/experimental';
This is different from standard extensions which use import { extensions } from '@wix/astro/builders'.
Registration Pattern
Per-extension file (src/extensions/{provider-name}/extensions.ts):
import { extensions as experimentalExtensions } from '@wix/astro/builders/experimental';
export const contextproviderMyContext = experimentalExtensions.contextProvider({
id: '{{GENERATE_UUID}}',
type: '<codeIdentifier>.ContextTypeName',
context: {
items: {
// Context values exposed to children
},
},
data: {
// Configuration props for the provider
},
resources: {
client: {
url: './extensions/{provider-name}/provider.tsx',
},
contextSpecifier: {
hook: 'useMyContext',
moduleSpecifier: 'my-package-name',
},
},
});
Main app file (src/extensions.ts):
import { app } from '@wix/astro/builders';
import { contextproviderMyContext } from './extensions/{provider-name}/extensions.ts';
export default app()
.use(contextproviderMyContext);
Registration Fields
| Field | Type | Required | Description |
|---|---|---|---|
id | string (UUID v4) | Yes | Unique identifier. Generate a fresh UUID for each provider |
type | string | Yes | Namespaced component type: <codeIdentifier>.ComponentName (max 100 chars) |
context | object | Yes | The context model — what values/functions are exposed |
data | object | Yes | Configuration props the provider accepts in the Editor |
resources | object | Yes | Runtime bundles and context specifier |
displayName | string | No | Human-friendly name (max 50 chars) |
description | string | No | Public description (max 300 chars) |
CRITICAL: UUID Generation — The id must be a unique, static UUID v4 string. Generate a fresh UUID for each extension. Do NOT use randomUUID() or copy UUIDs from examples.
Context Items
The context.items map defines what the provider exposes to child components. Each item requires a dataType. See CONTEXT_PROVIDER_SPEC.md for all ContextItem fields and constraints.
⚠️ CRITICAL: context vs data Array Format Difference
The context section and data section use different types for array items. Mixing them up causes the runtime error arrayItems is missing arrayItems.item or arrayItems.dataItem with dataType.
| Section | Type | Array item key | Example |
|---|---|---|---|
context | ContextArrayItems | item | arrayItems: { item: { dataType: 'text' } } |
data | ArrayItems | dataItem | arrayItems: { dataItem: { dataType: 'text' } } |
In context arrays — use arrayItems.item (a ContextItem):
context: {
items: {
myList: {
dataType: 'arrayItems',
arrayItems: {
item: { dataType: 'text' }, // ← "item" for context
},
},
},
}
In data arrays — use arrayItems.dataItem (a DataItem):
data: {
initialList: {
dataType: 'arrayItems',
arrayItems: {
dataItem: { dataType: 'text' }, // ← "dataItem" for data
},
},
}
Context with Functions
context: {
items: {
addItem: {
dataType: 'function',
displayName: 'Add Item',
function: {
parameters: [
{ dataType: 'text', displayName: 'Item ID', description: 'The ID of the item to add' },
{ dataType: 'number', displayName: 'Quantity', description: 'Number of items to add', optional: true },
],
async: false,
},
},
checkout: {
dataType: 'function',
displayName: 'Checkout',
function: {
parameters: [{ dataType: 'text', displayName: 'Payment Method' }],
returns: {
dataType: 'data',
data: {
items: {
success: { dataType: 'booleanValue' },
orderId: { dataType: 'text' },
},
},
},
async: true,
},
},
},
}
Context with Arrays
context: {
items: {
products: {
dataType: 'arrayItems',
displayName: 'Product List',
arrayItems: {
item: {
dataType: 'data',
data: {
items: {
name: { dataType: 'text', displayName: 'Name' },
price: { dataType: 'number', displayName: 'Price' },
},
},
},
},
},
},
}
Arrays can be nested — use dataType: 'arrayItems' inside another array's item to create multi-dimensional structures (e.g., a 2D grid).
Context with TextEnum
context: {
items: {
tier: {
dataType: 'textEnum',
displayName: 'Subscription Tier',
textEnum: {
options: [
{ value: 'basic', displayName: 'Basic' },
{ value: 'premium', displayName: 'Premium' },
{ value: 'enterprise', displayName: 'Enterprise' },
],
},
},
},
}
Context Implementor
Delegates part of the context to a separate component. Useful for item-level contexts with scoped functions (e.g., setAsCurrentItem).
data: {
items: {
id: { dataType: 'text', displayName: 'Item ID' },
name: { dataType: 'text', displayName: 'Name' },
},
contextImplementor: {
componentType: '<codeIdentifier>.lineItemContext',
propKey: 'lineItemData',
},
},
The implementor component must be part of the same application and is rendered inside the parent's tree, giving it access to the parent context.
Resources
| Field | Type | Required | Description |
|---|---|---|---|
resources.client.url | string | Yes | Path to the ESM bundle (provider component) |
resources.editor.url | string | No | Path to editor-specific bundle (mock/default data) |
resources.contextSpecifier.hook | string | Yes | The exported hook name (e.g., useMyContext) |
resources.contextSpecifier.moduleSpecifier | string | No | An identifier for the context module. Does not have to be an NPM package. Consumers import the hook from this name and declare it in contextDependencies |
Child Component Dependencies
Consumer site components must declare the dependency (see Consumer Constraint above):
extensions.siteComponent({
// ...
resources: {
client: {
componentUrl: './extensions/my-component/component.tsx',
},
dependencies: {
contextDependencies: ['my-package-name'],
},
},
});
The contextDependencies array references the moduleSpecifier from the context provider's contextSpecifier.
Complete Example
For a full working example including provider component, registration, consumer component, and consumer component rules, see EXAMPLES.md.
Editor Binding (Alternative Consumption)
Context can also be consumed via Editor Binding, where components receive context data as props without importing the hook. For details, examples, and manifest format, see EDITOR_BINDING.md.
Output Structure
src/extensions/{provider-name}/
├── extensions.ts # Extension registration (exported, imported by src/extensions.ts)
└── provider.tsx # Context provider component with hook
Code Quality Requirements
- Strict TypeScript with no
anytypes - Explicit return types for all functions
- Proper null/undefined handling with optional chaining
- Functional components with hooks
- Use
@wix/services-manager-reactand@wix/services-definitions/core-services/signalsfor reactive state - SSR-safe code (no browser APIs at module scope)
- Always set
displayNameon context and provider - No
@ts-ignorecomments.@ts-expect-erroris only allowed for the generatedmoduleSpecifierimport in consumer components - Use
const/let(novar)
Troubleshooting
Error: arrayItems is missing arrayItems.item or arrayItems.dataItem with dataType
Cause: Mixed up the context array format with the data array format. The context section and data section use different types for array items.
Solution:
- In
contextarrays — usearrayItems.item(aContextItem) - In
dataarrays — usearrayItems.dataItem(aDataItem)
See the context vs data Array Format Difference section above and CONTEXT_PROVIDER_SPEC.md for full type definitions.
Reference Documentation
- Context Provider Specification - Complete manifest structure, all types, and constraints
- Complete Example - Full counter context provider with registration and consumer
- Editor Binding - Alternative consumption via editor-bound props