You cannot do this without maintaining a “registry” for your classes.
interface Component { }
type ComponentClass = { new (): Component };
const REGISTRY = new Map<string, ComponentClass>();
function getTypeFor(name: string): ComponentClass {
return REGISTRY.get(name);
}
As for adding entries to this one REGISTRY, you have several options, here are two:
(1) Manually add it after each class definition:
class ComponentA implements Component { ... }
REGISTRY.set("ComponentA", ComponentA);
Or create a function for it:
function register(cls: ComponentClass): void {
REGISTRY.set(cls.name, cls);
}
class ComponentA implements Component { ... }
register(ComponentA);
(2) Use a decorator:
Just use the above function registeras a decorator:
@register
class ComponentA implements Component { ... }
source
share