Is it possible to get type of component (Type<T>) from string value? Smth like:
let typeStr: string = 'MyComponent';
let type: any = resolveType(typeStr); // actual type
You can't do that 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 how to add entries to this REGISTRY, you have a few options, here are two:
(1) Manually add it after every class definition:
class ComponentA implements Component { ... }
REGISTRY.set("ComponentA", ComponentA);
Or make 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 register function as a decorator:
@register
class ComponentA implements Component { ... }
ComponentClass type and getTypeFor. I used the decorator approach for register by exporting that too. Is that correct? Should Component be an interface, can't we use a class for that?register decorator. Because the component is not compatible with ComponentClass. Do you have any ideas how this can be handled?function register(ci: Component): void And then do something like this inside register function: let cls = ci as ComponentClass; I hope it helps.Just in case anyone stumbles across this question like me. It is possible without maintaining a registry.
Full credit goes to yurzui for his solution.
Just a copy from there:
import { Type } from '@angular/core';
@Input() comp: string;
...
const factories = Array.from(this.resolver['_factories'].keys());
const factoryClass = <Type<any>>factories.find((x: any) => x.name === this.comp);
const factory = this.resolver.resolveComponentFactory(factoryClass);
const compRef = this.vcRef.createComponent(factory);
_factories from CFR. That said it was probably best to stay away from private props anyways!
<button createComponent='let type = MyComponent'>Create</button>?type? Do you want to get a reference to theMyComponentclass based on its name?