Stop wrestling with React Context and prop drilling. Build scalable React apps with clean, testable business logic separated from UI.
TL;DR β Mark classes with
@Injectable(), declare aProviderModule.blueprint(), wrap your component withprovideModuleToComponent(MyModuleBp, () => { ... }), then calluseInject(MyService)inside. Dependencies are resolved automatically β no providers, no prop drilling, no manual wiring.
provideModuleToComponent?If you've built React apps, you've probably encountered these pain points:
Your App.tsx becomes a nightmare of nested providers:
<AuthProvider>
<ThemeProvider>
<ApiProvider>
<ToastProvider>
<UserProvider>
<App />
</UserProvider>
</ToastProvider>
</ApiProvider>
</ThemeProvider>
</AuthProvider>
You pass props through 5 levels of components just to reach the one that needs them:
<Dashboard user={user}>
<Sidebar user={user}>
<UserMenu user={user}>
<UserAvatar user={user} /> {/* Finally! */}
</UserMenu>
</Sidebar>
</Dashboard>
When a service needs dependencies, you manually create them in the right order:
function UserProfile() {
// Must create ALL dependencies manually in correct order
const toastService = new ToastService();
const apiService = new ApiService();
const authService = new AuthService(apiService);
const userProfileService = new UserProfileService(apiService, authService, toastService);
// If AuthService adds a new dependency tomorrow, THIS BREAKS!
return <div>{userProfileService.displayName}</div>;
}
Your components become bloated with API calls, state management, and validation:
function UserDashboard() {
const [user, setUser] = useState(null);
const [loading, setLoading] = useState(false);
useEffect(() => {
setLoading(true);
fetch('/api/user')
.then((res) => res.json())
.then((data) => {
setUser(data);
setLoading(false);
});
}, []);
// 50 more lines of business logic...
return <div>{/* Your actual UI */}</div>;
}
xInjection solves all of the above by bringing Inversion of Control (IoC) and Dependency Injection (DI) to React: instead of components creating and managing their own dependencies, they just ask for what they need and xInjection provides it β automatically, type-safely, and testably.
This is the official ReactJS implementation of xInjection.
npm i @adimm/x-injection-reactjs reflect-metadata
Import reflect-metadata at the very top of your app entry point:
// main.tsx or index.tsx
import 'reflect-metadata';
import { createRoot } from 'react-dom/client';
import App from './App';
createRoot(document.getElementById('root')!).render(<App />);
TypeScript Configuration
Add to your tsconfig.json:
{
"compilerOptions": {
"experimentalDecorators": true,
"emitDecoratorMetadata": true
}
}
π Advanced Concepts
This documentation covers React-specific usage patterns. For advanced features like lifecycle hooks (
onReady,onDispose), injection scopes (Singleton, Transient, Request), middlewares, events, and dynamic module updates, refer to the base xInjection library documentation.The base library provides the core IoC/DI engine that powers this React integration.
Three files, three concepts: global services declared once, a component-scoped module, and a component that injects both.
Step 1 β Declare global services in your entry point:
// main.tsx - Your app entry point
import 'reflect-metadata';
import { Injectable, ProviderModule } from '@adimm/x-injection';
import { createRoot } from 'react-dom/client';
import App from './App';
// Global services (singletons)
@Injectable()
class ApiService {
get(url: string) {
return fetch(url).then((r) => r.json());
}
}
@Injectable()
class AuthService {
constructor(private readonly apiService: ApiService) {}
isLoggedIn = false;
login() {
this.isLoggedIn = true;
}
}
// Create global module - automatically imported into built-in AppModule
ProviderModule.blueprint({
id: 'AppBootstrapModule',
isGlobal: true,
providers: [ApiService, AuthService],
exports: [ApiService, AuthService], // Exported services available everywhere
});
// Now render your app
createRoot(document.getElementById('root')!).render(<App />);
Step 2 β Create a component-scoped module and inject services:
// UserDashboard.tsx - A component with its own service
import { Injectable, ProviderModule } from '@adimm/x-injection';
import { provideModuleToComponent, useInject } from '@adimm/x-injection-reactjs';
// Component-scoped service
@Injectable()
class UserDashboardService {
constructor(private readonly apiService: ApiService) {} // Gets global ApiService
async loadUser() {
return this.apiService.get('/user');
}
}
// Component-scoped module
const UserDashboardModuleBp = ProviderModule.blueprint({
id: 'UserDashboardModule',
providers: [UserDashboardService],
});
// Component with injected service
export const UserDashboard = provideModuleToComponent(UserDashboardModuleBp, () => {
const dashboardService = useInject(UserDashboardService);
const authService = useInject(AuthService); // Can also inject global services
return (
<div>
<h1>Dashboard</h1>
<p>Logged in: {authService.isLoggedIn ? 'Yes' : 'No'}</p>
</div>
);
});
Step 3 β Use the component β each instance gets its own module:
// App.tsx
import { UserDashboard } from './UserDashboard';
export default function App() {
return (
<div>
<UserDashboard />
<UserDashboard /> {/* Each gets its own UserDashboardService */}
</div>
);
}
Global vs component-scoped services:
ApiService, AuthService): Defined in a global blueprint, automatically imported into the built-in AppModuleUserDashboardService): Fresh instance per <UserDashboard />Let's break down the three main concepts you'll use:
A service is just a class that contains your business logic. Think of it as extracting all the "smart stuff" from your component into a reusable, testable class.
@Injectable()
class TodoService {
private todos: Todo[] = [];
addTodo(text: string) {
this.todos.push({ id: Date.now(), text, completed: false });
}
getTodos() {
return this.todos;
}
toggleTodo(id: number) {
const todo = this.todos.find((t) => t.id === id);
if (todo) todo.completed = !todo.completed;
}
}
The @Injectable() decorator marks this class as something that can be injected (either into components or other services/modules).
Services can depend on other services:
@Injectable()
class UserProfileService {
// Dependencies are automatically injected via constructor
constructor(
private readonly apiService: ApiService,
private readonly authService: AuthService,
private readonly toastService: ToastService
) {}
async loadProfile() {
try {
const userId = this.authService.getCurrentUserId();
const profile = await this.apiService.get(`/users/${userId}`);
return profile;
} catch (error) {
this.toastService.error('Failed to load profile');
throw error;
}
}
}
Notice how UserProfileService asks for its dependencies in the constructor? xInjection will automatically provide them.
Alternative: Property Injection
You can also use the @Inject decorator from the base library for property injection:
import { Inject, Injectable } from '@adimm/x-injection';
@Injectable()
class UserProfileService {
@Inject(ApiService)
private readonly apiService!: ApiService;
@Inject(AuthService)
private readonly authService!: AuthService;
async loadProfile() {
const userId = this.authService.getCurrentUserId();
return this.apiService.get(`/users/${userId}`);
}
}
Both approaches work! Constructor injection is generally preferred for better type safety and easier testing.
A module is a container that tells xInjection which services are available. Think of it as a "package" of services.
Modules come in two flavors:
// Global module: Created once, shared everywhere
ProviderModule.blueprint({
id: 'AppBootstrapModule',
isGlobal: true,
providers: [ApiService, AuthService, ToastService],
exports: [ApiService, AuthService, ToastService], // Only exported services become globally available
});
// Component-scoped module: Each component instance gets its own
const TodoListModuleBp = ProviderModule.blueprint({
id: 'TodoListModule',
providers: [TodoService], // Gets a fresh TodoService per component
});
When using isGlobal: true, only services listed in the exports array become globally available. Non-exported providers remain private to the module.
Global modules cannot be used with provideModuleToComponent
Attempting to provide a global module to a component will throw an InjectionProviderModuleError. Global services are accessed directly via useInject without the HoC.
blueprint() vs create():
blueprint(): A deferred module template. Each time it is imported or used with provideModuleToComponent, a new independent instance is created. Use for the global bootstrap module and for component-scoped modules. Learn more.create(): Immediately instantiates a module. The resulting instance is a single shared object β every module that imports it shares the exact same instance. Use when you need a module that is instantiated once and shared across multiple other modules.See Module Imports and Exports for examples of both.
Never import AppModule into other modules
AppModule is the built-in global container and importing it will throw an error. Use global blueprints with isGlobal: true instead, which are automatically imported into AppModule.
Use the provideModuleToComponent Higher-Order Component (HoC) to give your component access to services:
const UserDashboard = provideModuleToComponent(UserDashboardModuleBp, () => {
// Inject the service you need
const userProfileService = useInject(UserProfileService);
return <div>{userProfileService.displayName}</div>;
});
The HoC does two things:
useInject hookYou can also inject multiple services at once:
const MyComponent = provideModuleToComponent(MyModuleBp, () => {
const [userService, apiService] = useInjectMany(UserService, ApiService);
// Use your services...
});
One of the most powerful features of xInjection is component-scoped modules. This is something you can't easily achieve with React Context alone.
When you use provideModuleToComponent, each instance of your component gets its own copy of the module and all its services. This enables powerful patterns:
@Injectable()
class CounterService {
count = 0;
increment() {
this.count++;
}
}
const CounterModuleBp = ProviderModule.blueprint({
id: 'CounterModule',
providers: [CounterService],
});
const Counter = provideModuleToComponent(CounterModuleBp, () => {
const counterService = useInject(CounterService);
return (
<div>
<p>Count: {counterService.count}</p>
<button onClick={() => counterService.increment()}>+</button>
</div>
);
});
function App() {
return (
<div>
<Counter /> {/* Count: 0 */}
<Counter /> {/* Count: 0 (separate instance!) */}
</div>
);
}
Each <Counter /> has its own CounterService, so they don't interfere with each other.
Parent components can "inject" specific service instances into their children:
const ParentModuleBp = ProviderModule.blueprint({
id: 'ParentModule',
providers: [SharedService, ParentService],
});
const ChildModuleBp = ProviderModule.blueprint({
id: 'ChildModule',
providers: [SharedService, ChildService],
});
const Child = provideModuleToComponent(ChildModuleBp, () => {
const sharedService = useInject(SharedService);
return <div>{sharedService.data}</div>;
});
const Parent = provideModuleToComponent(ParentModuleBp, () => {
const sharedService = useInject(SharedService);
// Pass the parent's SharedService instance to the child
return <Child inject={[{ provide: SharedService, useValue: sharedService }]} />;
});
This enables complex patterns like form components sharing validation services, or composite UI components coordinating state.
You might wonder: "Why wrap my component with provideModuleToComponent instead of just using useInject directly everywhere?"
Short answer: You don't always need it! If you only use global services, you can just call useInject anywhere. But for component-scoped modules (where each component instance needs its own services), you need provideModuleToComponent.
The Higher-Order Component (HoC) pattern provides several key benefits:
Each wrapped component gets its own dependency container, created on mount and disposed on unmount. Two instances of <TodoList /> each get their own TodoService β they never share state. When the component unmounts, onDispose runs automatically, cleaning up only that component's services. Imported global services remain unaffected.
The HoC pattern works seamlessly with React's component composition model:
// Reusable component with its own dependencies
const TodoList = provideModuleToComponent(TodoListModuleBp, () => {
const todoService = useInject(TodoService);
// ...
});
// Use it multiple times, each with isolated state
function App() {
return (
<>
<TodoList /> {/* Gets its own TodoService */}
<TodoList /> {/* Gets a different TodoService */}
</>
);
}
Every component wrapped with provideModuleToComponent gets its own module container. When useInject is called inside that component, xInjection walks a well-defined lookup chain:
importsisGlobal: true blueprints)useInject(SomeService) β called inside <MyComponent />
β
βΌ
βββββββββββββββββββββββββββ
β MyComponent's module β β providers: [MyService, ...]
β (own container) β
βββββββββββββ¬ββββββββββββββ
β not found
βΌ
βββββββββββββββββββββββββββ
β Imported modules β β imports: [SharedModule]
β (exported only) β SharedModule.exports: [SharedService]
βββββββββββββ¬ββββββββββββββ
β not found
βΌ
βββββββββββββββββββββββββββ
β AppModule β β AppBootstrapModule { isGlobal: true }
β (global services) β exports: [ApiService, AuthService, ...]
βββββββββββββ¬ββββββββββββββ
β not found
βΌ
throws error
Component example:
// β Global services β live in AppModule, available everywhere
@Injectable()
class ApiService {}
@Injectable()
class AuthService {}
ProviderModule.blueprint({
id: 'AppBootstrapModule',
isGlobal: true,
providers: [ApiService, AuthService],
exports: [ApiService, AuthService],
});
// β‘ Shared module β created once, imported into component blueprints
@Injectable()
class AnalyticsService {}
const SharedModule = ProviderModule.create({
id: 'SharedModule',
providers: [AnalyticsService],
exports: [AnalyticsService], // β
visible to importers
});
// β’ Component-scoped service β private to this component
@Injectable()
class DashboardService {
constructor(
private readonly api: ApiService, // resolved from β’ AppModule
private readonly analytics: AnalyticsService // resolved from β‘ SharedModule
) {}
}
const DashboardModuleBp = ProviderModule.blueprint({
id: 'DashboardModule',
imports: [SharedModule],
providers: [DashboardService], // β own container
});
const Dashboard = provideModuleToComponent(DashboardModuleBp, () => {
const dashboard = useInject(DashboardService); // β
β own module
const analytics = useInject(AnalyticsService); // β
β‘ SharedModule export
const auth = useInject(AuthService); // β
β’ AppModule (global)
// useInject(SomePrivateService) // β not found β error
});
A service that is not listed in a module's exports is completely invisible to any component that imports that module. This is how xInjection enforces encapsulation β only what you explicitly export crosses the module boundary.
The hookFactory function lets you create reusable custom hooks that automatically receive injected dependencies:
// Define a custom hook with dependencies
const useUserProfile = hookFactory({
use: ({ userId, deps: [apiService, authService] }) => {
const [profile, setProfile] = useState(null);
useEffect(() => {
apiService.get(`/users/${userId}`).then(setProfile);
}, [userId]);
return profile;
},
inject: [ApiService, AuthService],
});
// Use it in any component
const UserProfile = provideModuleToComponent<{ userId: number }>(UserModuleBp, ({ userId }) => {
const profile = useUserProfile({ userId });
return <div>{profile?.name}</div>;
});
Type-safe hooks with HookWithDeps:
Use the HookWithDeps<P, D> type utility for full TypeScript support:
import type { HookWithDeps } from '@adimm/x-injection-reactjs';
// Hook with no parameters - use void as first generic
const useTestHook = hookFactory({
use: ({ deps: [testService] }: HookWithDeps<void, [TestService]>) => {
return testService.value;
},
inject: [TestService],
});
// Hook with parameters - specify parameter type as first generic
const useUserData = hookFactory({
use: ({ userId, deps: [apiService] }: HookWithDeps<{ userId: number }, [ApiService]>) => {
const [data, setData] = useState(null);
useEffect(() => {
apiService.get(`/users/${userId}`).then(setData);
}, [userId]);
return data;
},
inject: [ApiService],
});
// Usage:
useTestHook(); // No parameters
useUserData({ userId: 123 }); // With parameters
HookWithDeps<P, D> generics:
P: Hook parameter type (use void if no parameters, or { param1: type, ... } for parameters)D: Tuple type matching your inject array (e.g., [ApiService, AuthService])Why use hookFactory?
The inject prop allows parent components to override child component dependencies. See Pattern 2 for a basic example and the Complex Form example for a real-world use case.
Modules can import other modules. The key question is: should the imported module be shared or duplicated per component?
Shared module instance β ProviderModule.create():
Use create() when a module should exist as one instance and be shared by all blueprints that import it:
// Instantiated once β all importers share the same instance and the same singletons
const CoreModule = ProviderModule.create({
id: 'CoreModule',
providers: [SomeSharedService],
exports: [SomeSharedService],
});
const UserModuleBp = ProviderModule.blueprint({
id: 'UserModule',
imports: [CoreModule], // every <UserComponent /> shares the same CoreModule
providers: [UserService],
});
const ProductModuleBp = ProviderModule.blueprint({
id: 'ProductModule',
imports: [CoreModule], // same CoreModule instance
providers: [ProductService],
});
Per-component isolation β blueprint imports:
Import a blueprint when each component instance should get its own independent copy of those providers:
const UserModuleBp = ProviderModule.blueprint({
id: 'UserModule',
imports: [FormValidationModuleBp], // each <UserComponent /> gets its own FormValidationService
providers: [UserService],
});
Re-exporting:
const CoreModule = ProviderModule.create({
id: 'CoreModule',
imports: [DatabaseModule, CacheModule],
exports: [DatabaseModule, CacheModule], // expose both to importers
});
xInjection works beautifully with Zustand. The pattern is simple: encapsulate the Zustand store inside a service. This keeps your business logic in services while using Zustand for reactive state.
Why this pattern?
// counter.service.ts
import { Injectable } from '@adimm/x-injection';
import { create } from 'zustand';
interface CounterStore {
count: number;
increment: () => void;
decrement: () => void;
reset: () => void;
}
@Injectable()
export class CounterService {
// Store instance encapsulated within the service
private readonly store = create<CounterStore>((set) => ({
count: 0,
increment: () => set((state) => ({ count: state.count + 1 })),
decrement: () => set((state) => ({ count: state.count - 1 })),
reset: () => set({ count: 0 }),
}));
// Expose store hook for components to subscribe
get useStore() {
return this.store;
}
// Getter to access current state from within the service
private get storeState() {
return this.store.getState();
}
// Business logic methods
increment() {
this.storeState.increment();
}
decrement() {
this.storeState.decrement();
}
reset() {
this.storeState.reset();
}
incrementBy(amount: number) {
// Complex logic lives in the service
const currentCount = this.storeState.count;
this.store.setState({ count: currentCount + amount });
}
async incrementAsync() {
// Handle async operations in the service
await new Promise((resolve) => setTimeout(resolve, 1000));
this.increment();
}
}
// counter.module.ts
import { ProviderModule } from '@adimm/x-injection';
import { CounterService } from './counter.service';
export const CounterModuleBp = ProviderModule.blueprint({
id: 'CounterModule',
providers: [CounterService],
exports: [CounterService],
});
// counter.component.tsx
import { provideModuleToComponent, useInject } from '@adimm/x-injection-reactjs';
import { CounterModuleBp } from './counter.module';
import { CounterService } from './counter.service';
const Counter = provideModuleToComponent(CounterModuleBp, () => {
// Inject service for business logic
const counterService = useInject(CounterService);
// Subscribe to store for reactive state
const count = counterService.useStore((state) => state.count);
return (
<div>
<h2>Count: {count}</h2>
<button onClick={() => counterService.increment()}>+1</button>
<button onClick={() => counterService.decrement()}>-1</button>
<button onClick={() => counterService.incrementBy(5)}>+5</button>
<button onClick={() => counterService.incrementAsync()}>+1 Async</button>
<button onClick={() => counterService.reset()}>Reset</button>
</div>
);
});
export default Counter;
Key Benefits:
This example demonstrates a powerful pattern: a parent form component controlling the state of multiple child input components.
import { Inject, Injectable, InjectionScope } from '@adimm/x-injection';
// 1. Input service - manages a single input's state
@Injectable()
class InputService {
value = '';
error = '';
setValue(value: string) {
this.value = value;
this.validate();
}
validate() {
if (!this.value) {
this.error = 'Required';
} else if (this.value.length < 3) {
this.error = 'Too short';
} else {
this.error = '';
}
return !this.error;
}
}
// 2. Form service - manages the entire form
@Injectable()
class FormService {
constructor(
public readonly nameInput: InputService,
public readonly emailInput: InputService
) {
// Initialize with default values
this.nameInput.setValue('');
this.emailInput.setValue('');
}
isValid() {
return this.nameInput.validate() && this.emailInput.validate();
}
submit() {
if (this.isValid()) {
console.log('Submitting:', {
name: this.nameInput.value,
email: this.emailInput.value,
});
}
}
}
// 3. Input component
const InputModuleBp = ProviderModule.blueprint({
id: 'InputModule',
providers: [InputService],
exports: [InputService],
});
const Input = provideModuleToComponent<{ label: string }>(InputModuleBp, ({ label }) => {
const inputService = useInject(InputService);
const [value, setValue] = useState(inputService.value);
return (
<div>
<label>{label}</label>
<input
value={value}
onChange={(e) => {
setValue(e.target.value);
inputService.setValue(e.target.value);
}}
/>
{inputService.error && <span style={{ color: 'red' }}>{inputService.error}</span>}
</div>
);
});
// 4. Form component - injects its InputService instances into child Input components
const FormModuleBp = ProviderModule.blueprint({
id: 'FormModule',
imports: [
// Clone InputModuleBp and override its defaultScope to Transient for this specific use.
// Without Transient, both `nameInput` and `emailInput` in FormService would resolve to
// the same singleton β they'd share state. Transient ensures each @Inject(InputService)
// parameter in FormService's constructor gets its own independent instance.
// This is also a good showcase of blueprint dynamicity: the original InputModuleBp is
// left untouched, and only this consumer opts into Transient behavior.
InputModuleBp.clone().updateDefinition({
...InputModuleBp.getDefinition(),
defaultScope: InjectionScope.Transient,
}),
],
providers: [FormService],
exports: [FormService],
});
const Form = provideModuleToComponent(FormModuleBp, () => {
const formService = useInject(FormService);
return (
<form>
{/* Pass the form's InputService instances to the inputs */}
<Input inject={[{ provide: InputService, useValue: formService.nameInput }]} label="Name" />
<Input inject={[{ provide: InputService, useValue: formService.emailInput }]} label="Email" />
<button type="button" onClick={() => formService.submit()}>
Submit
</button>
</form>
);
});
What's happening here?
Input component normally gets its own InputServiceForm component creates two InputService instances in its constructorinject propxInjection makes testing easy. You can mock entire modules or individual services.
import { act, render } from '@testing-library/react';
// Original module
const UserModuleBp = ProviderModule.blueprint({
id: 'UserModule',
providers: [UserService, ApiService],
});
// Create a mocked version
const UserModuleMocked = UserModuleBp.clone().updateDefinition({
id: 'UserModuleMocked',
providers: [
{
provide: UserService,
useClass: UserServiceMock, // Your mock class
},
{
provide: ApiService,
useValue: {
get: vi.fn().mockResolvedValue({ name: 'Test User' }),
post: vi.fn(),
},
},
],
});
// Test with the mocked module
it('should render user data', async () => {
await act(async () => render(<UserProfile module={UserModuleMocked} />));
// Assert...
});
import { act, render } from '@testing-library/react';
it('should render user data', async () => {
await act(async () =>
render(
<UserProfile
inject={{
provide: ApiService,
useValue: {
get: vi.fn().mockResolvedValue({ name: 'Test User' }),
post: vi.fn(),
},
}}
/>
)
);
// Assert...
});
Recommended: Use a global blueprint with isGlobal: true in your entry point β see Quick Start and Modules: Organizing Dependencies for the full pattern.
For runtime additions, use the built-in AppModule directly:
import { AppModule } from '@adimm/x-injection';
AppModule.update.addProvider(ApiService, true); // true = also export
The library provides a built-in AppModule. Don't create your own module named "AppModule"βuse one of the methods above instead.
Global (isGlobal: true + exports): API clients, auth state, routing, theme, toast notifications β accessed directly via useInject without a HoC.
Component-scoped (blueprint without isGlobal): Form state, component-specific business logic, UI state β must use provideModuleToComponent; each instance gets its own module.
Yes! xInjection is state-library agnostic. Encapsulate your state management library inside a service:
@Injectable()
class TodoStore {
private store = create<TodoState>(...);
get useStore() {
return this.store;
}
addTodo(text: string) {
this.store.setState(...);
}
}
| Feature | xInjection | React Context |
|---|---|---|
| Automatic dependency resolution | β | β |
| Component-scoped instances | β | β |
| No provider hell | β | β |
| Parent-child dependency control | β | β |
| Works with class-based logic | β | β |
| Testability | β | β οΈ |
| TypeScript support | β | β οΈ |
Because you want React's component model, hooks, and ecosystem β but need better architecture for complex business logic. xInjection brings IoC/DI to React without the framework lock-in.
That said, if your app is simple, React Context + hooks is perfectly fine. xInjection shines in larger codebases with complex business logic, many modules, or a need for component-scoped service instances.
Absolutely! Start with one component:
provideModuleToComponentYou can use xInjection alongside Context, Redux, or any other state management.
provideModuleToComponent?Don't need it (just use useInject): All your services are global/singleton β API client, auth service, theme service.
Need it: You want multiple independent component instances (forms, modals, dialogs), or parent needs to control child dependencies via the inject prop.
See Why Use the HoC Approach? for a full explanation.
Minimal. The dependency container is lightweight, and services are created lazily (only when first requested). The HoC pattern has no performance overhead compared to standard React patterns.
Runtime vs Build-time: This library works entirely at runtime (not build-time):
Both approaches work! Here's when classes shine:
Classes are better for:
Hooks are better for:
You can use both! Use classes for services, hooks for UI logic. The hookFactory even lets you create hooks that inject class-based services.
Note: Services are classes, but components are still functional! You write normal React functional components with hooksβonly the business logic is in classes.
π Full API Documentation: https://adimarianmutu.github.io/x-injection-reactjs
π§ Base Library: xInjection
π‘ Issues & Feature Requests: GitHub Issues
Contributions are welcome! Please:
Please ensure your code follows the project's style and all tests pass.
MIT Β© Adi-Marian Mutu
Made with β€οΈ for the React community. If you find this library helpful, consider giving it a β on GitHub!