This repository is the Safe{Wallet} monorepo, containing both web and mobile applications for Safe (formerly Gnosis Safe), a multi-signature smart contract wallet on Ethereum and other EVM chains. The repository uses a Yarn 4 workspace-based monorepo structure. Follow these rules when proposing changes via an AI agent.
Common commands for getting started:
# Install dependencies (uses Yarn 4 via corepack)
yarn install
# Run web app in development mode
yarn workspace @safe-global/web dev
# Run mobile app in development mode
yarn workspace @safe-global/mobile start
# Run tests for web
yarn workspace @safe-global/web test
# Run Storybook for web
yarn workspace @safe-global/web storybook- apps/web - Next.js web application
- apps/mobile - Expo/React Native mobile application
- packages/ - Shared libraries (store, utils, etc.) used by both platforms
- config/ - Shared configuration files
The monorepo uses Yarn 4 workspaces to manage dependencies and enables sharing code between web and mobile applications.
Stable architectural landmarks for fast orientation:
| Area | Path | Purpose |
|---|---|---|
| Web app entry | apps/web/src/pages/_app.tsx |
Next.js app bootstrap, providers, InitApp |
| Redux store | apps/web/src/store/index.ts |
makeStore(), middleware, RTK Query APIs |
| RTK Query APIs | apps/web/src/store/api/gateway/ |
CGW API endpoints (balances, transactions, etc.) |
| Feature system | apps/web/src/features/__core__/ |
createFeatureHandle, useLoadFeature, proxy stubs |
| Page layout | apps/web/src/components/common/PageLayout/ |
Main app layout, sidebar, header |
| Safe info hook | apps/web/src/hooks/useSafeInfo.ts |
Current Safe address, owners, threshold |
| Chain config | packages/store/src/gateway/chains/ |
RTK Query chains endpoint with retry logic |
| Theme package | packages/theme/src/ |
Palettes, spacing, typography tokens |
| Mobile entry | apps/mobile/src/app/_layout.tsx |
Expo Router root layout |
If ast-grep (aka sg) is installed, prefer it over text-based grep for structural code searches. It understands TypeScript/TSX syntax so it won't match inside comments or strings.
# Find all components using useAppSelector
sg -p 'useAppSelector($$$)' --lang tsx apps/web/src/
# Find all createSlice calls
sg -p 'createSlice({ name: $NAME, $$$})' --lang ts apps/web/src/
# Find all default exports of a function component
sg -p 'export default function $NAME($$$) { $$$}' --lang tsx apps/web/src/
# Find useMemo with specific dependency
sg -p 'useMemo(() => $$$, [$$$, chainId, $$$])' --lang tsx apps/web/src/Install: brew install ast-grep or npm install -g @ast-grep/cli
The project uses @safe-global/theme package as a single source of truth for all design tokens (colors, spacing, typography, radius) across web and mobile.
- Unified Palettes: Light and dark mode color palettes shared between platforms
- Dual Spacing Systems: 4px base for mobile, 8px base for web (with overlapping values using same names)
- Platform Generators: Automatic generation of MUI themes (web) and Tamagui tokens (mobile)
- Static Colors: Theme-independent brand colors available to both platforms
Web (MUI):
import { generateMuiTheme } from '@safe-global/theme'
const theme = generateMuiTheme('light') // or 'dark'Mobile (Tamagui):
import { generateTamaguiTokens, generateTamaguiThemes } from '@safe-global/theme'
const tokens = generateTamaguiTokens()
const themes = generateTamaguiThemes()Direct Token Access:
import { lightPalette, darkPalette, spacingMobile, spacingWeb, typography } from '@safe-global/theme'To add or modify colors/tokens:
- Edit files in
packages/theme/src/palettes/orpackages/theme/src/tokens/ - Run type-check to ensure consistency:
yarn workspace @safe-global/theme type-check - Regenerate CSS vars for web:
yarn workspace @safe-global/web css-vars
- Never edit
apps/web/src/styles/vars.cssdirectly - it's auto-generated - Always use theme tokens instead of hard-coded colors
- Both light and dark modes must be updated together for consistency
- Follow the DRY principle – avoid code duplication by extracting reusable functions, hooks, and components
- Prefer functional code over imperative – use pure functions, avoid side effects, leverage
map/filter/reduceinstead of loops - Use declarative and reactive patterns – prefer React hooks, derived state, and data transformations over manual state synchronization
- Always cover new logic, services, and hooks with unit tests
- Run type-check, lint, prettier and unit tests before each commit
- Never use the
anytype! - Treat code comments as tech debt! Add them only when really necessary & the code at hand is hard to understand.
- Use sentence case for UI text – Buttons, headings, labels, warnings, and other UI copy should use sentence case (e.g., "Add new owner") not Title Case (e.g., "Add New Owner")
Specifically for the web app:
- New features must be created in a separate folder inside
src/features/– only components, hooks, and services used globally across many features belong in top-level folders insidesrc/ - All features must follow the standard feature architecture pattern – See
apps/web/docs/feature-architecture.mdfor the complete guide including folder structure, feature flags, lazy loading, and public API patterns - Each new feature must be behind a feature flag (stored on the CGW API in chains configs)
- When making a new component, create a Storybook story file for it
- Use theme variables from vars.css instead of hard-coded CSS values
- Use MUI components and the Safe MUI theme
Features use a lazy-loading architecture to optimize bundle size. ESLint warns about these import restrictions (warnings until all features are migrated):
Allowed Imports:
import { MyFeature, useMyHook } from '@/features/myfeature' // Feature handle + hooks (direct exports)
import { someSlice, selectSomething } from '@/features/myfeature/store' // Redux store
import type { MyType } from '@/features/myfeature/types' // Public typesForbidden Imports (ESLint will warn):
// ❌ NEVER import components directly - defeats lazy loading
import { MyComponent } from '@/features/myfeature/components'
import MyComponent from '@/features/myfeature/components/MyComponent'
// ❌ NEVER import hooks from internal folder - use index.ts export
import { useMyHook } from '@/features/myfeature/hooks/useMyHook'
// ❌ NEVER import internal service files - use useLoadFeature
import { heavyService } from '@/features/myfeature/services/heavyService'Accessing Feature Exports:
Use the useLoadFeature hook for components and services. Import hooks directly:
import { useLoadFeature } from '@/features/__core__'
import { MyFeature, useMyHook } from '@/features/myfeature'
// Prefer destructuring for cleaner component usage
function ParentComponent() {
const { MyComponent } = useLoadFeature(MyFeature)
const hookData = useMyHook() // Direct import, always safe
// No null check needed - always returns an object
// Components render null when not ready (proxy stub)
// Services are undefined when not ready (check $isReady before calling)
return <MyComponent />
}
// For explicit loading/disabled states:
function ParentWithStates() {
const { MyComponent, $isReady, $isDisabled } = useLoadFeature(MyFeature)
if ($isDisabled) return null
if (!$isReady) return <Skeleton />
return <MyComponent />
}feature.ts Pattern (IMPORTANT):
Use direct imports with a flat structure - do NOT use lazy() or nested categories. NO hooks in feature.ts:
// feature.ts - This file is already lazy-loaded via createFeatureHandle
import MyComponent from './components/MyComponent'
import { myService } from './services/myService'
// ✅ CORRECT: Flat structure, NO hooks
export default {
MyComponent, // PascalCase → component (stub renders null)
myService, // camelCase → service (undefined when not ready - check $isReady before calling)
// NO hooks here!
}
// index.ts - Hooks exported directly (always loaded, not lazy)
export const MyFeature = createFeatureHandle<MyFeatureContract>('my-feature')
export { useMyHook } from './hooks/useMyHook' // Direct export, always loaded// ❌ WRONG - Don't use nested categories
export default {
components: { MyComponent }, // ❌ No nesting!
}
// ❌ WRONG - Don't use lazy() inside feature.ts
export default {
MyComponent: lazy(() => import('./components/MyComponent')), // ❌
}
// ❌ WRONG - Don't include hooks in feature.ts
export default {
MyComponent,
useMyHook, // ❌ Violates Rules of Hooks when lazy-loaded!
}Hooks Pattern: Hooks are exported directly from index.ts (always loaded, not lazy) to avoid Rules of Hooks violations. Keep hooks lightweight with minimal imports. Put heavy logic in services (lazy-loaded).
See apps/web/docs/feature-architecture.md for the complete guide including proxy-based stubs and meta properties ($isDisabled, $isReady, $error).
Every code change must include tests. See apps/web/docs/TESTING.md for conventions, templates, and mock patterns.
The repo provides automated verification:
-
Automatic: A Claude Code
Stophook runsverify:changedonce at the end of each agent turn. It early-exits (no-op) when no.ts/.tsx/.js/.jsxfiles have been modified. When it does run, type-check runs on the full project (TSC requires this), while lint, prettier, and tests are scoped to changed files only. The workspace (web/mobile) is auto-detected from the changed file paths. SetSKIP_VERIFY=1to disable. Fix any errors before moving on. -
Manual: Run
yarn verify:changed:webanytime to check your work. Runyarn verify:webfor a full check before committing. -
Test scaffolding: Run
yarn test:scaffold <file>to generate a test skeleton with the correct imports, mocks, and structure. See the Test Decision Matrix in the Testing Guidelines section for which files need tests.
Rules for agents:
- Fix all
verify:changederrors before proceeding to the next task - If
verify:changedreports a missing test, write one before committing - Do NOT run type-check, lint, prettier, and test separately — use
verify - Do NOT commit without a clean
verify:changedpass
-
Install dependencies:
yarn install(from the repository root).- Uses Yarn 4 (managed via
corepack) - Automatically runs
yarn after-installfor the web workspace, which generates TypeScript types from contract ABIs
- Uses Yarn 4 (managed via
-
Pre-commit hooks: The repository uses Husky for git hooks:
- pre-commit: Automatically runs
lint-staged(prettier) and type-check on staged TypeScript files - pre-push: Runs linting before pushing
- These hooks ensure code quality before commits reach the repository
- If hooks fail: Fix the reported issues and try committing again. Common issues:
- Type errors: Run
yarn workspace @safe-global/web type-checkto see all errors - Formatting: Run
yarn prettier:fixto auto-fix - Linting: Run
yarn workspace @safe-global/web lint:fixto auto-fix where possible
- Type errors: Run
- pre-commit: Automatically runs
-
Formatting (CRITICAL): ALWAYS run
yarn prettier:fixbefore staging and committing. Do NOT rely on lint-staged alone — it can miss formatting issues due to stash/restore edge cases. Run it explicitly:yarn prettier:fix
Then verify with
yarn workspace @safe-global/web prettier(the check-only command). CI will reject unformatted code. -
Linting and tests: when you change any source code under
apps/orpackages/, execute, for web:yarn workspace @safe-global/web type-check yarn workspace @safe-global/web lint yarn workspace @safe-global/web prettier # verify formatting (CI runs this) yarn workspace @safe-global/web test
For mobile:
yarn workspace @safe-global/mobile type-check yarn workspace @safe-global/mobile lint yarn workspace @safe-global/mobile prettier yarn workspace @safe-global/mobile test -
Commit messages: use semantic commit messages as described in
CONTRIBUTING.md.- Examples:
feat: add transaction history,fix: resolve wallet connection bug,refactor: simplify address validation - CI/CD changes: Always use
chore:prefix for CI, workflows, build configs (NEVERfeat:orfix:) - Test changes: Always use
tests:prefix for changes in unit or e2e tests (NEVERfeat:orfix:)
- Examples:
-
Code style: follow the guidelines in:
apps/web/docs/code-style.mdfor the web app.apps/mobile/docs/code-style.mdfor the mobile app.
-
Pull requests: fill out the PR template and ensure all checks pass.
-
PR poem: Include a short technical poem at the very top of each PR description that acts as a concise summary of what the PR actually changes. The poem should prioritize clarity over artistry — a reader should understand the gist of the PR from the poem alone. Use a randomly chosen short form (e.g., haiku, limerick, free verse, tanka) and keep it to 2–4 lines. Wrap in a blockquote:
> Strip Sentry SDK and config, > no more error tracking calls, > bundle shrinks, tests pass clean.
-
PR description: Always use the GitHub PR template (
.github/PULL_REQUEST_TEMPLATE.md). Fill out all sections — "What it solves", "How this PR fixes it", "How to test it", and the checklist. -
PR visual summary (required): Every PR must include a visual in the
## Visual summarysection. This is mandatory, not optional.- Architecture/logic changes → Mermaid diagram (flowchart, sequence, or class diagram) showing what changed
- UI changes → Screenshot of the result (use Chrome DevTools MCP if the app is running, or describe how to capture manually)
- Both if the PR includes UI + logic changes
Mermaid diagrams are rendered natively by GitHub. Example:
```mermaid flowchart LR A[useSafeInfo hook] --> B[New validation logic] B --> C{Is owner?} C -->|Yes| D[Show actions] C -->|No| E[Show read-only] ```
For refactors, use a before/after diagram:
```mermaid flowchart TB subgraph Before A1[Component A] --> B1[Inline logic] A1 --> C1[Inline logic] end subgraph After A2[Component A] --> H[useSharedHook] H --> B2[Extracted service] end ```
Environment Variables – Web apps use NEXT_PUBLIC_* prefix, mobile apps use EXPO_PUBLIC_* prefix for environment variables. In shared packages, check for both prefixes.
-
When writing Redux tests, verify resulting state changes rather than checking that specific actions were dispatched.
-
Avoid
anytype assertions – Create properly typed test helpers instead of usingas any. For example, when testing Redux slices with a minimal store, create a helper function that properly types the state:// Good: Properly typed helper type TestRootState = ReturnType<ReturnType<typeof createTestStore>['getState']> const getSafeState = (state: TestRootState, chainId: string, safeAddress: string) => { return state[sliceName][`${chainId}:${safeAddress}`] } // Bad: Using 'any' const state = store.getState() as any
-
Use Mock Service Worker (MSW) for tests involving network requests instead of mocking
fetch. Use MSW for mocking blockchain RPC calls instead of mocking ethers.js directly -
Create test data with helpers using faker
-
Ensure shared package tests work for both web and mobile environments
-
Test files should be colocated with source files using the
*.test.ts(x)naming convention
Located in apps/web/cypress/e2e/. Full conventions and patterns: apps/web/cypress/CLAUDE.md.
| Category | Folder | CI | Purpose |
|---|---|---|---|
| Smoke | e2e/smoke/ |
Every PR | Critical path functional tests |
| Visual | e2e/visual/ |
Manual (workflow_dispatch) |
Chromatic visual regression (light + dark) |
| Regression | e2e/regression/ |
On-demand | Feature tests |
| Happy path | e2e/happypath/ |
On-demand | User journey tests |
yarn workspace @safe-global/web cypress:open # interactive
yarn workspace @safe-global/web cypress:run # headlessCoverage report: apps/web/cypress/COVERAGE.md
- Aim for comprehensive test coverage of business logic and critical paths
- Run
yarn workspace @safe-global/web test:coverageto generate coverage reports - Coverage reports help identify untested code paths
| What you changed | Required tests | Test type | Example |
|---|---|---|---|
New hook (use*.ts) |
Unit test with renderHook |
hooks/__tests__/useX.test.ts |
Mock dependencies, test return values and state changes |
New utility/service (*.ts) |
Unit test | utils.test.ts colocated |
Pure function tests, edge cases, error paths |
| New component with logic | Unit test + Storybook story | Component.test.tsx + Component.stories.tsx |
Render with providers, test interactions, story for visual states |
| New component (layout only) | Storybook story only | Component.stories.tsx |
No unit test needed — story covers visual correctness |
| Redux slice | State transition test | mySlice.test.ts |
Test reducers by dispatching actions and asserting resulting state |
| RTK Query endpoint | MSW integration test | api.test.ts |
Use MSW to mock API, test cache behavior |
| Bug fix (any file) | Regression test | Add to existing test file | Write a test that fails without the fix, passes with it |
| Feature (new feature dir) | All of the above as applicable | Per-file rules above | Plus: add feature flag test showing disabled state |
- Type-only files, barrel re-exports, constants
- Auto-generated files (
AUTO_GENERATED/, contract types) - Storybook stories themselves (covered by snapshot workflow)
- UI Components – Use Tamagui components for styling and theming. Import from
tamaguinot React Native directly when possible. - Theme System – Follow the custom theme configuration in
src/theme/tamagui.config.ts. Use theme tokens like$background,$primary, etc. - Component Structure – Follow container/presentation pattern. See
apps/mobile/docs/code-style.mdfor detailed component organization. - Font Management – Use the configured DM Sans font family. Custom icons go through
SafeFontIconcomponent. - Expo Plugins – Custom Expo config plugins are in the
expo-plugins/directory.
- Cross-Platform Code – Shared logic goes in
packages/directory. Consider both web and mobile when making changes. - Environment Handling – Use dual environment variable patterns (
NEXT_PUBLIC_*||EXPO_PUBLIC_*) in shared packages. - Store Management – Redux store is shared between web and mobile. State changes should work for both platforms.
Storybook is used for developing and documenting UI components in isolation.
yarn workspace @safe-global/web storybook
# Runs on http://localhost:6006For simple components that don't need API mocking, create a basic .stories.tsx file:
// Example: MyComponent.stories.tsx
import type { Meta, StoryObj } from '@storybook/react'
import { MyComponent } from './MyComponent'
const meta = {
title: 'Components/MyComponent',
component: MyComponent,
} satisfies Meta<typeof MyComponent>
export default meta
type Story = StoryObj<typeof meta>
export const Default: Story = {
args: {
// component props
},
}For components that use Redux hooks (useAppSelector, useDispatch, RTK Query) but don't need full API mocking, wrap with withMockProvider():
import { withMockProvider } from '@/storybook/preview'
const meta = {
title: 'Features/MyFeature/MyComponent',
component: MyComponent,
decorators: [withMockProvider()],
tags: ['autodocs'],
} satisfies Meta<typeof MyComponent>For detailed Storybook patterns, context error reference, MSW fixtures, and the full provider stack, see apps/web/.storybook/AGENTS.md.
For pages, widgets, or components that need Redux state and API mocking, use the createMockStory factory from @/stories/mocks:
// Example: Dashboard.stories.tsx
import type { Meta, StoryObj } from '@storybook/react'
import { mswLoader } from 'msw-storybook-addon'
import { createMockStory } from '@/stories/mocks'
import Dashboard from './index'
// Create mock setup with configuration
// Note: portfolio, positions, and swaps are enabled by default - only specify features to disable them
const defaultSetup = createMockStory({
scenario: 'efSafe', // Data scenario: 'efSafe' | 'vitalik' | 'empty' | 'spamTokens' | 'safeTokenHolder'
wallet: 'disconnected', // Wallet state: 'disconnected' | 'connected' | 'owner' | 'nonOwner'
layout: 'none', // Layout: 'none' | 'paper' | 'fullPage'
})
const meta = {
title: 'Pages/Dashboard',
component: Dashboard,
loaders: [mswLoader],
parameters: {
layout: 'fullscreen',
...defaultSetup.parameters, // Includes MSW handlers and Next.js router mock
},
decorators: [defaultSetup.decorator], // Provides Redux, Wallet, SDK, TxModal contexts
} satisfies Meta<typeof Dashboard>
export default meta
type Story = StoryObj<typeof meta>
export const Default: Story = {}
// Override configuration per story
export const WithLayout: Story = (() => {
const setup = createMockStory({
scenario: 'efSafe',
wallet: 'connected',
layout: 'fullPage',
})
return {
parameters: { ...setup.parameters },
decorators: [setup.decorator],
}
})()| Option | Type | Default | Description |
|---|---|---|---|
scenario |
'efSafe' | 'vitalik' | 'empty' | 'spamTokens' | 'safeTokenHolder' |
'efSafe' |
Data fixture scenario |
wallet |
'disconnected' | 'connected' | 'owner' | 'nonOwner' |
'disconnected' |
Wallet connection state |
features |
{ portfolio?, positions?, swaps?, recovery?, hypernative?, earn?, spaces? } |
{ portfolio: true, positions: true, swaps: true } |
Chain feature flags (only specify to disable) |
layout |
'none' | 'paper' | 'fullPage' |
'none' |
Layout wrapper |
store |
object |
{} |
Redux store overrides |
handlers |
RequestHandler[] |
[] |
Additional MSW handlers |
pathname |
string |
'/home' |
Router pathname |
For advanced cases, import individual utilities:
import {
MockContextProvider,
createChainData,
createInitialState,
getFixtureData,
resolveWallet,
coreHandlers,
balanceHandlers,
} from '@/stories/mocks'- Place story files next to the component they document
- Use descriptive story names (Default, WithError, Loading, etc.)
- Include all important component states and variations
- Story files are located throughout
apps/web/src/alongside components - For pages/widgets: Use
createMockStoryto avoid duplicating mock setup code - For simple components: Use basic story format without mocking utilities
- Do not override feature flags unless testing a specific disabled feature state (e.g.,
features: { swaps: false }to test no-swap UI). The defaults (portfolio: true,positions: true,swaps: true) should be used for most stories.
Transaction page stories (Queue, History) have basic MSW handlers but transaction mocking is not fully working and requires further work. Current limitations:
- Transaction details use
txData: nullto avoid "Error parsing data" errors in the Receipt component - Expanding transaction details may show incomplete data or errors
- The CGW staging API (
safe-client.staging.5afe.dev) can be used to fetch real fixture data, but the complextxDatastructure causes parsing issues in the UI components
To improve transaction mocking, the txData structure in handlers.ts would need to match what the Receipt/Summary components expect, which requires deeper investigation of the CGW response format.
IMPORTANT: Storybook decorators stack - story-level decorators are added to meta-level decorators, they don't replace them. If you define a decorator at the meta level AND override it at the story level, both will run, which can cause duplicate layouts or elements.
Problem example (causes two layouts to render):
const defaultSetup = createMockStory({ scenario: 'efSafe', layout: 'fullPage' })
const meta = {
decorators: [defaultSetup.decorator], // Meta-level decorator
} satisfies Meta<typeof MyPage>
export const Empty: Story = (() => {
const setup = createMockStory({ scenario: 'empty', layout: 'fullPage' })
return {
decorators: [setup.decorator], // ❌ This ADDS to meta decorator, doesn't replace!
}
})()Solution: If you need different configurations per story, don't define decorators at the meta level:
const meta = {
title: 'Pages/MyPage',
component: MyPage,
loaders: [mswLoader],
parameters: { layout: 'fullscreen' },
// No decorators here!
} satisfies Meta<typeof MyPage>
export const Default: Story = (() => {
const setup = createMockStory({ scenario: 'efSafe', layout: 'fullPage' })
return {
parameters: { ...setup.parameters },
decorators: [setup.decorator], // ✅ Only decorator, no stacking
}
})()
export const Empty: Story = (() => {
const setup = createMockStory({ scenario: 'empty', layout: 'fullPage' })
return {
parameters: { ...setup.parameters },
decorators: [setup.decorator], // ✅ Only decorator, no stacking
}
})()Chromatic is integrated for visual regression testing. It automatically captures snapshots of all stories in both light and dark themes.
- Workflow: Runs automatically on PRs affecting
apps/web/**orpackages/** - TurboSnap: Only stories affected by code changes are re-snapshotted
- Theme modes: Both light and dark themes are captured automatically
- PR checks: Chromatic posts status checks with links to visual diffs
To run locally (set CHROMATIC_PROJECT_TOKEN in .env.local):
yarn workspace @safe-global/web chromaticSafe (formerly Gnosis Safe) is a multi-signature smart contract wallet that requires multiple signatures to execute transactions.
- Safe Account – A smart contract wallet requiring M-of-N signatures to execute transactions
- Owners – Addresses that can sign transactions for a Safe
- Threshold – Minimum number of signatures required to execute a transaction
- Transaction Building – Follow Safe SDK patterns for building multi-signature transactions using
@safe-global/protocol-kit
- Safe Address Validation – Always validate Ethereum addresses using established utilities (ethers.js
isAddress) - Chain-Specific Safes – Safe addresses are unique per chain; always include chainId when referencing a Safe
- Transaction Building – Use the Safe SDK (
@safe-global/protocol-kit,@safe-global/api-kit) for transaction creation - Wallet Provider Integration – Follow established patterns for wallet connection and Web3 provider setup (Web3-Onboard)
- Never hardcode private keys or sensitive data – Use environment variables and secure key management
- Local Development – Points to staging backend by default
- Environment Branches – PRs get deployed automatically for testing
- RPC Configuration – Infura integration for Web3 RPC calls (requires
INFURA_TOKEN) - Chain Configuration – Chain configs are managed through the Safe Config Service
Avoid these common mistakes when contributing:
- Using
anytype – Always properly type your code, create interfaces/types as needed - Forgetting to run tests – Always run tests before committing (
yarn workspace @safe-global/web test) - Breaking mobile when changing shared code – Shared packages (
packages/**) affect both web and mobile - Hardcoding values – Use theme variables from
vars.css(web) or Tamagui tokens (mobile) - Modifying generated files – Never manually edit auto-generated files:
- Files in
packages/utils/src/types/contracts/are auto-generated from ABIs - Files in
packages/store/src/gateway/AUTO_GENERATED/are generated fromschema.json(runyarn workspace @safe-global/store build:devto regenerate) - CI will fail if AUTO_GENERATED files don't match the schema
- Files in
- Not handling chain-specific logic – Always consider multi-chain scenarios
- Skipping Storybook stories – New components should have stories for documentation
- Incomplete error handling – Always handle loading, error, and empty states in UI components
- Using lazy() or nested structure in feature.ts – The
feature.tsfile is already lazy-loaded viacreateFeatureHandle. Do NOT addlazy()calls for individual components, and do NOT use nested categories (components,hooks,services). Use a flat structure with direct imports. Naming conventions determine stub behavior:useSomething→ hook,PascalCase→ component,camelCase→ service. - Using lazy loading inside features – The entire feature is lazy-loaded by default via
createFeatureHandle. Do NOT uselazy(),dynamic(), or any other lazy-loading mechanism inside the feature (not infeature.ts, not in components, not anywhere). All components and services inside a feature should use direct imports with a flat structure.
- Type errors: Run
yarn workspace @safe-global/web type-checkto see all TypeScript errors - Test failures: Run tests in watch mode with
yarn workspace @safe-global/web test --watch - RPC issues: Check that
INFURA_TOKENor other RPC provider env vars are set correctly - Build errors: Check
.nextcache – sometimesrm -rf apps/web/.nexthelps - Storybook issues: Try
rm -rf node_modules/.cache/storybook
When writing utility scripts or complex logic, follow these patterns to keep cyclomatic complexity low:
-
Use lookup tables instead of conditional chains
// ❌ Bad: 5+ if-else conditions if (type === 'a') doA() else if (type === 'b') doB() else if (type === 'c') doC() // ✅ Good: Lookup table const handlers = { a: doA, b: doB, c: doC } handlers[type]?.()
-
Extract helper functions for nested conditions
// ❌ Bad: 3+ levels of nesting if (condition1) { if (condition2) { if (condition3) { /* ... */ } } } // ✅ Good: Early returns + helpers if (!condition1) return if (!condition2) return handleCondition3()
-
Use switch for type discrimination
// ❌ Bad: Multiple type checks if (obj.type === 'a') { ... } else if (obj.type === 'b') { ... } // ✅ Good: Switch statement switch (obj.type) { case 'a': return handleA() case 'b': return handleB() }
-
Keep functions under 20 lines – Extract when longer
-
Maximum 3 levels of nesting – Refactor if deeper
-
Single responsibility – One function, one job