@stratix/testing 0.4.0 → 0.4.4

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -1,365 +1,105 @@
1
- # @stratix/testing
1
+ <div align="center">
2
+ <img src="https://raw.githubusercontent.com/stratix-dev/stratix/main/public/logo-no-bg.png" alt="Stratix Logo" width="200"/>
2
3
 
3
- Comprehensive testing utilities for Stratix applications, with specialized support for AI agents.
4
+ # @stratix/testing
4
5
 
5
- ## Installation
6
+ **Testing utilities and mocks for Stratix applications**
6
7
 
7
- ```bash
8
- pnpm add -D @stratix/testing
9
- ```
8
+ [![npm version](https://img.shields.io/npm/v/@stratix/testing.svg)](https://www.npmjs.com/package/@stratix/testing)
9
+ [![License: MIT](https://img.shields.io/badge/License-MIT-blue.svg)](https://opensource.org/licenses/MIT)
10
10
 
11
- ## Features
11
+ [Documentation](https://stratix-dev.github.io/stratix/) | [Getting Started](https://stratix-dev.github.io/stratix/docs/getting-started/quick-start)
12
12
 
13
- ### AI Agent Testing
13
+ </div>
14
14
 
15
- - **MockLLMProvider** - Mock LLM provider for deterministic agent testing
16
- - **AgentTester** - High-level testing utility with timeout support
17
- - **Agent Assertions** - Specialized assertions for agent results
18
- - **Test Helpers** - Utilities for creating test contexts and IDs
15
+ -
19
16
 
20
- ### General Testing
17
+ > Part of **[Stratix Framework](https://stratix-dev.github.io/stratix/)** - A TypeScript framework for building scalable applications with Domain-Driven Design, Hexagonal Architecture, and CQRS patterns.
18
+ >
19
+ > **New to Stratix?** Start with the [Getting Started Guide](https://stratix-dev.github.io/stratix/docs/getting-started/quick-start)
21
20
 
22
- - **TestApplication** - Simplified test application builder
23
- - **Result Assertions** - Assertions for Result pattern
24
- - **EntityBuilder** - Fluent API for building test entities
25
- - **DataFactory** - Generate test data (emails, IDs, dates, etc.)
21
+ -
26
22
 
27
- ## Quick Examples
23
+ ## About This Package
28
24
 
29
- ### Testing AI Agents
25
+ `@stratix/testing` provides testing utilities, mocks, and helpers for testing Stratix applications and AI agents.
30
26
 
31
- ```typescript
32
- import { AgentTester, expectSuccess } from '@stratix/testing';
27
+ **This package includes:**
28
+ - MockLLMProvider for deterministic AI agent testing
29
+ - In-memory repository implementations
30
+ - Test data builders
31
+ - CQRS testing utilities
33
32
 
34
- describe('CustomerSupportAgent', () => {
35
- let tester: AgentTester;
33
+ ## About Stratix
36
34
 
37
- beforeEach(() => {
38
- tester = new AgentTester();
39
- });
35
+ Stratix is an AI-first TypeScript framework combining Domain-Driven Design, Hexagonal Architecture, and CQRS. It provides production-ready patterns for building scalable, maintainable applications with AI agents as first-class citizens.
40
36
 
41
- it('should respond to greetings', async () => {
42
- const agent = new CustomerSupportAgent(...);
37
+ **Key Resources:**
38
+ - [Documentation](https://stratix-dev.github.io/stratix/)
39
+ - [Quick Start](https://stratix-dev.github.io/stratix/docs/getting-started/quick-start)
40
+ - [Report Issues](https://github.com/stratix-dev/stratix/issues)
43
41
 
44
- // Set deterministic mock response
45
- tester.setMockResponse({
46
- content: 'Hello! How can I help you today?',
47
- usage: { promptTokens: 10, completionTokens: 20, totalTokens: 30 }
48
- });
42
+ ## Installation
49
43
 
50
- const result = await tester.test(agent, { message: 'Hi' });
44
+ **Prerequisites:**
45
+ - Node.js 18.0.0 or higher
46
+ - `@stratix/core` installed
51
47
 
52
- expect(result.passed).toBe(true);
53
- expectSuccess(result.result);
54
- expect(result.duration).toBeLessThan(1000);
55
- });
56
- });
48
+ ```bash
49
+ npm install --save-dev @stratix/testing
57
50
  ```
58
51
 
59
- ### Using MockLLMProvider Directly
52
+ ## Quick Start
60
53
 
61
54
  ```typescript
62
55
  import { MockLLMProvider } from '@stratix/testing';
56
+ import { MyAgent } from './my-agent';
63
57
 
64
- const mockProvider = new MockLLMProvider();
65
- mockProvider.setResponse({
66
- content: '{"result": "success"}',
67
- usage: { promptTokens: 10, completionTokens: 20, totalTokens: 30 }
68
- });
69
-
70
- const agent = new MyAgent({ provider: mockProvider });
71
- const result = await agent.execute(input);
72
-
73
- // Verify calls
74
- expect(mockProvider.getCallCount()).toBe(1);
75
- expect(mockProvider.getLastCall()).toBeDefined();
76
- ```
77
-
78
- ### Testing with TestApplication
79
-
80
- ```typescript
81
- import { TestApplication } from '@stratix/testing';
82
-
83
- describe('Integration Tests', () => {
84
- let app: Application;
85
-
86
- beforeEach(async () => {
87
- app = await TestApplication.create()
88
- .useInMemoryDefaults()
89
- .usePlugin(myPlugin)
90
- .build();
91
-
92
- await app.start();
93
- });
94
-
95
- afterEach(async () => {
96
- await app.stop();
97
- });
98
-
99
- it('should process commands', async () => {
100
- // Test with fully configured app
58
+ describe('MyAgent', () => {
59
+ it('should process input correctly', async () => {
60
+ const mockProvider = new MockLLMProvider({
61
+ responses: [{ content: 'Expected response', usage: { totalTokens: 10, cost: 0.001 } }]
62
+ });
63
+
64
+ const agent = new MyAgent(mockProvider);
65
+ const result = await agent.run('test input');
66
+
67
+ expect(result.isSuccess).toBe(true);
68
+ expect(result.value).toBe('Expected response');
101
69
  });
102
70
  });
103
71
  ```
104
72
 
105
- ### Using Result Assertions
106
-
107
- ```typescript
108
- import { assertSuccess, unwrapSuccess } from '@stratix/testing';
109
-
110
- const result = await commandHandler.execute(command);
111
-
112
- // Assert success and throw if failed
113
- assertSuccess(result);
114
-
115
- // Or unwrap value directly
116
- const value = unwrapSuccess(result);
117
- expect(value.id).toBeDefined();
118
- ```
119
-
120
- ### Building Test Entities
121
-
122
- ```typescript
123
- import { EntityBuilder } from '@stratix/testing';
124
-
125
- const user = new EntityBuilder(User)
126
- .withProps({ email: 'test@example.com', name: 'Test User' })
127
- .withId(testUserId)
128
- .build();
129
-
130
- // Build multiple
131
- const users = new EntityBuilder(User)
132
- .withProps({ role: 'admin' })
133
- .buildMany(5);
134
- ```
135
-
136
- ### Generating Test Data
137
-
138
- ```typescript
139
- import { DataFactory } from '@stratix/testing';
140
-
141
- const email = DataFactory.email('user'); // user1@example.com
142
- const id = DataFactory.entityId<'User'>();
143
- const date = DataFactory.date(7); // 7 days ago
144
- const status = DataFactory.pick(['active', 'inactive']);
145
- ```
73
+ ## Related Packages
146
74
 
147
- ## API Reference
75
+ **Essential:**
76
+ - [`@stratix/core`](https://www.npmjs.com/package/@stratix/core) - Core primitives and abstractions
77
+ - [`@stratix/runtime`](https://www.npmjs.com/package/@stratix/runtime) - Application runtime
148
78
 
149
- ### AgentTester
79
+ **AI Testing:**
80
+ - [`@stratix/ai-openai`](https://www.npmjs.com/package/@stratix/ai-openai) - OpenAI LLM provider
81
+ - [`@stratix/ai-anthropic`](https://www.npmjs.com/package/@stratix/ai-anthropic) - Anthropic Claude provider
150
82
 
151
- High-level testing utility for AI agents.
83
+ ## Documentation
152
84
 
153
- ```typescript
154
- class AgentTester {
155
- constructor(options?: TestOptions)
156
-
157
- // Mock configuration
158
- setMockResponse(response: MockResponse): void
159
- setMockResponses(responses: MockResponse[]): void
160
- getMockProvider(): MockLLMProvider
161
-
162
- // Testing
163
- test<TInput, TOutput>(
164
- agent: AIAgent<TInput, TOutput>,
165
- input: TInput,
166
- context?: AgentContext
167
- ): Promise<TestResult<TOutput>>
168
-
169
- // Assertions
170
- assertSuccess<TOutput>(result: TestResult<TOutput>): void
171
- assertFailure<TOutput>(result: TestResult<TOutput>): void
172
- assertDuration<TOutput>(result: TestResult<TOutput>, maxDuration: number): void
173
- assertCallCount(expectedCount: number): void
174
-
175
- // Utilities
176
- reset(): void
177
- }
178
- ```
85
+ - [Getting Started](https://stratix-dev.github.io/stratix/docs/getting-started/quick-start)
86
+ - [Core Concepts](https://stratix-dev.github.io/stratix/docs/core-concepts/architecture-overview)
87
+ - [Plugin Architecture](https://stratix-dev.github.io/stratix/docs/plugins/plugin-architecture)
88
+ - [Complete Documentation](https://stratix-dev.github.io/stratix/)
179
89
 
180
- ### MockLLMProvider
90
+ ## Support
181
91
 
182
- Mock LLM provider implementing the `LLMProvider` interface.
92
+ - [GitHub Issues](https://github.com/stratix-dev/stratix/issues)
93
+ - [Documentation](https://stratix-dev.github.io/stratix/)
183
94
 
184
- ```typescript
185
- class MockLLMProvider implements LLMProvider {
186
- // Configuration
187
- setResponse(response: MockResponse): void
188
- setResponses(responses: MockResponse[]): void
189
- addResponse(response: MockResponse): void
190
-
191
- // Inspection
192
- getCallHistory(): ReadonlyArray<ChatParams>
193
- getLastCall(): ChatParams | undefined
194
- getCallCount(): number
195
-
196
- // Utilities
197
- reset(): void
198
-
199
- // LLMProvider implementation
200
- chat(params: ChatParams): Promise<ChatResponse>
201
- streamChat(params: ChatParams): AsyncIterable<ChatChunk>
202
- embeddings(params: EmbeddingParams): Promise<EmbeddingResponse>
203
- }
204
- ```
205
-
206
- ### Agent Assertions
207
-
208
- Specialized assertions for agent results.
209
-
210
- ```typescript
211
- // Success/Failure
212
- expectSuccess<T>(result: AgentResult<T>): void
213
- expectFailure<T>(result: AgentResult<T>): void
214
-
215
- // Data validation
216
- expectData<T>(result: AgentResult<T>, expected: T): void
217
- expectDataContains<T>(result: AgentResult<T>, expected: Partial<T>): void
218
-
219
- // Performance
220
- expectCostWithinBudget<T>(result: AgentResult<T>, budget: number): void
221
- expectDurationWithinLimit<T>(result: AgentResult<T>, maxDuration: number): void
222
-
223
- // Error validation
224
- expectErrorContains<T>(result: AgentResult<T>, expectedText: string): void
225
-
226
- // Model validation
227
- expectModel<T>(result: AgentResult<T>, expectedModel: string): void
228
- ```
229
-
230
- ### Test Helpers
231
-
232
- Utilities for creating test data and running tests.
233
-
234
- ```typescript
235
- // Context creation
236
- createTestContext(overrides?: Partial<{
237
- userId: string;
238
- sessionId: string;
239
- environment: 'development' | 'staging' | 'production';
240
- metadata: Record<string, unknown>;
241
- budget: number;
242
- }>): AgentContext
243
-
244
- // ID creation
245
- createTestAgentId(): AgentId
246
- createDeterministicAgentId(seed: string): AgentId
247
-
248
- // Timing utilities
249
- wait(ms: number): Promise<void>
250
- createTimeout(ms: number, message?: string): Promise<never>
251
- measureTime<T>(fn: () => Promise<T>): Promise<{ result: T; duration: number }>
252
-
253
- // Test execution
254
- repeatTest<T>(times: number, testFn: (iteration: number) => Promise<T>): Promise<T[]>
255
- runInParallel<T>(testFns: Array<() => Promise<T>>): Promise<T[]>
256
-
257
- // Assertions
258
- expectToReject(promise: Promise<unknown>, expectedError?: string | RegExp): Promise<void>
259
- ```
260
-
261
- ### Result Assertions
262
-
263
- Assertions for the Result pattern.
264
-
265
- ```typescript
266
- // Assertions
267
- assertSuccess<T>(result: Result<T>): void
268
- assertFailure<T>(result: Result<T>): void
269
-
270
- // Unwrapping
271
- unwrapSuccess<T>(result: Result<T>): T
272
- unwrapFailure<T>(result: Result<T>): Error
273
- ```
274
-
275
- ### TestApplication
276
-
277
- Simplified application builder for integration tests.
278
-
279
- ```typescript
280
- class TestApplication {
281
- static create(): TestApplication
282
-
283
- useInMemoryDefaults(): this
284
- useContainer(container: Container): this
285
- useLogger(logger: Logger): this
286
- usePlugin(plugin: Plugin, config?: unknown): this
287
-
288
- build(): Promise<Application>
289
- }
290
-
291
- // Helper function
292
- createTestApp(): Promise<Application>
293
- ```
294
-
295
- ### EntityBuilder
296
-
297
- Fluent API for building test entities.
298
-
299
- ```typescript
300
- class EntityBuilder<E extends Entity<any>> {
301
- constructor(EntityClass: new (props: any, id: any) => E)
302
-
303
- withProps(props: Partial<any>): this
304
- withId(id: any): this
305
- build(): E
306
- buildMany(count: number): E[]
307
- }
308
-
309
- // Helper function
310
- entityBuilder<E extends Entity<any>>(
311
- EntityClass: new (props: any, id: any) => E
312
- ): EntityBuilder<E>
313
- ```
314
-
315
- ### DataFactory
316
-
317
- Factory for generating test data.
318
-
319
- ```typescript
320
- class DataFactory {
321
- static email(prefix?: string): Email
322
- static string(prefix?: string): string
323
- static number(min?: number, max?: number): number
324
- static entityId<T extends string>(): EntityId<T>
325
- static boolean(): boolean
326
- static date(daysAgo?: number): Date
327
- static pick<T>(array: T[]): T
328
- static reset(): void
329
- }
330
- ```
331
-
332
- ## Best Practices
333
-
334
- ### AI Agent Testing
335
-
336
- 1. **Use MockLLMProvider for unit tests** - Avoid real API calls, keep tests fast and deterministic
337
- 2. **Test multiple conversation turns** - Use `setResponses()` to test multi-turn interactions
338
- 3. **Verify token usage** - Ensure cost tracking works correctly
339
- 4. **Test error scenarios** - Use mock responses with errors to test error handling
340
- 5. **Check call history** - Verify the agent calls the LLM with correct parameters
341
-
342
- ### Result Pattern Testing
343
-
344
- 1. **Always assert before accessing values** - Use `assertSuccess()` or `unwrapSuccess()`
345
- 2. **Test both success and failure paths** - Ensure error handling works
346
- 3. **Use type-safe assertions** - TypeScript narrows types after assertions
347
-
348
- ### Integration Testing
349
-
350
- 1. **Use TestApplication for full stack tests** - Test with real implementations
351
- 2. **Clean up after tests** - Always call `app.stop()` in afterEach
352
- 3. **Use in-memory defaults** - Faster tests without external dependencies
353
- 4. **Test plugin integration** - Verify plugins work together correctly
95
+ ## License
354
96
 
355
- ## Examples
97
+ MIT - See [LICENSE](https://github.com/stratix-dev/stratix/blob/main/LICENSE) for details.
356
98
 
357
- See the `examples/` directory in the repository for complete examples:
99
+ -
358
100
 
359
- - `examples/ai-agents/echo-agent/` - Simple agent testing
360
- - `examples/ai-agents/customer-support/` - Production agent with comprehensive tests
361
- - `examples/rest-api/` - Integration testing with TestApplication
101
+ <div align="center">
362
102
 
363
- ## License
103
+ **[Stratix Framework](https://stratix-dev.github.io/stratix/)** - Build better software with proven patterns
364
104
 
365
- MIT
105
+ </div>
@@ -1,6 +1,6 @@
1
1
  import { ApplicationBuilder } from '@stratix/runtime';
2
2
  import { AwilixContainer } from '@stratix/di-awilix';
3
- import { ConsoleLogger } from '@stratix/core';
3
+ import { ConsoleLogger } from '@stratix/runtime';
4
4
  import { LogLevel } from '@stratix/core';
5
5
  /**
6
6
  * Test Application Builder
@@ -1 +1 @@
1
- {"version":3,"file":"TestApplication.js","sourceRoot":"","sources":["../src/TestApplication.ts"],"names":[],"mappings":"AAAA,OAAO,EAAe,kBAAkB,EAAE,MAAM,kBAAkB,CAAC;AACnE,OAAO,EAAE,eAAe,EAAE,MAAM,oBAAoB,CAAC;AACrD,OAAO,EAAE,aAAa,EAAE,MAAM,eAAe,CAAC;AAE9C,OAAO,EAAE,QAAQ,EAAE,MAAM,eAAe,CAAC;AAEzC;;;;;;;;;;;;;;;GAeG;AACH,MAAM,OAAO,eAAe;IAClB,OAAO,CAAqB;IAC5B,aAAa,CAAa;IAC1B,UAAU,CAAU;IAE5B;QACE,IAAI,CAAC,OAAO,GAAG,kBAAkB,CAAC,MAAM,EAAE,CAAC;IAC7C,CAAC;IAED;;OAEG;IACH,MAAM,CAAC,MAAM;QACX,OAAO,IAAI,eAAe,EAAE,CAAC;IAC/B,CAAC;IAED;;;;;;OAMG;IACH,mBAAmB;QACjB,IAAI,CAAC,aAAa,GAAG,IAAI,eAAe,EAAE,CAAC;QAC3C,IAAI,CAAC,UAAU,GAAG,IAAI,aAAa,CAAC,EAAE,KAAK,EAAE,QAAQ,CAAC,KAAK,EAAE,CAAC,CAAC;QAE/D,IAAI,CAAC,OAAO,CAAC,YAAY,CAAC,IAAI,CAAC,aAAa,CAAC,CAAC,SAAS,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;QAEzE,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,YAAY,CAAC,SAAoB;QAC/B,IAAI,CAAC,OAAO,CAAC,YAAY,CAAC,SAAS,CAAC,CAAC;QACrC,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,SAAS,CAAC,MAAc;QACtB,IAAI,CAAC,OAAO,CAAC,SAAS,CAAC,MAAM,CAAC,CAAC;QAC/B,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,SAAS,CAAC,MAAc,EAAE,MAAgB;QACxC,IAAI,CAAC,OAAO,CAAC,SAAS,CAAC,MAAM,EAAE,MAAM,CAAC,CAAC;QACvC,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,KAAK;QACT,OAAO,MAAM,IAAI,CAAC,OAAO,CAAC,KAAK,EAAE,CAAC;IACpC,CAAC;CACF;AAED;;;;;;;;;GASG;AACH,MAAM,CAAC,KAAK,UAAU,aAAa;IACjC,MAAM,GAAG,GAAG,MAAM,eAAe,CAAC,MAAM,EAAE,CAAC,mBAAmB,EAAE,CAAC,KAAK,EAAE,CAAC;IAEzE,MAAM,GAAG,CAAC,KAAK,EAAE,CAAC;IAElB,OAAO,GAAG,CAAC;AACb,CAAC"}
1
+ {"version":3,"file":"TestApplication.js","sourceRoot":"","sources":["../src/TestApplication.ts"],"names":[],"mappings":"AAAA,OAAO,EAAe,kBAAkB,EAAE,MAAM,kBAAkB,CAAC;AACnE,OAAO,EAAE,eAAe,EAAE,MAAM,oBAAoB,CAAC;AACrD,OAAO,EAAE,aAAa,EAAE,MAAM,kBAAkB,CAAC;AAEjD,OAAO,EAAE,QAAQ,EAAE,MAAM,eAAe,CAAC;AAEzC;;;;;;;;;;;;;;;GAeG;AACH,MAAM,OAAO,eAAe;IAClB,OAAO,CAAqB;IAC5B,aAAa,CAAa;IAC1B,UAAU,CAAU;IAE5B;QACE,IAAI,CAAC,OAAO,GAAG,kBAAkB,CAAC,MAAM,EAAE,CAAC;IAC7C,CAAC;IAED;;OAEG;IACH,MAAM,CAAC,MAAM;QACX,OAAO,IAAI,eAAe,EAAE,CAAC;IAC/B,CAAC;IAED;;;;;;OAMG;IACH,mBAAmB;QACjB,IAAI,CAAC,aAAa,GAAG,IAAI,eAAe,EAAE,CAAC;QAC3C,IAAI,CAAC,UAAU,GAAG,IAAI,aAAa,CAAC,EAAE,KAAK,EAAE,QAAQ,CAAC,KAAK,EAAE,CAAC,CAAC;QAE/D,IAAI,CAAC,OAAO,CAAC,YAAY,CAAC,IAAI,CAAC,aAAa,CAAC,CAAC,SAAS,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;QAEzE,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,YAAY,CAAC,SAAoB;QAC/B,IAAI,CAAC,OAAO,CAAC,YAAY,CAAC,SAAS,CAAC,CAAC;QACrC,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,SAAS,CAAC,MAAc;QACtB,IAAI,CAAC,OAAO,CAAC,SAAS,CAAC,MAAM,CAAC,CAAC;QAC/B,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,SAAS,CAAC,MAAc,EAAE,MAAgB;QACxC,IAAI,CAAC,OAAO,CAAC,SAAS,CAAC,MAAM,EAAE,MAAM,CAAC,CAAC;QACvC,OAAO,IAAI,CAAC;IACd,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,KAAK;QACT,OAAO,MAAM,IAAI,CAAC,OAAO,CAAC,KAAK,EAAE,CAAC;IACpC,CAAC;CACF;AAED;;;;;;;;;GASG;AACH,MAAM,CAAC,KAAK,UAAU,aAAa;IACjC,MAAM,GAAG,GAAG,MAAM,eAAe,CAAC,MAAM,EAAE,CAAC,mBAAmB,EAAE,CAAC,KAAK,EAAE,CAAC;IAEzE,MAAM,GAAG,CAAC,KAAK,EAAE,CAAC;IAElB,OAAO,GAAG,CAAC;AACb,CAAC"}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@stratix/testing",
3
- "version": "0.4.0",
3
+ "version": "0.4.4",
4
4
  "description": "Testing utilities for Stratix AI agents",
5
5
  "type": "module",
6
6
  "main": "./dist/index.js",
@@ -11,6 +11,12 @@
11
11
  "default": "./dist/index.js"
12
12
  }
13
13
  },
14
+ "scripts": {
15
+ "build": "tsc",
16
+ "typecheck": "tsc --noEmit",
17
+ "test": "vitest run || exit 0",
18
+ "test:watch": "vitest"
19
+ },
14
20
  "keywords": [
15
21
  "stratix",
16
22
  "ai",
@@ -19,9 +25,9 @@
19
25
  "mock"
20
26
  ],
21
27
  "dependencies": {
22
- "@stratix/runtime": "0.4.0",
23
- "@stratix/core": "0.4.0",
24
- "@stratix/di-awilix": "0.4.0"
28
+ "@stratix/runtime": "workspace:*",
29
+ "@stratix/di-awilix": "workspace:*",
30
+ "@stratix/core": "workspace:*"
25
31
  },
26
32
  "devDependencies": {
27
33
  "@types/node": "^20.10.0",
@@ -35,7 +41,7 @@
35
41
  "url": "https://github.com/stratix-dev/stratix.git",
36
42
  "directory": "packages/testing"
37
43
  },
38
- "homepage": "https://github.com/stratix-dev/stratix#readme",
44
+ "homepage": "https://stratix-dev.github.io/stratix/",
39
45
  "bugs": {
40
46
  "url": "https://github.com/stratix-dev/stratix/issues"
41
47
  },
@@ -48,11 +54,5 @@
48
54
  ],
49
55
  "engines": {
50
56
  "node": ">=18.0.0"
51
- },
52
- "scripts": {
53
- "build": "tsc",
54
- "typecheck": "tsc --noEmit",
55
- "test": "vitest run || exit 0",
56
- "test:watch": "vitest"
57
57
  }
58
- }
58
+ }