Cerebral comes with a powerful debugger that helps you understand your application state and how it changes over time.
Download the Cerebral Debugger for your operating system:
After installation, open the application and create a new debugger instance.
To connect your application to the debugger, add the devtools to your app configuration:
import { App } from 'cerebral'
import Devtools from 'cerebral/devtools'
const app = App(
{
state: {
title: 'My Project'
}
},
{
devtools:
process.env.NODE_ENV === 'production'
? null
: Devtools({
host: 'localhost:8585' // Default debugger address
})
}
)
For native applications or when developing on a different machine than the debugger, use your actual IP address instead of “localhost”.
Once connected, the debugger provides several powerful features:
The State tab shows your current application state tree. You can:
The Sequences tab lets you monitor sequence executions:
The debugger automatically records state changes, enabling time travel debugging:
Time travel temporarily freezes your app from executing new sequences when you’re viewing past state. Return to the present to resume normal operation.
The Components tab helps you understand component relationships:
Named actions make it easier to understand sequence execution:
// Instead of:
;[
({ store }) => store.set(state`isLoading`, true),
// Use:
function setLoadingTrue({ store }) {
store.set(state`isLoading`, true)
}
]
You can also use the sequence
factory to create named sequences for better debugging:
import { sequence } from 'cerebral/factories'
// Named sequence appears in debugger
export const fetchItems = sequence('Items - Fetch', [
setLoadingTrue,
httpGet('/api/items'),
set(state`items`, props`result`),
setLoadingFalse
])
Well-organized state makes debugging easier:
// Instead of flat state:
{
userFirstName: 'John',
userLastName: 'Doe',
userAge: 30
}
// Group related data:
{
user: {
firstName: 'John',
lastName: 'Doe',
age: 30
}
}
Add debugging-specific code that only runs in development:
function debugAction({ props, store }) {
if (process.env.NODE_ENV !== 'production') {
console.log('Props received:', props)
}
// Normal action logic
store.set(state`user`, props.user)
}
Always disable devtools in production by using environment checks:
devtools: process.env.NODE_ENV === 'production'
? null
: Devtools({
host: 'localhost:8585'
})
For more advanced configuration options, see the Devtools API documentation.