Note: This badge reflects the latest published version. Check npm for current version information.
A React library that provides components for Remote's embedded solution, enabling seamless integration of Remote's employment flows into your application.
- Installation
- Quick Start
- Components API
- Available Flows
- Authentication
- Styling Options
- Advanced Usage
- Example
- Contributing
- Internals
npm install @remoteoss/remote-flowsimport { RemoteFlows, CostCalculator } from '@remoteoss/remote-flows';
import '@remoteoss/remote-flows/index.css';
function App() {
const fetchToken = async () => {
const response = await fetch('/api/auth/token');
return response.json();
};
return (
<RemoteFlows auth={fetchToken} environment='partners'>
<CostCalculator onSuccess={(data) => console.log(data)} />
</RemoteFlows>
);
}The RemoteFlows component serves as a provider for authentication and theming.
| Prop | Type | Required | Deprecated | Description |
|---|---|---|---|---|
auth |
() => Promise<{ accessToken: string, expiresIn: number }> |
Yes | - | Function to fetch authentication token |
environment |
'partners' | 'production' | 'sandbox' | 'staging' |
No | - | Environment to use for API calls (defaults to production) |
theme |
ThemeOptions |
No | - | Custom theme configuration |
components |
Components |
No | - | Custom field components for form rendering |
proxy |
{ url: string, headers?: Record<string, string> } |
No | - | Configuration for API request proxy with optional headers |
errorBoundary |
{ useParentErrorBoundary?: boolean, fallback?: ReactNode | ((error: Error) => ReactNode) } |
No | - | Error boundary configuration to prevent crashes and show custom fallback UI |
The errorBoundary prop controls how the SDK handles runtime errors to prevent crashes in your host application.
<RemoteFlows
auth={fetchToken}
errorBoundary={{
useParentErrorBoundary: false,
fallback: (error) => (
<div style={{ padding: '20px', textAlign: 'center' }}>
<h2>Something Went Wrong</h2>
<p>{error.message}</p>
<button onClick={() => window.location.reload()}>Reload Page</button>
</div>
),
}}
>
{/* Your flows */}
</RemoteFlows>Options:
useParentErrorBoundary(boolean, default:false): Iftrue, errors are re-thrown to your parent error boundary. Iffalse, the SDK shows a fallback UI to prevent crashes.fallback(ReactNode | function, optional): Custom UI to display when an error occurs. Only used whenuseParentErrorBoundaryisfalse. Can be a React element or a function that receives the error object.
Behavior:
- When
useParentErrorBoundary: true→ Errors propagate to your application's error boundary - When
useParentErrorBoundary: falsewithoutfallback→ Shows default error message: "Something went wrong in RemoteFlows. Please refresh the page." - When
useParentErrorBoundary: falsewithfallback→ Shows your custom fallback UI
You can customize form field components to match your application's design system. Each component receives three props:
field: React Hook Form's field props for registration and state managementfieldState: Field state including errors and touched statusfieldData: Metadata from JSON schema with field configuration
Important: All custom components are wrapped with React Hook Form's
Controllercomponent. You must bind thefieldprops to your HTML elements to ensure proper form state management and validation.
For TypeScript users, we export component prop types to make it easier to create properly typed custom components:
import {
FieldComponentProps,
ButtonComponentProps,
} from '@remoteoss/remote-flows';
const CustomInput = ({ field, fieldData, fieldState }: FieldComponentProps) => {
return (
<div>
<label htmlFor={field.name}>{fieldData.label}</label>
<input {...field} />
{fieldState.error && <p>{fieldState.error.message}</p>}
</div>
);
};
const CustomButton = ({ children, ...props }: ButtonComponentProps) => {
return <button {...props}>{children}</button>;
};Here's an example of custom field components implementation:
<RemoteFlows
components={{
text: CustomInput,
button: CustomButton,
number: ({ field, fieldState, fieldData }) => (
<div>
<label>{fieldData.label}</label>
<input {...field} type='number' />
{fieldState.error && (
<span className='text-red-500'>{fieldState.error.message}</span>
)}
</div>
),
select: ({ field, fieldState, fieldData }) => (
<>
<select {...field} onChange={(ev) => field.onChange(ev.target.value)}>
{fieldData?.options?.map((option) => (
<option key={option.value} value={option.value}>
{option.label}
</option>
))}
</select>
{fieldState.error && (
<span className='text-red-500'>{fieldState.error.message}</span>
)}
</>
),
}}
auth={fetchToken}
>
{/* Your form components */}
</RemoteFlows>FieldComponentProps: For all form field components (text, number, select, etc.)ButtonComponentProps: For custom button componentsStatementComponentProps: For custom statement components
Supported field types:
text: Text input fieldsnumber: Numeric input fieldsselect: Dropdown selection fields
Each flow handles a specific Remote employment operation. For detailed API documentation, see the individual flow READMEs:
- Cost Calculator - Calculate employment costs for different countries
- Onboarding - Onboard new employees
- Contract Amendment - Modify existing employment contracts
- Termination - Handle employee terminations
You need to implement a server endpoint to securely handle authentication with Remote. This prevents exposing client credentials in your frontend code.
Your server should:
- Store your client credentials securely
- Implement an endpoint that exchanges these credentials for an access token
- Return
access_tokenandexpires_into the frontend application
For a complete implementation, check our example server implementation.
- Development/Testing:
https://gateway.partners.remote-sandbox.com - Production:
https://gateway.remote.com/
Import the CSS file in your application:
@import '@remoteoss/remote-flows/index.css';<RemoteFlows
theme={{
spacing: '0.25rem',
borderRadius: '0px',
colors: {
primaryBackground: '#ffffff',
primaryForeground: '#364452',
accentBackground: '#e3e9ef',
accentForeground: '#0f1419',
danger: '#d92020',
borderInput: '#cccccc',
},
}}
>
{/* Your components */}
</RemoteFlows>| Token | Description |
|---|---|
colors.borderInput |
Border color for input fields. |
colors.primaryBackground |
Background used for the popover options |
colors.primaryForeground |
Color text for the input and options |
colors.accentBackground |
Used in the option selected and hover. |
colors.accentForeground |
Color text for the select options |
colors.danger |
Red color used for danger states. |
spacing |
Consistent scale for whitespace (margin, padding, gap). |
borderRadius |
The main border radius value (default: 0.625rem). This is the foundation for all other radius values. |
font.fontSizeBase |
The main font size value (default: 1rem). Controls the base text size of the component. |
All components expose CSS classes prefixed with RemoteFlows__ for targeted styling:
Example: Customize the Cost Calculator layout:
.RemoteFlows__CostCalculatorForm {
display: grid;
grid-template-columns: 1fr 1fr;
gap: 1rem;
}
.RemoteFlows__SelectField__Item__country {
grid-column: span 2;
}
.RemoteFlows__CostCalculatorForm .RemoteFlows__Button {
grid-column: span 2;
}For complete control over rendering, use our hooks directly. They handle the business logic while you control the UI:
import { useCostCalculator } from '@remoteoss/remote-flows';
function CustomCostCalculator() {
const {
onSubmit: submitCostCalculator,
fields, // Field definitions from json-schema-form
validationSchema,
} = useCostCalculator();
return (
<form onSubmit={handleSubmit((data) => submitCostCalculator(data))}>
{/* Your custom form implementation */}
</form>
);
}Learn more about field definitions in the json-schema-form documentation.
For a complete implementation example, see our example application.
We welcome contributions! If you're working on this package:
- See DEVELOPMENT.md for development setup, testing, and bundle size management
- Check out our example app to test changes locally
- Ensure bundle size stays within limits before submitting PRs
We have created an entry point in the package @remoteoss/remote-flows/internals
This entry endpoint exports internals utils and shadcn components to avoid duplicating these on the example folder.
We don't guarantee semver compatiblity if you used them in your project.