@shellicar/core-di 1.0.0 → 2.0.1

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
@@ -2,6 +2,32 @@
2
2
 
3
3
  A basic dependency injection library.
4
4
 
5
+ <!-- BEGIN_ECOSYSTEM -->
6
+
7
+ ## @shellicar TypeScript Ecosystem
8
+
9
+ ### Core Libraries
10
+
11
+ - [`@shellicar/core-config`](https://github.com/shellicar/core-config) - A library for securely handling sensitive configuration values like connection strings, URLs, and secrets.
12
+ - [`@shellicar/core-di`](https://github.com/shellicar/core-di) - A basic dependency injection library.
13
+ - [`@shellicar/core-foundation`](https://github.com/shellicar/core-foundation) - A comprehensive starter repository.
14
+
15
+ ### Build Tools
16
+
17
+ - [`@shellicar/build-version`](https://github.com/shellicar/build-version) - Build plugin that calculates and exposes version information through a virtual module import.
18
+ - [`@shellicar/build-graphql`](https://github.com/shellicar/build-graphql) - Build plugin that loads GraphQL files and makes them available through a virtual module import.
19
+
20
+ ### Framework Adapters
21
+
22
+ - [`@shellicar/svelte-adapter-azure-functions`](https://github.com/shellicar/svelte-adapter-azure-functions) - A [SvelteKit adapter](https://kit.svelte.dev/docs/adapters) that builds your app into an Azure Function.
23
+
24
+ ### Logging & Monitoring
25
+
26
+ - [`@shellicar/winston-azure-application-insights`](https://github.com/shellicar/winston-azure-application-insights) - An [Azure Application Insights](https://azure.microsoft.com/en-us/services/application-insights/) transport for [Winston](https://github.com/winstonjs/winston) logging library.
27
+ - [`@shellicar/pino-applicationinsights-transport`](https://github.com/shellicar/pino-applicationinsights-transport) - [Azure Application Insights](https://azure.microsoft.com/en-us/services/application-insights) transport for [pino](https://github.com/pinojs/pino)
28
+
29
+ <!-- END_ECOSYSTEM -->
30
+
5
31
  ## Motivation
6
32
 
7
33
  Coming from .NET I am used to DI frameworks/libraries such as `Autofac`, `Ninject`, `StructureMap`, `Unity`, and Microsoft's own `DependencyInjection`.
@@ -15,6 +41,7 @@ With TypeScript 5.0 generally available with non-experimental decorators, most D
15
41
  My set of features is simple, based on my current usage
16
42
 
17
43
  * Type-safe registration.
44
+
18
45
  ```ts
19
46
  const services = createServiceCollection();
20
47
  abstract class IAbstract { abstract method(): void; }
@@ -22,13 +49,17 @@ abstract class Concrete {}
22
49
  services.register(IAbstract).to(Concrete);
23
50
  // ^ Error
24
51
  ```
52
+
25
53
  * Type-safe resolution.
54
+
26
55
  ```ts
27
56
  const provider = services.buildProvider();
28
57
  const svc = provider.resolve(IMyService);
29
58
  // ^ IMyService
30
59
  ```
60
+
31
61
  * Provide factory methods for instantiating classes.
62
+
32
63
  ```ts
33
64
  services.register(Redis).to(Redis, x => {
34
65
  const options = x.resolve(IRedisOptions);
@@ -38,13 +69,16 @@ services.register(Redis).to(Redis, x => {
38
69
  });
39
70
  });
40
71
  ```
72
+
41
73
  * Use property injection with decorators for simple dependency definition.
74
+
42
75
  ```ts
43
76
  abstract class IDependency {}
44
77
  class Service implements IService {
45
78
  @dependsOn(IDependency) private readonly dependency!: IDependency;
46
79
  }
47
80
  ```
81
+
48
82
  * Provide multiple implementations for identifiers and provide a `resolveAll` method.
49
83
  * Define instance lifetime with simple builder pattern.
50
84
 
@@ -53,6 +87,7 @@ services.register(IAbstract).to(Concrete).singleton();
53
87
  ```
54
88
 
55
89
  * Create scopes to allow "per-request" lifetimes.
90
+
56
91
  ```ts
57
92
  const services = createServiceCollection();
58
93
  const provider = services.buildProvider();
@@ -60,11 +95,22 @@ using scope = provider.createScope();
60
95
  ```
61
96
 
62
97
  * Register classes during a scope
98
+
63
99
  ```ts
64
100
  using scope = provider.createScope();
65
101
  scope.Services.register(IContext).to(Context);
66
102
  ```
103
+
104
+ * Multiple registrations
105
+
106
+ ```ts
107
+ services.register(IAbstract1, IAbstract2).to(Concrete).singleton();
108
+ const provider = services.buildProvider();
109
+ provider.resolve(IAbstract1) === provider.resolve(IAbstract2);
110
+ ```
111
+
67
112
  * Override registrations (e.g.: for testing)
113
+
68
114
  ```ts
69
115
  import { ok } from 'node:assert/strict';
70
116
  const services = createServiceCollection({ registrationMode: ResolveMultipleMode.LastRegistered });
@@ -75,7 +121,19 @@ const provider = services.buildProvider();
75
121
  const options = provider.resolve(IOptions);
76
122
  ok(options instanceof MockOptions);
77
123
  ```
124
+
125
+ * Override lifetimes (e.g.: for testing)
126
+
127
+ ```ts
128
+ const services = createServiceCollection({ logLevel: LogLevel.Debug });
129
+ services.register(IAbstract).to(Concrete).singleton();
130
+ const provider = services.buildProvider();
131
+ sp.Services.overrideLifetime(IAbstract, Lifetime.Transient);
132
+ sp.resolve(IAbstract) !== sp.resolve(IAbstract);
133
+ ```
134
+
78
135
  * Logging options
136
+
79
137
  ```ts
80
138
  class CustomLogger extends ILogger {
81
139
  public override debug(message?: any, ...optionalParams: any[]): void {
@@ -87,7 +145,9 @@ const services1 = createServiceCollection({ logger: new CustomLogger() });
87
145
  // Override default log level
88
146
  const services2 = createServiceCollection({ logLevel: LogLevel.Debug });
89
147
  ```
148
+
90
149
  * Service modules
150
+
91
151
  ```ts
92
152
  class IAbstract {}
93
153
  class Concrete extends IAbstract {}
package/dist/index.d.mts CHANGED
@@ -4,12 +4,23 @@ declare enum Lifetime {
4
4
  Scoped = "SCOPED",
5
5
  Singleton = "SINGLETON"
6
6
  }
7
+ declare enum LogLevel {
8
+ Debug = 0,
9
+ Info = 1,
10
+ Warn = 2,
11
+ Error = 3,
12
+ None = 4
13
+ }
14
+ declare enum ResolveMultipleMode {
15
+ Error = "ERROR",
16
+ LastRegistered = "LAST_REGISTERED"
17
+ }
7
18
 
8
19
  declare abstract class ILogger {
9
- debug(message?: any, ...optionalParams: any[]): void;
10
- info(message?: any, ...optionalParams: any[]): void;
11
- error(message?: any, ...optionalParams: any[]): void;
12
- warn(message?: any, ...optionalParams: any[]): void;
20
+ debug(_message?: any, ..._optionalParams: any[]): void;
21
+ info(_message?: any, ..._optionalParams: any[]): void;
22
+ error(_message?: any, ..._optionalParams: any[]): void;
23
+ warn(_message?: any, ..._optionalParams: any[]): void;
13
24
  }
14
25
 
15
26
  type SourceType = object;
@@ -20,43 +31,14 @@ type ServiceIdentifier<T extends SourceType> = {
20
31
  name: string;
21
32
  };
22
33
  type ServiceImplementation<T extends SourceType> = Newable<T>;
23
- type InstanceFactory<T extends SourceType> = (x: IServiceScope & IServiceProvider) => T;
34
+ type InstanceFactory<T extends SourceType> = (x: IResolutionScope) => T;
24
35
  type ServiceModuleType = Newable<IServiceModule>;
25
- type ServiceDescriptorFactory<T extends SourceType> = {
26
- implementation: ServiceIdentifier<T>;
27
- factory: InstanceFactory<T>;
36
+ type ServiceDescriptor<T extends SourceType> = {
37
+ readonly implementation: ServiceImplementation<T>;
28
38
  lifetime: Lifetime;
29
- };
30
- type ServiceDescriptorConcrete<T extends SourceType> = {
31
- implementation: ServiceImplementation<T>;
32
- lifetime: Lifetime;
33
- };
34
- type ServiceDescriptor<T extends SourceType> = ServiceDescriptorConcrete<T> | ServiceDescriptorFactory<T>;
35
- type LifetimeBuilder = {
36
- singleton: () => LifetimeBuilder;
37
- scoped: () => LifetimeBuilder;
38
- transient: () => LifetimeBuilder;
39
- };
40
- type ServiceBuilder<T extends SourceType> = {
41
- to: {
42
- (implementation: ServiceImplementation<T>): LifetimeBuilder;
43
- (implementation: ServiceIdentifier<T>, factory: InstanceFactory<T>): LifetimeBuilder;
44
- };
39
+ createInstance(context: IResolutionScope): T;
45
40
  };
46
41
  type MetadataType<T extends SourceType> = Record<string | symbol, ServiceIdentifier<T>>;
47
- declare const ResolveMultipleMode: {
48
- readonly Error: "ERROR";
49
- readonly LastRegistered: "LAST_REGISTERED";
50
- };
51
- type ResolveMultipleMode = (typeof ResolveMultipleMode)[keyof typeof ResolveMultipleMode];
52
- declare enum LogLevel {
53
- Debug = 0,
54
- Info = 1,
55
- Warn = 2,
56
- Error = 3,
57
- None = 4
58
- }
59
- declare const DefaultServiceCollectionOptions: ServiceCollectionOptions;
60
42
  type ServiceCollectionOptions = {
61
43
  /**
62
44
  * Whether calling `resolve` when there are multiple registrations
@@ -75,6 +57,12 @@ type ServiceCollectionOptions = {
75
57
  */
76
58
  logger?: ILogger;
77
59
  };
60
+ type UnionToIntersection<U> = (U extends any ? (k: U) => void : never) extends (k: infer I) => void ? I : never;
61
+ type EnsureObject<T> = T extends object ? T : never;
62
+ type ServiceBuilderOptions<T extends SourceType> = {
63
+ (implementation: ServiceImplementation<T>): ILifetimeBuilder;
64
+ (implementation: ServiceImplementation<T>, factory: InstanceFactory<T>): ILifetimeBuilder;
65
+ };
78
66
 
79
67
  declare abstract class IDisposable {
80
68
  abstract [Symbol.dispose](): void;
@@ -82,31 +70,52 @@ declare abstract class IDisposable {
82
70
  declare abstract class IServiceModule {
83
71
  abstract registerServices(services: IServiceCollection): void;
84
72
  }
85
- declare abstract class IServiceScope {
73
+ declare abstract class IResolutionScope {
86
74
  /**
87
- * Resolves a single implementation for the identifier.
88
- * When finding multiple implementations, it will either
89
- * throw a {@link MultipleRegistrationError} or resolve the latest depending on the provided options.
75
+ * Resolves a single implementation for the given identifier.
76
+ * @template T The type of service to resolve
77
+ * @param identifier The service identifier
78
+ * @returns The resolved instance
79
+ * @throws {MultipleRegistrationError} When multiple implementations exist (unless {@link ServiceCollectionOptions.registrationMode} is set to {@link ResolveMultipleMode.LastRegistered}).
80
+ * @throws {UnregisteredServiceError} When no implementation exists
90
81
  */
91
82
  abstract resolve<T extends SourceType>(identifier: ServiceIdentifier<T>): T;
92
83
  /**
93
- * Resolves all implementations for the identifier.
84
+ * Resolves all implementations for the given identifier.
85
+ * @template T The type of service to resolve
86
+ * @param identifier The service identifier
87
+ * @returns Array of resolved instances
94
88
  */
95
89
  abstract resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>): T[];
96
90
  }
97
- declare abstract class IServiceProvider extends IServiceScope {
98
- abstract get Services(): IServiceCollection;
99
- abstract createScope(): IServiceProvider & IDisposable;
91
+ declare abstract class IScopedProvider extends IResolutionScope implements IDisposable {
92
+ abstract readonly Services: IServiceCollection;
93
+ abstract [Symbol.dispose](): void;
94
+ }
95
+ declare abstract class IServiceProvider extends IResolutionScope {
96
+ abstract readonly Services: IServiceCollection;
97
+ abstract createScope(): IScopedProvider;
100
98
  }
101
99
  declare abstract class IServiceCollection {
102
100
  abstract readonly options: ServiceCollectionOptions;
103
- abstract get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[];
104
- abstract register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T>;
101
+ abstract get<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceDescriptor<T>[];
102
+ abstract register<Types extends SourceType[]>(...identifiers: {
103
+ [K in keyof Types]: ServiceIdentifier<Types[K]>;
104
+ }): IServiceBuilder<EnsureObject<UnionToIntersection<Types[number]>>>;
105
105
  abstract registerModules(...modules: ServiceModuleType[]): void;
106
+ abstract overrideLifetime<T extends SourceType>(identifier: ServiceIdentifier<T>, lifetime: Lifetime): void;
106
107
  abstract buildProvider(): IServiceProvider;
107
108
  abstract clone(): IServiceCollection;
108
109
  abstract clone(scoped: true): IServiceCollection;
109
110
  }
111
+ declare abstract class ILifetimeBuilder {
112
+ abstract singleton(): ILifetimeBuilder;
113
+ abstract scoped(): ILifetimeBuilder;
114
+ abstract transient(): ILifetimeBuilder;
115
+ }
116
+ declare abstract class IServiceBuilder<T extends SourceType> {
117
+ abstract to: ServiceBuilderOptions<T>;
118
+ }
110
119
 
111
120
  /**
112
121
  * Creates a service collection with the (optionally) provided options
@@ -116,11 +125,14 @@ declare abstract class IServiceCollection {
116
125
  declare const createServiceCollection: (options?: Partial<ServiceCollectionOptions>) => IServiceCollection;
117
126
 
118
127
  /**
119
- * declares a dependency, use on a class field
128
+ * declares a dependency, use on a class field.
129
+ * Can also depend on {@link IServiceProvider}, {@link IResolutionScope}, or {@link IScopedProvider}.
120
130
  * @param identifier the identifier to depend on, i.e. the interface
121
131
  */
122
132
  declare const dependsOn: <T extends SourceType>(identifier: ServiceIdentifier<T>) => (value: undefined, ctx: ClassFieldDecoratorContext) => (this: object, initialValue: any) => any;
123
133
 
134
+ declare const DefaultServiceCollectionOptions: ServiceCollectionOptions;
135
+
124
136
  declare abstract class ServiceError extends Error {
125
137
  }
126
138
  declare class UnregisteredServiceError<T extends object> extends ServiceError {
@@ -140,40 +152,9 @@ declare class SelfDependencyError extends ServiceError {
140
152
  name: string;
141
153
  constructor();
142
154
  }
143
-
144
- declare class ServiceCollection implements IServiceCollection {
145
- private readonly logger;
146
- readonly options: ServiceCollectionOptions;
147
- private readonly isScoped;
148
- private readonly services;
149
- constructor(logger: ILogger, options: ServiceCollectionOptions, isScoped: boolean, services?: Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>);
150
- registerModules(...modules: ServiceModuleType[]): void;
151
- get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[];
152
- register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T>;
153
- private addService;
154
- clone(): IServiceCollection;
155
- clone(scoped: true): IServiceCollection;
156
- buildProvider(): IServiceProvider;
157
- }
158
-
159
- type Id<T extends SourceType> = ServiceIdentifier<T> | ServiceImplementation<T>;
160
- type ResolveMap<T extends SourceType> = Map<ServiceIdentifier<T>, Map<Id<T>, T>>;
161
- declare class ServiceProvider implements IServiceProvider, IServiceScope {
162
- private readonly logger;
163
- private readonly services;
164
- private readonly singletons;
165
- private scoped;
166
- private created;
167
- constructor(logger: ILogger, services: IServiceCollection, singletons?: ResolveMap<object>);
168
- get Services(): IServiceCollection;
169
- [Symbol.dispose](): void;
170
- private resolveFrom;
171
- private resolveInternal;
172
- resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve?: ResolveMap<T>): T[];
173
- resolve<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve?: ResolveMap<T>): T;
174
- private createInstance;
175
- createScope(): IServiceProvider & IDisposable;
176
- private setDependencies;
155
+ declare class ScopedSingletonRegistrationError extends ServiceError {
156
+ name: string;
157
+ constructor();
177
158
  }
178
159
 
179
- export { type AbstractNewable, DefaultServiceCollectionOptions, IDisposable, ILogger, IServiceCollection, IServiceModule, IServiceProvider, IServiceScope, type InstanceFactory, type LifetimeBuilder, LogLevel, type MetadataType, MultipleRegistrationError, type Newable, ResolveMultipleMode, SelfDependencyError, type ServiceBuilder, ServiceCollection, type ServiceCollectionOptions, ServiceCreationError, type ServiceDescriptor, type ServiceDescriptorConcrete, type ServiceDescriptorFactory, ServiceError, type ServiceIdentifier, type ServiceImplementation, type ServiceModuleType, ServiceProvider, type SourceType, UnregisteredServiceError, createServiceCollection, dependsOn };
160
+ export { type AbstractNewable, DefaultServiceCollectionOptions, IDisposable, ILifetimeBuilder, ILogger, IResolutionScope, IScopedProvider, IServiceBuilder, IServiceCollection, IServiceModule, IServiceProvider, type InstanceFactory, Lifetime, LogLevel, type MetadataType, MultipleRegistrationError, type Newable, ResolveMultipleMode, ScopedSingletonRegistrationError, SelfDependencyError, type ServiceCollectionOptions, ServiceCreationError, type ServiceDescriptor, ServiceError, type ServiceIdentifier, type ServiceImplementation, type ServiceModuleType, type SourceType, UnregisteredServiceError, createServiceCollection, dependsOn };
package/dist/index.d.ts CHANGED
@@ -4,12 +4,23 @@ declare enum Lifetime {
4
4
  Scoped = "SCOPED",
5
5
  Singleton = "SINGLETON"
6
6
  }
7
+ declare enum LogLevel {
8
+ Debug = 0,
9
+ Info = 1,
10
+ Warn = 2,
11
+ Error = 3,
12
+ None = 4
13
+ }
14
+ declare enum ResolveMultipleMode {
15
+ Error = "ERROR",
16
+ LastRegistered = "LAST_REGISTERED"
17
+ }
7
18
 
8
19
  declare abstract class ILogger {
9
- debug(message?: any, ...optionalParams: any[]): void;
10
- info(message?: any, ...optionalParams: any[]): void;
11
- error(message?: any, ...optionalParams: any[]): void;
12
- warn(message?: any, ...optionalParams: any[]): void;
20
+ debug(_message?: any, ..._optionalParams: any[]): void;
21
+ info(_message?: any, ..._optionalParams: any[]): void;
22
+ error(_message?: any, ..._optionalParams: any[]): void;
23
+ warn(_message?: any, ..._optionalParams: any[]): void;
13
24
  }
14
25
 
15
26
  type SourceType = object;
@@ -20,43 +31,14 @@ type ServiceIdentifier<T extends SourceType> = {
20
31
  name: string;
21
32
  };
22
33
  type ServiceImplementation<T extends SourceType> = Newable<T>;
23
- type InstanceFactory<T extends SourceType> = (x: IServiceScope & IServiceProvider) => T;
34
+ type InstanceFactory<T extends SourceType> = (x: IResolutionScope) => T;
24
35
  type ServiceModuleType = Newable<IServiceModule>;
25
- type ServiceDescriptorFactory<T extends SourceType> = {
26
- implementation: ServiceIdentifier<T>;
27
- factory: InstanceFactory<T>;
36
+ type ServiceDescriptor<T extends SourceType> = {
37
+ readonly implementation: ServiceImplementation<T>;
28
38
  lifetime: Lifetime;
29
- };
30
- type ServiceDescriptorConcrete<T extends SourceType> = {
31
- implementation: ServiceImplementation<T>;
32
- lifetime: Lifetime;
33
- };
34
- type ServiceDescriptor<T extends SourceType> = ServiceDescriptorConcrete<T> | ServiceDescriptorFactory<T>;
35
- type LifetimeBuilder = {
36
- singleton: () => LifetimeBuilder;
37
- scoped: () => LifetimeBuilder;
38
- transient: () => LifetimeBuilder;
39
- };
40
- type ServiceBuilder<T extends SourceType> = {
41
- to: {
42
- (implementation: ServiceImplementation<T>): LifetimeBuilder;
43
- (implementation: ServiceIdentifier<T>, factory: InstanceFactory<T>): LifetimeBuilder;
44
- };
39
+ createInstance(context: IResolutionScope): T;
45
40
  };
46
41
  type MetadataType<T extends SourceType> = Record<string | symbol, ServiceIdentifier<T>>;
47
- declare const ResolveMultipleMode: {
48
- readonly Error: "ERROR";
49
- readonly LastRegistered: "LAST_REGISTERED";
50
- };
51
- type ResolveMultipleMode = (typeof ResolveMultipleMode)[keyof typeof ResolveMultipleMode];
52
- declare enum LogLevel {
53
- Debug = 0,
54
- Info = 1,
55
- Warn = 2,
56
- Error = 3,
57
- None = 4
58
- }
59
- declare const DefaultServiceCollectionOptions: ServiceCollectionOptions;
60
42
  type ServiceCollectionOptions = {
61
43
  /**
62
44
  * Whether calling `resolve` when there are multiple registrations
@@ -75,6 +57,12 @@ type ServiceCollectionOptions = {
75
57
  */
76
58
  logger?: ILogger;
77
59
  };
60
+ type UnionToIntersection<U> = (U extends any ? (k: U) => void : never) extends (k: infer I) => void ? I : never;
61
+ type EnsureObject<T> = T extends object ? T : never;
62
+ type ServiceBuilderOptions<T extends SourceType> = {
63
+ (implementation: ServiceImplementation<T>): ILifetimeBuilder;
64
+ (implementation: ServiceImplementation<T>, factory: InstanceFactory<T>): ILifetimeBuilder;
65
+ };
78
66
 
79
67
  declare abstract class IDisposable {
80
68
  abstract [Symbol.dispose](): void;
@@ -82,31 +70,52 @@ declare abstract class IDisposable {
82
70
  declare abstract class IServiceModule {
83
71
  abstract registerServices(services: IServiceCollection): void;
84
72
  }
85
- declare abstract class IServiceScope {
73
+ declare abstract class IResolutionScope {
86
74
  /**
87
- * Resolves a single implementation for the identifier.
88
- * When finding multiple implementations, it will either
89
- * throw a {@link MultipleRegistrationError} or resolve the latest depending on the provided options.
75
+ * Resolves a single implementation for the given identifier.
76
+ * @template T The type of service to resolve
77
+ * @param identifier The service identifier
78
+ * @returns The resolved instance
79
+ * @throws {MultipleRegistrationError} When multiple implementations exist (unless {@link ServiceCollectionOptions.registrationMode} is set to {@link ResolveMultipleMode.LastRegistered}).
80
+ * @throws {UnregisteredServiceError} When no implementation exists
90
81
  */
91
82
  abstract resolve<T extends SourceType>(identifier: ServiceIdentifier<T>): T;
92
83
  /**
93
- * Resolves all implementations for the identifier.
84
+ * Resolves all implementations for the given identifier.
85
+ * @template T The type of service to resolve
86
+ * @param identifier The service identifier
87
+ * @returns Array of resolved instances
94
88
  */
95
89
  abstract resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>): T[];
96
90
  }
97
- declare abstract class IServiceProvider extends IServiceScope {
98
- abstract get Services(): IServiceCollection;
99
- abstract createScope(): IServiceProvider & IDisposable;
91
+ declare abstract class IScopedProvider extends IResolutionScope implements IDisposable {
92
+ abstract readonly Services: IServiceCollection;
93
+ abstract [Symbol.dispose](): void;
94
+ }
95
+ declare abstract class IServiceProvider extends IResolutionScope {
96
+ abstract readonly Services: IServiceCollection;
97
+ abstract createScope(): IScopedProvider;
100
98
  }
101
99
  declare abstract class IServiceCollection {
102
100
  abstract readonly options: ServiceCollectionOptions;
103
- abstract get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[];
104
- abstract register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T>;
101
+ abstract get<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceDescriptor<T>[];
102
+ abstract register<Types extends SourceType[]>(...identifiers: {
103
+ [K in keyof Types]: ServiceIdentifier<Types[K]>;
104
+ }): IServiceBuilder<EnsureObject<UnionToIntersection<Types[number]>>>;
105
105
  abstract registerModules(...modules: ServiceModuleType[]): void;
106
+ abstract overrideLifetime<T extends SourceType>(identifier: ServiceIdentifier<T>, lifetime: Lifetime): void;
106
107
  abstract buildProvider(): IServiceProvider;
107
108
  abstract clone(): IServiceCollection;
108
109
  abstract clone(scoped: true): IServiceCollection;
109
110
  }
111
+ declare abstract class ILifetimeBuilder {
112
+ abstract singleton(): ILifetimeBuilder;
113
+ abstract scoped(): ILifetimeBuilder;
114
+ abstract transient(): ILifetimeBuilder;
115
+ }
116
+ declare abstract class IServiceBuilder<T extends SourceType> {
117
+ abstract to: ServiceBuilderOptions<T>;
118
+ }
110
119
 
111
120
  /**
112
121
  * Creates a service collection with the (optionally) provided options
@@ -116,11 +125,14 @@ declare abstract class IServiceCollection {
116
125
  declare const createServiceCollection: (options?: Partial<ServiceCollectionOptions>) => IServiceCollection;
117
126
 
118
127
  /**
119
- * declares a dependency, use on a class field
128
+ * declares a dependency, use on a class field.
129
+ * Can also depend on {@link IServiceProvider}, {@link IResolutionScope}, or {@link IScopedProvider}.
120
130
  * @param identifier the identifier to depend on, i.e. the interface
121
131
  */
122
132
  declare const dependsOn: <T extends SourceType>(identifier: ServiceIdentifier<T>) => (value: undefined, ctx: ClassFieldDecoratorContext) => (this: object, initialValue: any) => any;
123
133
 
134
+ declare const DefaultServiceCollectionOptions: ServiceCollectionOptions;
135
+
124
136
  declare abstract class ServiceError extends Error {
125
137
  }
126
138
  declare class UnregisteredServiceError<T extends object> extends ServiceError {
@@ -140,40 +152,9 @@ declare class SelfDependencyError extends ServiceError {
140
152
  name: string;
141
153
  constructor();
142
154
  }
143
-
144
- declare class ServiceCollection implements IServiceCollection {
145
- private readonly logger;
146
- readonly options: ServiceCollectionOptions;
147
- private readonly isScoped;
148
- private readonly services;
149
- constructor(logger: ILogger, options: ServiceCollectionOptions, isScoped: boolean, services?: Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>);
150
- registerModules(...modules: ServiceModuleType[]): void;
151
- get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[];
152
- register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T>;
153
- private addService;
154
- clone(): IServiceCollection;
155
- clone(scoped: true): IServiceCollection;
156
- buildProvider(): IServiceProvider;
157
- }
158
-
159
- type Id<T extends SourceType> = ServiceIdentifier<T> | ServiceImplementation<T>;
160
- type ResolveMap<T extends SourceType> = Map<ServiceIdentifier<T>, Map<Id<T>, T>>;
161
- declare class ServiceProvider implements IServiceProvider, IServiceScope {
162
- private readonly logger;
163
- private readonly services;
164
- private readonly singletons;
165
- private scoped;
166
- private created;
167
- constructor(logger: ILogger, services: IServiceCollection, singletons?: ResolveMap<object>);
168
- get Services(): IServiceCollection;
169
- [Symbol.dispose](): void;
170
- private resolveFrom;
171
- private resolveInternal;
172
- resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve?: ResolveMap<T>): T[];
173
- resolve<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve?: ResolveMap<T>): T;
174
- private createInstance;
175
- createScope(): IServiceProvider & IDisposable;
176
- private setDependencies;
155
+ declare class ScopedSingletonRegistrationError extends ServiceError {
156
+ name: string;
157
+ constructor();
177
158
  }
178
159
 
179
- export { type AbstractNewable, DefaultServiceCollectionOptions, IDisposable, ILogger, IServiceCollection, IServiceModule, IServiceProvider, IServiceScope, type InstanceFactory, type LifetimeBuilder, LogLevel, type MetadataType, MultipleRegistrationError, type Newable, ResolveMultipleMode, SelfDependencyError, type ServiceBuilder, ServiceCollection, type ServiceCollectionOptions, ServiceCreationError, type ServiceDescriptor, type ServiceDescriptorConcrete, type ServiceDescriptorFactory, ServiceError, type ServiceIdentifier, type ServiceImplementation, type ServiceModuleType, ServiceProvider, type SourceType, UnregisteredServiceError, createServiceCollection, dependsOn };
160
+ export { type AbstractNewable, DefaultServiceCollectionOptions, IDisposable, ILifetimeBuilder, ILogger, IResolutionScope, IScopedProvider, IServiceBuilder, IServiceCollection, IServiceModule, IServiceProvider, type InstanceFactory, Lifetime, LogLevel, type MetadataType, MultipleRegistrationError, type Newable, ResolveMultipleMode, ScopedSingletonRegistrationError, SelfDependencyError, type ServiceCollectionOptions, ServiceCreationError, type ServiceDescriptor, ServiceError, type ServiceIdentifier, type ServiceImplementation, type ServiceModuleType, type SourceType, UnregisteredServiceError, createServiceCollection, dependsOn };
package/dist/index.js CHANGED
@@ -1 +1 @@
1
- "use strict";function e(e,t){return null!=e?e:t()}var t,r,s,i,o,n;Object.defineProperty(exports,"__esModule",{value:!0});var c=Object.defineProperty,l=(e,t)=>c(e,"name",{value:t,configurable:!0}),a="design:dependencies",p=class extends Error{static{l(this,"ServiceError")}},h=t=class extends p{static{l(this,"UnregisteredServiceError")}__init(){this.name="UnregisteredServiceError"}constructor(e){super(`Resolving service that has not been registered: ${e}`),t.prototype.__init.call(this),Object.setPrototypeOf(this,new.target.prototype)}},g=r=class extends p{static{l(this,"MultipleRegistrationError")}__init2(){this.name="MultipleRegistrationError"}constructor(e){super(`Multiple services have been registered: ${e}`),r.prototype.__init2.call(this),Object.setPrototypeOf(this,new.target.prototype)}},v=s=class extends p{constructor(e,t){super(`Error creating service: ${e}`),s.prototype.__init3.call(this),this.innerError=t,Object.setPrototypeOf(this,new.target.prototype)}static{l(this,"ServiceCreationError")}__init3(){this.name="ServiceCreationError"}},d=i=class extends p{static{l(this,"SelfDependencyError")}__init4(){this.name="SelfDependencyError"}constructor(){super("Service depending on itself"),i.prototype.__init4.call(this),Object.setPrototypeOf(this,new.target.prototype)}},u=o=class extends p{static{l(this,"ScopedSingletonRegistrationError")}__init5(){this.name="ScopedSingletonRegistrationError"}constructor(){super("Cannot register a singleton in a scoped service collection"),o.prototype.__init5.call(this),Object.setPrototypeOf(this,new.target.prototype)}},S=class{static{l(this,"IDisposable")}},f=class{static{l(this,"IServiceModule")}},m=class{static{l(this,"IServiceScope")}},E=class extends m{static{l(this,"IServiceProvider")}},y=class{static{l(this,"IServiceCollection")}};require("@abraham/reflection");var w=l(((e,t)=>Reflect.getMetadata(e,t)),"getMetadata"),_=l(((e,t,r)=>Reflect.defineMetadata(e,t,r)),"defineMetadata"),x={Error:"ERROR",LastRegistered:"LAST_REGISTERED"},b=(e=>(e[e.Debug=0]="Debug",e[e.Info=1]="Info",e[e.Warn=2]="Warn",e[e.Error=3]="Error",e[e.None=4]="None",e))(b||{}),O={registrationMode:x.Error,logLevel:2},I=l((()=>new Map),"createResolveMap"),M=n=class t{constructor(e,t,r=I()){n.prototype.__init6.call(this),n.prototype.__init7.call(this),this.logger=e,this.services=t,this.singletons=r}static{l(this,"ServiceProvider")}__init6(){this.scoped=I()}__init7(){this.created=[]}get Services(){return this.services}[Symbol.dispose](){for(const e of this.created)e[Symbol.dispose]()}resolveFrom(e,t,r,s){let i=r.get(e);void 0===i&&(i=new Map,r.set(e,i));let o=i.get(t.implementation);return void 0===o&&(o=this.createInstance(t,s),i.set(t.implementation,o),this.setDependencies(t.implementation,o,s)),o}resolveInternal(e,t,r){const s={SINGLETON:this.singletons,SCOPED:this.scoped,RESOLVE:r}[t.lifetime];if(void 0===s){const e=this.createInstance(t,r);return this.setDependencies(t.implementation,e,r),e}return this.resolveFrom(e,t,s,r)}resolveAll(e,t=I()){return this.services.get(e).map((r=>this.resolveInternal(e,r,t)))}resolve(e,t=I()){if(e.prototype===m.prototype||e.prototype===E.prototype)return this;const r=this.services.get(e);if(0===r.length)throw new h(e);if(r.length>1&&this.Services.options.registrationMode===x.Error)throw new g(e);const s=r[r.length-1];return this.resolveInternal(e,s,t)}createInstance(e,t){let r;if("factory"in e){const s=e.factory,i=l((e=>this.resolve(e,t)),"resolve"),o=l((e=>this.resolveAll(e,t)),"resolveAll"),n=this.createScope.bind(this);try{r=s({resolve:i,resolveAll:o,createScope:n,get Services(){return this.Services}})}catch(t){throw this.logger.error(t),new v(e.implementation,t)}}else try{r=new e.implementation}catch(t){throw this.logger.error(t),new v(e.implementation,t)}return"SINGLETON"!==e.lifetime&&Symbol.dispose in r&&this.created.push(r),r}createScope(){return new t(this.logger,this.services.clone(!0),this.singletons)}setDependencies(t,r,s){const i=e(w(a,t),(()=>({})));this.logger.debug("Dependencies",t.name,i);for(const[e,o]of Object.entries(i)){if(o===t)throw new d;{this.logger.debug("Resolving",o,"for",t.name);const i=this.resolve(o,s);r[e]=i}}return r}},R=class t{constructor(e,t,r,s=new Map){this.logger=e,this.options=t,this.isScoped=r,this.services=s}static{l(this,"ServiceCollection")}registerModules(...e){for(const t of e){(new t).registerServices(this)}}get(t){return e(this.services.get(t),(()=>[]))}register(e){return{to:l(((t,r)=>{const s=void 0===r?{implementation:t,lifetime:"RESOLVE"}:{implementation:t,factory:r,lifetime:"RESOLVE"};this.addService(e,s);const i={singleton:l((()=>{if(this.isScoped)throw new u;return s.lifetime="SINGLETON",i}),"singleton"),scoped:l((()=>(s.lifetime="SCOPED",i)),"scoped"),transient:l((()=>(s.lifetime="TRANSIENT",i)),"transient")};return i}),"to")}}addService(e,t){this.logger.info("Adding service",{identifier:e,descriptor:t});let r=this.services.get(e);null==r&&(r=[],this.services.set(e,r)),r.push(t)}clone(e){const r=new Map;for(const[e,t]of this.services){const s=t.map((e=>({...e})));r.set(e,s)}return new t(this.logger,this.options,!0===e,r)}buildProvider(){const e=this.clone();return new M(this.logger,e)}},L=class{static{l(this,"ILogger")}debug(e,...t){}info(e,...t){}error(e,...t){}warn(e,...t){}},D=class extends L{constructor(e){super(),this.options=e}static{l(this,"ConsoleLogger")}debug(e,...t){this.options.logLevel<=0&&console.debug(e,...t)}info(e,...t){this.options.logLevel<=1&&console.info(e,...t)}warn(e,...t){this.options.logLevel<=2&&console.warn(e,...t)}error(e,...t){this.options.logLevel<=3&&console.error(e,...t)}},P=l((e=>({...O,...e})),"mergeOptions"),C=l((t=>{const r=P(t),s=e(r.logger,(()=>new D(r)));return new R(s,r,!1)}),"createServiceCollection"),N=l(((e,t,r,s)=>{let i=w(e,t);void 0===i&&(i={},_(e,i,t)),i[r]=s}),"tagProperty"),j=l((e=>(t,r)=>function(t){const s=this.constructor;return N(a,s,r.name,e),t}),"dependsOn");exports.DefaultServiceCollectionOptions=O,exports.IDisposable=S,exports.ILogger=L,exports.IServiceCollection=y,exports.IServiceModule=f,exports.IServiceProvider=E,exports.IServiceScope=m,exports.LogLevel=b,exports.MultipleRegistrationError=g,exports.ResolveMultipleMode=x,exports.SelfDependencyError=d,exports.ServiceCollection=R,exports.ServiceCreationError=v,exports.ServiceError=p,exports.ServiceProvider=M,exports.UnregisteredServiceError=h,exports.createServiceCollection=C,exports.dependsOn=j;//# sourceMappingURL=index.js.map
1
+ "use strict";require("@abraham/reflection");var e=Object.defineProperty,t=(t,r)=>e(t,"name",{value:r,configurable:!0}),r=(e=>(e.Resolve="RESOLVE",e.Transient="TRANSIENT",e.Scoped="SCOPED",e.Singleton="SINGLETON",e))(r||{}),s=(e=>(e[e.Debug=0]="Debug",e[e.Info=1]="Info",e[e.Warn=2]="Warn",e[e.Error=3]="Error",e[e.None=4]="None",e))(s||{}),i=(e=>(e.Error="ERROR",e.LastRegistered="LAST_REGISTERED",e))(i||{}),o={registrationMode:"ERROR",logLevel:2},n=class extends Error{static{t(this,"ServiceError")}},c=class extends n{static{t(this,"UnregisteredServiceError")}name="UnregisteredServiceError";constructor(e){super(`Resolving service that has not been registered: ${e.name}`),Object.setPrototypeOf(this,new.target.prototype)}},l=class extends n{static{t(this,"MultipleRegistrationError")}name="MultipleRegistrationError";constructor(e){super(`Multiple services have been registered: ${e.name}`),Object.setPrototypeOf(this,new.target.prototype)}},a=class extends n{constructor(e,t){super(`Error creating service: ${e.name}`),this.innerError=t,Object.setPrototypeOf(this,new.target.prototype)}static{t(this,"ServiceCreationError")}name="ServiceCreationError"},p=class extends n{static{t(this,"SelfDependencyError")}name="SelfDependencyError";constructor(){super("Service depending on itself"),Object.setPrototypeOf(this,new.target.prototype)}},h=class extends n{static{t(this,"ScopedSingletonRegistrationError")}name="ScopedSingletonRegistrationError";constructor(){super("Cannot register a singleton in a scoped service collection"),Object.setPrototypeOf(this,new.target.prototype)}},g=class{constructor(e,t,r){this.identifiers=e,this.isScoped=t,this.addService=r}static{t(this,"ServiceBuilder")}descriptor;to(e,t){this.descriptor=this.createDescriptor(t,e);for(const e of this.identifiers)this.addService(e,this.descriptor);return this}createDescriptor(e,t){const r=e??(()=>new t);return{implementation:t,createInstance:r,lifetime:"RESOLVE"}}singleton(){if(this.isScoped)throw new h;return this.ensureDescriptor().lifetime="SINGLETON",this}scoped(){return this.ensureDescriptor().lifetime="SCOPED",this}transient(){return this.ensureDescriptor().lifetime="TRANSIENT",this}ensureDescriptor(){if(!this.descriptor)throw new Error("Must call to() before setting lifetime");return this.descriptor}},d=class{static{t(this,"IDisposable")}},u=class{static{t(this,"IServiceModule")}},v=class{static{t(this,"IResolutionScope")}},S=class extends v{static{t(this,"IScopedProvider")}},f=class extends v{static{t(this,"IServiceProvider")}},m=class{static{t(this,"IServiceCollection")}},E=class{static{t(this,"ILifetimeBuilder")}},I=class{static{t(this,"IServiceBuilder")}},w=class{constructor(e,t){this.singletons=e,this.scoped=t}static{t(this,"ResolutionContext")}transient=new Map;getFromLifetime(e,t){const r=this.getMapForLifetime(t);return r?.get(e)}setForLifetime(e,t,r){const s=this.getMapForLifetime(r);s?.set(e,t)}getMapForLifetime(e){return{SINGLETON:this.singletons,SCOPED:this.scoped,RESOLVE:this.transient}[e]}},x="design:dependencies",R=t(((e,t)=>Reflect.getMetadata(e,t)),"getMetadata"),L=t(((e,t,r)=>Reflect.defineMetadata(e,t,r)),"defineMetadata"),O=class e{constructor(e,t,r=new Map){this.logger=e,this.Services=t,this.singletons=r}static{t(this,"ServiceProvider")}scoped=new Map;created=[];[Symbol.dispose](){for(const e of this.created)e[Symbol.dispose]()}resolveInternal(e,t){let r=t.getFromLifetime(e.implementation,e.lifetime);return null==r&&(r=this.createInstance(e,t)),r}resolveAll(e,t){return this.Services.get(e).map((e=>this.resolveInternal(e,t??new w(this.singletons,this.scoped))))}resolve(e,t){if(e.prototype===v.prototype||e.prototype===S.prototype||e.prototype===f.prototype)return this;const r=this.getSingleDescriptor(e);return this.resolveInternal(r,t??new w(this.singletons,this.scoped))}getSingleDescriptor(e){const t=this.Services.get(e);if(0===t.length)throw new c(e);if(t.length>1&&"ERROR"===this.Services.options.registrationMode)throw new l(e);return t[t.length-1]}createInstance(e,t){const r=this.createInstanceInternal(e,t);return this.setDependencies(e.implementation,r,t),t.setForLifetime(e.implementation,r,e.lifetime),r}wrapContext(e){return{resolve:t((t=>this.resolve(t,e)),"resolve"),resolveAll:t((t=>this.resolveAll(t,e)),"resolveAll")}}createInstanceInternal(e,t){let r;try{r=e.createInstance(this.wrapContext(t))}catch(t){throw this.logger.error(t),new a(e.implementation,t)}return"SINGLETON"!==e.lifetime&&Symbol.dispose in r&&this.created.push(r),r}createScope(){return new e(this.logger,this.Services.clone(!0),this.singletons)}setDependencies(e,t,r){const s=R(x,e)??{};this.logger.debug("Dependencies",e.name,s);for(const[i,o]of Object.entries(s)){if(o===e)throw new p;{this.logger.debug("Resolving",o.name,"for",e.name);const s=this.resolve(o,r);t[i]=s}}return t}},b=class e{constructor(e,t,r,s=new Map){this.logger=e,this.options=t,this.isScoped=r,this.services=s}static{t(this,"ServiceCollection")}registerModules(...e){for(const t of e){(new t).registerServices(this)}}get(e){return this.services.get(e)??[]}overrideLifetime(e,t){for(const r of this.get(e))r.lifetime=t}register(...e){return new g(e,this.isScoped,((e,t)=>this.addService(e,t)))}addService(e,t){this.logger.info("Adding service",{identifier:e.name,descriptor:t});let r=this.services.get(e);null==r&&(r=[],this.services.set(e,r)),r.push(t)}clone(t){const r=new Map;for(const[e,t]of this.services){const s=t.map((e=>({...e})));r.set(e,s)}return new e(this.logger,this.options,!0===t,r)}buildProvider(){return new O(this.logger,this.clone())}},y=class{static{t(this,"ILogger")}debug(e,...t){}info(e,...t){}error(e,...t){}warn(e,...t){}},M=class extends y{constructor(e){super(),this.options=e}static{t(this,"ConsoleLogger")}debug(e,...t){this.options.logLevel<=0&&console.debug(e,...t)}info(e,...t){this.options.logLevel<=1&&console.info(e,...t)}warn(e,...t){this.options.logLevel<=2&&console.warn(e,...t)}error(e,...t){this.options.logLevel<=3&&console.error(e,...t)}},D=t((e=>({...o,...e})),"mergeOptions"),C=t((e=>{const t=D(e),r=t.logger??new M(t);return new b(r,t,!1)}),"createServiceCollection"),P=t(((e,t,r,s)=>{let i=R(e,t);void 0===i&&(i={},L(e,i,t)),i[r]=s}),"tagProperty"),N=t((e=>(t,r)=>function(t){const s=this.constructor;return P(x,s,r.name,e),t}),"dependsOn");exports.DefaultServiceCollectionOptions=o,exports.IDisposable=d,exports.ILifetimeBuilder=E,exports.ILogger=y,exports.IResolutionScope=v,exports.IScopedProvider=S,exports.IServiceBuilder=I,exports.IServiceCollection=m,exports.IServiceModule=u,exports.IServiceProvider=f,exports.Lifetime=r,exports.LogLevel=s,exports.MultipleRegistrationError=l,exports.ResolveMultipleMode=i,exports.ScopedSingletonRegistrationError=h,exports.SelfDependencyError=p,exports.ServiceCreationError=a,exports.ServiceError=n,exports.UnregisteredServiceError=c,exports.createServiceCollection=C,exports.dependsOn=N;//# sourceMappingURL=index.js.map
package/dist/index.js.map CHANGED
@@ -1 +1 @@
1
- {"version":3,"sources":["/home/stephen/repos/shellicar/core-di/dist/index.js","../src/constants.ts","../src/errors.ts","../src/interfaces.ts","../src/metadata.ts","../src/types.ts","../src/ServiceProvider.ts","../src/ServiceCollection.ts","../src/logger.ts","../src/consoleLogger.ts","../src/createServiceCollection.ts","../src/dependsOn.ts"],"names":["LogLevel"],"mappings":"AAAA,8PAAI,UAAU,EAAE,MAAM,CAAC,cAAc;AACrC,IAAI,OAAO,EAAE,CAAC,MAAM,EAAE,KAAK,EAAE,GAAG,SAAS,CAAC,MAAM,EAAE,MAAM,EAAE,EAAE,KAAK,EAAE,YAAY,EAAE,KAAK,CAAC,CAAC;AACxF;AACA;ACIO,IAAM,sBAAA,EAAwB,qBAAA;ADFrC;AACA;AEJO,IAAe,aAAA,EAAf,MAAA,QAAoC,MAAM;AAAA,EAFjD,OAEiD;AAAA,IAAA,MAAA,CAAA,IAAA,EAAA,cAAA,CAAA;AAAA,EAAA;AAAC,CAAA;AAE3C,IAAM,yBAAA,YAAN,MAAA,QAAyD,aAAa;AAAA,EAJ7E,OAI6E;AAAA,IAAA,MAAA,CAAA,IAAA,EAAA,0BAAA,CAAA;AAAA,EAAA;AAAA,iBAC3E,KAAA,EAAO,2BAAA;AAAA,EACP,WAAA,CAAY,UAAA,EAAkC;AAC5C,IAAA,KAAA,CAAM,CAAA,gDAAA,EAAmD,UAAU,CAAA,CAAA;AACnB,IAAA;AAClD,EAAA;AACF;AAE8E;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AACrE,kBAAA;AACuC,EAAA;AACiB,IAAA;AACb,IAAA;AAClD,EAAA;AACF;AAEyE;AAKrE,EAAA;AAC6C,IAAA;AAF7B,IAAA;AAGgC,IAAA;AAClD,EAAA;AARuE,EAAA;AAAA,IAAA;AAAA,EAAA;AAChE,kBAAA;AAQT;AAEsD;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAC7C,kBAAA;AACO,EAAA;AACuB,IAAA;AACa,IAAA;AAClD,EAAA;AACF;AAEmE;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAC1D,kBAAA;AACO,EAAA;AACsD,IAAA;AAClB,IAAA;AAClD,EAAA;AACF;AFkBwE;AACA;AG5DtC;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAElC;AAEqC;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAErC;AAEoC;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAWpC;AAE6D;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAG7D;AAEyC;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAQzC;AHoDwE;AACA;AI3FjE;AAG6G;AACP;AJ2FrC;AACA;AKrDrC;AAC1B,EAAA;AACS,EAAA;AAClB;AAGO;AACL,EAAA;AACA,EAAA;AACA,EAAA;AACA,EAAA;AACA,EAAA;AALUA,EAAAA;AAAA;AAiB6D;AACjC,EAAA;AAC5B,EAAA;AACZ;AL4CwE;AACA;AMrGA;AAEA;AAQpE,EAAA;AAHiB,IAAA;AACA,IAAA;AACA,IAAA;AAChB,EAAA;AARmE,EAAA;AAAA,IAAA;AAAA,EAAA;AACpC,kBAAA;AACA,kBAAA;AAQQ,EAAA;AAC5B,IAAA;AACd,EAAA;AAEmB,EAAA;AACa,IAAA;AACV,MAAA;AACpB,IAAA;AACF,EAAA;AAE4K,EAAA;AACxH,IAAA;AACb,IAAA;AACP,MAAA;AACiB,MAAA;AAC/C,IAAA;AAE8D,IAAA;AAClC,IAAA;AAC+B,MAAA;AACA,MAAA;AACI,MAAA;AAC/D,IAAA;AACO,IAAA;AACT,EAAA;AAEoJ,EAAA;AACtF,IAAA;AAC/B,MAAA;AACH,MAAA;AACJ,MAAA;AACtB,IAAA;AAC6C,IAAA;AAChB,IAAA;AACoC,MAAA;AACF,MAAA;AACtD,MAAA;AACT,IAAA;AAC2D,IAAA;AAC7D,EAAA;AAEuH,EAAA;AACrE,IAAA;AACe,IAAA;AACjE,EAAA;AAEkH,EAAA;AAC7C,IAAA;AAC1D,MAAA;AACT,IAAA;AAEgD,IAAA;AAClB,IAAA;AACiB,MAAA;AAC/C,IAAA;AAE4B,IAAA;AACqB,MAAA;AACC,QAAA;AAChD,MAAA;AACF,IAAA;AACqD,IAAA;AACa,IAAA;AACpE,EAAA;AAEiH,EAAA;AAC3G,IAAA;AACyB,IAAA;AACA,MAAA;AACkC,MAAA;AACG,MAAA;AAClB,MAAA;AAG1C,MAAA;AACiB,QAAA;AACjB,UAAA;AACA,UAAA;AACA,UAAA;AACe,UAAA;AACD,YAAA;AACd,UAAA;AACD,QAAA;AACW,MAAA;AACS,QAAA;AACwC,QAAA;AAC/D,MAAA;AACK,IAAA;AACD,MAAA;AACuC,QAAA;AAC7B,MAAA;AACS,QAAA;AACwC,QAAA;AAC/D,MAAA;AACF,IAAA;AACyD,IAAA;AACd,MAAA;AAC3C,IAAA;AACO,IAAA;AACT,EAAA;AAEqD,EAAA;AACgB,IAAA;AACrE,EAAA;AAE0G,EAAA;AACnC,IAAA;AACZ,IAAA;AACK,IAAA;AACnC,MAAA;AACoC,QAAA;AACR,QAAA;AACN,QAAA;AACxC,MAAA;AACyB,QAAA;AAChC,MAAA;AACF,IAAA;AACO,IAAA;AACT,EAAA;AACF;AN0FwE;AACA;AOpOX;AAKzB,EAAA;AAHf,IAAA;AACD,IAAA;AACC,IAAA;AACA,IAAA;AAChB,EAAA;AANwD,EAAA;AAAA,IAAA;AAAA,EAAA;AAQG,EAAA;AACnC,IAAA;AACF,MAAA;AACO,MAAA;AAC9B,IAAA;AACF,EAAA;AAE6E,EAAA;AACzC,IAAA;AACpC,EAAA;AAEoF,EAAA;AAC3E,IAAA;AAAA;AAEkG,MAAA;AAC0B,QAAA;AACzF,QAAA;AACtB,QAAA;AACG,UAAA;AACI,YAAA;AAC0B,cAAA;AAC7C,YAAA;AACW,YAAA;AACJ,YAAA;AALE,UAAA;AAOG,UAAA;AACD,YAAA;AACJ,YAAA;AAFD,UAAA;AAIS,UAAA;AACJ,YAAA;AACJ,YAAA;AAFE,UAAA;AAIb,QAAA;AACO,QAAA;AApBL,MAAA;AAsBN,IAAA;AACF,EAAA;AAE6G,EAAA;AAC9C,IAAA;AAClB,IAAA;AACrB,IAAA;AACR,MAAA;AAC0B,MAAA;AACxC,IAAA;AACwB,IAAA;AAC1B,EAAA;AAImD,EAAA;AAC2B,IAAA;AAC5B,IAAA;AACkB,MAAA;AAC5B,MAAA;AACtC,IAAA;AAEmE,IAAA;AACrE,EAAA;AAEyC,EAAA;AACb,IAAA;AACoB,IAAA;AAChD,EAAA;AACF;APgOwE;AACA;AQ/S1C;AAAA,EAAA;AAAA,IAAA;AAAA,EAAA;AAC0B,EAAA;AAAC,EAAA;AACF,EAAA;AAAC,EAAA;AACA,EAAA;AAAC,EAAA;AACF,EAAA;AAAC,EAAA;AACxD;ARwTwE;AACA;AS7T7B;AACuB,EAAA;AACxD,IAAA;AADqB,IAAA;AAE7B,EAAA;AAHyC,EAAA;AAAA,IAAA;AAAA,EAAA;AAK4B,EAAA;AACtB,IAAA;AACH,MAAA;AAC1C,IAAA;AACF,EAAA;AAEoE,EAAA;AACtB,IAAA;AACH,MAAA;AACzC,IAAA;AACF,EAAA;AAEoE,EAAA;AACtB,IAAA;AACH,MAAA;AACzC,IAAA;AACF,EAAA;AAEqE,EAAA;AACtB,IAAA;AACH,MAAA;AAC1C,IAAA;AACF,EAAA;AACF;AT+TwE;AACA;AUzVoC;AACvG,EAAA;AACA,EAAA;AAFgB;AAUuF;AAChE,EAAA;AAC4B,EAAA;AACb,EAAA;AAHpB;AVyViC;AACA;AWtWR;AACH,EAAA;AAC/B,EAAA;AACd,IAAA;AAC0C,IAAA;AACxD,EAAA;AACiB,EAAA;AANC;AAaiE;AACrB,EAAA;AACV,IAAA;AAC5B,MAAA;AAC2C,MAAA;AACxD,MAAA;AACT,IAAA;AACF,EAAA;AAPuB;AX2W+C;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA","file":"/home/stephen/repos/shellicar/core-di/dist/index.js","sourcesContent":[null,"export enum Lifetime {\n Resolve = 'RESOLVE',\n Transient = 'TRANSIENT',\n Scoped = 'SCOPED',\n Singleton = 'SINGLETON',\n}\n\nexport const DesignDependenciesKey = 'design:dependencies';\n","import type { ServiceIdentifier } from './types';\n\nexport abstract class ServiceError extends Error {}\n\nexport class UnregisteredServiceError<T extends object> extends ServiceError {\n name = 'UnregisteredServiceError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Resolving service that has not been registered: ${identifier}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class MultipleRegistrationError<T extends object> extends ServiceError {\n name = 'MultipleRegistrationError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Multiple services have been registered: ${identifier}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ServiceCreationError<T extends object> extends ServiceError {\n name = 'ServiceCreationError';\n constructor(\n identifier: ServiceIdentifier<T>,\n public readonly innerError: any,\n ) {\n super(`Error creating service: ${identifier}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class SelfDependencyError extends ServiceError {\n name = 'SelfDependencyError';\n constructor() {\n super('Service depending on itself');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ScopedSingletonRegistrationError extends ServiceError {\n name = 'ScopedSingletonRegistrationError';\n constructor() {\n super('Cannot register a singleton in a scoped service collection');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n","// eslint-disable-next-line @typescript-eslint/no-unused-vars\nimport type { MultipleRegistrationError } from './errors';\nimport type { ServiceBuilder, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceModuleType, SourceType } from './types';\n\nexport abstract class IDisposable {\n public abstract [Symbol.dispose](): void;\n}\n\nexport abstract class IServiceModule {\n public abstract registerServices(services: IServiceCollection): void;\n}\n\nexport abstract class IServiceScope {\n /**\n * Resolves a single implementation for the identifier.\n * When finding multiple implementations, it will either\n * throw a {@link MultipleRegistrationError} or resolve the latest depending on the provided options.\n */\n public abstract resolve<T extends SourceType>(identifier: ServiceIdentifier<T>): T;\n /**\n * Resolves all implementations for the identifier.\n */\n public abstract resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>): T[];\n}\n\nexport abstract class IServiceProvider extends IServiceScope {\n public abstract get Services(): IServiceCollection;\n public abstract createScope(): IServiceProvider & IDisposable;\n}\n\nexport abstract class IServiceCollection {\n public abstract readonly options: ServiceCollectionOptions;\n public abstract get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[];\n public abstract register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T>;\n public abstract registerModules(...modules: ServiceModuleType[]): void;\n public abstract buildProvider(): IServiceProvider;\n public abstract clone(): IServiceCollection;\n public abstract clone(scoped: true): IServiceCollection;\n}\n","import '@abraham/reflection';\nimport type { MetadataType, SourceType } from './types';\n\nexport const getMetadata = <T extends SourceType>(key: string, obj: object): MetadataType<T> | undefined => Reflect.getMetadata(key, obj);\nexport const defineMetadata = <T extends SourceType>(key: string, metadata: MetadataType<T>, obj: object) => Reflect.defineMetadata(key, metadata, obj);\n","import type { ConsoleLogger } from './consoleLogger';\nimport type { Lifetime } from './constants';\nimport type { IServiceModule, IServiceProvider, IServiceScope } from './interfaces';\nimport type { ILogger } from './logger';\n\nexport type SourceType = object;\n\nexport type AbstractNewable<T> = abstract new (...args: any[]) => T;\nexport type Newable<T> = new (...args: any[]) => T;\n\nexport type ServiceIdentifier<T extends SourceType> = { prototype: T; name: string }; //AbstractNewable<T>;\nexport type ServiceImplementation<T extends SourceType> = Newable<T>;\n\nexport type InstanceFactory<T extends SourceType> = (x: IServiceScope & IServiceProvider) => T;\n\nexport type ServiceModuleType = Newable<IServiceModule>;\n\nexport type ServiceDescriptorFactory<T extends SourceType> = {\n implementation: ServiceIdentifier<T>;\n factory: InstanceFactory<T>;\n lifetime: Lifetime;\n};\nexport type ServiceDescriptorConcrete<T extends SourceType> = {\n implementation: ServiceImplementation<T>;\n lifetime: Lifetime;\n};\n\nexport type ServiceDescriptor<T extends SourceType> = ServiceDescriptorConcrete<T> | ServiceDescriptorFactory<T>;\n\nexport type LifetimeBuilder = {\n singleton: () => LifetimeBuilder;\n scoped: () => LifetimeBuilder;\n transient: () => LifetimeBuilder;\n};\nexport type ServiceBuilder<T extends SourceType> = {\n to: {\n (implementation: ServiceImplementation<T>): LifetimeBuilder;\n (implementation: ServiceIdentifier<T>, factory: InstanceFactory<T>): LifetimeBuilder;\n };\n};\n\nexport type MetadataType<T extends SourceType> = Record<string | symbol, ServiceIdentifier<T>>;\n\nexport const ResolveMultipleMode = {\n Error: 'ERROR',\n LastRegistered: 'LAST_REGISTERED',\n} as const;\nexport type ResolveMultipleMode = (typeof ResolveMultipleMode)[keyof typeof ResolveMultipleMode];\n\nexport enum LogLevel {\n Debug = 0,\n Info = 1,\n Warn = 2,\n Error = 3,\n None = 4,\n}\n\n// export const LogLevel = {\n// Debug: 0,\n// Info: 1,\n// Warn: 2,\n// Error: 3,\n// None: 4,\n// } as const;\n// export type LogLevel = (typeof LogLevel)[keyof typeof LogLevel];\n\nexport const DefaultServiceCollectionOptions: ServiceCollectionOptions = {\n registrationMode: ResolveMultipleMode.Error,\n logLevel: LogLevel.Warn,\n};\n\nexport type ServiceCollectionOptions = {\n /**\n * Whether calling `resolve` when there are multiple registrations\n * will result in an error or resolve the last registered service.\n * @default ResolveMultipleMode.Error\n */\n registrationMode: ResolveMultipleMode;\n /**\n * The default log level for the console logger.\n * @defaultValue {@link LogLevel.Warn}\n */\n logLevel: LogLevel;\n /**\n * Custom implementation for logger. Ignores log level.\n * @defaultValue {@link ConsoleLogger}\n */\n logger?: ILogger;\n};\n","import { DesignDependenciesKey, Lifetime } from './constants';\nimport { MultipleRegistrationError, SelfDependencyError, ServiceCreationError, UnregisteredServiceError } from './errors';\nimport type { IDisposable, IServiceCollection } from './interfaces';\nimport { IServiceProvider, IServiceScope } from './interfaces';\nimport type { ILogger } from './logger';\nimport { getMetadata } from './metadata';\nimport type { ServiceDescriptor, ServiceIdentifier, ServiceImplementation, SourceType } from './types';\nimport { ResolveMultipleMode } from './types';\n\ntype Id<T extends SourceType> = ServiceIdentifier<T> | ServiceImplementation<T>;\n\ntype ResolveMap<T extends SourceType> = Map<ServiceIdentifier<T>, Map<Id<T>, T>>;\n\nconst createResolveMap = <T extends SourceType>(): ResolveMap<T> => new Map<ServiceIdentifier<T>, Map<ServiceImplementation<T>, T>>();\n\nexport class ServiceProvider implements IServiceProvider, IServiceScope {\n private scoped = createResolveMap();\n private created: IDisposable[] = [];\n\n constructor(\n private readonly logger: ILogger,\n private readonly services: IServiceCollection,\n private readonly singletons = createResolveMap(),\n ) {}\n\n public get Services(): IServiceCollection {\n return this.services;\n }\n\n [Symbol.dispose]() {\n for (const x of this.created) {\n x[Symbol.dispose]();\n }\n }\n\n private resolveFrom<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>, lifetimeMap: ResolveMap<T>, currentResolve: ResolveMap<T>): T {\n let resolvedInstances = lifetimeMap.get(identifier);\n if (resolvedInstances === undefined) {\n resolvedInstances = new Map();\n lifetimeMap.set(identifier, resolvedInstances);\n }\n\n let instance = resolvedInstances.get(descriptor.implementation);\n if (instance === undefined) {\n instance = this.createInstance(descriptor, currentResolve);\n resolvedInstances.set(descriptor.implementation, instance);\n this.setDependencies<T>(descriptor.implementation, instance, currentResolve);\n }\n return instance;\n }\n\n private resolveInternal<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>, currentResolve: ResolveMap<T>): T {\n const mapping: Partial<Record<Lifetime, ResolveMap<any>>> = {\n [Lifetime.Singleton]: this.singletons,\n [Lifetime.Scoped]: this.scoped,\n [Lifetime.Resolve]: currentResolve,\n };\n const sourceMap = mapping[descriptor.lifetime];\n if (sourceMap === undefined) {\n const instance = this.createInstance(descriptor, currentResolve);\n this.setDependencies<T>(descriptor.implementation, instance, currentResolve);\n return instance;\n }\n return this.resolveFrom(identifier, descriptor, sourceMap, currentResolve);\n }\n\n public resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve = createResolveMap<T>()): T[] {\n const descriptors = this.services.get(identifier);\n return descriptors.map((descriptor) => this.resolveInternal<T>(identifier, descriptor, currentResolve));\n }\n\n public resolve<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve = createResolveMap<T>()): T {\n if (identifier.prototype === IServiceScope.prototype || identifier.prototype === IServiceProvider.prototype) {\n return this as unknown as T;\n }\n\n const descriptors = this.services.get(identifier);\n if (descriptors.length === 0) {\n throw new UnregisteredServiceError(identifier);\n }\n\n if (descriptors.length > 1) {\n if (this.Services.options.registrationMode === ResolveMultipleMode.Error) {\n throw new MultipleRegistrationError(identifier);\n }\n }\n const descriptor = descriptors[descriptors.length - 1];\n return this.resolveInternal(identifier, descriptor, currentResolve);\n }\n\n private createInstance<T extends SourceType>(descriptor: ServiceDescriptor<T>, currentResolve: ResolveMap<T>): T {\n let instance: T;\n if ('factory' in descriptor) {\n const factory = descriptor.factory;\n const resolve = (identifier: ServiceIdentifier<any>) => this.resolve(identifier, currentResolve);\n const resolveAll = (identifier: ServiceIdentifier<any>) => this.resolveAll(identifier, currentResolve);\n const createScope = this.createScope.bind(this);\n\n // proxy requests to keep current resolved types\n try {\n instance = factory({\n resolve,\n resolveAll,\n createScope,\n get Services() {\n return this.Services;\n },\n });\n } catch (err) {\n this.logger.error(err);\n throw new ServiceCreationError(descriptor.implementation, err);\n }\n } else {\n try {\n instance = new descriptor.implementation();\n } catch (err) {\n this.logger.error(err);\n throw new ServiceCreationError(descriptor.implementation, err);\n }\n }\n if (descriptor.lifetime !== Lifetime.Singleton && Symbol.dispose in instance) {\n this.created.push(instance as IDisposable);\n }\n return instance;\n }\n\n public createScope(): IServiceProvider & IDisposable {\n return new ServiceProvider(this.logger, this.services.clone(true), this.singletons);\n }\n\n private setDependencies<T extends SourceType>(type: Id<T>, instance: T, currentResolve: ResolveMap<T>): T {\n const dependencies = getMetadata<T>(DesignDependenciesKey, type) ?? {};\n this.logger.debug('Dependencies', type.name, dependencies);\n for (const [key, identifier] of Object.entries(dependencies)) {\n if (identifier !== type) {\n this.logger.debug('Resolving', identifier, 'for', type.name);\n const dep = this.resolve(identifier, currentResolve);\n (instance as Record<string, unknown>)[key] = dep;\n } else {\n throw new SelfDependencyError();\n }\n }\n return instance;\n }\n}\n","import { ServiceProvider } from './ServiceProvider';\nimport { Lifetime } from './constants';\nimport { ScopedSingletonRegistrationError } from './errors';\nimport type { IServiceCollection, IServiceProvider } from './interfaces';\nimport type { ILogger } from './logger';\nimport type { InstanceFactory, ServiceBuilder, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceImplementation, ServiceModuleType, SourceType } from './types';\n\nexport class ServiceCollection implements IServiceCollection {\n constructor(\n private readonly logger: ILogger,\n public readonly options: ServiceCollectionOptions,\n private readonly isScoped: boolean,\n private readonly services = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>(),\n ) {}\n\n public registerModules(...modules: ServiceModuleType[]): void {\n for (const x of modules) {\n const module = new x();\n module.registerServices(this);\n }\n }\n\n get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[] {\n return this.services.get(key) ?? [];\n }\n\n register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T> {\n return {\n // to: (implementation: ServiceImplementation<T>, func?: InstanceFactory<T>) => {\n to: (implementation: ServiceImplementation<T> | ServiceIdentifier<T>, factory?: InstanceFactory<T>) => {\n const descriptor: ServiceDescriptor<T> = factory === undefined ? { implementation: implementation as ServiceImplementation<T>, lifetime: Lifetime.Resolve } : { implementation, factory, lifetime: Lifetime.Resolve };\n this.addService(identifier, descriptor);\n const builder = {\n singleton: () => {\n if (this.isScoped) {\n throw new ScopedSingletonRegistrationError();\n }\n descriptor.lifetime = Lifetime.Singleton;\n return builder;\n },\n scoped: () => {\n descriptor.lifetime = Lifetime.Scoped;\n return builder;\n },\n transient: () => {\n descriptor.lifetime = Lifetime.Transient;\n return builder;\n },\n };\n return builder;\n },\n };\n }\n\n private addService<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>) {\n this.logger.info('Adding service', { identifier, descriptor });\n let existing = this.services.get(identifier);\n if (existing == null) {\n existing = [];\n this.services.set(identifier, existing);\n }\n existing.push(descriptor);\n }\n\n public clone(): IServiceCollection;\n public clone(scoped: true): IServiceCollection;\n public clone(scoped?: unknown): IServiceCollection {\n const clonedMap = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>();\n for (const [key, descriptors] of this.services) {\n const clonedDescriptors = descriptors.map((descriptor) => ({ ...descriptor }));\n clonedMap.set(key, clonedDescriptors);\n }\n\n return new ServiceCollection(this.logger, this.options, scoped === true, clonedMap);\n }\n\n public buildProvider(): IServiceProvider {\n const cloned = this.clone();\n return new ServiceProvider(this.logger, cloned);\n }\n}\n","/* eslint-disable @typescript-eslint/no-explicit-any */\n/* eslint-disable @typescript-eslint/no-unused-vars */\nexport abstract class ILogger {\n public debug(message?: any, ...optionalParams: any[]) {}\n public info(message?: any, ...optionalParams: any[]) {}\n public error(message?: any, ...optionalParams: any[]) {}\n public warn(message?: any, ...optionalParams: any[]) {}\n}\n","import { ILogger } from './logger';\nimport { LogLevel, type ServiceCollectionOptions } from './types';\n\nexport class ConsoleLogger extends ILogger {\n constructor(private readonly options: ServiceCollectionOptions) {\n super();\n }\n\n public override debug(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Debug) {\n console.debug(message, ...optionalParams);\n }\n }\n\n public override info(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Info) {\n console.info(message, ...optionalParams);\n }\n }\n\n public override warn(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Warn) {\n console.warn(message, ...optionalParams);\n }\n }\n\n public override error(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Error) {\n console.error(message, ...optionalParams);\n }\n }\n}\n","import { ServiceCollection } from './ServiceCollection';\nimport { ConsoleLogger } from './consoleLogger';\nimport type { IServiceCollection } from './interfaces';\nimport type { ServiceCollectionOptions } from './types';\nimport { DefaultServiceCollectionOptions } from './types';\n\nconst mergeOptions = (options: Partial<ServiceCollectionOptions> | undefined): ServiceCollectionOptions => ({\n ...DefaultServiceCollectionOptions,\n ...options,\n});\n\n/**\n * Creates a service collection with the (optionally) provided options\n * @param options - Optional configuration for the service collection.\n * @defaultValue Default options are taken from {@link DefaultServiceCollectionOptions}.\n */\nexport const createServiceCollection = (options?: Partial<ServiceCollectionOptions>): IServiceCollection => {\n const mergedOptions = mergeOptions(options);\n const logger = mergedOptions.logger ?? new ConsoleLogger(mergedOptions);\n return new ServiceCollection(logger, mergedOptions, false);\n};\n","import { DesignDependenciesKey } from './constants';\nimport { defineMetadata, getMetadata } from './metadata';\nimport type { ServiceIdentifier, SourceType } from './types';\n\nconst tagProperty = <T extends SourceType>(metadataKey: string, annotationTarget: object, name: string | symbol, identifier: ServiceIdentifier<T>) => {\n let existing = getMetadata<T>(metadataKey, annotationTarget);\n if (existing === undefined) {\n existing = {};\n defineMetadata(metadataKey, existing, annotationTarget);\n }\n existing[name] = identifier;\n};\n\n/**\n * declares a dependency, use on a class field\n * @param identifier the identifier to depend on, i.e. the interface\n */\nexport const dependsOn = <T extends SourceType>(identifier: ServiceIdentifier<T>) => {\n return (value: undefined, ctx: ClassFieldDecoratorContext) => {\n return function (this: object, initialValue: any) {\n const target = this.constructor;\n tagProperty(DesignDependenciesKey, target, ctx.name, identifier);\n return initialValue;\n };\n };\n};\n"]}
1
+ {"version":3,"sources":["../src/enums.ts","../src/defaults.ts","../src/errors.ts","../src/private/ServiceBuilder.ts","../src/interfaces.ts","../src/private/ResolutionContext.ts","../src/private/constants.ts","../src/private/metadata.ts","../src/private/ServiceProvider.ts","../src/private/ServiceCollection.ts","../src/logger.ts","../src/private/consoleLogger.ts","../src/createServiceCollection.ts","../src/dependsOn.ts"],"names":["Lifetime","LogLevel","ResolveMultipleMode"],"mappings":";;;;AAAY,IAAA,QAAA,qBAAAA,SAAL,KAAA;AACL,EAAAA,UAAA,SAAU,CAAA,GAAA,SAAA;AACV,EAAAA,UAAA,WAAY,CAAA,GAAA,WAAA;AACZ,EAAAA,UAAA,QAAS,CAAA,GAAA,QAAA;AACT,EAAAA,UAAA,WAAY,CAAA,GAAA,WAAA;AAJF,EAAAA,OAAAA,SAAAA;AAAA,CAAA,EAAA,QAAA,IAAA,EAAA;AAOA,IAAA,QAAA,qBAAAC,SAAL,KAAA;AACL,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,WAAQ,CAAR,CAAA,GAAA,OAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,UAAO,CAAP,CAAA,GAAA,MAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,UAAO,CAAP,CAAA,GAAA,MAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,WAAQ,CAAR,CAAA,GAAA,OAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,UAAO,CAAP,CAAA,GAAA,MAAA;AALU,EAAAA,OAAAA,SAAAA;AAAA,CAAA,EAAA,QAAA,IAAA,EAAA;AAQA,IAAA,mBAAA,qBAAAC,oBAAL,KAAA;AACL,EAAAA,qBAAA,OAAQ,CAAA,GAAA,OAAA;AACR,EAAAA,qBAAA,gBAAiB,CAAA,GAAA,iBAAA;AAFP,EAAAA,OAAAA,oBAAAA;AAAA,CAAA,EAAA,mBAAA,IAAA,EAAA;;;ACZL,IAAM,+BAA4D,GAAA;AAAA,EACvE,gBAAA,EAAA,OAAA;AAAA,EACA,QAAA,EAAA,CAAA;AACF;;;ACJsB,IAAA,YAAA,GAAf,cAAoC,KAAM,CAAA;AAAA,EAFjD;AAEiD,IAAA,MAAA,CAAA,IAAA,EAAA,cAAA,CAAA;AAAA;AAAC;AAErC,IAAA,wBAAA,GAAN,cAAyD,YAAa,CAAA;AAAA,EAJ7E;AAI6E,IAAA,MAAA,CAAA,IAAA,EAAA,0BAAA,CAAA;AAAA;AAAA,EAC3E,IAAO,GAAA,0BAAA;AAAA,EACP,YAAY,UAAkC,EAAA;AAC5C,IAAM,KAAA,CAAA,CAAA,gDAAA,EAAmD,UAAW,CAAA,IAAI,CAAE,CAAA,CAAA;AAC1E,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;AAEa,IAAA,yBAAA,GAAN,cAA0D,YAAa,CAAA;AAAA,EAZ9E;AAY8E,IAAA,MAAA,CAAA,IAAA,EAAA,2BAAA,CAAA;AAAA;AAAA,EAC5E,IAAO,GAAA,2BAAA;AAAA,EACP,YAAY,UAAkC,EAAA;AAC5C,IAAM,KAAA,CAAA,CAAA,wCAAA,EAA2C,UAAW,CAAA,IAAI,CAAE,CAAA,CAAA;AAClE,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;AAEa,IAAA,oBAAA,GAAN,cAAqD,YAAa,CAAA;AAAA,EAEvE,WAAA,CACE,YACgB,UAChB,EAAA;AACA,IAAM,KAAA,CAAA,CAAA,wBAAA,EAA2B,UAAW,CAAA,IAAI,CAAE,CAAA,CAAA;AAFlC,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AAGhB,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAClD,EA5BF;AAoByE,IAAA,MAAA,CAAA,IAAA,EAAA,sBAAA,CAAA;AAAA;AAAA,EACvE,IAAO,GAAA,sBAAA;AAQT;AAEa,IAAA,mBAAA,GAAN,cAAkC,YAAa,CAAA;AAAA,EA/BtD;AA+BsD,IAAA,MAAA,CAAA,IAAA,EAAA,qBAAA,CAAA;AAAA;AAAA,EACpD,IAAO,GAAA,qBAAA;AAAA,EACP,WAAc,GAAA;AACZ,IAAA,KAAA,CAAM,6BAA6B,CAAA;AACnC,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;AAEa,IAAA,gCAAA,GAAN,cAA+C,YAAa,CAAA;AAAA,EAvCnE;AAuCmE,IAAA,MAAA,CAAA,IAAA,EAAA,kCAAA,CAAA;AAAA;AAAA,EACjE,IAAO,GAAA,kCAAA;AAAA,EACP,WAAc,GAAA;AACZ,IAAA,KAAA,CAAM,4DAA4D,CAAA;AAClE,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;;;ACxCO,IAAM,iBAAN,MAAyE;AAAA,EAG9E,WAAA,CACmB,WACA,EAAA,QAAA,EACA,UACjB,EAAA;AAHiB,IAAA,IAAA,CAAA,WAAA,GAAA,WAAA;AACA,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AACA,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AAAA;AAChB,EAZL;AAKgF,IAAA,MAAA,CAAA,IAAA,EAAA,gBAAA,CAAA;AAAA;AAAA,EACtE,UAAA;AAAA,EAQD,EAAA,CAAG,gBAA0C,OAAgD,EAAA;AAClG,IAAA,IAAA,CAAK,UAAa,GAAA,IAAA,CAAK,gBAAiB,CAAA,OAAA,EAAS,cAAc,CAAA;AAE/D,IAAW,KAAA,MAAA,UAAA,IAAc,KAAK,WAAa,EAAA;AACzC,MAAK,IAAA,CAAA,UAAA,CAAW,UAAY,EAAA,IAAA,CAAK,UAAU,CAAA;AAAA;AAE7C,IAAO,OAAA,IAAA;AAAA;AACT,EAEQ,gBAAA,CAAiB,SAAyC,cAAgE,EAAA;AAChI,IAAA,MAAM,cAAiB,GAAA,OAAA,KAAY,MAAM,IAAI,cAAe,EAAA,CAAA;AAE5D,IAAO,OAAA;AAAA,MACL,cAAA;AAAA,MACA,cAAA;AAAA,MACA,QAAA,EAAA,SAAA;AAAA,KACF;AAAA;AACF,EAEO,SAAkB,GAAA;AACvB,IAAA,IAAI,KAAK,QAAU,EAAA;AACjB,MAAA,MAAM,IAAI,gCAAiC,EAAA;AAAA;AAE7C,IAAA,IAAA,CAAK,kBAAmB,CAAA,QAAA,GAAA,WAAA;AACxB,IAAO,OAAA,IAAA;AAAA;AACT,EAEO,MAAe,GAAA;AACpB,IAAA,IAAA,CAAK,kBAAmB,CAAA,QAAA,GAAA,QAAA;AACxB,IAAO,OAAA,IAAA;AAAA;AACT,EAEO,SAAkB,GAAA;AACvB,IAAA,IAAA,CAAK,kBAAmB,CAAA,QAAA,GAAA,WAAA;AACxB,IAAO,OAAA,IAAA;AAAA;AACT,EAEQ,gBAAyC,GAAA;AAC/C,IAAI,IAAA,CAAC,KAAK,UAAY,EAAA;AACpB,MAAM,MAAA,IAAI,MAAM,wCAAwC,CAAA;AAAA;AAE1D,IAAA,OAAO,IAAK,CAAA,UAAA;AAAA;AAEhB,CAAA;;;ACrDO,IAAe,cAAf,MAA2B;AAAA,EAJlC;AAIkC,IAAA,MAAA,CAAA,IAAA,EAAA,aAAA,CAAA;AAAA;AAElC;AAEO,IAAe,iBAAf,MAA8B;AAAA,EARrC;AAQqC,IAAA,MAAA,CAAA,IAAA,EAAA,gBAAA,CAAA;AAAA;AAErC;AAEO,IAAe,mBAAf,MAAgC;AAAA,EAZvC;AAYuC,IAAA,MAAA,CAAA,IAAA,EAAA,kBAAA,CAAA;AAAA;AAkBvC;AAEsB,IAAA,eAAA,GAAf,cAAuC,gBAAwC,CAAA;AAAA,EAhCtF;AAgCsF,IAAA,MAAA,CAAA,IAAA,EAAA,iBAAA,CAAA;AAAA;AAGtF;AAEsB,IAAA,gBAAA,GAAf,cAAwC,gBAAiB,CAAA;AAAA,EArChE;AAqCgE,IAAA,MAAA,CAAA,IAAA,EAAA,kBAAA,CAAA;AAAA;AAGhE;AAEO,IAAe,qBAAf,MAAkC;AAAA,EA1CzC;AA0CyC,IAAA,MAAA,CAAA,IAAA,EAAA,oBAAA,CAAA;AAAA;AASzC;AAEO,IAAe,mBAAf,MAAgC;AAAA,EArDvC;AAqDuC,IAAA,MAAA,CAAA,IAAA,EAAA,kBAAA,CAAA;AAAA;AAIvC;AAEO,IAAe,kBAAf,MAAqD;AAAA,EA3D5D;AA2D4D,IAAA,MAAA,CAAA,IAAA,EAAA,iBAAA,CAAA;AAAA;AAE5D;;;AC1DO,IAAM,oBAAN,MAAwB;AAAA,EAC7B,WAAA,CACmB,YACA,MACjB,EAAA;AAFiB,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AACA,IAAA,IAAA,CAAA,MAAA,GAAA,MAAA;AAAA;AAChB,EAPL;AAG+B,IAAA,MAAA,CAAA,IAAA,EAAA,mBAAA,CAAA;AAAA;AAAA,EAMZ,SAAA,uBAAgB,GAAqC,EAAA;AAAA,EAE/D,eAAA,CAAsC,gBAA0C,QAAuB,EAAA;AAC5G,IAAM,MAAA,GAAA,GAAM,IAAK,CAAA,iBAAA,CAAkB,QAAQ,CAAA;AAC3C,IAAO,OAAA,GAAA,EAAK,IAAI,cAAc,CAAA;AAAA;AAChC,EAEO,cAAA,CAAqC,cAA0C,EAAA,QAAA,EAAa,QAA0B,EAAA;AAC3H,IAAM,MAAA,GAAA,GAAM,IAAK,CAAA,iBAAA,CAAkB,QAAQ,CAAA;AAC3C,IAAK,GAAA,EAAA,GAAA,CAAI,gBAAgB,QAAQ,CAAA;AAAA;AACnC,EAEQ,kBAAkB,QAAoB,EAAA;AAC5C,IAAA,MAAM,GAAuE,GAAA;AAAA,MAC3E,CAAA,WAAA,mBAAsB,IAAK,CAAA,UAAA;AAAA,MAC3B,CAAA,QAAA,gBAAmB,IAAK,CAAA,MAAA;AAAA,MACxB,CAAA,SAAA,iBAAoB,IAAK,CAAA;AAAA,KAC3B;AACA,IAAA,OAAO,IAAI,QAAQ,CAAA;AAAA;AAEvB,CAAA;;;AC7BO,IAAM,qBAAwB,GAAA,qBAAA;ACG9B,IAAM,WAAA,2BAAqC,GAAa,EAAA,GAAA,KAA6C,QAAQ,WAAY,CAAA,GAAA,EAAK,GAAG,CAA7G,EAAA,aAAA,CAAA;AACpB,IAAM,cAAA,mBAAwC,MAAA,CAAA,CAAA,GAAA,EAAa,QAA2B,EAAA,GAAA,KAAgB,QAAQ,cAAe,CAAA,GAAA,EAAK,QAAU,EAAA,GAAG,CAAxH,EAAA,gBAAA,CAAA;;;ACOvB,IAAM,eAAA,GAAN,MAAM,gBAA6D,CAAA;AAAA,EAIxE,YACmB,MACD,EAAA,QAAA,EACC,UAAa,mBAAA,IAAI,KAClC,EAAA;AAHiB,IAAA,IAAA,CAAA,MAAA,GAAA,MAAA;AACD,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AACC,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AAAA;AAChB,EAnBL;AAW0E,IAAA,MAAA,CAAA,IAAA,EAAA,iBAAA,CAAA;AAAA;AAAA,EAChE,MAAA,uBAAa,GAAqC,EAAA;AAAA,EAClD,UAAyB,EAAC;AAAA,EAQlC,CAAC,MAAO,CAAA,OAAO,CAAI,GAAA;AACjB,IAAW,KAAA,MAAA,CAAA,IAAK,KAAK,OAAS,EAAA;AAC5B,MAAE,CAAA,CAAA,MAAA,CAAO,OAAO,CAAE,EAAA;AAAA;AACpB;AACF,EAEQ,eAAA,CAAsC,YAAkC,OAA+B,EAAA;AAC7G,IAAA,IAAI,WAAW,OAAQ,CAAA,eAAA,CAAgB,UAAW,CAAA,cAAA,EAAgB,WAAW,QAAQ,CAAA;AACrF,IAAA,IAAI,YAAY,IAAM,EAAA;AACpB,MAAW,QAAA,GAAA,IAAA,CAAK,cAAe,CAAA,UAAA,EAAY,OAAO,CAAA;AAAA;AAEpD,IAAO,OAAA,QAAA;AAAA;AACT,EAEO,UAAA,CAAiC,YAAkC,OAAkC,EAAA;AAC1G,IAAA,MAAM,WAAc,GAAA,IAAA,CAAK,QAAS,CAAA,GAAA,CAAI,UAAU,CAAA;AAChD,IAAA,OAAO,WAAY,CAAA,GAAA,CAAI,CAAC,UAAA,KAAe,KAAK,eAAmB,CAAA,UAAA,EAAY,OAAW,IAAA,IAAI,kBAAkB,IAAK,CAAA,UAAA,EAAY,IAAK,CAAA,MAAM,CAAC,CAAC,CAAA;AAAA;AAC5I,EAEO,OAAA,CAA8B,YAAkC,OAAgC,EAAA;AACrG,IAAI,IAAA,UAAA,CAAW,SAAc,KAAA,gBAAA,CAAiB,SAAa,IAAA,UAAA,CAAW,SAAc,KAAA,eAAA,CAAgB,SAAa,IAAA,UAAA,CAAW,SAAc,KAAA,gBAAA,CAAiB,SAAW,EAAA;AACpK,MAAO,OAAA,IAAA;AAAA;AAGT,IAAM,MAAA,UAAA,GAAa,IAAK,CAAA,mBAAA,CAAoB,UAAU,CAAA;AACtD,IAAO,OAAA,IAAA,CAAK,eAAgB,CAAA,UAAA,EAAY,OAAW,IAAA,IAAI,kBAAkB,IAAK,CAAA,UAAA,EAAY,IAAK,CAAA,MAAM,CAAC,CAAA;AAAA;AACxG,EAEQ,oBAA0C,UAAkC,EAAA;AAClF,IAAA,MAAM,WAAc,GAAA,IAAA,CAAK,QAAS,CAAA,GAAA,CAAI,UAAU,CAAA;AAChD,IAAI,IAAA,WAAA,CAAY,WAAW,CAAG,EAAA;AAC5B,MAAM,MAAA,IAAI,yBAAyB,UAAU,CAAA;AAAA;AAG/C,IAAI,IAAA,WAAA,CAAY,SAAS,CAAG,EAAA;AAC1B,MAAI,IAAA,IAAA,CAAK,QAAS,CAAA,OAAA,CAAQ,gBAAgD,KAAA,OAAA,cAAA;AACxE,QAAM,MAAA,IAAI,0BAA0B,UAAU,CAAA;AAAA;AAChD;AAEF,IAAA,MAAM,UAAa,GAAA,WAAA,CAAY,WAAY,CAAA,MAAA,GAAS,CAAC,CAAA;AACrD,IAAO,OAAA,UAAA;AAAA;AACT,EAEQ,cAAA,CAAqC,YAAkC,OAA+B,EAAA;AAC5G,IAAA,MAAM,QAAW,GAAA,IAAA,CAAK,sBAAuB,CAAA,UAAA,EAAY,OAAO,CAAA;AAChE,IAAA,IAAA,CAAK,eAAgB,CAAA,UAAA,CAAW,cAAgB,EAAA,QAAA,EAAU,OAAO,CAAA;AACjE,IAAA,OAAA,CAAQ,cAAe,CAAA,UAAA,CAAW,cAAgB,EAAA,QAAA,EAAU,WAAW,QAAQ,CAAA;AAC/E,IAAO,OAAA,QAAA;AAAA;AACT,EAEQ,YAAY,OAA8C,EAAA;AAChE,IAAA,MAAM,0BAAW,MAAA,CAAA,CAAA,UAAA,KAAuC,KAAK,OAAQ,CAAA,UAAA,EAAY,OAAO,CAAxE,EAAA,SAAA,CAAA;AAChB,IAAA,MAAM,6BAAc,MAAA,CAAA,CAAA,UAAA,KAAuC,KAAK,UAAW,CAAA,UAAA,EAAY,OAAO,CAA3E,EAAA,YAAA,CAAA;AAEnB,IAAO,OAAA;AAAA,MACL,OAAA;AAAA,MACA;AAAA,KACF;AAAA;AACF,EAEQ,sBAAA,CAA6C,YAAkC,OAA4B,EAAA;AACjH,IAAI,IAAA,QAAA;AACJ,IAAI,IAAA;AACF,MAAA,QAAA,GAAW,UAAW,CAAA,cAAA,CAAe,IAAK,CAAA,WAAA,CAAY,OAAO,CAAC,CAAA;AAAA,aACvD,GAAK,EAAA;AACZ,MAAK,IAAA,CAAA,MAAA,CAAO,MAAM,GAAG,CAAA;AACrB,MAAA,MAAM,IAAI,oBAAA,CAAqB,UAAW,CAAA,cAAA,EAAgB,GAAG,CAAA;AAAA;AAE/D,IAAA,IAAI,UAAW,CAAA,QAAA,KAAA,WAAA,oBAAmC,MAAO,CAAA,OAAA,IAAW,QAAU,EAAA;AAC5E,MAAK,IAAA,CAAA,OAAA,CAAQ,KAAK,QAAuB,CAAA;AAAA;AAE3C,IAAO,OAAA,QAAA;AAAA;AACT,EAEO,WAA+B,GAAA;AACpC,IAAO,OAAA,IAAI,gBAAgB,CAAA,IAAA,CAAK,MAAQ,EAAA,IAAA,CAAK,SAAS,KAAM,CAAA,IAAI,CAAG,EAAA,IAAA,CAAK,UAAU,CAAA;AAAA;AACpF,EAEQ,eAAA,CAAsC,cAA0C,EAAA,QAAA,EAAa,OAA+B,EAAA;AAClI,IAAA,MAAM,YAAe,GAAA,WAAA,CAAe,qBAAuB,EAAA,cAAc,KAAK,EAAC;AAC/E,IAAA,IAAA,CAAK,MAAO,CAAA,KAAA,CAAM,cAAgB,EAAA,cAAA,CAAe,MAAM,YAAY,CAAA;AACnE,IAAA,KAAA,MAAW,CAAC,GAAK,EAAA,UAAU,KAAK,MAAO,CAAA,OAAA,CAAQ,YAAY,CAAG,EAAA;AAC5D,MAAA,IAAI,eAAe,cAAgB,EAAA;AACjC,QAAA,IAAA,CAAK,OAAO,KAAM,CAAA,WAAA,EAAa,WAAW,IAAM,EAAA,KAAA,EAAO,eAAe,IAAI,CAAA;AAC1E,QAAA,MAAM,GAAM,GAAA,IAAA,CAAK,OAAQ,CAAA,UAAA,EAAY,OAAO,CAAA;AAC5C,QAAC,QAAA,CAA+B,GAAG,CAAI,GAAA,GAAA;AAAA,OAClC,MAAA;AACL,QAAA,MAAM,IAAI,mBAAoB,EAAA;AAAA;AAChC;AAEF,IAAO,OAAA,QAAA;AAAA;AAEX,CAAA;;;AC1GO,IAAM,iBAAA,GAAN,MAAM,kBAAgD,CAAA;AAAA,EAC3D,YACmB,MACD,EAAA,OAAA,EACC,UACA,QAAW,mBAAA,IAAI,KAChC,EAAA;AAJiB,IAAA,IAAA,CAAA,MAAA,GAAA,MAAA;AACD,IAAA,IAAA,CAAA,OAAA,GAAA,OAAA;AACC,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AACA,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AAAA;AAChB,EAbL;AAO6D,IAAA,MAAA,CAAA,IAAA,EAAA,mBAAA,CAAA;AAAA;AAAA,EAQpD,mBAAmB,OAAoC,EAAA;AAC5D,IAAA,KAAA,MAAW,KAAK,OAAS,EAAA;AACvB,MAAM,MAAA,MAAA,GAAS,IAAI,CAAE,EAAA;AACrB,MAAA,MAAA,CAAO,iBAAiB,IAAI,CAAA;AAAA;AAC9B;AACF,EAEA,IAA0B,GAAmD,EAAA;AAC3E,IAAA,OAAO,IAAK,CAAA,QAAA,CAAS,GAAI,CAAA,GAAG,KAAK,EAAC;AAAA;AACpC,EAEO,gBAAA,CAAuC,YAAkC,QAA0B,EAAA;AACxG,IAAA,KAAA,MAAW,UAAc,IAAA,IAAA,CAAK,GAAI,CAAA,UAAU,CAAG,EAAA;AAC7C,MAAA,UAAA,CAAW,QAAW,GAAA,QAAA;AAAA;AACxB;AACF,EAEA,YAAwC,WAAqI,EAAA;AAC3K,IAAA,OAAO,IAAI,cAAA,CAAe,WAAa,EAAA,IAAA,CAAK,QAAU,EAAA,CAAC,UAAY,EAAA,UAAA,KAAe,IAAK,CAAA,UAAA,CAAW,UAAY,EAAA,UAAU,CAAC,CAAA;AAAA;AAC3H,EAEQ,UAAA,CAAiC,YAAkC,UAAkC,EAAA;AAC3G,IAAK,IAAA,CAAA,MAAA,CAAO,KAAK,gBAAkB,EAAA,EAAE,YAAY,UAAW,CAAA,IAAA,EAAM,YAAY,CAAA;AAC9E,IAAA,IAAI,QAAW,GAAA,IAAA,CAAK,QAAS,CAAA,GAAA,CAAI,UAAU,CAAA;AAC3C,IAAA,IAAI,YAAY,IAAM,EAAA;AACpB,MAAA,QAAA,GAAW,EAAC;AACZ,MAAK,IAAA,CAAA,QAAA,CAAS,GAAI,CAAA,UAAA,EAAY,QAAQ,CAAA;AAAA;AAExC,IAAA,QAAA,CAAS,KAAK,UAAU,CAAA;AAAA;AAC1B,EAEO,MAAM,MAAsC,EAAA;AACjD,IAAM,MAAA,SAAA,uBAAgB,GAAsD,EAAA;AAC5E,IAAA,KAAA,MAAW,CAAC,GAAA,EAAK,WAAW,CAAA,IAAK,KAAK,QAAU,EAAA;AAC9C,MAAM,MAAA,iBAAA,GAAoB,YAAY,GAAI,CAAA,CAAC,gBAAgB,EAAE,GAAG,YAAa,CAAA,CAAA;AAC7E,MAAU,SAAA,CAAA,GAAA,CAAI,KAAK,iBAAiB,CAAA;AAAA;AAGtC,IAAO,OAAA,IAAI,mBAAkB,IAAK,CAAA,MAAA,EAAQ,KAAK,OAAS,EAAA,MAAA,KAAW,MAAM,SAAS,CAAA;AAAA;AACpF,EAEO,aAAkC,GAAA;AACvC,IAAA,OAAO,IAAI,eAAgB,CAAA,IAAA,CAAK,MAAQ,EAAA,IAAA,CAAK,OAAO,CAAA;AAAA;AAExD,CAAA;;;AC3DO,IAAe,UAAf,MAAuB;AAAA,EAA9B;AAA8B,IAAA,MAAA,CAAA,IAAA,EAAA,SAAA,CAAA;AAAA;AAAA,EACrB,KAAA,CAAM,aAAmB,eAAwB,EAAA;AAAA;AAAC,EAClD,IAAA,CAAK,aAAmB,eAAwB,EAAA;AAAA;AAAC,EACjD,KAAA,CAAM,aAAmB,eAAwB,EAAA;AAAA;AAAC,EAClD,IAAA,CAAK,aAAmB,eAAwB,EAAA;AAAA;AACzD;;;ACDO,IAAM,aAAA,GAAN,cAA4B,OAAQ,CAAA;AAAA,EACzC,YAA6B,OAAmC,EAAA;AAC9D,IAAM,KAAA,EAAA;AADqB,IAAA,IAAA,CAAA,OAAA,GAAA,OAAA;AAAA;AAE7B,EAPF;AAI2C,IAAA,MAAA,CAAA,IAAA,EAAA,eAAA,CAAA;AAAA;AAAA,EAKzB,KAAA,CAAM,YAAkB,cAA6B,EAAA;AACnE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA4B,IAAA,CAAA,cAAA;AAC3C,MAAQ,OAAA,CAAA,KAAA,CAAM,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AAC1C;AACF,EAEgB,IAAA,CAAK,YAAkB,cAA6B,EAAA;AAClE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA2B,IAAA,CAAA,aAAA;AAC1C,MAAQ,OAAA,CAAA,IAAA,CAAK,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AACzC;AACF,EAEgB,IAAA,CAAK,YAAkB,cAA6B,EAAA;AAClE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA2B,IAAA,CAAA,aAAA;AAC1C,MAAQ,OAAA,CAAA,IAAA,CAAK,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AACzC;AACF,EAEgB,KAAA,CAAM,YAAkB,cAA6B,EAAA;AACnE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA4B,IAAA,CAAA,cAAA;AAC3C,MAAQ,OAAA,CAAA,KAAA,CAAM,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AAC1C;AAEJ,CAAA;;;AC1BA,IAAM,YAAA,2BAAgB,OAAsF,MAAA;AAAA,EAC1G,GAAG,+BAAA;AAAA,EACH,GAAG;AACL,CAHqB,CAAA,EAAA,cAAA,CAAA;AAUR,IAAA,uBAAA,2BAA2B,OAAoE,KAAA;AAC1G,EAAM,MAAA,aAAA,GAAgB,aAAa,OAAO,CAAA;AAC1C,EAAA,MAAM,MAAS,GAAA,aAAA,CAAc,MAAU,IAAA,IAAI,cAAc,aAAa,CAAA;AACtE,EAAA,OAAO,IAAI,iBAAA,CAAkB,MAAQ,EAAA,aAAA,EAAe,KAAK,CAAA;AAC3D,CAJuC,EAAA,yBAAA;;;ACXvC,IAAM,WAAc,mBAAA,MAAA,CAAA,CAAuB,WAAqB,EAAA,gBAAA,EAA0B,MAAuB,UAAqC,KAAA;AACpJ,EAAI,IAAA,QAAA,GAAW,WAAe,CAAA,WAAA,EAAa,gBAAgB,CAAA;AAC3D,EAAA,IAAI,aAAa,KAAW,CAAA,EAAA;AAC1B,IAAA,QAAA,GAAW,EAAC;AACZ,IAAe,cAAA,CAAA,WAAA,EAAa,UAAU,gBAAgB,CAAA;AAAA;AAExD,EAAA,QAAA,CAAS,IAAI,CAAI,GAAA,UAAA;AACnB,CAPoB,EAAA,aAAA,CAAA;AAcP,IAAA,SAAA,2BAAmC,UAAqC,KAAA;AACnF,EAAO,OAAA,CAAC,OAAkB,GAAoC,KAAA;AAC5D,IAAA,OAAO,SAAwB,YAAmB,EAAA;AAChD,MAAA,MAAM,SAAS,IAAK,CAAA,WAAA;AACpB,MAAA,WAAA,CAAY,qBAAuB,EAAA,MAAA,EAAQ,GAAI,CAAA,IAAA,EAAM,UAAU,CAAA;AAC/D,MAAO,OAAA,YAAA;AAAA,KACT;AAAA,GACF;AACF,CARyB,EAAA,WAAA","file":"index.js","sourcesContent":["export enum Lifetime {\n Resolve = 'RESOLVE',\n Transient = 'TRANSIENT',\n Scoped = 'SCOPED',\n Singleton = 'SINGLETON',\n}\n\nexport enum LogLevel {\n Debug = 0,\n Info = 1,\n Warn = 2,\n Error = 3,\n None = 4,\n}\n\nexport enum ResolveMultipleMode {\n Error = 'ERROR',\n LastRegistered = 'LAST_REGISTERED',\n}\n","import { LogLevel, ResolveMultipleMode } from './enums';\nimport type { ServiceCollectionOptions } from './types';\n\nexport const DefaultServiceCollectionOptions: ServiceCollectionOptions = {\n registrationMode: ResolveMultipleMode.Error,\n logLevel: LogLevel.Warn,\n};\n","import type { ServiceIdentifier } from './types';\n\nexport abstract class ServiceError extends Error {}\n\nexport class UnregisteredServiceError<T extends object> extends ServiceError {\n name = 'UnregisteredServiceError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Resolving service that has not been registered: ${identifier.name}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class MultipleRegistrationError<T extends object> extends ServiceError {\n name = 'MultipleRegistrationError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Multiple services have been registered: ${identifier.name}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ServiceCreationError<T extends object> extends ServiceError {\n name = 'ServiceCreationError';\n constructor(\n identifier: ServiceIdentifier<T>,\n public readonly innerError: any,\n ) {\n super(`Error creating service: ${identifier.name}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class SelfDependencyError extends ServiceError {\n name = 'SelfDependencyError';\n constructor() {\n super('Service depending on itself');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ScopedSingletonRegistrationError extends ServiceError {\n name = 'ScopedSingletonRegistrationError';\n constructor() {\n super('Cannot register a singleton in a scoped service collection');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n","import { Lifetime } from '../enums';\nimport { ScopedSingletonRegistrationError } from '../errors';\nimport type { ILifetimeBuilder, IServiceBuilder } from '../interfaces';\nimport type { InstanceFactory, ServiceDescriptor, ServiceIdentifier, ServiceImplementation, SourceType } from '../types';\n\nexport class ServiceBuilder<T extends SourceType> implements IServiceBuilder<T> {\n private descriptor: ServiceDescriptor<T> | undefined;\n\n constructor(\n private readonly identifiers: ServiceIdentifier<T>[],\n private readonly isScoped: boolean,\n private readonly addService: (identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>) => void,\n ) {}\n\n public to(implementation: ServiceImplementation<T>, factory?: InstanceFactory<T>): ILifetimeBuilder {\n this.descriptor = this.createDescriptor(factory, implementation);\n\n for (const identifier of this.identifiers) {\n this.addService(identifier, this.descriptor);\n }\n return this;\n }\n\n private createDescriptor(factory: InstanceFactory<T> | undefined, implementation: ServiceImplementation<T>): ServiceDescriptor<T> {\n const createInstance = factory ?? (() => new implementation());\n\n return {\n implementation,\n createInstance,\n lifetime: Lifetime.Resolve,\n };\n }\n\n public singleton(): this {\n if (this.isScoped) {\n throw new ScopedSingletonRegistrationError();\n }\n this.ensureDescriptor().lifetime = Lifetime.Singleton;\n return this;\n }\n\n public scoped(): this {\n this.ensureDescriptor().lifetime = Lifetime.Scoped;\n return this;\n }\n\n public transient(): this {\n this.ensureDescriptor().lifetime = Lifetime.Transient;\n return this;\n }\n\n private ensureDescriptor(): ServiceDescriptor<T> {\n if (!this.descriptor) {\n throw new Error('Must call to() before setting lifetime');\n }\n return this.descriptor;\n }\n}\n","import type { Lifetime } from './enums';\nimport { ResolveMultipleMode } from './enums';\nimport type { EnsureObject, ServiceBuilderOptions, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceModuleType, SourceType, UnionToIntersection } from './types';\n\nexport abstract class IDisposable {\n public abstract [Symbol.dispose](): void;\n}\n\nexport abstract class IServiceModule {\n public abstract registerServices(services: IServiceCollection): void;\n}\n\nexport abstract class IResolutionScope {\n /**\n * Resolves a single implementation for the given identifier.\n * @template T The type of service to resolve\n * @param identifier The service identifier\n * @returns The resolved instance\n * @throws {MultipleRegistrationError} When multiple implementations exist (unless {@link ServiceCollectionOptions.registrationMode} is set to {@link ResolveMultipleMode.LastRegistered}).\n * @throws {UnregisteredServiceError} When no implementation exists\n */\n public abstract resolve<T extends SourceType>(identifier: ServiceIdentifier<T>): T;\n\n /**\n * Resolves all implementations for the given identifier.\n * @template T The type of service to resolve\n * @param identifier The service identifier\n * @returns Array of resolved instances\n */\n public abstract resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>): T[];\n}\n\nexport abstract class IScopedProvider extends IResolutionScope implements IDisposable {\n public abstract readonly Services: IServiceCollection;\n public abstract [Symbol.dispose](): void;\n}\n\nexport abstract class IServiceProvider extends IResolutionScope {\n public abstract readonly Services: IServiceCollection;\n public abstract createScope(): IScopedProvider;\n}\n\nexport abstract class IServiceCollection {\n public abstract readonly options: ServiceCollectionOptions;\n public abstract get<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceDescriptor<T>[];\n public abstract register<Types extends SourceType[]>(...identifiers: { [K in keyof Types]: ServiceIdentifier<Types[K]> }): IServiceBuilder<EnsureObject<UnionToIntersection<Types[number]>>>;\n public abstract registerModules(...modules: ServiceModuleType[]): void;\n public abstract overrideLifetime<T extends SourceType>(identifier: ServiceIdentifier<T>, lifetime: Lifetime): void;\n public abstract buildProvider(): IServiceProvider;\n public abstract clone(): IServiceCollection;\n public abstract clone(scoped: true): IServiceCollection;\n}\n\nexport abstract class ILifetimeBuilder {\n public abstract singleton(): ILifetimeBuilder;\n public abstract scoped(): ILifetimeBuilder;\n public abstract transient(): ILifetimeBuilder;\n}\n\nexport abstract class IServiceBuilder<T extends SourceType> {\n public abstract to: ServiceBuilderOptions<T>;\n}\n","import { Lifetime } from '../enums';\nimport type { ServiceImplementation, SourceType } from '../types';\n\nexport class ResolutionContext {\n constructor(\n private readonly singletons: Map<ServiceImplementation<any>, any>,\n private readonly scoped: Map<ServiceImplementation<any>, any>,\n ) {}\n\n private readonly transient = new Map<ServiceImplementation<any>, any>();\n\n public getFromLifetime<T extends SourceType>(implementation: ServiceImplementation<T>, lifetime: Lifetime): T {\n const map = this.getMapForLifetime(lifetime);\n return map?.get(implementation);\n }\n\n public setForLifetime<T extends SourceType>(implementation: ServiceImplementation<T>, instance: T, lifetime: Lifetime): void {\n const map = this.getMapForLifetime(lifetime);\n map?.set(implementation, instance);\n }\n\n private getMapForLifetime(lifetime: Lifetime) {\n const map: Partial<Record<Lifetime, Map<ServiceImplementation<any>, any>>> = {\n [Lifetime.Singleton]: this.singletons,\n [Lifetime.Scoped]: this.scoped,\n [Lifetime.Resolve]: this.transient,\n };\n return map[lifetime];\n }\n}\n","export const DesignDependenciesKey = 'design:dependencies';\n","import '@abraham/reflection';\nimport type { MetadataType, SourceType } from '../types';\n\nexport const getMetadata = <T extends SourceType>(key: string, obj: object): MetadataType<T> | undefined => Reflect.getMetadata(key, obj);\nexport const defineMetadata = <T extends SourceType>(key: string, metadata: MetadataType<T>, obj: object) => Reflect.defineMetadata(key, metadata, obj);\n","import { Lifetime } from '../enums';\nimport { ResolveMultipleMode } from '../enums';\nimport { MultipleRegistrationError, SelfDependencyError, ServiceCreationError, UnregisteredServiceError } from '../errors';\nimport { type IDisposable, IResolutionScope, IScopedProvider, type IServiceCollection } from '../interfaces';\nimport { IServiceProvider } from '../interfaces';\nimport type { ILogger } from '../logger';\nimport type { ServiceDescriptor, ServiceIdentifier, ServiceImplementation, SourceType } from '../types';\nimport { ResolutionContext } from './ResolutionContext';\nimport { DesignDependenciesKey } from './constants';\nimport { getMetadata } from './metadata';\n\nexport class ServiceProvider implements IServiceProvider, IScopedProvider {\n private scoped = new Map<ServiceImplementation<any>, any>();\n private created: IDisposable[] = [];\n\n constructor(\n private readonly logger: ILogger,\n public readonly Services: IServiceCollection,\n private readonly singletons = new Map<ServiceImplementation<any>, any>(),\n ) {}\n\n [Symbol.dispose]() {\n for (const x of this.created) {\n x[Symbol.dispose]();\n }\n }\n\n private resolveInternal<T extends SourceType>(descriptor: ServiceDescriptor<T>, context: ResolutionContext): T {\n let instance = context.getFromLifetime(descriptor.implementation, descriptor.lifetime);\n if (instance == null) {\n instance = this.createInstance(descriptor, context);\n }\n return instance;\n }\n\n public resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>, context?: ResolutionContext): T[] {\n const descriptors = this.Services.get(identifier);\n return descriptors.map((descriptor) => this.resolveInternal<T>(descriptor, context ?? new ResolutionContext(this.singletons, this.scoped)));\n }\n\n public resolve<T extends SourceType>(identifier: ServiceIdentifier<T>, context?: ResolutionContext): T {\n if (identifier.prototype === IResolutionScope.prototype || identifier.prototype === IScopedProvider.prototype || identifier.prototype === IServiceProvider.prototype) {\n return this as IResolutionScope & IScopedProvider & IServiceProvider as T;\n }\n\n const descriptor = this.getSingleDescriptor(identifier);\n return this.resolveInternal(descriptor, context ?? new ResolutionContext(this.singletons, this.scoped));\n }\n\n private getSingleDescriptor<T extends SourceType>(identifier: ServiceIdentifier<T>) {\n const descriptors = this.Services.get(identifier);\n if (descriptors.length === 0) {\n throw new UnregisteredServiceError(identifier);\n }\n\n if (descriptors.length > 1) {\n if (this.Services.options.registrationMode === ResolveMultipleMode.Error) {\n throw new MultipleRegistrationError(identifier);\n }\n }\n const descriptor = descriptors[descriptors.length - 1];\n return descriptor;\n }\n\n private createInstance<T extends SourceType>(descriptor: ServiceDescriptor<T>, context: ResolutionContext): T {\n const instance = this.createInstanceInternal(descriptor, context);\n this.setDependencies(descriptor.implementation, instance, context);\n context.setForLifetime(descriptor.implementation, instance, descriptor.lifetime);\n return instance;\n }\n\n private wrapContext(context: ResolutionContext): IResolutionScope {\n const resolve = (identifier: ServiceIdentifier<any>) => this.resolve(identifier, context);\n const resolveAll = (identifier: ServiceIdentifier<any>) => this.resolveAll(identifier, context);\n\n return {\n resolve,\n resolveAll,\n };\n }\n\n private createInstanceInternal<T extends SourceType>(descriptor: ServiceDescriptor<T>, context: ResolutionContext) {\n let instance: T | undefined;\n try {\n instance = descriptor.createInstance(this.wrapContext(context));\n } catch (err) {\n this.logger.error(err);\n throw new ServiceCreationError(descriptor.implementation, err);\n }\n if (descriptor.lifetime !== Lifetime.Singleton && Symbol.dispose in instance) {\n this.created.push(instance as IDisposable);\n }\n return instance;\n }\n\n public createScope(): IScopedProvider {\n return new ServiceProvider(this.logger, this.Services.clone(true), this.singletons);\n }\n\n private setDependencies<T extends SourceType>(implementation: ServiceImplementation<T>, instance: T, context: ResolutionContext): T {\n const dependencies = getMetadata<T>(DesignDependenciesKey, implementation) ?? {};\n this.logger.debug('Dependencies', implementation.name, dependencies);\n for (const [key, identifier] of Object.entries(dependencies)) {\n if (identifier !== implementation) {\n this.logger.debug('Resolving', identifier.name, 'for', implementation.name);\n const dep = this.resolve(identifier, context);\n (instance as Record<string, T>)[key] = dep;\n } else {\n throw new SelfDependencyError();\n }\n }\n return instance;\n }\n}\n","import type { Lifetime } from '../enums';\nimport type { IServiceBuilder, IServiceCollection, IServiceProvider } from '../interfaces';\nimport type { ILogger } from '../logger';\nimport type { EnsureObject, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceModuleType, SourceType, UnionToIntersection } from '../types';\nimport { ServiceBuilder } from './ServiceBuilder';\nimport { ServiceProvider } from './ServiceProvider';\n\nexport class ServiceCollection implements IServiceCollection {\n constructor(\n private readonly logger: ILogger,\n public readonly options: ServiceCollectionOptions,\n private readonly isScoped: boolean,\n private readonly services = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>(),\n ) {}\n\n public registerModules(...modules: ServiceModuleType[]): void {\n for (const x of modules) {\n const module = new x();\n module.registerServices(this);\n }\n }\n\n get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[] {\n return this.services.get(key) ?? [];\n }\n\n public overrideLifetime<T extends SourceType>(identifier: ServiceIdentifier<T>, lifetime: Lifetime): void {\n for (const descriptor of this.get(identifier)) {\n descriptor.lifetime = lifetime;\n }\n }\n\n register<Types extends SourceType[]>(...identifiers: { [K in keyof Types]: ServiceIdentifier<Types[K]> }): IServiceBuilder<EnsureObject<UnionToIntersection<Types[number]>>> {\n return new ServiceBuilder(identifiers, this.isScoped, (identifier, descriptor) => this.addService(identifier, descriptor));\n }\n\n private addService<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>) {\n this.logger.info('Adding service', { identifier: identifier.name, descriptor });\n let existing = this.services.get(identifier);\n if (existing == null) {\n existing = [];\n this.services.set(identifier, existing);\n }\n existing.push(descriptor);\n }\n\n public clone(scoped?: unknown): IServiceCollection {\n const clonedMap = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>();\n for (const [key, descriptors] of this.services) {\n const clonedDescriptors = descriptors.map((descriptor) => ({ ...descriptor }));\n clonedMap.set(key, clonedDescriptors);\n }\n\n return new ServiceCollection(this.logger, this.options, scoped === true, clonedMap);\n }\n\n public buildProvider(): IServiceProvider {\n return new ServiceProvider(this.logger, this.clone());\n }\n}\n","export abstract class ILogger {\n public debug(_message?: any, ..._optionalParams: any[]) {}\n public info(_message?: any, ..._optionalParams: any[]) {}\n public error(_message?: any, ..._optionalParams: any[]) {}\n public warn(_message?: any, ..._optionalParams: any[]) {}\n}\n","import { LogLevel } from '../enums';\nimport { ILogger } from '../logger';\nimport type { ServiceCollectionOptions } from '../types';\n\nexport class ConsoleLogger extends ILogger {\n constructor(private readonly options: ServiceCollectionOptions) {\n super();\n }\n\n public override debug(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Debug) {\n console.debug(message, ...optionalParams);\n }\n }\n\n public override info(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Info) {\n console.info(message, ...optionalParams);\n }\n }\n\n public override warn(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Warn) {\n console.warn(message, ...optionalParams);\n }\n }\n\n public override error(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Error) {\n console.error(message, ...optionalParams);\n }\n }\n}\n","import { DefaultServiceCollectionOptions } from './defaults';\nimport type { IServiceCollection } from './interfaces';\nimport { ServiceCollection } from './private/ServiceCollection';\nimport { ConsoleLogger } from './private/consoleLogger';\nimport type { ServiceCollectionOptions } from './types';\n\nconst mergeOptions = (options: Partial<ServiceCollectionOptions> | undefined): ServiceCollectionOptions => ({\n ...DefaultServiceCollectionOptions,\n ...options,\n});\n\n/**\n * Creates a service collection with the (optionally) provided options\n * @param options - Optional configuration for the service collection.\n * @defaultValue Default options are taken from {@link DefaultServiceCollectionOptions}.\n */\nexport const createServiceCollection = (options?: Partial<ServiceCollectionOptions>): IServiceCollection => {\n const mergedOptions = mergeOptions(options);\n const logger = mergedOptions.logger ?? new ConsoleLogger(mergedOptions);\n return new ServiceCollection(logger, mergedOptions, false);\n};\n","import { IResolutionScope, IScopedProvider, IServiceProvider } from './interfaces';\nimport { DesignDependenciesKey } from './private/constants';\nimport { defineMetadata, getMetadata } from './private/metadata';\nimport type { ServiceIdentifier, SourceType } from './types';\n\nconst tagProperty = <T extends SourceType>(metadataKey: string, annotationTarget: object, name: string | symbol, identifier: ServiceIdentifier<T>) => {\n let existing = getMetadata<T>(metadataKey, annotationTarget);\n if (existing === undefined) {\n existing = {};\n defineMetadata(metadataKey, existing, annotationTarget);\n }\n existing[name] = identifier;\n};\n\n/**\n * declares a dependency, use on a class field.\n * Can also depend on {@link IServiceProvider}, {@link IResolutionScope}, or {@link IScopedProvider}.\n * @param identifier the identifier to depend on, i.e. the interface\n */\nexport const dependsOn = <T extends SourceType>(identifier: ServiceIdentifier<T>) => {\n return (value: undefined, ctx: ClassFieldDecoratorContext) => {\n return function (this: object, initialValue: any) {\n const target = this.constructor;\n tagProperty(DesignDependenciesKey, target, ctx.name, identifier);\n return initialValue;\n };\n };\n};\n"]}
package/dist/index.mjs CHANGED
@@ -1 +1 @@
1
- var e=Object.defineProperty,t=(t,r)=>e(t,"name",{value:r,configurable:!0}),r="design:dependencies",s=class extends Error{static{t(this,"ServiceError")}},i=class extends s{static{t(this,"UnregisteredServiceError")}name="UnregisteredServiceError";constructor(e){super(`Resolving service that has not been registered: ${e}`),Object.setPrototypeOf(this,new.target.prototype)}},o=class extends s{static{t(this,"MultipleRegistrationError")}name="MultipleRegistrationError";constructor(e){super(`Multiple services have been registered: ${e}`),Object.setPrototypeOf(this,new.target.prototype)}},n=class extends s{constructor(e,t){super(`Error creating service: ${e}`),this.innerError=t,Object.setPrototypeOf(this,new.target.prototype)}static{t(this,"ServiceCreationError")}name="ServiceCreationError"},c=class extends s{static{t(this,"SelfDependencyError")}name="SelfDependencyError";constructor(){super("Service depending on itself"),Object.setPrototypeOf(this,new.target.prototype)}},l=class extends s{static{t(this,"ScopedSingletonRegistrationError")}name="ScopedSingletonRegistrationError";constructor(){super("Cannot register a singleton in a scoped service collection"),Object.setPrototypeOf(this,new.target.prototype)}},a=class{static{t(this,"IDisposable")}},h=class{static{t(this,"IServiceModule")}},p=class{static{t(this,"IServiceScope")}},g=class extends p{static{t(this,"IServiceProvider")}},d=class{static{t(this,"IServiceCollection")}};import"@abraham/reflection";var v=t(((e,t)=>Reflect.getMetadata(e,t)),"getMetadata"),u=t(((e,t,r)=>Reflect.defineMetadata(e,t,r)),"defineMetadata"),f={Error:"ERROR",LastRegistered:"LAST_REGISTERED"},S=(e=>(e[e.Debug=0]="Debug",e[e.Info=1]="Info",e[e.Warn=2]="Warn",e[e.Error=3]="Error",e[e.None=4]="None",e))(S||{}),m={registrationMode:f.Error,logLevel:2},E=t((()=>new Map),"createResolveMap"),w=class e{constructor(e,t,r=E()){this.logger=e,this.services=t,this.singletons=r}static{t(this,"ServiceProvider")}scoped=E();created=[];get Services(){return this.services}[Symbol.dispose](){for(const e of this.created)e[Symbol.dispose]()}resolveFrom(e,t,r,s){let i=r.get(e);void 0===i&&(i=new Map,r.set(e,i));let o=i.get(t.implementation);return void 0===o&&(o=this.createInstance(t,s),i.set(t.implementation,o),this.setDependencies(t.implementation,o,s)),o}resolveInternal(e,t,r){const s={SINGLETON:this.singletons,SCOPED:this.scoped,RESOLVE:r}[t.lifetime];if(void 0===s){const e=this.createInstance(t,r);return this.setDependencies(t.implementation,e,r),e}return this.resolveFrom(e,t,s,r)}resolveAll(e,t=E()){return this.services.get(e).map((r=>this.resolveInternal(e,r,t)))}resolve(e,t=E()){if(e.prototype===p.prototype||e.prototype===g.prototype)return this;const r=this.services.get(e);if(0===r.length)throw new i(e);if(r.length>1&&this.Services.options.registrationMode===f.Error)throw new o(e);const s=r[r.length-1];return this.resolveInternal(e,s,t)}createInstance(e,r){let s;if("factory"in e){const i=e.factory,o=t((e=>this.resolve(e,r)),"resolve"),c=t((e=>this.resolveAll(e,r)),"resolveAll"),l=this.createScope.bind(this);try{s=i({resolve:o,resolveAll:c,createScope:l,get Services(){return this.Services}})}catch(t){throw this.logger.error(t),new n(e.implementation,t)}}else try{s=new e.implementation}catch(t){throw this.logger.error(t),new n(e.implementation,t)}return"SINGLETON"!==e.lifetime&&Symbol.dispose in s&&this.created.push(s),s}createScope(){return new e(this.logger,this.services.clone(!0),this.singletons)}setDependencies(e,t,s){const i=v(r,e)??{};this.logger.debug("Dependencies",e.name,i);for(const[r,o]of Object.entries(i)){if(o===e)throw new c;{this.logger.debug("Resolving",o,"for",e.name);const i=this.resolve(o,s);t[r]=i}}return t}},y=class e{constructor(e,t,r,s=new Map){this.logger=e,this.options=t,this.isScoped=r,this.services=s}static{t(this,"ServiceCollection")}registerModules(...e){for(const t of e){(new t).registerServices(this)}}get(e){return this.services.get(e)??[]}register(e){return{to:t(((r,s)=>{const i=void 0===s?{implementation:r,lifetime:"RESOLVE"}:{implementation:r,factory:s,lifetime:"RESOLVE"};this.addService(e,i);const o={singleton:t((()=>{if(this.isScoped)throw new l;return i.lifetime="SINGLETON",o}),"singleton"),scoped:t((()=>(i.lifetime="SCOPED",o)),"scoped"),transient:t((()=>(i.lifetime="TRANSIENT",o)),"transient")};return o}),"to")}}addService(e,t){this.logger.info("Adding service",{identifier:e,descriptor:t});let r=this.services.get(e);null==r&&(r=[],this.services.set(e,r)),r.push(t)}clone(t){const r=new Map;for(const[e,t]of this.services){const s=t.map((e=>({...e})));r.set(e,s)}return new e(this.logger,this.options,!0===t,r)}buildProvider(){const e=this.clone();return new w(this.logger,e)}},b=class{static{t(this,"ILogger")}debug(e,...t){}info(e,...t){}error(e,...t){}warn(e,...t){}},O=class extends b{constructor(e){super(),this.options=e}static{t(this,"ConsoleLogger")}debug(e,...t){this.options.logLevel<=0&&console.debug(e,...t)}info(e,...t){this.options.logLevel<=1&&console.info(e,...t)}warn(e,...t){this.options.logLevel<=2&&console.warn(e,...t)}error(e,...t){this.options.logLevel<=3&&console.error(e,...t)}},I=t((e=>({...m,...e})),"mergeOptions"),R=t((e=>{const t=I(e),r=t.logger??new O(t);return new y(r,t,!1)}),"createServiceCollection"),M=t(((e,t,r,s)=>{let i=v(e,t);void 0===i&&(i={},u(e,i,t)),i[r]=s}),"tagProperty"),L=t((e=>(t,s)=>function(t){const i=this.constructor;return M(r,i,s.name,e),t}),"dependsOn");export{m as DefaultServiceCollectionOptions,a as IDisposable,b as ILogger,d as IServiceCollection,h as IServiceModule,g as IServiceProvider,p as IServiceScope,S as LogLevel,o as MultipleRegistrationError,f as ResolveMultipleMode,c as SelfDependencyError,y as ServiceCollection,n as ServiceCreationError,s as ServiceError,w as ServiceProvider,i as UnregisteredServiceError,R as createServiceCollection,L as dependsOn};//# sourceMappingURL=index.mjs.map
1
+ import"@abraham/reflection";var e=Object.defineProperty,t=(t,s)=>e(t,"name",{value:s,configurable:!0}),s=(e=>(e.Resolve="RESOLVE",e.Transient="TRANSIENT",e.Scoped="SCOPED",e.Singleton="SINGLETON",e))(s||{}),r=(e=>(e[e.Debug=0]="Debug",e[e.Info=1]="Info",e[e.Warn=2]="Warn",e[e.Error=3]="Error",e[e.None=4]="None",e))(r||{}),i=(e=>(e.Error="ERROR",e.LastRegistered="LAST_REGISTERED",e))(i||{}),o={registrationMode:"ERROR",logLevel:2},n=class extends Error{static{t(this,"ServiceError")}},c=class extends n{static{t(this,"UnregisteredServiceError")}name="UnregisteredServiceError";constructor(e){super(`Resolving service that has not been registered: ${e.name}`),Object.setPrototypeOf(this,new.target.prototype)}},a=class extends n{static{t(this,"MultipleRegistrationError")}name="MultipleRegistrationError";constructor(e){super(`Multiple services have been registered: ${e.name}`),Object.setPrototypeOf(this,new.target.prototype)}},l=class extends n{constructor(e,t){super(`Error creating service: ${e.name}`),this.innerError=t,Object.setPrototypeOf(this,new.target.prototype)}static{t(this,"ServiceCreationError")}name="ServiceCreationError"},h=class extends n{static{t(this,"SelfDependencyError")}name="SelfDependencyError";constructor(){super("Service depending on itself"),Object.setPrototypeOf(this,new.target.prototype)}},p=class extends n{static{t(this,"ScopedSingletonRegistrationError")}name="ScopedSingletonRegistrationError";constructor(){super("Cannot register a singleton in a scoped service collection"),Object.setPrototypeOf(this,new.target.prototype)}},g=class{constructor(e,t,s){this.identifiers=e,this.isScoped=t,this.addService=s}static{t(this,"ServiceBuilder")}descriptor;to(e,t){this.descriptor=this.createDescriptor(t,e);for(const e of this.identifiers)this.addService(e,this.descriptor);return this}createDescriptor(e,t){const s=e??(()=>new t);return{implementation:t,createInstance:s,lifetime:"RESOLVE"}}singleton(){if(this.isScoped)throw new p;return this.ensureDescriptor().lifetime="SINGLETON",this}scoped(){return this.ensureDescriptor().lifetime="SCOPED",this}transient(){return this.ensureDescriptor().lifetime="TRANSIENT",this}ensureDescriptor(){if(!this.descriptor)throw new Error("Must call to() before setting lifetime");return this.descriptor}},d=class{static{t(this,"IDisposable")}},u=class{static{t(this,"IServiceModule")}},f=class{static{t(this,"IResolutionScope")}},v=class extends f{static{t(this,"IScopedProvider")}},S=class extends f{static{t(this,"IServiceProvider")}},m=class{static{t(this,"IServiceCollection")}},E=class{static{t(this,"ILifetimeBuilder")}},w=class{static{t(this,"IServiceBuilder")}},I=class{constructor(e,t){this.singletons=e,this.scoped=t}static{t(this,"ResolutionContext")}transient=new Map;getFromLifetime(e,t){const s=this.getMapForLifetime(t);return s?.get(e)}setForLifetime(e,t,s){const r=this.getMapForLifetime(s);r?.set(e,t)}getMapForLifetime(e){return{SINGLETON:this.singletons,SCOPED:this.scoped,RESOLVE:this.transient}[e]}},R="design:dependencies",O=t(((e,t)=>Reflect.getMetadata(e,t)),"getMetadata"),L=t(((e,t,s)=>Reflect.defineMetadata(e,t,s)),"defineMetadata"),b=class e{constructor(e,t,s=new Map){this.logger=e,this.Services=t,this.singletons=s}static{t(this,"ServiceProvider")}scoped=new Map;created=[];[Symbol.dispose](){for(const e of this.created)e[Symbol.dispose]()}resolveInternal(e,t){let s=t.getFromLifetime(e.implementation,e.lifetime);return null==s&&(s=this.createInstance(e,t)),s}resolveAll(e,t){return this.Services.get(e).map((e=>this.resolveInternal(e,t??new I(this.singletons,this.scoped))))}resolve(e,t){if(e.prototype===f.prototype||e.prototype===v.prototype||e.prototype===S.prototype)return this;const s=this.getSingleDescriptor(e);return this.resolveInternal(s,t??new I(this.singletons,this.scoped))}getSingleDescriptor(e){const t=this.Services.get(e);if(0===t.length)throw new c(e);if(t.length>1&&"ERROR"===this.Services.options.registrationMode)throw new a(e);return t[t.length-1]}createInstance(e,t){const s=this.createInstanceInternal(e,t);return this.setDependencies(e.implementation,s,t),t.setForLifetime(e.implementation,s,e.lifetime),s}wrapContext(e){return{resolve:t((t=>this.resolve(t,e)),"resolve"),resolveAll:t((t=>this.resolveAll(t,e)),"resolveAll")}}createInstanceInternal(e,t){let s;try{s=e.createInstance(this.wrapContext(t))}catch(t){throw this.logger.error(t),new l(e.implementation,t)}return"SINGLETON"!==e.lifetime&&Symbol.dispose in s&&this.created.push(s),s}createScope(){return new e(this.logger,this.Services.clone(!0),this.singletons)}setDependencies(e,t,s){const r=O(R,e)??{};this.logger.debug("Dependencies",e.name,r);for(const[i,o]of Object.entries(r)){if(o===e)throw new h;{this.logger.debug("Resolving",o.name,"for",e.name);const r=this.resolve(o,s);t[i]=r}}return t}},y=class e{constructor(e,t,s,r=new Map){this.logger=e,this.options=t,this.isScoped=s,this.services=r}static{t(this,"ServiceCollection")}registerModules(...e){for(const t of e){(new t).registerServices(this)}}get(e){return this.services.get(e)??[]}overrideLifetime(e,t){for(const s of this.get(e))s.lifetime=t}register(...e){return new g(e,this.isScoped,((e,t)=>this.addService(e,t)))}addService(e,t){this.logger.info("Adding service",{identifier:e.name,descriptor:t});let s=this.services.get(e);null==s&&(s=[],this.services.set(e,s)),s.push(t)}clone(t){const s=new Map;for(const[e,t]of this.services){const r=t.map((e=>({...e})));s.set(e,r)}return new e(this.logger,this.options,!0===t,s)}buildProvider(){return new b(this.logger,this.clone())}},D=class{static{t(this,"ILogger")}debug(e,...t){}info(e,...t){}error(e,...t){}warn(e,...t){}},M=class extends D{constructor(e){super(),this.options=e}static{t(this,"ConsoleLogger")}debug(e,...t){this.options.logLevel<=0&&console.debug(e,...t)}info(e,...t){this.options.logLevel<=1&&console.info(e,...t)}warn(e,...t){this.options.logLevel<=2&&console.warn(e,...t)}error(e,...t){this.options.logLevel<=3&&console.error(e,...t)}},N=t((e=>({...o,...e})),"mergeOptions"),P=t((e=>{const t=N(e),s=t.logger??new M(t);return new y(s,t,!1)}),"createServiceCollection"),x=t(((e,t,s,r)=>{let i=O(e,t);void 0===i&&(i={},L(e,i,t)),i[s]=r}),"tagProperty"),C=t((e=>(t,s)=>function(t){const r=this.constructor;return x(R,r,s.name,e),t}),"dependsOn");export{o as DefaultServiceCollectionOptions,d as IDisposable,E as ILifetimeBuilder,D as ILogger,f as IResolutionScope,v as IScopedProvider,w as IServiceBuilder,m as IServiceCollection,u as IServiceModule,S as IServiceProvider,s as Lifetime,r as LogLevel,a as MultipleRegistrationError,i as ResolveMultipleMode,p as ScopedSingletonRegistrationError,h as SelfDependencyError,l as ServiceCreationError,n as ServiceError,c as UnregisteredServiceError,P as createServiceCollection,C as dependsOn};//# sourceMappingURL=index.mjs.map
@@ -1 +1 @@
1
- {"version":3,"sources":["../src/constants.ts","../src/errors.ts","../src/interfaces.ts","../src/metadata.ts","../src/types.ts","../src/ServiceProvider.ts","../src/ServiceCollection.ts","../src/logger.ts","../src/consoleLogger.ts","../src/createServiceCollection.ts","../src/dependsOn.ts"],"sourcesContent":["export enum Lifetime {\n Resolve = 'RESOLVE',\n Transient = 'TRANSIENT',\n Scoped = 'SCOPED',\n Singleton = 'SINGLETON',\n}\n\nexport const DesignDependenciesKey = 'design:dependencies';\n","import type { ServiceIdentifier } from './types';\n\nexport abstract class ServiceError extends Error {}\n\nexport class UnregisteredServiceError<T extends object> extends ServiceError {\n name = 'UnregisteredServiceError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Resolving service that has not been registered: ${identifier}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class MultipleRegistrationError<T extends object> extends ServiceError {\n name = 'MultipleRegistrationError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Multiple services have been registered: ${identifier}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ServiceCreationError<T extends object> extends ServiceError {\n name = 'ServiceCreationError';\n constructor(\n identifier: ServiceIdentifier<T>,\n public readonly innerError: any,\n ) {\n super(`Error creating service: ${identifier}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class SelfDependencyError extends ServiceError {\n name = 'SelfDependencyError';\n constructor() {\n super('Service depending on itself');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ScopedSingletonRegistrationError extends ServiceError {\n name = 'ScopedSingletonRegistrationError';\n constructor() {\n super('Cannot register a singleton in a scoped service collection');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n","// eslint-disable-next-line @typescript-eslint/no-unused-vars\nimport type { MultipleRegistrationError } from './errors';\nimport type { ServiceBuilder, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceModuleType, SourceType } from './types';\n\nexport abstract class IDisposable {\n public abstract [Symbol.dispose](): void;\n}\n\nexport abstract class IServiceModule {\n public abstract registerServices(services: IServiceCollection): void;\n}\n\nexport abstract class IServiceScope {\n /**\n * Resolves a single implementation for the identifier.\n * When finding multiple implementations, it will either\n * throw a {@link MultipleRegistrationError} or resolve the latest depending on the provided options.\n */\n public abstract resolve<T extends SourceType>(identifier: ServiceIdentifier<T>): T;\n /**\n * Resolves all implementations for the identifier.\n */\n public abstract resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>): T[];\n}\n\nexport abstract class IServiceProvider extends IServiceScope {\n public abstract get Services(): IServiceCollection;\n public abstract createScope(): IServiceProvider & IDisposable;\n}\n\nexport abstract class IServiceCollection {\n public abstract readonly options: ServiceCollectionOptions;\n public abstract get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[];\n public abstract register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T>;\n public abstract registerModules(...modules: ServiceModuleType[]): void;\n public abstract buildProvider(): IServiceProvider;\n public abstract clone(): IServiceCollection;\n public abstract clone(scoped: true): IServiceCollection;\n}\n","import '@abraham/reflection';\nimport type { MetadataType, SourceType } from './types';\n\nexport const getMetadata = <T extends SourceType>(key: string, obj: object): MetadataType<T> | undefined => Reflect.getMetadata(key, obj);\nexport const defineMetadata = <T extends SourceType>(key: string, metadata: MetadataType<T>, obj: object) => Reflect.defineMetadata(key, metadata, obj);\n","import type { ConsoleLogger } from './consoleLogger';\nimport type { Lifetime } from './constants';\nimport type { IServiceModule, IServiceProvider, IServiceScope } from './interfaces';\nimport type { ILogger } from './logger';\n\nexport type SourceType = object;\n\nexport type AbstractNewable<T> = abstract new (...args: any[]) => T;\nexport type Newable<T> = new (...args: any[]) => T;\n\nexport type ServiceIdentifier<T extends SourceType> = { prototype: T; name: string }; //AbstractNewable<T>;\nexport type ServiceImplementation<T extends SourceType> = Newable<T>;\n\nexport type InstanceFactory<T extends SourceType> = (x: IServiceScope & IServiceProvider) => T;\n\nexport type ServiceModuleType = Newable<IServiceModule>;\n\nexport type ServiceDescriptorFactory<T extends SourceType> = {\n implementation: ServiceIdentifier<T>;\n factory: InstanceFactory<T>;\n lifetime: Lifetime;\n};\nexport type ServiceDescriptorConcrete<T extends SourceType> = {\n implementation: ServiceImplementation<T>;\n lifetime: Lifetime;\n};\n\nexport type ServiceDescriptor<T extends SourceType> = ServiceDescriptorConcrete<T> | ServiceDescriptorFactory<T>;\n\nexport type LifetimeBuilder = {\n singleton: () => LifetimeBuilder;\n scoped: () => LifetimeBuilder;\n transient: () => LifetimeBuilder;\n};\nexport type ServiceBuilder<T extends SourceType> = {\n to: {\n (implementation: ServiceImplementation<T>): LifetimeBuilder;\n (implementation: ServiceIdentifier<T>, factory: InstanceFactory<T>): LifetimeBuilder;\n };\n};\n\nexport type MetadataType<T extends SourceType> = Record<string | symbol, ServiceIdentifier<T>>;\n\nexport const ResolveMultipleMode = {\n Error: 'ERROR',\n LastRegistered: 'LAST_REGISTERED',\n} as const;\nexport type ResolveMultipleMode = (typeof ResolveMultipleMode)[keyof typeof ResolveMultipleMode];\n\nexport enum LogLevel {\n Debug = 0,\n Info = 1,\n Warn = 2,\n Error = 3,\n None = 4,\n}\n\n// export const LogLevel = {\n// Debug: 0,\n// Info: 1,\n// Warn: 2,\n// Error: 3,\n// None: 4,\n// } as const;\n// export type LogLevel = (typeof LogLevel)[keyof typeof LogLevel];\n\nexport const DefaultServiceCollectionOptions: ServiceCollectionOptions = {\n registrationMode: ResolveMultipleMode.Error,\n logLevel: LogLevel.Warn,\n};\n\nexport type ServiceCollectionOptions = {\n /**\n * Whether calling `resolve` when there are multiple registrations\n * will result in an error or resolve the last registered service.\n * @default ResolveMultipleMode.Error\n */\n registrationMode: ResolveMultipleMode;\n /**\n * The default log level for the console logger.\n * @defaultValue {@link LogLevel.Warn}\n */\n logLevel: LogLevel;\n /**\n * Custom implementation for logger. Ignores log level.\n * @defaultValue {@link ConsoleLogger}\n */\n logger?: ILogger;\n};\n","import { DesignDependenciesKey, Lifetime } from './constants';\nimport { MultipleRegistrationError, SelfDependencyError, ServiceCreationError, UnregisteredServiceError } from './errors';\nimport type { IDisposable, IServiceCollection } from './interfaces';\nimport { IServiceProvider, IServiceScope } from './interfaces';\nimport type { ILogger } from './logger';\nimport { getMetadata } from './metadata';\nimport type { ServiceDescriptor, ServiceIdentifier, ServiceImplementation, SourceType } from './types';\nimport { ResolveMultipleMode } from './types';\n\ntype Id<T extends SourceType> = ServiceIdentifier<T> | ServiceImplementation<T>;\n\ntype ResolveMap<T extends SourceType> = Map<ServiceIdentifier<T>, Map<Id<T>, T>>;\n\nconst createResolveMap = <T extends SourceType>(): ResolveMap<T> => new Map<ServiceIdentifier<T>, Map<ServiceImplementation<T>, T>>();\n\nexport class ServiceProvider implements IServiceProvider, IServiceScope {\n private scoped = createResolveMap();\n private created: IDisposable[] = [];\n\n constructor(\n private readonly logger: ILogger,\n private readonly services: IServiceCollection,\n private readonly singletons = createResolveMap(),\n ) {}\n\n public get Services(): IServiceCollection {\n return this.services;\n }\n\n [Symbol.dispose]() {\n for (const x of this.created) {\n x[Symbol.dispose]();\n }\n }\n\n private resolveFrom<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>, lifetimeMap: ResolveMap<T>, currentResolve: ResolveMap<T>): T {\n let resolvedInstances = lifetimeMap.get(identifier);\n if (resolvedInstances === undefined) {\n resolvedInstances = new Map();\n lifetimeMap.set(identifier, resolvedInstances);\n }\n\n let instance = resolvedInstances.get(descriptor.implementation);\n if (instance === undefined) {\n instance = this.createInstance(descriptor, currentResolve);\n resolvedInstances.set(descriptor.implementation, instance);\n this.setDependencies<T>(descriptor.implementation, instance, currentResolve);\n }\n return instance;\n }\n\n private resolveInternal<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>, currentResolve: ResolveMap<T>): T {\n const mapping: Partial<Record<Lifetime, ResolveMap<any>>> = {\n [Lifetime.Singleton]: this.singletons,\n [Lifetime.Scoped]: this.scoped,\n [Lifetime.Resolve]: currentResolve,\n };\n const sourceMap = mapping[descriptor.lifetime];\n if (sourceMap === undefined) {\n const instance = this.createInstance(descriptor, currentResolve);\n this.setDependencies<T>(descriptor.implementation, instance, currentResolve);\n return instance;\n }\n return this.resolveFrom(identifier, descriptor, sourceMap, currentResolve);\n }\n\n public resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve = createResolveMap<T>()): T[] {\n const descriptors = this.services.get(identifier);\n return descriptors.map((descriptor) => this.resolveInternal<T>(identifier, descriptor, currentResolve));\n }\n\n public resolve<T extends SourceType>(identifier: ServiceIdentifier<T>, currentResolve = createResolveMap<T>()): T {\n if (identifier.prototype === IServiceScope.prototype || identifier.prototype === IServiceProvider.prototype) {\n return this as unknown as T;\n }\n\n const descriptors = this.services.get(identifier);\n if (descriptors.length === 0) {\n throw new UnregisteredServiceError(identifier);\n }\n\n if (descriptors.length > 1) {\n if (this.Services.options.registrationMode === ResolveMultipleMode.Error) {\n throw new MultipleRegistrationError(identifier);\n }\n }\n const descriptor = descriptors[descriptors.length - 1];\n return this.resolveInternal(identifier, descriptor, currentResolve);\n }\n\n private createInstance<T extends SourceType>(descriptor: ServiceDescriptor<T>, currentResolve: ResolveMap<T>): T {\n let instance: T;\n if ('factory' in descriptor) {\n const factory = descriptor.factory;\n const resolve = (identifier: ServiceIdentifier<any>) => this.resolve(identifier, currentResolve);\n const resolveAll = (identifier: ServiceIdentifier<any>) => this.resolveAll(identifier, currentResolve);\n const createScope = this.createScope.bind(this);\n\n // proxy requests to keep current resolved types\n try {\n instance = factory({\n resolve,\n resolveAll,\n createScope,\n get Services() {\n return this.Services;\n },\n });\n } catch (err) {\n this.logger.error(err);\n throw new ServiceCreationError(descriptor.implementation, err);\n }\n } else {\n try {\n instance = new descriptor.implementation();\n } catch (err) {\n this.logger.error(err);\n throw new ServiceCreationError(descriptor.implementation, err);\n }\n }\n if (descriptor.lifetime !== Lifetime.Singleton && Symbol.dispose in instance) {\n this.created.push(instance as IDisposable);\n }\n return instance;\n }\n\n public createScope(): IServiceProvider & IDisposable {\n return new ServiceProvider(this.logger, this.services.clone(true), this.singletons);\n }\n\n private setDependencies<T extends SourceType>(type: Id<T>, instance: T, currentResolve: ResolveMap<T>): T {\n const dependencies = getMetadata<T>(DesignDependenciesKey, type) ?? {};\n this.logger.debug('Dependencies', type.name, dependencies);\n for (const [key, identifier] of Object.entries(dependencies)) {\n if (identifier !== type) {\n this.logger.debug('Resolving', identifier, 'for', type.name);\n const dep = this.resolve(identifier, currentResolve);\n (instance as Record<string, unknown>)[key] = dep;\n } else {\n throw new SelfDependencyError();\n }\n }\n return instance;\n }\n}\n","import { ServiceProvider } from './ServiceProvider';\nimport { Lifetime } from './constants';\nimport { ScopedSingletonRegistrationError } from './errors';\nimport type { IServiceCollection, IServiceProvider } from './interfaces';\nimport type { ILogger } from './logger';\nimport type { InstanceFactory, ServiceBuilder, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceImplementation, ServiceModuleType, SourceType } from './types';\n\nexport class ServiceCollection implements IServiceCollection {\n constructor(\n private readonly logger: ILogger,\n public readonly options: ServiceCollectionOptions,\n private readonly isScoped: boolean,\n private readonly services = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>(),\n ) {}\n\n public registerModules(...modules: ServiceModuleType[]): void {\n for (const x of modules) {\n const module = new x();\n module.registerServices(this);\n }\n }\n\n get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[] {\n return this.services.get(key) ?? [];\n }\n\n register<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceBuilder<T> {\n return {\n // to: (implementation: ServiceImplementation<T>, func?: InstanceFactory<T>) => {\n to: (implementation: ServiceImplementation<T> | ServiceIdentifier<T>, factory?: InstanceFactory<T>) => {\n const descriptor: ServiceDescriptor<T> = factory === undefined ? { implementation: implementation as ServiceImplementation<T>, lifetime: Lifetime.Resolve } : { implementation, factory, lifetime: Lifetime.Resolve };\n this.addService(identifier, descriptor);\n const builder = {\n singleton: () => {\n if (this.isScoped) {\n throw new ScopedSingletonRegistrationError();\n }\n descriptor.lifetime = Lifetime.Singleton;\n return builder;\n },\n scoped: () => {\n descriptor.lifetime = Lifetime.Scoped;\n return builder;\n },\n transient: () => {\n descriptor.lifetime = Lifetime.Transient;\n return builder;\n },\n };\n return builder;\n },\n };\n }\n\n private addService<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>) {\n this.logger.info('Adding service', { identifier, descriptor });\n let existing = this.services.get(identifier);\n if (existing == null) {\n existing = [];\n this.services.set(identifier, existing);\n }\n existing.push(descriptor);\n }\n\n public clone(): IServiceCollection;\n public clone(scoped: true): IServiceCollection;\n public clone(scoped?: unknown): IServiceCollection {\n const clonedMap = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>();\n for (const [key, descriptors] of this.services) {\n const clonedDescriptors = descriptors.map((descriptor) => ({ ...descriptor }));\n clonedMap.set(key, clonedDescriptors);\n }\n\n return new ServiceCollection(this.logger, this.options, scoped === true, clonedMap);\n }\n\n public buildProvider(): IServiceProvider {\n const cloned = this.clone();\n return new ServiceProvider(this.logger, cloned);\n }\n}\n","/* eslint-disable @typescript-eslint/no-explicit-any */\n/* eslint-disable @typescript-eslint/no-unused-vars */\nexport abstract class ILogger {\n public debug(message?: any, ...optionalParams: any[]) {}\n public info(message?: any, ...optionalParams: any[]) {}\n public error(message?: any, ...optionalParams: any[]) {}\n public warn(message?: any, ...optionalParams: any[]) {}\n}\n","import { ILogger } from './logger';\nimport { LogLevel, type ServiceCollectionOptions } from './types';\n\nexport class ConsoleLogger extends ILogger {\n constructor(private readonly options: ServiceCollectionOptions) {\n super();\n }\n\n public override debug(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Debug) {\n console.debug(message, ...optionalParams);\n }\n }\n\n public override info(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Info) {\n console.info(message, ...optionalParams);\n }\n }\n\n public override warn(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Warn) {\n console.warn(message, ...optionalParams);\n }\n }\n\n public override error(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Error) {\n console.error(message, ...optionalParams);\n }\n }\n}\n","import { ServiceCollection } from './ServiceCollection';\nimport { ConsoleLogger } from './consoleLogger';\nimport type { IServiceCollection } from './interfaces';\nimport type { ServiceCollectionOptions } from './types';\nimport { DefaultServiceCollectionOptions } from './types';\n\nconst mergeOptions = (options: Partial<ServiceCollectionOptions> | undefined): ServiceCollectionOptions => ({\n ...DefaultServiceCollectionOptions,\n ...options,\n});\n\n/**\n * Creates a service collection with the (optionally) provided options\n * @param options - Optional configuration for the service collection.\n * @defaultValue Default options are taken from {@link DefaultServiceCollectionOptions}.\n */\nexport const createServiceCollection = (options?: Partial<ServiceCollectionOptions>): IServiceCollection => {\n const mergedOptions = mergeOptions(options);\n const logger = mergedOptions.logger ?? new ConsoleLogger(mergedOptions);\n return new ServiceCollection(logger, mergedOptions, false);\n};\n","import { DesignDependenciesKey } from './constants';\nimport { defineMetadata, getMetadata } from './metadata';\nimport type { ServiceIdentifier, SourceType } from './types';\n\nconst tagProperty = <T extends SourceType>(metadataKey: string, annotationTarget: object, name: string | symbol, identifier: ServiceIdentifier<T>) => {\n let existing = getMetadata<T>(metadataKey, annotationTarget);\n if (existing === undefined) {\n existing = {};\n defineMetadata(metadataKey, existing, annotationTarget);\n }\n existing[name] = identifier;\n};\n\n/**\n * declares a dependency, use on a class field\n * @param identifier the identifier to depend on, i.e. the interface\n */\nexport const dependsOn = <T extends SourceType>(identifier: ServiceIdentifier<T>) => {\n return (value: undefined, ctx: ClassFieldDecoratorContext) => {\n return function (this: object, initialValue: any) {\n const target = this.constructor;\n tagProperty(DesignDependenciesKey, target, ctx.name, identifier);\n return initialValue;\n };\n };\n};\n"],"mappings":";;;;AAOO,IAAM,wBAAwB;;;ACL9B,IAAe,eAAf,cAAoC,MAAM;AAAA,EAFjD,OAEiD;AAAA;AAAA;AAAC;AAE3C,IAAM,2BAAN,cAAyD,aAAa;AAAA,EAJ7E,OAI6E;AAAA;AAAA;AAAA,EAC3E,OAAO;AAAA,EACP,YAAY,YAAkC;AAC5C,UAAM,mDAAmD,UAAU,EAAE;AACrE,WAAO,eAAe,MAAM,WAAW,SAAS;AAAA,EAClD;AACF;AAEO,IAAM,4BAAN,cAA0D,aAAa;AAAA,EAZ9E,OAY8E;AAAA;AAAA;AAAA,EAC5E,OAAO;AAAA,EACP,YAAY,YAAkC;AAC5C,UAAM,2CAA2C,UAAU,EAAE;AAC7D,WAAO,eAAe,MAAM,WAAW,SAAS;AAAA,EAClD;AACF;AAEO,IAAM,uBAAN,cAAqD,aAAa;AAAA,EAEvE,YACE,YACgB,YAChB;AACA,UAAM,2BAA2B,UAAU,EAAE;AAF7B;AAGhB,WAAO,eAAe,MAAM,WAAW,SAAS;AAAA,EAClD;AAAA,EA5BF,OAoByE;AAAA;AAAA;AAAA,EACvE,OAAO;AAQT;AAEO,IAAM,sBAAN,cAAkC,aAAa;AAAA,EA/BtD,OA+BsD;AAAA;AAAA;AAAA,EACpD,OAAO;AAAA,EACP,cAAc;AACZ,UAAM,6BAA6B;AACnC,WAAO,eAAe,MAAM,WAAW,SAAS;AAAA,EAClD;AACF;AAEO,IAAM,mCAAN,cAA+C,aAAa;AAAA,EAvCnE,OAuCmE;AAAA;AAAA;AAAA,EACjE,OAAO;AAAA,EACP,cAAc;AACZ,UAAM,4DAA4D;AAClE,WAAO,eAAe,MAAM,WAAW,SAAS;AAAA,EAClD;AACF;;;ACzCO,IAAe,cAAf,MAA2B;AAAA,EAJlC,OAIkC;AAAA;AAAA;AAElC;AAEO,IAAe,iBAAf,MAA8B;AAAA,EARrC,OAQqC;AAAA;AAAA;AAErC;AAEO,IAAe,gBAAf,MAA6B;AAAA,EAZpC,OAYoC;AAAA;AAAA;AAWpC;AAEO,IAAe,mBAAf,cAAwC,cAAc;AAAA,EAzB7D,OAyB6D;AAAA;AAAA;AAG7D;AAEO,IAAe,qBAAf,MAAkC;AAAA,EA9BzC,OA8ByC;AAAA;AAAA;AAQzC;;;ACtCA,OAAO;AAGA,IAAM,cAAc,wBAAuB,KAAa,QAA6C,QAAQ,YAAY,KAAK,GAAG,GAA7G;AACpB,IAAM,iBAAiB,wBAAuB,KAAa,UAA2B,QAAgB,QAAQ,eAAe,KAAK,UAAU,GAAG,GAAxH;;;ACuCvB,IAAM,sBAAsB;AAAA,EACjC,OAAO;AAAA,EACP,gBAAgB;AAClB;AAGO,IAAK,WAAL,kBAAKA,cAAL;AACL,EAAAA,oBAAA,WAAQ,KAAR;AACA,EAAAA,oBAAA,UAAO,KAAP;AACA,EAAAA,oBAAA,UAAO,KAAP;AACA,EAAAA,oBAAA,WAAQ,KAAR;AACA,EAAAA,oBAAA,UAAO,KAAP;AALU,SAAAA;AAAA,GAAA;AAiBL,IAAM,kCAA4D;AAAA,EACvE,kBAAkB,oBAAoB;AAAA,EACtC,UAAU;AACZ;;;ACxDA,IAAM,mBAAmB,6BAA2C,oBAAI,IAA4D,GAA3G;AAElB,IAAM,kBAAN,MAAM,iBAA2D;AAAA,EAItE,YACmB,QACA,UACA,aAAa,iBAAiB,GAC/C;AAHiB;AACA;AACA;AAAA,EAChB;AAAA,EAvBL,OAewE;AAAA;AAAA;AAAA,EAC9D,SAAS,iBAAiB;AAAA,EAC1B,UAAyB,CAAC;AAAA,EAQlC,IAAW,WAA+B;AACxC,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,CAAC,OAAO,OAAO,IAAI;AACjB,eAAW,KAAK,KAAK,SAAS;AAC5B,QAAE,OAAO,OAAO,EAAE;AAAA,IACpB;AAAA,EACF;AAAA,EAEQ,YAAkC,YAAkC,YAAkC,aAA4B,gBAAkC;AAC1K,QAAI,oBAAoB,YAAY,IAAI,UAAU;AAClD,QAAI,sBAAsB,QAAW;AACnC,0BAAoB,oBAAI,IAAI;AAC5B,kBAAY,IAAI,YAAY,iBAAiB;AAAA,IAC/C;AAEA,QAAI,WAAW,kBAAkB,IAAI,WAAW,cAAc;AAC9D,QAAI,aAAa,QAAW;AAC1B,iBAAW,KAAK,eAAe,YAAY,cAAc;AACzD,wBAAkB,IAAI,WAAW,gBAAgB,QAAQ;AACzD,WAAK,gBAAmB,WAAW,gBAAgB,UAAU,cAAc;AAAA,IAC7E;AACA,WAAO;AAAA,EACT;AAAA,EAEQ,gBAAsC,YAAkC,YAAkC,gBAAkC;AAClJ,UAAM,UAAsD;AAAA,MAC1D,4BAAmB,GAAG,KAAK;AAAA,MAC3B,sBAAgB,GAAG,KAAK;AAAA,MACxB,wBAAiB,GAAG;AAAA,IACtB;AACA,UAAM,YAAY,QAAQ,WAAW,QAAQ;AAC7C,QAAI,cAAc,QAAW;AAC3B,YAAM,WAAW,KAAK,eAAe,YAAY,cAAc;AAC/D,WAAK,gBAAmB,WAAW,gBAAgB,UAAU,cAAc;AAC3E,aAAO;AAAA,IACT;AACA,WAAO,KAAK,YAAY,YAAY,YAAY,WAAW,cAAc;AAAA,EAC3E;AAAA,EAEO,WAAiC,YAAkC,iBAAiB,iBAAoB,GAAQ;AACrH,UAAM,cAAc,KAAK,SAAS,IAAI,UAAU;AAChD,WAAO,YAAY,IAAI,CAAC,eAAe,KAAK,gBAAmB,YAAY,YAAY,cAAc,CAAC;AAAA,EACxG;AAAA,EAEO,QAA8B,YAAkC,iBAAiB,iBAAoB,GAAM;AAChH,QAAI,WAAW,cAAc,cAAc,aAAa,WAAW,cAAc,iBAAiB,WAAW;AAC3G,aAAO;AAAA,IACT;AAEA,UAAM,cAAc,KAAK,SAAS,IAAI,UAAU;AAChD,QAAI,YAAY,WAAW,GAAG;AAC5B,YAAM,IAAI,yBAAyB,UAAU;AAAA,IAC/C;AAEA,QAAI,YAAY,SAAS,GAAG;AAC1B,UAAI,KAAK,SAAS,QAAQ,qBAAqB,oBAAoB,OAAO;AACxE,cAAM,IAAI,0BAA0B,UAAU;AAAA,MAChD;AAAA,IACF;AACA,UAAM,aAAa,YAAY,YAAY,SAAS,CAAC;AACrD,WAAO,KAAK,gBAAgB,YAAY,YAAY,cAAc;AAAA,EACpE;AAAA,EAEQ,eAAqC,YAAkC,gBAAkC;AAC/G,QAAI;AACJ,QAAI,aAAa,YAAY;AAC3B,YAAM,UAAU,WAAW;AAC3B,YAAM,UAAU,wBAAC,eAAuC,KAAK,QAAQ,YAAY,cAAc,GAA/E;AAChB,YAAM,aAAa,wBAAC,eAAuC,KAAK,WAAW,YAAY,cAAc,GAAlF;AACnB,YAAM,cAAc,KAAK,YAAY,KAAK,IAAI;AAG9C,UAAI;AACF,mBAAW,QAAQ;AAAA,UACjB;AAAA,UACA;AAAA,UACA;AAAA,UACA,IAAI,WAAW;AACb,mBAAO,KAAK;AAAA,UACd;AAAA,QACF,CAAC;AAAA,MACH,SAAS,KAAK;AACZ,aAAK,OAAO,MAAM,GAAG;AACrB,cAAM,IAAI,qBAAqB,WAAW,gBAAgB,GAAG;AAAA,MAC/D;AAAA,IACF,OAAO;AACL,UAAI;AACF,mBAAW,IAAI,WAAW,eAAe;AAAA,MAC3C,SAAS,KAAK;AACZ,aAAK,OAAO,MAAM,GAAG;AACrB,cAAM,IAAI,qBAAqB,WAAW,gBAAgB,GAAG;AAAA,MAC/D;AAAA,IACF;AACA,QAAI,WAAW,4CAAmC,OAAO,WAAW,UAAU;AAC5E,WAAK,QAAQ,KAAK,QAAuB;AAAA,IAC3C;AACA,WAAO;AAAA,EACT;AAAA,EAEO,cAA8C;AACnD,WAAO,IAAI,iBAAgB,KAAK,QAAQ,KAAK,SAAS,MAAM,IAAI,GAAG,KAAK,UAAU;AAAA,EACpF;AAAA,EAEQ,gBAAsC,MAAa,UAAa,gBAAkC;AACxG,UAAM,eAAe,YAAe,uBAAuB,IAAI,KAAK,CAAC;AACrE,SAAK,OAAO,MAAM,gBAAgB,KAAK,MAAM,YAAY;AACzD,eAAW,CAAC,KAAK,UAAU,KAAK,OAAO,QAAQ,YAAY,GAAG;AAC5D,UAAI,eAAe,MAAM;AACvB,aAAK,OAAO,MAAM,aAAa,YAAY,OAAO,KAAK,IAAI;AAC3D,cAAM,MAAM,KAAK,QAAQ,YAAY,cAAc;AACnD,QAAC,SAAqC,GAAG,IAAI;AAAA,MAC/C,OAAO;AACL,cAAM,IAAI,oBAAoB;AAAA,MAChC;AAAA,IACF;AACA,WAAO;AAAA,EACT;AACF;;;ACzIO,IAAM,oBAAN,MAAM,mBAAgD;AAAA,EAC3D,YACmB,QACD,SACC,UACA,WAAW,oBAAI,IAAsD,GACtF;AAJiB;AACD;AACC;AACA;AAAA,EAChB;AAAA,EAbL,OAO6D;AAAA;AAAA;AAAA,EAQpD,mBAAmB,SAAoC;AAC5D,eAAW,KAAK,SAAS;AACvB,YAAM,SAAS,IAAI,EAAE;AACrB,aAAO,iBAAiB,IAAI;AAAA,IAC9B;AAAA,EACF;AAAA,EAEA,IAA0B,KAAmD;AAC3E,WAAO,KAAK,SAAS,IAAI,GAAG,KAAK,CAAC;AAAA,EACpC;AAAA,EAEA,SAA+B,YAAqD;AAClF,WAAO;AAAA;AAAA,MAEL,IAAI,wBAAC,gBAAiE,YAAiC;AACrG,cAAM,aAAmC,YAAY,SAAY,EAAE,gBAA4D,kCAA2B,IAAI,EAAE,gBAAgB,SAAS,kCAA2B;AACpN,aAAK,WAAW,YAAY,UAAU;AACtC,cAAM,UAAU;AAAA,UACd,WAAW,6BAAM;AACf,gBAAI,KAAK,UAAU;AACjB,oBAAM,IAAI,iCAAiC;AAAA,YAC7C;AACA,uBAAW;AACX,mBAAO;AAAA,UACT,GANW;AAAA,UAOX,QAAQ,6BAAM;AACZ,uBAAW;AACX,mBAAO;AAAA,UACT,GAHQ;AAAA,UAIR,WAAW,6BAAM;AACf,uBAAW;AACX,mBAAO;AAAA,UACT,GAHW;AAAA,QAIb;AACA,eAAO;AAAA,MACT,GArBI;AAAA,IAsBN;AAAA,EACF;AAAA,EAEQ,WAAiC,YAAkC,YAAkC;AAC3G,SAAK,OAAO,KAAK,kBAAkB,EAAE,YAAY,WAAW,CAAC;AAC7D,QAAI,WAAW,KAAK,SAAS,IAAI,UAAU;AAC3C,QAAI,YAAY,MAAM;AACpB,iBAAW,CAAC;AACZ,WAAK,SAAS,IAAI,YAAY,QAAQ;AAAA,IACxC;AACA,aAAS,KAAK,UAAU;AAAA,EAC1B;AAAA,EAIO,MAAM,QAAsC;AACjD,UAAM,YAAY,oBAAI,IAAsD;AAC5E,eAAW,CAAC,KAAK,WAAW,KAAK,KAAK,UAAU;AAC9C,YAAM,oBAAoB,YAAY,IAAI,CAAC,gBAAgB,EAAE,GAAG,WAAW,EAAE;AAC7E,gBAAU,IAAI,KAAK,iBAAiB;AAAA,IACtC;AAEA,WAAO,IAAI,mBAAkB,KAAK,QAAQ,KAAK,SAAS,WAAW,MAAM,SAAS;AAAA,EACpF;AAAA,EAEO,gBAAkC;AACvC,UAAM,SAAS,KAAK,MAAM;AAC1B,WAAO,IAAI,gBAAgB,KAAK,QAAQ,MAAM;AAAA,EAChD;AACF;;;AC9EO,IAAe,UAAf,MAAuB;AAAA,EAF9B,OAE8B;AAAA;AAAA;AAAA,EACrB,MAAM,YAAkB,gBAAuB;AAAA,EAAC;AAAA,EAChD,KAAK,YAAkB,gBAAuB;AAAA,EAAC;AAAA,EAC/C,MAAM,YAAkB,gBAAuB;AAAA,EAAC;AAAA,EAChD,KAAK,YAAkB,gBAAuB;AAAA,EAAC;AACxD;;;ACJO,IAAM,gBAAN,cAA4B,QAAQ;AAAA,EACzC,YAA6B,SAAmC;AAC9D,UAAM;AADqB;AAAA,EAE7B;AAAA,EANF,OAG2C;AAAA;AAAA;AAAA,EAKzB,MAAM,YAAkB,gBAA6B;AACnE,QAAI,KAAK,QAAQ,2BAA4B;AAC3C,cAAQ,MAAM,SAAS,GAAG,cAAc;AAAA,IAC1C;AAAA,EACF;AAAA,EAEgB,KAAK,YAAkB,gBAA6B;AAClE,QAAI,KAAK,QAAQ,0BAA2B;AAC1C,cAAQ,KAAK,SAAS,GAAG,cAAc;AAAA,IACzC;AAAA,EACF;AAAA,EAEgB,KAAK,YAAkB,gBAA6B;AAClE,QAAI,KAAK,QAAQ,0BAA2B;AAC1C,cAAQ,KAAK,SAAS,GAAG,cAAc;AAAA,IACzC;AAAA,EACF;AAAA,EAEgB,MAAM,YAAkB,gBAA6B;AACnE,QAAI,KAAK,QAAQ,2BAA4B;AAC3C,cAAQ,MAAM,SAAS,GAAG,cAAc;AAAA,IAC1C;AAAA,EACF;AACF;;;ACzBA,IAAM,eAAe,wBAAC,aAAsF;AAAA,EAC1G,GAAG;AAAA,EACH,GAAG;AACL,IAHqB;AAUd,IAAM,0BAA0B,wBAAC,YAAoE;AAC1G,QAAM,gBAAgB,aAAa,OAAO;AAC1C,QAAM,SAAS,cAAc,UAAU,IAAI,cAAc,aAAa;AACtE,SAAO,IAAI,kBAAkB,QAAQ,eAAe,KAAK;AAC3D,GAJuC;;;ACZvC,IAAM,cAAc,wBAAuB,aAAqB,kBAA0B,MAAuB,eAAqC;AACpJ,MAAI,WAAW,YAAe,aAAa,gBAAgB;AAC3D,MAAI,aAAa,QAAW;AAC1B,eAAW,CAAC;AACZ,mBAAe,aAAa,UAAU,gBAAgB;AAAA,EACxD;AACA,WAAS,IAAI,IAAI;AACnB,GAPoB;AAab,IAAM,YAAY,wBAAuB,eAAqC;AACnF,SAAO,CAAC,OAAkB,QAAoC;AAC5D,WAAO,SAAwB,cAAmB;AAChD,YAAM,SAAS,KAAK;AACpB,kBAAY,uBAAuB,QAAQ,IAAI,MAAM,UAAU;AAC/D,aAAO;AAAA,IACT;AAAA,EACF;AACF,GARyB;","names":["LogLevel"]}
1
+ {"version":3,"sources":["../src/enums.ts","../src/defaults.ts","../src/errors.ts","../src/private/ServiceBuilder.ts","../src/interfaces.ts","../src/private/ResolutionContext.ts","../src/private/constants.ts","../src/private/metadata.ts","../src/private/ServiceProvider.ts","../src/private/ServiceCollection.ts","../src/logger.ts","../src/private/consoleLogger.ts","../src/createServiceCollection.ts","../src/dependsOn.ts"],"names":["Lifetime","LogLevel","ResolveMultipleMode"],"mappings":";;;;AAAY,IAAA,QAAA,qBAAAA,SAAL,KAAA;AACL,EAAAA,UAAA,SAAU,CAAA,GAAA,SAAA;AACV,EAAAA,UAAA,WAAY,CAAA,GAAA,WAAA;AACZ,EAAAA,UAAA,QAAS,CAAA,GAAA,QAAA;AACT,EAAAA,UAAA,WAAY,CAAA,GAAA,WAAA;AAJF,EAAAA,OAAAA,SAAAA;AAAA,CAAA,EAAA,QAAA,IAAA,EAAA;AAOA,IAAA,QAAA,qBAAAC,SAAL,KAAA;AACL,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,WAAQ,CAAR,CAAA,GAAA,OAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,UAAO,CAAP,CAAA,GAAA,MAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,UAAO,CAAP,CAAA,GAAA,MAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,WAAQ,CAAR,CAAA,GAAA,OAAA;AACA,EAAAA,SAAAA,CAAAA,SAAAA,CAAA,UAAO,CAAP,CAAA,GAAA,MAAA;AALU,EAAAA,OAAAA,SAAAA;AAAA,CAAA,EAAA,QAAA,IAAA,EAAA;AAQA,IAAA,mBAAA,qBAAAC,oBAAL,KAAA;AACL,EAAAA,qBAAA,OAAQ,CAAA,GAAA,OAAA;AACR,EAAAA,qBAAA,gBAAiB,CAAA,GAAA,iBAAA;AAFP,EAAAA,OAAAA,oBAAAA;AAAA,CAAA,EAAA,mBAAA,IAAA,EAAA;;;ACZL,IAAM,+BAA4D,GAAA;AAAA,EACvE,gBAAA,EAAA,OAAA;AAAA,EACA,QAAA,EAAA,CAAA;AACF;;;ACJsB,IAAA,YAAA,GAAf,cAAoC,KAAM,CAAA;AAAA,EAFjD;AAEiD,IAAA,MAAA,CAAA,IAAA,EAAA,cAAA,CAAA;AAAA;AAAC;AAErC,IAAA,wBAAA,GAAN,cAAyD,YAAa,CAAA;AAAA,EAJ7E;AAI6E,IAAA,MAAA,CAAA,IAAA,EAAA,0BAAA,CAAA;AAAA;AAAA,EAC3E,IAAO,GAAA,0BAAA;AAAA,EACP,YAAY,UAAkC,EAAA;AAC5C,IAAM,KAAA,CAAA,CAAA,gDAAA,EAAmD,UAAW,CAAA,IAAI,CAAE,CAAA,CAAA;AAC1E,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;AAEa,IAAA,yBAAA,GAAN,cAA0D,YAAa,CAAA;AAAA,EAZ9E;AAY8E,IAAA,MAAA,CAAA,IAAA,EAAA,2BAAA,CAAA;AAAA;AAAA,EAC5E,IAAO,GAAA,2BAAA;AAAA,EACP,YAAY,UAAkC,EAAA;AAC5C,IAAM,KAAA,CAAA,CAAA,wCAAA,EAA2C,UAAW,CAAA,IAAI,CAAE,CAAA,CAAA;AAClE,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;AAEa,IAAA,oBAAA,GAAN,cAAqD,YAAa,CAAA;AAAA,EAEvE,WAAA,CACE,YACgB,UAChB,EAAA;AACA,IAAM,KAAA,CAAA,CAAA,wBAAA,EAA2B,UAAW,CAAA,IAAI,CAAE,CAAA,CAAA;AAFlC,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AAGhB,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAClD,EA5BF;AAoByE,IAAA,MAAA,CAAA,IAAA,EAAA,sBAAA,CAAA;AAAA;AAAA,EACvE,IAAO,GAAA,sBAAA;AAQT;AAEa,IAAA,mBAAA,GAAN,cAAkC,YAAa,CAAA;AAAA,EA/BtD;AA+BsD,IAAA,MAAA,CAAA,IAAA,EAAA,qBAAA,CAAA;AAAA;AAAA,EACpD,IAAO,GAAA,qBAAA;AAAA,EACP,WAAc,GAAA;AACZ,IAAA,KAAA,CAAM,6BAA6B,CAAA;AACnC,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;AAEa,IAAA,gCAAA,GAAN,cAA+C,YAAa,CAAA;AAAA,EAvCnE;AAuCmE,IAAA,MAAA,CAAA,IAAA,EAAA,kCAAA,CAAA;AAAA;AAAA,EACjE,IAAO,GAAA,kCAAA;AAAA,EACP,WAAc,GAAA;AACZ,IAAA,KAAA,CAAM,4DAA4D,CAAA;AAClE,IAAO,MAAA,CAAA,cAAA,CAAe,IAAM,EAAA,GAAA,CAAA,MAAA,CAAW,SAAS,CAAA;AAAA;AAEpD;;;ACxCO,IAAM,iBAAN,MAAyE;AAAA,EAG9E,WAAA,CACmB,WACA,EAAA,QAAA,EACA,UACjB,EAAA;AAHiB,IAAA,IAAA,CAAA,WAAA,GAAA,WAAA;AACA,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AACA,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AAAA;AAChB,EAZL;AAKgF,IAAA,MAAA,CAAA,IAAA,EAAA,gBAAA,CAAA;AAAA;AAAA,EACtE,UAAA;AAAA,EAQD,EAAA,CAAG,gBAA0C,OAAgD,EAAA;AAClG,IAAA,IAAA,CAAK,UAAa,GAAA,IAAA,CAAK,gBAAiB,CAAA,OAAA,EAAS,cAAc,CAAA;AAE/D,IAAW,KAAA,MAAA,UAAA,IAAc,KAAK,WAAa,EAAA;AACzC,MAAK,IAAA,CAAA,UAAA,CAAW,UAAY,EAAA,IAAA,CAAK,UAAU,CAAA;AAAA;AAE7C,IAAO,OAAA,IAAA;AAAA;AACT,EAEQ,gBAAA,CAAiB,SAAyC,cAAgE,EAAA;AAChI,IAAA,MAAM,cAAiB,GAAA,OAAA,KAAY,MAAM,IAAI,cAAe,EAAA,CAAA;AAE5D,IAAO,OAAA;AAAA,MACL,cAAA;AAAA,MACA,cAAA;AAAA,MACA,QAAA,EAAA,SAAA;AAAA,KACF;AAAA;AACF,EAEO,SAAkB,GAAA;AACvB,IAAA,IAAI,KAAK,QAAU,EAAA;AACjB,MAAA,MAAM,IAAI,gCAAiC,EAAA;AAAA;AAE7C,IAAA,IAAA,CAAK,kBAAmB,CAAA,QAAA,GAAA,WAAA;AACxB,IAAO,OAAA,IAAA;AAAA;AACT,EAEO,MAAe,GAAA;AACpB,IAAA,IAAA,CAAK,kBAAmB,CAAA,QAAA,GAAA,QAAA;AACxB,IAAO,OAAA,IAAA;AAAA;AACT,EAEO,SAAkB,GAAA;AACvB,IAAA,IAAA,CAAK,kBAAmB,CAAA,QAAA,GAAA,WAAA;AACxB,IAAO,OAAA,IAAA;AAAA;AACT,EAEQ,gBAAyC,GAAA;AAC/C,IAAI,IAAA,CAAC,KAAK,UAAY,EAAA;AACpB,MAAM,MAAA,IAAI,MAAM,wCAAwC,CAAA;AAAA;AAE1D,IAAA,OAAO,IAAK,CAAA,UAAA;AAAA;AAEhB,CAAA;;;ACrDO,IAAe,cAAf,MAA2B;AAAA,EAJlC;AAIkC,IAAA,MAAA,CAAA,IAAA,EAAA,aAAA,CAAA;AAAA;AAElC;AAEO,IAAe,iBAAf,MAA8B;AAAA,EARrC;AAQqC,IAAA,MAAA,CAAA,IAAA,EAAA,gBAAA,CAAA;AAAA;AAErC;AAEO,IAAe,mBAAf,MAAgC;AAAA,EAZvC;AAYuC,IAAA,MAAA,CAAA,IAAA,EAAA,kBAAA,CAAA;AAAA;AAkBvC;AAEsB,IAAA,eAAA,GAAf,cAAuC,gBAAwC,CAAA;AAAA,EAhCtF;AAgCsF,IAAA,MAAA,CAAA,IAAA,EAAA,iBAAA,CAAA;AAAA;AAGtF;AAEsB,IAAA,gBAAA,GAAf,cAAwC,gBAAiB,CAAA;AAAA,EArChE;AAqCgE,IAAA,MAAA,CAAA,IAAA,EAAA,kBAAA,CAAA;AAAA;AAGhE;AAEO,IAAe,qBAAf,MAAkC;AAAA,EA1CzC;AA0CyC,IAAA,MAAA,CAAA,IAAA,EAAA,oBAAA,CAAA;AAAA;AASzC;AAEO,IAAe,mBAAf,MAAgC;AAAA,EArDvC;AAqDuC,IAAA,MAAA,CAAA,IAAA,EAAA,kBAAA,CAAA;AAAA;AAIvC;AAEO,IAAe,kBAAf,MAAqD;AAAA,EA3D5D;AA2D4D,IAAA,MAAA,CAAA,IAAA,EAAA,iBAAA,CAAA;AAAA;AAE5D;;;AC1DO,IAAM,oBAAN,MAAwB;AAAA,EAC7B,WAAA,CACmB,YACA,MACjB,EAAA;AAFiB,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AACA,IAAA,IAAA,CAAA,MAAA,GAAA,MAAA;AAAA;AAChB,EAPL;AAG+B,IAAA,MAAA,CAAA,IAAA,EAAA,mBAAA,CAAA;AAAA;AAAA,EAMZ,SAAA,uBAAgB,GAAqC,EAAA;AAAA,EAE/D,eAAA,CAAsC,gBAA0C,QAAuB,EAAA;AAC5G,IAAM,MAAA,GAAA,GAAM,IAAK,CAAA,iBAAA,CAAkB,QAAQ,CAAA;AAC3C,IAAO,OAAA,GAAA,EAAK,IAAI,cAAc,CAAA;AAAA;AAChC,EAEO,cAAA,CAAqC,cAA0C,EAAA,QAAA,EAAa,QAA0B,EAAA;AAC3H,IAAM,MAAA,GAAA,GAAM,IAAK,CAAA,iBAAA,CAAkB,QAAQ,CAAA;AAC3C,IAAK,GAAA,EAAA,GAAA,CAAI,gBAAgB,QAAQ,CAAA;AAAA;AACnC,EAEQ,kBAAkB,QAAoB,EAAA;AAC5C,IAAA,MAAM,GAAuE,GAAA;AAAA,MAC3E,CAAA,WAAA,mBAAsB,IAAK,CAAA,UAAA;AAAA,MAC3B,CAAA,QAAA,gBAAmB,IAAK,CAAA,MAAA;AAAA,MACxB,CAAA,SAAA,iBAAoB,IAAK,CAAA;AAAA,KAC3B;AACA,IAAA,OAAO,IAAI,QAAQ,CAAA;AAAA;AAEvB,CAAA;;;AC7BO,IAAM,qBAAwB,GAAA,qBAAA;ACG9B,IAAM,WAAA,2BAAqC,GAAa,EAAA,GAAA,KAA6C,QAAQ,WAAY,CAAA,GAAA,EAAK,GAAG,CAA7G,EAAA,aAAA,CAAA;AACpB,IAAM,cAAA,mBAAwC,MAAA,CAAA,CAAA,GAAA,EAAa,QAA2B,EAAA,GAAA,KAAgB,QAAQ,cAAe,CAAA,GAAA,EAAK,QAAU,EAAA,GAAG,CAAxH,EAAA,gBAAA,CAAA;;;ACOvB,IAAM,eAAA,GAAN,MAAM,gBAA6D,CAAA;AAAA,EAIxE,YACmB,MACD,EAAA,QAAA,EACC,UAAa,mBAAA,IAAI,KAClC,EAAA;AAHiB,IAAA,IAAA,CAAA,MAAA,GAAA,MAAA;AACD,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AACC,IAAA,IAAA,CAAA,UAAA,GAAA,UAAA;AAAA;AAChB,EAnBL;AAW0E,IAAA,MAAA,CAAA,IAAA,EAAA,iBAAA,CAAA;AAAA;AAAA,EAChE,MAAA,uBAAa,GAAqC,EAAA;AAAA,EAClD,UAAyB,EAAC;AAAA,EAQlC,CAAC,MAAO,CAAA,OAAO,CAAI,GAAA;AACjB,IAAW,KAAA,MAAA,CAAA,IAAK,KAAK,OAAS,EAAA;AAC5B,MAAE,CAAA,CAAA,MAAA,CAAO,OAAO,CAAE,EAAA;AAAA;AACpB;AACF,EAEQ,eAAA,CAAsC,YAAkC,OAA+B,EAAA;AAC7G,IAAA,IAAI,WAAW,OAAQ,CAAA,eAAA,CAAgB,UAAW,CAAA,cAAA,EAAgB,WAAW,QAAQ,CAAA;AACrF,IAAA,IAAI,YAAY,IAAM,EAAA;AACpB,MAAW,QAAA,GAAA,IAAA,CAAK,cAAe,CAAA,UAAA,EAAY,OAAO,CAAA;AAAA;AAEpD,IAAO,OAAA,QAAA;AAAA;AACT,EAEO,UAAA,CAAiC,YAAkC,OAAkC,EAAA;AAC1G,IAAA,MAAM,WAAc,GAAA,IAAA,CAAK,QAAS,CAAA,GAAA,CAAI,UAAU,CAAA;AAChD,IAAA,OAAO,WAAY,CAAA,GAAA,CAAI,CAAC,UAAA,KAAe,KAAK,eAAmB,CAAA,UAAA,EAAY,OAAW,IAAA,IAAI,kBAAkB,IAAK,CAAA,UAAA,EAAY,IAAK,CAAA,MAAM,CAAC,CAAC,CAAA;AAAA;AAC5I,EAEO,OAAA,CAA8B,YAAkC,OAAgC,EAAA;AACrG,IAAI,IAAA,UAAA,CAAW,SAAc,KAAA,gBAAA,CAAiB,SAAa,IAAA,UAAA,CAAW,SAAc,KAAA,eAAA,CAAgB,SAAa,IAAA,UAAA,CAAW,SAAc,KAAA,gBAAA,CAAiB,SAAW,EAAA;AACpK,MAAO,OAAA,IAAA;AAAA;AAGT,IAAM,MAAA,UAAA,GAAa,IAAK,CAAA,mBAAA,CAAoB,UAAU,CAAA;AACtD,IAAO,OAAA,IAAA,CAAK,eAAgB,CAAA,UAAA,EAAY,OAAW,IAAA,IAAI,kBAAkB,IAAK,CAAA,UAAA,EAAY,IAAK,CAAA,MAAM,CAAC,CAAA;AAAA;AACxG,EAEQ,oBAA0C,UAAkC,EAAA;AAClF,IAAA,MAAM,WAAc,GAAA,IAAA,CAAK,QAAS,CAAA,GAAA,CAAI,UAAU,CAAA;AAChD,IAAI,IAAA,WAAA,CAAY,WAAW,CAAG,EAAA;AAC5B,MAAM,MAAA,IAAI,yBAAyB,UAAU,CAAA;AAAA;AAG/C,IAAI,IAAA,WAAA,CAAY,SAAS,CAAG,EAAA;AAC1B,MAAI,IAAA,IAAA,CAAK,QAAS,CAAA,OAAA,CAAQ,gBAAgD,KAAA,OAAA,cAAA;AACxE,QAAM,MAAA,IAAI,0BAA0B,UAAU,CAAA;AAAA;AAChD;AAEF,IAAA,MAAM,UAAa,GAAA,WAAA,CAAY,WAAY,CAAA,MAAA,GAAS,CAAC,CAAA;AACrD,IAAO,OAAA,UAAA;AAAA;AACT,EAEQ,cAAA,CAAqC,YAAkC,OAA+B,EAAA;AAC5G,IAAA,MAAM,QAAW,GAAA,IAAA,CAAK,sBAAuB,CAAA,UAAA,EAAY,OAAO,CAAA;AAChE,IAAA,IAAA,CAAK,eAAgB,CAAA,UAAA,CAAW,cAAgB,EAAA,QAAA,EAAU,OAAO,CAAA;AACjE,IAAA,OAAA,CAAQ,cAAe,CAAA,UAAA,CAAW,cAAgB,EAAA,QAAA,EAAU,WAAW,QAAQ,CAAA;AAC/E,IAAO,OAAA,QAAA;AAAA;AACT,EAEQ,YAAY,OAA8C,EAAA;AAChE,IAAA,MAAM,0BAAW,MAAA,CAAA,CAAA,UAAA,KAAuC,KAAK,OAAQ,CAAA,UAAA,EAAY,OAAO,CAAxE,EAAA,SAAA,CAAA;AAChB,IAAA,MAAM,6BAAc,MAAA,CAAA,CAAA,UAAA,KAAuC,KAAK,UAAW,CAAA,UAAA,EAAY,OAAO,CAA3E,EAAA,YAAA,CAAA;AAEnB,IAAO,OAAA;AAAA,MACL,OAAA;AAAA,MACA;AAAA,KACF;AAAA;AACF,EAEQ,sBAAA,CAA6C,YAAkC,OAA4B,EAAA;AACjH,IAAI,IAAA,QAAA;AACJ,IAAI,IAAA;AACF,MAAA,QAAA,GAAW,UAAW,CAAA,cAAA,CAAe,IAAK,CAAA,WAAA,CAAY,OAAO,CAAC,CAAA;AAAA,aACvD,GAAK,EAAA;AACZ,MAAK,IAAA,CAAA,MAAA,CAAO,MAAM,GAAG,CAAA;AACrB,MAAA,MAAM,IAAI,oBAAA,CAAqB,UAAW,CAAA,cAAA,EAAgB,GAAG,CAAA;AAAA;AAE/D,IAAA,IAAI,UAAW,CAAA,QAAA,KAAA,WAAA,oBAAmC,MAAO,CAAA,OAAA,IAAW,QAAU,EAAA;AAC5E,MAAK,IAAA,CAAA,OAAA,CAAQ,KAAK,QAAuB,CAAA;AAAA;AAE3C,IAAO,OAAA,QAAA;AAAA;AACT,EAEO,WAA+B,GAAA;AACpC,IAAO,OAAA,IAAI,gBAAgB,CAAA,IAAA,CAAK,MAAQ,EAAA,IAAA,CAAK,SAAS,KAAM,CAAA,IAAI,CAAG,EAAA,IAAA,CAAK,UAAU,CAAA;AAAA;AACpF,EAEQ,eAAA,CAAsC,cAA0C,EAAA,QAAA,EAAa,OAA+B,EAAA;AAClI,IAAA,MAAM,YAAe,GAAA,WAAA,CAAe,qBAAuB,EAAA,cAAc,KAAK,EAAC;AAC/E,IAAA,IAAA,CAAK,MAAO,CAAA,KAAA,CAAM,cAAgB,EAAA,cAAA,CAAe,MAAM,YAAY,CAAA;AACnE,IAAA,KAAA,MAAW,CAAC,GAAK,EAAA,UAAU,KAAK,MAAO,CAAA,OAAA,CAAQ,YAAY,CAAG,EAAA;AAC5D,MAAA,IAAI,eAAe,cAAgB,EAAA;AACjC,QAAA,IAAA,CAAK,OAAO,KAAM,CAAA,WAAA,EAAa,WAAW,IAAM,EAAA,KAAA,EAAO,eAAe,IAAI,CAAA;AAC1E,QAAA,MAAM,GAAM,GAAA,IAAA,CAAK,OAAQ,CAAA,UAAA,EAAY,OAAO,CAAA;AAC5C,QAAC,QAAA,CAA+B,GAAG,CAAI,GAAA,GAAA;AAAA,OAClC,MAAA;AACL,QAAA,MAAM,IAAI,mBAAoB,EAAA;AAAA;AAChC;AAEF,IAAO,OAAA,QAAA;AAAA;AAEX,CAAA;;;AC1GO,IAAM,iBAAA,GAAN,MAAM,kBAAgD,CAAA;AAAA,EAC3D,YACmB,MACD,EAAA,OAAA,EACC,UACA,QAAW,mBAAA,IAAI,KAChC,EAAA;AAJiB,IAAA,IAAA,CAAA,MAAA,GAAA,MAAA;AACD,IAAA,IAAA,CAAA,OAAA,GAAA,OAAA;AACC,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AACA,IAAA,IAAA,CAAA,QAAA,GAAA,QAAA;AAAA;AAChB,EAbL;AAO6D,IAAA,MAAA,CAAA,IAAA,EAAA,mBAAA,CAAA;AAAA;AAAA,EAQpD,mBAAmB,OAAoC,EAAA;AAC5D,IAAA,KAAA,MAAW,KAAK,OAAS,EAAA;AACvB,MAAM,MAAA,MAAA,GAAS,IAAI,CAAE,EAAA;AACrB,MAAA,MAAA,CAAO,iBAAiB,IAAI,CAAA;AAAA;AAC9B;AACF,EAEA,IAA0B,GAAmD,EAAA;AAC3E,IAAA,OAAO,IAAK,CAAA,QAAA,CAAS,GAAI,CAAA,GAAG,KAAK,EAAC;AAAA;AACpC,EAEO,gBAAA,CAAuC,YAAkC,QAA0B,EAAA;AACxG,IAAA,KAAA,MAAW,UAAc,IAAA,IAAA,CAAK,GAAI,CAAA,UAAU,CAAG,EAAA;AAC7C,MAAA,UAAA,CAAW,QAAW,GAAA,QAAA;AAAA;AACxB;AACF,EAEA,YAAwC,WAAqI,EAAA;AAC3K,IAAA,OAAO,IAAI,cAAA,CAAe,WAAa,EAAA,IAAA,CAAK,QAAU,EAAA,CAAC,UAAY,EAAA,UAAA,KAAe,IAAK,CAAA,UAAA,CAAW,UAAY,EAAA,UAAU,CAAC,CAAA;AAAA;AAC3H,EAEQ,UAAA,CAAiC,YAAkC,UAAkC,EAAA;AAC3G,IAAK,IAAA,CAAA,MAAA,CAAO,KAAK,gBAAkB,EAAA,EAAE,YAAY,UAAW,CAAA,IAAA,EAAM,YAAY,CAAA;AAC9E,IAAA,IAAI,QAAW,GAAA,IAAA,CAAK,QAAS,CAAA,GAAA,CAAI,UAAU,CAAA;AAC3C,IAAA,IAAI,YAAY,IAAM,EAAA;AACpB,MAAA,QAAA,GAAW,EAAC;AACZ,MAAK,IAAA,CAAA,QAAA,CAAS,GAAI,CAAA,UAAA,EAAY,QAAQ,CAAA;AAAA;AAExC,IAAA,QAAA,CAAS,KAAK,UAAU,CAAA;AAAA;AAC1B,EAEO,MAAM,MAAsC,EAAA;AACjD,IAAM,MAAA,SAAA,uBAAgB,GAAsD,EAAA;AAC5E,IAAA,KAAA,MAAW,CAAC,GAAA,EAAK,WAAW,CAAA,IAAK,KAAK,QAAU,EAAA;AAC9C,MAAM,MAAA,iBAAA,GAAoB,YAAY,GAAI,CAAA,CAAC,gBAAgB,EAAE,GAAG,YAAa,CAAA,CAAA;AAC7E,MAAU,SAAA,CAAA,GAAA,CAAI,KAAK,iBAAiB,CAAA;AAAA;AAGtC,IAAO,OAAA,IAAI,mBAAkB,IAAK,CAAA,MAAA,EAAQ,KAAK,OAAS,EAAA,MAAA,KAAW,MAAM,SAAS,CAAA;AAAA;AACpF,EAEO,aAAkC,GAAA;AACvC,IAAA,OAAO,IAAI,eAAgB,CAAA,IAAA,CAAK,MAAQ,EAAA,IAAA,CAAK,OAAO,CAAA;AAAA;AAExD,CAAA;;;AC3DO,IAAe,UAAf,MAAuB;AAAA,EAA9B;AAA8B,IAAA,MAAA,CAAA,IAAA,EAAA,SAAA,CAAA;AAAA;AAAA,EACrB,KAAA,CAAM,aAAmB,eAAwB,EAAA;AAAA;AAAC,EAClD,IAAA,CAAK,aAAmB,eAAwB,EAAA;AAAA;AAAC,EACjD,KAAA,CAAM,aAAmB,eAAwB,EAAA;AAAA;AAAC,EAClD,IAAA,CAAK,aAAmB,eAAwB,EAAA;AAAA;AACzD;;;ACDO,IAAM,aAAA,GAAN,cAA4B,OAAQ,CAAA;AAAA,EACzC,YAA6B,OAAmC,EAAA;AAC9D,IAAM,KAAA,EAAA;AADqB,IAAA,IAAA,CAAA,OAAA,GAAA,OAAA;AAAA;AAE7B,EAPF;AAI2C,IAAA,MAAA,CAAA,IAAA,EAAA,eAAA,CAAA;AAAA;AAAA,EAKzB,KAAA,CAAM,YAAkB,cAA6B,EAAA;AACnE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA4B,IAAA,CAAA,cAAA;AAC3C,MAAQ,OAAA,CAAA,KAAA,CAAM,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AAC1C;AACF,EAEgB,IAAA,CAAK,YAAkB,cAA6B,EAAA;AAClE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA2B,IAAA,CAAA,aAAA;AAC1C,MAAQ,OAAA,CAAA,IAAA,CAAK,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AACzC;AACF,EAEgB,IAAA,CAAK,YAAkB,cAA6B,EAAA;AAClE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA2B,IAAA,CAAA,aAAA;AAC1C,MAAQ,OAAA,CAAA,IAAA,CAAK,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AACzC;AACF,EAEgB,KAAA,CAAM,YAAkB,cAA6B,EAAA;AACnE,IAAI,IAAA,IAAA,CAAK,QAAQ,QAA4B,IAAA,CAAA,cAAA;AAC3C,MAAQ,OAAA,CAAA,KAAA,CAAM,OAAS,EAAA,GAAG,cAAc,CAAA;AAAA;AAC1C;AAEJ,CAAA;;;AC1BA,IAAM,YAAA,2BAAgB,OAAsF,MAAA;AAAA,EAC1G,GAAG,+BAAA;AAAA,EACH,GAAG;AACL,CAHqB,CAAA,EAAA,cAAA,CAAA;AAUR,IAAA,uBAAA,2BAA2B,OAAoE,KAAA;AAC1G,EAAM,MAAA,aAAA,GAAgB,aAAa,OAAO,CAAA;AAC1C,EAAA,MAAM,MAAS,GAAA,aAAA,CAAc,MAAU,IAAA,IAAI,cAAc,aAAa,CAAA;AACtE,EAAA,OAAO,IAAI,iBAAA,CAAkB,MAAQ,EAAA,aAAA,EAAe,KAAK,CAAA;AAC3D,CAJuC,EAAA,yBAAA;;;ACXvC,IAAM,WAAc,mBAAA,MAAA,CAAA,CAAuB,WAAqB,EAAA,gBAAA,EAA0B,MAAuB,UAAqC,KAAA;AACpJ,EAAI,IAAA,QAAA,GAAW,WAAe,CAAA,WAAA,EAAa,gBAAgB,CAAA;AAC3D,EAAA,IAAI,aAAa,KAAW,CAAA,EAAA;AAC1B,IAAA,QAAA,GAAW,EAAC;AACZ,IAAe,cAAA,CAAA,WAAA,EAAa,UAAU,gBAAgB,CAAA;AAAA;AAExD,EAAA,QAAA,CAAS,IAAI,CAAI,GAAA,UAAA;AACnB,CAPoB,EAAA,aAAA,CAAA;AAcP,IAAA,SAAA,2BAAmC,UAAqC,KAAA;AACnF,EAAO,OAAA,CAAC,OAAkB,GAAoC,KAAA;AAC5D,IAAA,OAAO,SAAwB,YAAmB,EAAA;AAChD,MAAA,MAAM,SAAS,IAAK,CAAA,WAAA;AACpB,MAAA,WAAA,CAAY,qBAAuB,EAAA,MAAA,EAAQ,GAAI,CAAA,IAAA,EAAM,UAAU,CAAA;AAC/D,MAAO,OAAA,YAAA;AAAA,KACT;AAAA,GACF;AACF,CARyB,EAAA,WAAA","file":"index.mjs","sourcesContent":["export enum Lifetime {\n Resolve = 'RESOLVE',\n Transient = 'TRANSIENT',\n Scoped = 'SCOPED',\n Singleton = 'SINGLETON',\n}\n\nexport enum LogLevel {\n Debug = 0,\n Info = 1,\n Warn = 2,\n Error = 3,\n None = 4,\n}\n\nexport enum ResolveMultipleMode {\n Error = 'ERROR',\n LastRegistered = 'LAST_REGISTERED',\n}\n","import { LogLevel, ResolveMultipleMode } from './enums';\nimport type { ServiceCollectionOptions } from './types';\n\nexport const DefaultServiceCollectionOptions: ServiceCollectionOptions = {\n registrationMode: ResolveMultipleMode.Error,\n logLevel: LogLevel.Warn,\n};\n","import type { ServiceIdentifier } from './types';\n\nexport abstract class ServiceError extends Error {}\n\nexport class UnregisteredServiceError<T extends object> extends ServiceError {\n name = 'UnregisteredServiceError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Resolving service that has not been registered: ${identifier.name}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class MultipleRegistrationError<T extends object> extends ServiceError {\n name = 'MultipleRegistrationError';\n constructor(identifier: ServiceIdentifier<T>) {\n super(`Multiple services have been registered: ${identifier.name}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ServiceCreationError<T extends object> extends ServiceError {\n name = 'ServiceCreationError';\n constructor(\n identifier: ServiceIdentifier<T>,\n public readonly innerError: any,\n ) {\n super(`Error creating service: ${identifier.name}`);\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class SelfDependencyError extends ServiceError {\n name = 'SelfDependencyError';\n constructor() {\n super('Service depending on itself');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n\nexport class ScopedSingletonRegistrationError extends ServiceError {\n name = 'ScopedSingletonRegistrationError';\n constructor() {\n super('Cannot register a singleton in a scoped service collection');\n Object.setPrototypeOf(this, new.target.prototype);\n }\n}\n","import { Lifetime } from '../enums';\nimport { ScopedSingletonRegistrationError } from '../errors';\nimport type { ILifetimeBuilder, IServiceBuilder } from '../interfaces';\nimport type { InstanceFactory, ServiceDescriptor, ServiceIdentifier, ServiceImplementation, SourceType } from '../types';\n\nexport class ServiceBuilder<T extends SourceType> implements IServiceBuilder<T> {\n private descriptor: ServiceDescriptor<T> | undefined;\n\n constructor(\n private readonly identifiers: ServiceIdentifier<T>[],\n private readonly isScoped: boolean,\n private readonly addService: (identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>) => void,\n ) {}\n\n public to(implementation: ServiceImplementation<T>, factory?: InstanceFactory<T>): ILifetimeBuilder {\n this.descriptor = this.createDescriptor(factory, implementation);\n\n for (const identifier of this.identifiers) {\n this.addService(identifier, this.descriptor);\n }\n return this;\n }\n\n private createDescriptor(factory: InstanceFactory<T> | undefined, implementation: ServiceImplementation<T>): ServiceDescriptor<T> {\n const createInstance = factory ?? (() => new implementation());\n\n return {\n implementation,\n createInstance,\n lifetime: Lifetime.Resolve,\n };\n }\n\n public singleton(): this {\n if (this.isScoped) {\n throw new ScopedSingletonRegistrationError();\n }\n this.ensureDescriptor().lifetime = Lifetime.Singleton;\n return this;\n }\n\n public scoped(): this {\n this.ensureDescriptor().lifetime = Lifetime.Scoped;\n return this;\n }\n\n public transient(): this {\n this.ensureDescriptor().lifetime = Lifetime.Transient;\n return this;\n }\n\n private ensureDescriptor(): ServiceDescriptor<T> {\n if (!this.descriptor) {\n throw new Error('Must call to() before setting lifetime');\n }\n return this.descriptor;\n }\n}\n","import type { Lifetime } from './enums';\nimport { ResolveMultipleMode } from './enums';\nimport type { EnsureObject, ServiceBuilderOptions, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceModuleType, SourceType, UnionToIntersection } from './types';\n\nexport abstract class IDisposable {\n public abstract [Symbol.dispose](): void;\n}\n\nexport abstract class IServiceModule {\n public abstract registerServices(services: IServiceCollection): void;\n}\n\nexport abstract class IResolutionScope {\n /**\n * Resolves a single implementation for the given identifier.\n * @template T The type of service to resolve\n * @param identifier The service identifier\n * @returns The resolved instance\n * @throws {MultipleRegistrationError} When multiple implementations exist (unless {@link ServiceCollectionOptions.registrationMode} is set to {@link ResolveMultipleMode.LastRegistered}).\n * @throws {UnregisteredServiceError} When no implementation exists\n */\n public abstract resolve<T extends SourceType>(identifier: ServiceIdentifier<T>): T;\n\n /**\n * Resolves all implementations for the given identifier.\n * @template T The type of service to resolve\n * @param identifier The service identifier\n * @returns Array of resolved instances\n */\n public abstract resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>): T[];\n}\n\nexport abstract class IScopedProvider extends IResolutionScope implements IDisposable {\n public abstract readonly Services: IServiceCollection;\n public abstract [Symbol.dispose](): void;\n}\n\nexport abstract class IServiceProvider extends IResolutionScope {\n public abstract readonly Services: IServiceCollection;\n public abstract createScope(): IScopedProvider;\n}\n\nexport abstract class IServiceCollection {\n public abstract readonly options: ServiceCollectionOptions;\n public abstract get<T extends SourceType>(identifier: ServiceIdentifier<T>): ServiceDescriptor<T>[];\n public abstract register<Types extends SourceType[]>(...identifiers: { [K in keyof Types]: ServiceIdentifier<Types[K]> }): IServiceBuilder<EnsureObject<UnionToIntersection<Types[number]>>>;\n public abstract registerModules(...modules: ServiceModuleType[]): void;\n public abstract overrideLifetime<T extends SourceType>(identifier: ServiceIdentifier<T>, lifetime: Lifetime): void;\n public abstract buildProvider(): IServiceProvider;\n public abstract clone(): IServiceCollection;\n public abstract clone(scoped: true): IServiceCollection;\n}\n\nexport abstract class ILifetimeBuilder {\n public abstract singleton(): ILifetimeBuilder;\n public abstract scoped(): ILifetimeBuilder;\n public abstract transient(): ILifetimeBuilder;\n}\n\nexport abstract class IServiceBuilder<T extends SourceType> {\n public abstract to: ServiceBuilderOptions<T>;\n}\n","import { Lifetime } from '../enums';\nimport type { ServiceImplementation, SourceType } from '../types';\n\nexport class ResolutionContext {\n constructor(\n private readonly singletons: Map<ServiceImplementation<any>, any>,\n private readonly scoped: Map<ServiceImplementation<any>, any>,\n ) {}\n\n private readonly transient = new Map<ServiceImplementation<any>, any>();\n\n public getFromLifetime<T extends SourceType>(implementation: ServiceImplementation<T>, lifetime: Lifetime): T {\n const map = this.getMapForLifetime(lifetime);\n return map?.get(implementation);\n }\n\n public setForLifetime<T extends SourceType>(implementation: ServiceImplementation<T>, instance: T, lifetime: Lifetime): void {\n const map = this.getMapForLifetime(lifetime);\n map?.set(implementation, instance);\n }\n\n private getMapForLifetime(lifetime: Lifetime) {\n const map: Partial<Record<Lifetime, Map<ServiceImplementation<any>, any>>> = {\n [Lifetime.Singleton]: this.singletons,\n [Lifetime.Scoped]: this.scoped,\n [Lifetime.Resolve]: this.transient,\n };\n return map[lifetime];\n }\n}\n","export const DesignDependenciesKey = 'design:dependencies';\n","import '@abraham/reflection';\nimport type { MetadataType, SourceType } from '../types';\n\nexport const getMetadata = <T extends SourceType>(key: string, obj: object): MetadataType<T> | undefined => Reflect.getMetadata(key, obj);\nexport const defineMetadata = <T extends SourceType>(key: string, metadata: MetadataType<T>, obj: object) => Reflect.defineMetadata(key, metadata, obj);\n","import { Lifetime } from '../enums';\nimport { ResolveMultipleMode } from '../enums';\nimport { MultipleRegistrationError, SelfDependencyError, ServiceCreationError, UnregisteredServiceError } from '../errors';\nimport { type IDisposable, IResolutionScope, IScopedProvider, type IServiceCollection } from '../interfaces';\nimport { IServiceProvider } from '../interfaces';\nimport type { ILogger } from '../logger';\nimport type { ServiceDescriptor, ServiceIdentifier, ServiceImplementation, SourceType } from '../types';\nimport { ResolutionContext } from './ResolutionContext';\nimport { DesignDependenciesKey } from './constants';\nimport { getMetadata } from './metadata';\n\nexport class ServiceProvider implements IServiceProvider, IScopedProvider {\n private scoped = new Map<ServiceImplementation<any>, any>();\n private created: IDisposable[] = [];\n\n constructor(\n private readonly logger: ILogger,\n public readonly Services: IServiceCollection,\n private readonly singletons = new Map<ServiceImplementation<any>, any>(),\n ) {}\n\n [Symbol.dispose]() {\n for (const x of this.created) {\n x[Symbol.dispose]();\n }\n }\n\n private resolveInternal<T extends SourceType>(descriptor: ServiceDescriptor<T>, context: ResolutionContext): T {\n let instance = context.getFromLifetime(descriptor.implementation, descriptor.lifetime);\n if (instance == null) {\n instance = this.createInstance(descriptor, context);\n }\n return instance;\n }\n\n public resolveAll<T extends SourceType>(identifier: ServiceIdentifier<T>, context?: ResolutionContext): T[] {\n const descriptors = this.Services.get(identifier);\n return descriptors.map((descriptor) => this.resolveInternal<T>(descriptor, context ?? new ResolutionContext(this.singletons, this.scoped)));\n }\n\n public resolve<T extends SourceType>(identifier: ServiceIdentifier<T>, context?: ResolutionContext): T {\n if (identifier.prototype === IResolutionScope.prototype || identifier.prototype === IScopedProvider.prototype || identifier.prototype === IServiceProvider.prototype) {\n return this as IResolutionScope & IScopedProvider & IServiceProvider as T;\n }\n\n const descriptor = this.getSingleDescriptor(identifier);\n return this.resolveInternal(descriptor, context ?? new ResolutionContext(this.singletons, this.scoped));\n }\n\n private getSingleDescriptor<T extends SourceType>(identifier: ServiceIdentifier<T>) {\n const descriptors = this.Services.get(identifier);\n if (descriptors.length === 0) {\n throw new UnregisteredServiceError(identifier);\n }\n\n if (descriptors.length > 1) {\n if (this.Services.options.registrationMode === ResolveMultipleMode.Error) {\n throw new MultipleRegistrationError(identifier);\n }\n }\n const descriptor = descriptors[descriptors.length - 1];\n return descriptor;\n }\n\n private createInstance<T extends SourceType>(descriptor: ServiceDescriptor<T>, context: ResolutionContext): T {\n const instance = this.createInstanceInternal(descriptor, context);\n this.setDependencies(descriptor.implementation, instance, context);\n context.setForLifetime(descriptor.implementation, instance, descriptor.lifetime);\n return instance;\n }\n\n private wrapContext(context: ResolutionContext): IResolutionScope {\n const resolve = (identifier: ServiceIdentifier<any>) => this.resolve(identifier, context);\n const resolveAll = (identifier: ServiceIdentifier<any>) => this.resolveAll(identifier, context);\n\n return {\n resolve,\n resolveAll,\n };\n }\n\n private createInstanceInternal<T extends SourceType>(descriptor: ServiceDescriptor<T>, context: ResolutionContext) {\n let instance: T | undefined;\n try {\n instance = descriptor.createInstance(this.wrapContext(context));\n } catch (err) {\n this.logger.error(err);\n throw new ServiceCreationError(descriptor.implementation, err);\n }\n if (descriptor.lifetime !== Lifetime.Singleton && Symbol.dispose in instance) {\n this.created.push(instance as IDisposable);\n }\n return instance;\n }\n\n public createScope(): IScopedProvider {\n return new ServiceProvider(this.logger, this.Services.clone(true), this.singletons);\n }\n\n private setDependencies<T extends SourceType>(implementation: ServiceImplementation<T>, instance: T, context: ResolutionContext): T {\n const dependencies = getMetadata<T>(DesignDependenciesKey, implementation) ?? {};\n this.logger.debug('Dependencies', implementation.name, dependencies);\n for (const [key, identifier] of Object.entries(dependencies)) {\n if (identifier !== implementation) {\n this.logger.debug('Resolving', identifier.name, 'for', implementation.name);\n const dep = this.resolve(identifier, context);\n (instance as Record<string, T>)[key] = dep;\n } else {\n throw new SelfDependencyError();\n }\n }\n return instance;\n }\n}\n","import type { Lifetime } from '../enums';\nimport type { IServiceBuilder, IServiceCollection, IServiceProvider } from '../interfaces';\nimport type { ILogger } from '../logger';\nimport type { EnsureObject, ServiceCollectionOptions, ServiceDescriptor, ServiceIdentifier, ServiceModuleType, SourceType, UnionToIntersection } from '../types';\nimport { ServiceBuilder } from './ServiceBuilder';\nimport { ServiceProvider } from './ServiceProvider';\n\nexport class ServiceCollection implements IServiceCollection {\n constructor(\n private readonly logger: ILogger,\n public readonly options: ServiceCollectionOptions,\n private readonly isScoped: boolean,\n private readonly services = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>(),\n ) {}\n\n public registerModules(...modules: ServiceModuleType[]): void {\n for (const x of modules) {\n const module = new x();\n module.registerServices(this);\n }\n }\n\n get<T extends SourceType>(key: ServiceIdentifier<T>): ServiceDescriptor<T>[] {\n return this.services.get(key) ?? [];\n }\n\n public overrideLifetime<T extends SourceType>(identifier: ServiceIdentifier<T>, lifetime: Lifetime): void {\n for (const descriptor of this.get(identifier)) {\n descriptor.lifetime = lifetime;\n }\n }\n\n register<Types extends SourceType[]>(...identifiers: { [K in keyof Types]: ServiceIdentifier<Types[K]> }): IServiceBuilder<EnsureObject<UnionToIntersection<Types[number]>>> {\n return new ServiceBuilder(identifiers, this.isScoped, (identifier, descriptor) => this.addService(identifier, descriptor));\n }\n\n private addService<T extends SourceType>(identifier: ServiceIdentifier<T>, descriptor: ServiceDescriptor<T>) {\n this.logger.info('Adding service', { identifier: identifier.name, descriptor });\n let existing = this.services.get(identifier);\n if (existing == null) {\n existing = [];\n this.services.set(identifier, existing);\n }\n existing.push(descriptor);\n }\n\n public clone(scoped?: unknown): IServiceCollection {\n const clonedMap = new Map<ServiceIdentifier<any>, ServiceDescriptor<any>[]>();\n for (const [key, descriptors] of this.services) {\n const clonedDescriptors = descriptors.map((descriptor) => ({ ...descriptor }));\n clonedMap.set(key, clonedDescriptors);\n }\n\n return new ServiceCollection(this.logger, this.options, scoped === true, clonedMap);\n }\n\n public buildProvider(): IServiceProvider {\n return new ServiceProvider(this.logger, this.clone());\n }\n}\n","export abstract class ILogger {\n public debug(_message?: any, ..._optionalParams: any[]) {}\n public info(_message?: any, ..._optionalParams: any[]) {}\n public error(_message?: any, ..._optionalParams: any[]) {}\n public warn(_message?: any, ..._optionalParams: any[]) {}\n}\n","import { LogLevel } from '../enums';\nimport { ILogger } from '../logger';\nimport type { ServiceCollectionOptions } from '../types';\n\nexport class ConsoleLogger extends ILogger {\n constructor(private readonly options: ServiceCollectionOptions) {\n super();\n }\n\n public override debug(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Debug) {\n console.debug(message, ...optionalParams);\n }\n }\n\n public override info(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Info) {\n console.info(message, ...optionalParams);\n }\n }\n\n public override warn(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Warn) {\n console.warn(message, ...optionalParams);\n }\n }\n\n public override error(message?: any, ...optionalParams: any[]): void {\n if (this.options.logLevel <= LogLevel.Error) {\n console.error(message, ...optionalParams);\n }\n }\n}\n","import { DefaultServiceCollectionOptions } from './defaults';\nimport type { IServiceCollection } from './interfaces';\nimport { ServiceCollection } from './private/ServiceCollection';\nimport { ConsoleLogger } from './private/consoleLogger';\nimport type { ServiceCollectionOptions } from './types';\n\nconst mergeOptions = (options: Partial<ServiceCollectionOptions> | undefined): ServiceCollectionOptions => ({\n ...DefaultServiceCollectionOptions,\n ...options,\n});\n\n/**\n * Creates a service collection with the (optionally) provided options\n * @param options - Optional configuration for the service collection.\n * @defaultValue Default options are taken from {@link DefaultServiceCollectionOptions}.\n */\nexport const createServiceCollection = (options?: Partial<ServiceCollectionOptions>): IServiceCollection => {\n const mergedOptions = mergeOptions(options);\n const logger = mergedOptions.logger ?? new ConsoleLogger(mergedOptions);\n return new ServiceCollection(logger, mergedOptions, false);\n};\n","import { IResolutionScope, IScopedProvider, IServiceProvider } from './interfaces';\nimport { DesignDependenciesKey } from './private/constants';\nimport { defineMetadata, getMetadata } from './private/metadata';\nimport type { ServiceIdentifier, SourceType } from './types';\n\nconst tagProperty = <T extends SourceType>(metadataKey: string, annotationTarget: object, name: string | symbol, identifier: ServiceIdentifier<T>) => {\n let existing = getMetadata<T>(metadataKey, annotationTarget);\n if (existing === undefined) {\n existing = {};\n defineMetadata(metadataKey, existing, annotationTarget);\n }\n existing[name] = identifier;\n};\n\n/**\n * declares a dependency, use on a class field.\n * Can also depend on {@link IServiceProvider}, {@link IResolutionScope}, or {@link IScopedProvider}.\n * @param identifier the identifier to depend on, i.e. the interface\n */\nexport const dependsOn = <T extends SourceType>(identifier: ServiceIdentifier<T>) => {\n return (value: undefined, ctx: ClassFieldDecoratorContext) => {\n return function (this: object, initialValue: any) {\n const target = this.constructor;\n tagProperty(DesignDependenciesKey, target, ctx.name, identifier);\n return initialValue;\n };\n };\n};\n"]}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@shellicar/core-di",
3
- "version": "1.0.0",
3
+ "version": "2.0.1",
4
4
  "description": "A basic dependency injection library",
5
5
  "repository": {
6
6
  "type": "git",
@@ -39,26 +39,32 @@
39
39
  "homepage": "https://github.com/shellicar/core-di#readme",
40
40
  "devDependencies": {
41
41
  "@biomejs/biome": "^1.9.4",
42
- "@types/mocha": "^10.0.9",
43
- "@types/node": "^22.8.4",
44
- "mocha": "^10.8.1",
45
- "npm-run-all2": "^7.0.1",
42
+ "@tsconfig/node20": "^20.1.4",
43
+ "@types/node": "^22.10.5",
44
+ "lefthook": "^1.10.1",
45
+ "npm-check-updates": "^17.1.13",
46
+ "npm-run-all2": "^7.0.2",
46
47
  "rimraf": "^6.0.1",
47
- "terser": "^5.36.0",
48
+ "terser": "^5.37.0",
48
49
  "tsup": "^8.3.5",
49
50
  "tsx": "^4.19.2",
50
- "typescript": "^5.6.3"
51
+ "typescript": "^5.7.2",
52
+ "vitest": "^2.1.8"
51
53
  },
52
54
  "dependencies": {
53
55
  "@abraham/reflection": "^0.12.0"
54
56
  },
55
57
  "scripts": {
56
58
  "build": "tsup-node",
57
- "ci:fix": "biome check --fix --diagnostic-level=error",
58
- "test": "mocha",
59
+ "dev": "tsup-node --watch",
60
+ "test": "vitest run",
59
61
  "lint": "biome lint",
60
62
  "format": "biome format",
61
63
  "check": "biome check",
62
- "ci": "biome ci"
64
+ "type-check": "tsc -p tsconfig.check.json",
65
+ "ci": "biome ci",
66
+ "ci:fix": "biome check --fix --diagnostic-level=error",
67
+ "updates": "npm-check-updates",
68
+ "postinstall": "lefthook install"
63
69
  }
64
70
  }