9.6 KiB
Phase 1 Summary: Foundation Modernization
Status: ✅ Complete
Duration: December 2024 - January 2025
Goal: Modernize OpenNoodl's core dependencies to enable future development
Executive Summary
Phase 1 was a foundational investment in OpenNoodl's future. We upgraded the core technology stack that powers the editor—React, TypeScript, Storybook, and build tooling—to their latest stable versions. This wasn't about adding flashy new features; it was about removing the barriers that would have blocked every future feature.
Think of it like renovating a house's electrical system. The old wiring worked, but it couldn't support modern appliances. Now we're ready to add air conditioning.
What Was Updated
The Big Three
| Technology | Before | After | Impact |
|---|---|---|---|
| React | 17.0.2 | 19.0.0 | Modern hooks, improved error handling, better performance |
| TypeScript | 4.9.5 | 5.9.3 | Stricter type safety, better inference, modern syntax |
| Storybook | 7.x | 8.6.14 | Modern story format, faster builds, better testing |
Supporting Updates
| Package Category | Key Changes |
|---|---|
| Webpack Plugins | clean-webpack-plugin (1.x → 4.x), copy-webpack-plugin (4.x → 12.x), webpack-dev-server (3.x → 4.x) |
| Testing | Jest 28 → 29, ts-jest updated, @types/jest aligned |
| Linting | @typescript-eslint/parser and plugin (5.x → 7.x) |
| Loaders | css-loader (5.x → 6.x), style-loader (2.x → 3.x) |
By the Numbers
- 90+ TypeScript errors fixed for React 19 compatibility
- 91 story files migrated to CSF3 format
- 197 npm packages removed (cleaner dependency tree)
- 0 source file TypeScript errors remaining
- Full type checking restored in webpack builds
Why This Was Necessary
The Technical Debt Problem
OpenNoodl's dependencies were 2-3 years behind current versions. This created several problems:
1. Security Exposure
Older packages stop receiving security patches. React 17 reached end-of-active-support, meaning critical fixes weren't backported.
2. Blocked Innovation
Many modern npm packages require React 18+ or TypeScript 5+. We couldn't adopt new libraries without first doing this upgrade.
3. Missing Modern Patterns
React 19 introduces significant improvements to hooks and concurrent features. TypeScript 5 adds powerful inference capabilities. We were locked out of these tools.
4. Developer Experience Degradation
Older tooling is slower and produces worse error messages. Modern Storybook 8 builds 2-3x faster than v7 in many projects.
5. Contributor Friction
New contributors expect modern tooling. Asking them to work with React 17 in 2025 creates unnecessary friction.
The "transpileOnly" Workaround
One telling symptom: we had transpileOnly: true in our webpack config, which disabled TypeScript type checking during builds. This was a workaround for compatibility issues with older TypeScript. We've now removed this—full type safety is restored.
What This Enables
The Phase 1 upgrades are the foundation for every planned feature. Here's how:
🔄 Runtime React 19 Migration (Planned)
The Feature: Allow users to choose whether their deployed apps use React 17 (legacy) or React 19 (modern).
How Phase 1 Enables It:
- The editor now runs React 19, so we can build migration detection tools using modern React patterns
- We've already solved the React 19 migration patterns in the editor—the same patterns apply to runtime
- TypeScript 5's stricter checking helps us write reliable detection code
// We can now use modern patterns like:
const [isPending, startTransition] = useTransition();
// Instead of older patterns that React 19 improves:
const [isLoading, setIsLoading] = useState(false);
📤 Code Export / "Eject" Feature (Planned)
The Feature: Export your Noodl project as a standard React codebase.
How Phase 1 Enables It:
- TypeScript 5's improved type inference makes AST analysis more reliable
- Modern React patterns mean exported code will use current best practices
- Storybook 8's CSF3 format provides patterns for how we might structure exported components
🔌 Native BaaS Integrations (Planned)
The Feature: Supabase, Pocketbase, Directus nodes with schema-aware dropdowns.
How Phase 1 Enables It:
- React 19's Suspense improvements make loading states cleaner
- Schema introspection UIs benefit from modern hook patterns
- TypeScript 5's
satisfiesoperator helps ensure API type safety
// TypeScript 5 patterns for BaaS integration:
const config = {
url: process.env.SUPABASE_URL,
key: process.env.SUPABASE_KEY,
} satisfies SupabaseConfig; // Type-safe without losing literal types
🗂️ Multi-Project Support (Planned)
The Feature: Open multiple projects simultaneously.
How Phase 1 Enables It:
- React 19's concurrent features could enable smoother context switching
- Modern state management patterns help with project isolation
- Updated webpack allows better code splitting for memory efficiency
🧪 Component Testing & Visual Regression
The Feature: Automated testing of UI components.
How Phase 1 Enables It:
- Storybook 8 has built-in interaction testing
- CSF3 format enables test stories alongside visual stories
- Modern Jest 29 integrates better with React Testing Library
Concrete Improvements You Can Use Today
Better Error Messages
React 19 improved error boundaries. When a node fails, you'll get clearer stack traces and recovery options.
Faster Development Builds
Modern webpack plugins and loaders mean quicker iteration. The dev server starts faster and hot reloads are snappier.
Improved Type Inference
TypeScript 5 catches more bugs without requiring extra type annotations:
// Before (TS 4.9) - could pass wrong types
const items = array.filter(item => item != null);
// type: (Item | null)[] - didn't narrow!
// After (TS 5.9) - correctly narrowed
const items = array.filter(item => item != null);
// type: Item[] - understood the filter!
Storybook Works Again
The component library (npm run start in noodl-core-ui) now runs on Storybook 8 with all 91 component stories properly migrated.
Technical Details for Contributors
React 19 Migration Patterns
If you're contributing code, here are the key changes:
// 1. useRef now requires initial value
// Before
const ref = useRef();
// After
const ref = useRef<HTMLDivElement>(null);
// 2. Ref callbacks must return void
// Before
ref={(el) => el && setTimeout(() => el.focus(), 10)}
// After
ref={(el) => { if (el) setTimeout(() => el.focus(), 10); }}
// 3. ReactDOM.render → createRoot
// Before
import ReactDOM from 'react-dom';
ReactDOM.render(<App />, container);
// After
import { createRoot } from 'react-dom/client';
const root = createRoot(container);
root.render(<App />);
// 4. children must be explicit in props
// Before (children was implicit)
interface Props { title: string; }
// After
interface Props { title: string; children?: React.ReactNode; }
Storybook CSF3 Format
Stories now use the modern format:
// Before (CSF2)
import { ComponentStory, ComponentMeta } from '@storybook/react';
export default {
title: 'Components/Button',
component: Button,
} as ComponentMeta<typeof Button>;
const Template: ComponentStory<typeof Button> = (args) => <Button {...args} />;
export const Primary = Template.bind({});
Primary.args = { label: 'Click me' };
// After (CSF3)
import type { Meta, StoryObj } from '@storybook/react';
const meta: Meta<typeof Button> = {
title: 'Components/Button',
component: Button,
};
export default meta;
type Story = StoryObj<typeof Button>;
export const Primary: Story = {
args: { label: 'Click me' },
};
What's Next
With Phase 1 complete, we can now pursue these initiatives:
| Initiative | Phase | Description |
|---|---|---|
| HTTP Node Improvements | Phase 2 | Robust, declarative HTTP requests without JavaScript |
| Runtime React 19 | Future | Dual runtime support with migration detection |
| BaaS Integrations | Future | Native Supabase/Pocketbase/Directus nodes |
| Code Export | Future | Export projects as React codebases |
| Multi-Project | Future | Multiple projects open simultaneously |
Phase 1 Task Reference
For detailed changelogs, see:
| Task | Description | Status |
|---|---|---|
| TASK-000 | Dependency analysis and planning | ✅ Complete |
| TASK-001 | Core dependency updates | ✅ Complete |
| TASK-001B | React 19 migration completion | ✅ Complete |
| TASK-002 | Legacy project handling | ✅ Complete |
| TASK-003 | TypeScript configuration cleanup | ✅ Complete |
| TASK-004 | Storybook 8 story migration | ✅ Complete |
| TASK-006 | TypeScript 5 upgrade | ✅ Complete |
Acknowledgments
Phase 1 involved significant refactoring across the entire codebase. Key areas touched:
- noodl-editor: Main editor application, 60+ files modified
- noodl-core-ui: Component library, 91 stories migrated
- noodl-viewer-react: Viewer components, React 19 compatibility
- noodl-viewer-cloud: Cloud viewer, webpack modernization
- Build tooling: Webpack configs across multiple packages
This work creates the foundation for OpenNoodl's next chapter of development.
Last Updated: January 2025