- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
我有一个使用 Typescript 构建并与 webpack 捆绑在一起的 Angular 应用程序。这里没有什么不寻常的。我想要做的是在运行时允许插件,这意味着包外的组件和/或模块也应该能够在应用程序中注册。到目前为止,我已经尝试在 index.html 中包含另一个 webpack 包,并使用隐式数组将所述模块/组件推送到其中,并在我的模块中导入这些。
看到导入正在使用隐式变量。这适用于 bundle 中的模块,但其他 bundle 中的模块将不起作用。
@NgModule({
imports: window["app"].modulesImport,
declarations: [
DYNAMIC_DIRECTIVES,
PropertyFilterPipe,
PropertyDataTypeFilterPipe,
LanguageFilterPipe,
PropertyNameBlackListPipe
],
exports: [
DYNAMIC_DIRECTIVES,
CommonModule,
FormsModule,
HttpModule
]
})
export class PartsModule {
static forRoot()
{
return {
ngModule: PartsModule,
providers: [ ], // not used here, but if singleton needed
};
}
}
我还尝试使用 es5 代码创建一个模块和一个组件,如下所示,并将相同的东西推送到我的模块数组:
var HelloWorldComponent = function () {
};
HelloWorldComponent.annotations = [
new ng.core.Component({
selector: 'hello-world',
template: '<h1>Hello World!</h1>',
})
];
window["app"].componentsLazyImport.push(HelloWorldComponent);
这两种方法都会导致以下错误:
ncaught Error: Unexpected value 'ExtensionsModule' imported by the module 'PartsModule'. Please add a @NgModule annotation.
at syntaxError (http://localhost:3002/dist/app.bundle.js:43864:34) [<root>]
at http://localhost:3002/dist/app.bundle.js:56319:44 [<root>]
at Array.forEach (native) [<root>]
at CompileMetadataResolver.getNgModuleMetadata (http://localhost:3002/dist/app.bundle.js:56302:49) [<root>]
at CompileMetadataResolver.getNgModuleSummary (http://localhost:3002/dist/app.bundle.js:56244:52) [<root>]
at http://localhost:3002/dist/app.bundle.js:56317:72 [<root>]
at Array.forEach (native) [<root>]
at CompileMetadataResolver.getNgModuleMetadata (http://localhost:3002/dist/app.bundle.js:56302:49) [<root>]
at CompileMetadataResolver.getNgModuleSummary (http://localhost:3002/dist/app.bundle.js:56244:52) [<root>]
at http://localhost:3002/dist/app.bundle.js:56317:72 [<root>]
at Array.forEach (native) [<root>]
at CompileMetadataResolver.getNgModuleMetadata (http://localhost:3002/dist/app.bundle.js:56302:49) [<root>]
at JitCompiler._loadModules (http://localhost:3002/dist/app.bundle.js:67404:64) [<root>]
at JitCompiler._compileModuleAndComponents (http://localhost:3002/dist/app.bundle.js:67363:52) [<root>]
请注意,如果我尝试使用组件而不是模块,我会将它们放在声明中,这会导致组件出现相应的错误,说我需要添加 @pipe/@component 注释。
我觉得这应该是可行的,但我不知道我错过了什么。我正在使用 angular@4.0.0
2017 年 11 月 5 日更新
所以我决定退后一步,从头开始。我没有使用 webpack,而是决定尝试使用 SystemJS,因为我在 Angular 中找到了一个核心组件。这次我使用以下组件和服务来插入组件:
typebuilder.ts
import { Component, ComponentFactory, NgModule, Input, Injectable, CompilerFactory } from '@angular/core';
import { JitCompiler } from '@angular/compiler';
import {platformBrowserDynamic} from "@angular/platform-browser-dynamic";
export interface IHaveDynamicData {
model: any;
}
@Injectable()
export class DynamicTypeBuilder {
protected _compiler : any;
// wee need Dynamic component builder
constructor() {
const compilerFactory : CompilerFactory = platformBrowserDynamic().injector.get(CompilerFactory);
this._compiler = compilerFactory.createCompiler([]);
}
// this object is singleton - so we can use this as a cache
private _cacheOfFactories: {[templateKey: string]: ComponentFactory<IHaveDynamicData>} = {};
public createComponentFactoryFromType(type: any) : Promise<ComponentFactory<any>> {
let module = this.createComponentModule(type);
return new Promise((resolve) => {
this._compiler
.compileModuleAndAllComponentsAsync(module)
.then((moduleWithFactories : any) =>
{
let _ = window["_"];
let factory = _.find(moduleWithFactories.componentFactories, { componentType: type });
resolve(factory);
});
});
}
protected createComponentModule (componentType: any) {
@NgModule({
imports: [
],
declarations: [
componentType
],
})
class RuntimeComponentModule
{
}
// a module for just this Type
return RuntimeComponentModule;
}
}
Dynamic.component.ts
import { Component, Input, ViewChild, ViewContainerRef, SimpleChanges, AfterViewInit, OnChanges, OnDestroy, ComponentFactory, ComponentRef } from "@angular/core";
import { DynamicTypeBuilder } from "../services/type.builder";
@Component({
"template": '<h1>hello dynamic component <div #dynamicContentPlaceHolder></div></h1>',
"selector": 'dynamic-component'
})
export class DynamicComponent implements AfterViewInit, OnChanges, OnDestroy {
@Input() pathToComponentImport : string;
@ViewChild('dynamicContentPlaceHolder', {read: ViewContainerRef})
protected dynamicComponentTarget: ViewContainerRef;
protected componentRef: ComponentRef<any>;
constructor(private typeBuilder: DynamicTypeBuilder)
{
}
protected refreshContent() : void {
if (this.pathToComponentImport != null && this.pathToComponentImport.indexOf('#') != -1) {
let [moduleName, exportName] = this.pathToComponentImport.split("#");
window["System"].import(moduleName)
.then((module: any) => module[exportName])
.then((type: any) => {
this.typeBuilder.createComponentFactoryFromType(type)
.then((factory: ComponentFactory<any>) =>
{
// Target will instantiate and inject component (we'll keep reference to it)
this.componentRef = this
.dynamicComponentTarget
.createComponent(factory);
// let's inject @Inputs to component instance
let component = this.componentRef.instance;
component.model = { text: 'hello world' };
//...
});
});
}
}
ngOnDestroy(): void {
}
ngOnChanges(changes: SimpleChanges): void {
}
ngAfterViewInit(): void {
this.refreshContent();
}
}
现在我可以像这样链接到任何给定的组件:
<dynamic-component pathToComponentImport="/app/views/components/component1/extremely.dynamic.component.js#ExtremelyDynamicComponent"></dynamic-component>
typescript 配置:
{
"compilerOptions": {
"target": "es5",
"module": "system",
"moduleResolution": "node",
"sourceMap": true,
"emitDecoratorMetadata": true,
"allowJs": true,
"experimentalDecorators": true,
"lib": [ "es2015", "dom" ],
"noImplicitAny": true,
"suppressImplicitAnyIndexErrors": true
},
"exclude": [
"node_modules",
"systemjs-angular-loader.js",
"systemjs.config.extras.js",
"systemjs.config.js"
]
}
在我的 typescript 配置之上。所以这可行,但是我不确定我是否对使用 SystemJS 感到满意。我觉得 webpack 也应该可以做到这一点,并且不确定这是否是 TC 编译 webpack 不理解的文件的方式......如果我尝试在 webpack 包中运行此代码,我仍然会遇到缺少的装饰器异常.
最好的问候莫腾
最佳答案
所以我一直在努力寻找解决方案。最后我做到了。这是否是一个 hacky 解决方案,还有更好的方法我不知道......现在,这就是我解决它的方式。但我确实希望将来或即将出现更现代的解决方案。
这个解决方案本质上是 SystemJS 和 webpack 的混合模型。在您的运行时,您需要使用 SystemJS 来加载您的应用程序,并且您的 webpack 包需要由 SystemJS 使用。为此,您需要一个用于 webpack 的插件使这成为可能。开箱即用的 systemJS 和 webpack 不兼容,因为它们使用不同的模块定义。不过这个插件不行。
“webpack-system-register”.
我有 2.2.1 版的 webpack 和 1.5.0 版的 WSR。1.1 在您的 webpack.config.js 中,您需要将 WebPackSystemRegister 添加为您的 core.plugins 中的第一个元素,如下所示:
config.plugins = [
new WebpackSystemRegister({
registerName: 'core-app', // optional name that SystemJS will know this bundle as.
systemjsDeps: [
]
})
//you can still use other plugins here as well
];
由于现在使用 SystemJS 来加载应用程序,因此您还需要一个 systemjs 配置。我的看起来像这样。
(function (global) {
System.config({
paths: {
// paths serve as alias
'npm:': 'node_modules/'
},
// map tells the System loader where to look for things
map: {
// our app is within the app folder
'app': 'app',
// angular bundles
// '@angular/core': 'npm:@angular/core/bundles/core.umd.min.js',
'@angular/core': '/dist/fake-umd/angular.core.fake.umd.js',
'@angular/common': '/dist/fake-umd/angular.common.fake.umd.js',
'@angular/compiler': 'npm:@angular/compiler/bundles/compiler.umd.min.js',
'@angular/platform-browser': '/dist/fake-umd/angular.platform.browser.fake.umd.js',
'@angular/platform-browser-dynamic': 'npm:@angular/platform-browser-dynamic/bundles/platform-browser-dynamic.umd.min.js',
'@angular/http': '/dist/fake-umd/angular.http.fake.umd.js',
'@angular/router': 'npm:@angular/router/bundles/router.umd.min.js',
'@angular/forms': 'npm:@angular/forms/bundles/forms.umd.min.js',
'@angular/platform-browser/animations': 'npm:@angular/platform-browser/bundles/platform-browser-animations.umd.min.js',
'@angular/material': 'npm:@angular/material/bundles/material.umd.js',
'@angular/animations/browser': 'npm:@angular/animations/bundles/animations-browser.umd.min.js',
'@angular/animations': 'npm:@angular/animations/bundles/animations.umd.min.js',
'angular2-grid/main': 'npm:angular2-grid/bundles/NgGrid.umd.min.js',
'@ng-bootstrap/ng-bootstrap': 'npm:@ng-bootstrap/ng-bootstrap/bundles/ng-bootstrap.js',
// other libraries
'angular-in-memory-web-api': 'npm:angular-in-memory-web-api/bundles/in-memory-web-api.umd.js',
"rxjs": "npm:rxjs",
},
// packages tells the System loader how to load when no filename and/or no extension
packages: {
app: {
defaultExtension: 'js',
meta: {
'./*.html': {
defaultExension: false,
},
'./*.js': {
loader: '/dist/configuration/systemjs-angular-loader.js'
},
}
},
rxjs: {
defaultExtension: 'js'
},
},
});
})(this);
我将在稍后的回答中回到 map 元素,描述为什么 angular 在那里以及它是如何完成的。在您的 index.html 中,您需要像这样引用:
<script src="node_modules/systemjs/dist/system.src.js"></script> //system
<script src="node_modules/reflect-metadata/reflect.js"></script>
<script src="/dist/configuration/systemjs.config.js"></script> // config for system js
<script src="/node_modules/zone.js/dist/zone.js"></script>
<script src="/dist/declarations.js"></script> // global defined variables
<script src="/dist/app.bundle.js"></script> //core app
<script src="/dist/extensions.bundle.js"></script> //extensions app
目前,这让我们可以随心所欲地运行一切。然而,这有一点不同,即您仍然会遇到原始帖子中描述的异常。要解决这个问题(虽然我仍然不知道为什么会这样),我们需要在插件源代码中做一个小技巧,它是使用 webpack 和 webpack-system-register 创建的:
plugins: [
new WebpackSystemRegister({
registerName: 'extension-module', // optional name that SystemJS will know this bundle as.
systemjsDeps: [
/^@angular/,
/^rx/
]
})
上面的代码使用 webpack 系统寄存器从扩展包中排除 Angular 和 RxJs 模块。将要发生的是 systemJS 在导入模块时会遇到 angular 和 RxJs。它们被排除在外,因此系统将尝试使用 System.config.js 的映射配置加载它们。有趣的部分来了。:
在核心应用程序中,我在 webpack 中导入所有 Angular 模块并将它们公开在公共(public)变量中。这可以在你的应用程序的任何地方完成,我已经在 main.ts 中完成了。示例如下:
lux.bootstrapModule = function(module, requireName, propertyNameToUse) {
window["lux"].angularModules.modules[propertyNameToUse] = module;
window["lux"].angularModules.map[requireName] = module;
}
import * as angularCore from '@angular/core';
window["lux"].bootstrapModule(angularCore, '@angular/core', 'core');
platformBrowserDynamic().bootstrapModule(AppModule);
在我们的 systemjs 配置中,我们创建了一个这样的映射,让 systemjs 知道在哪里加载我们的依赖项(它们被排除在扩展包中,如上所述):
'@angular/core': '/dist/fake-umd/angular.core.fake.umd.js',
'@angular/common': '/dist/fake-umd/angular.common.fake.umd.js',
因此,每当 systemjs 遇到 Angular 核心或 Angular 公共(public)点时,它就会被告知从我定义的假 umd 包中加载它。它们看起来像这样:
(function (root, factory) {
if (typeof define === 'function' && define.amd) {
// AMD
define([], factory);
} else if (typeof exports === 'object') {
// Node, CommonJS-like
module.exports = factory();
}
}(this, function () {
// exposed public method
return window["lux"].angularModules.modules.core;
}));
最终,使用运行时编译器,我现在可以使用从外部加载的模块:
因此系统现在可以在 Angular 中用于导入和编译模块。每个模块只需要发生一次。不幸的是,这会阻止您遗漏非常繁重的运行时编译器。
我有一个可以加载模块并返回工厂的服务,最终使您能够延迟加载核心转译时不知道的模块。这对于商业平台、CMS、CRM 系统等软件 vendor 或其他开发人员在没有源代码的情况下为此类系统创建插件的软件 vendor 来说非常有用。
window["System"].import(moduleName) //module name is defined in the webpack-system-register "registerName"
.then((module: any) => module[exportName])
.then((type: any) => {
let module = this.createComponentModuleWithModule(type);
this._compiler.compileModuleAndAllComponentsAsync(module).then((moduleWithFactories: any) => {
const moduleRef = moduleWithFactories.ngModuleFactory.create(this.injector);
for (let factory of moduleWithFactories.componentFactories) {
if (factory.selector == 'dynamic-component') { //all extension modules will have a factory for this. Doesn't need to go into the cache as not used.
continue;
}
var factoryToCache = {
template: null,
injector: moduleRef.injector,
selector: factory.selector,
isExternalModule: true,
factory: factory,
moduleRef: moduleRef,
moduleName: moduleName,
exportName: exportName
}
if (factory.selector in this._cacheOfComponentFactories) {
var existingFactory = this._cacheOfComponentFactories[factory.selector]
console.error(`Two different factories conflicts in selector:`, factoryToCache, existingFactory)
throw `factory already exists. Did the two modules '${moduleName}-${exportName}' and '${existingFactory.moduleName}-${existingFactory.exportName}' share a component selector?: ${factory.selector}`;
}
if (factory.selector.indexOf(factoryToCache.exportName) == -1) {
console.warn(`best practice for extension modules is to prefix selectors with exportname to avoid conflicts. Consider using: ${factoryToCache.exportName}-${factory.selector} as a selector for your component instead of ${factory.selector}`);
}
this._cacheOfComponentFactories[factory.selector] = factoryToCache;
}
})
resolve();
})
总结一下:
关于angular - 运行时将组件或模块加载到 angular2 中的模块中,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/43630165/
我想做的是让 JTextPane 在 JPanel 中占用尽可能多的空间。对于我使用的 UpdateInfoPanel: public class UpdateInfoPanel extends JP
我在 JPanel 中有一个 JTextArea,我想将其与 JScrollPane 一起使用。我正在使用 GridBagLayout。当我运行它时,框架似乎为 JScrollPane 腾出了空间,但
我想在 xcode 中实现以下功能。 我有一个 View Controller 。在这个 UIViewController 中,我有一个 UITabBar。它们下面是一个 UIView。将 UITab
有谁知道Firebird 2.5有没有类似于SQL中“STUFF”函数的功能? 我有一个包含父用户记录的表,另一个表包含与父相关的子用户记录。我希望能够提取用户拥有的“ROLES”的逗号分隔字符串,而
我想使用 JSON 作为 mirth channel 的输入和输出,例如详细信息保存在数据库中或创建 HL7 消息。 简而言之,输入为 JSON 解析它并输出为任何格式。 最佳答案 var objec
通常我会使用 R 并执行 merge.by,但这个文件似乎太大了,部门中的任何一台计算机都无法处理它! (任何从事遗传学工作的人的附加信息)本质上,插补似乎删除了 snp ID 的 rs 数字,我只剩
我有一个以前可能被问过的问题,但我很难找到正确的描述。我希望有人能帮助我。 在下面的代码中,我设置了varprice,我想添加javascript变量accu_id以通过rails在我的数据库中查找记
我有一个简单的 SVG 文件,在 Firefox 中可以正常查看 - 它的一些包装文本使用 foreignObject 包含一些 HTML - 文本包装在 div 中:
所以我正在为学校编写一个 Ruby 程序,如果某个值是 1 或 3,则将 bool 值更改为 true,如果是 0 或 2,则更改为 false。由于我有 Java 背景,所以我认为这段代码应该有效:
我做了什么: 我在这些账户之间创建了 VPC 对等连接 互联网网关也连接到每个 VPC 还配置了路由表(以允许来自双方的流量) 情况1: 当这两个 VPC 在同一个账户中时,我成功测试了从另一个 La
我有一个名为 contacts 的表: user_id contact_id 10294 10295 10294 10293 10293 10294 102
我正在使用 Magento 中的新模板。为避免重复代码,我想为每个产品预览使用相同的子模板。 特别是我做了这样一个展示: $products = Mage::getModel('catalog/pro
“for”是否总是检查协议(protocol)中定义的每个函数中第一个参数的类型? 编辑(改写): 当协议(protocol)方法只有一个参数时,根据该单个参数的类型(直接或任意)找到实现。当协议(p
我想从我的 PHP 代码中调用 JavaScript 函数。我通过使用以下方法实现了这一点: echo ' drawChart($id); '; 这工作正常,但我想从我的 PHP 代码中获取数据,我使
这个问题已经有答案了: Event binding on dynamically created elements? (23 个回答) 已关闭 5 年前。 我有一个动态表单,我想在其中附加一些其他 h
我正在尝试找到一种解决方案,以在 componentDidMount 中的映射项上使用 setState。 我正在使用 GraphQL连同 Gatsby返回许多 data 项目,但要求在特定的 pat
我在 ScrollView 中有一个 View 。只要用户按住该 View ,我想每 80 毫秒调用一次方法。这是我已经实现的: final Runnable vibrate = new Runnab
我用 jni 开发了一个 android 应用程序。我在 GetStringUTFChars 的 dvmDecodeIndirectRef 中得到了一个 dvmabort。我只中止了一次。 为什么会这
当我到达我的 Activity 时,我调用 FragmentPagerAdapter 来处理我的不同选项卡。在我的一个选项卡中,我想显示一个 RecyclerView,但他从未出现过,有了断点,我看到
当我按下 Activity 中的按钮时,会弹出一个 DialogFragment。在对话框 fragment 中,有一个看起来像普通 ListView 的 RecyclerView。 我想要的行为是当
我是一名优秀的程序员,十分优秀!