我是角度2的新手,并尝试将角度2中的tinymce整合,但我无法在我的项目中使用tinymce。到目前为止我所做的是在我的项目中使用bower安装了tinyMCe。所有js文件都成功添加到我的项目中。然后我在布局页面中添加了所有引用,如下所示:
<script src="~/lib/tinymce/tinymce.js"></script>
<script src="~/lib/tinymce/themes/modern/theme.js"></script>
<script src="~/lib/tinymce/plugins/link/plugin.js"></script>
<script src="~/lib/tinymce/plugins/paste/plugin.js"></script>
<script src="~/lib/tinymce/plugins/table/plugin.js"></script>
在此之后,我写了组件,我将使用tineMce,如下所示:
import { Component, OnInit } from "@angular/core";
import { Routes, RouterModule } from "@angular/router";
import { NgForm } from "@angular/forms";
import Page = require("../../interfaces/iPage");
import PageService = require("../../services/page.service");
@Component({
//no need for selector as it will be loaded via routing
templateUrl: "/page/addEdit"
})
export class AddEditPageComponent implements OnInit {
model = this.newModel();
errorMessage: any;
tinymce: any;
constructor(private pageService: PageService.PageService) {
this.tinymce.init({
selector: "[tinymce]"
});
}
ngOnInit() {
}
newModel(): Page.IPage {
return {
pageId: 0,
pageName: null,
title: null,
content:null
};
}
submitForm(form: NgForm) {
debugger;
this.pageService.save(this.model).subscribe(model => {
this.model = this.newModel();
},
null);
}
}
然后我在html上添加textArea,如下所示:
<textarea class="form-control" name="model.content" [tinymce]="tinymce" style="height: 300px" [(ngModel)]="model.content" placeholder="Description"></textarea>
当我不使用tinYmce时,我的页面工作正常但是当我使用tinyMCe时,这个错误出现在吊版屏幕上: 模板解析错误: 无法绑定&#39; tinymce&#39;因为它不是&#39; textarea&#39;
的已知属性。如果我删除了textarea但是没有从init中删除tinYmce,则会出现以下错误: TypeError:无法读取属性&#39; init&#39;未定义的
我不知道自己做错了什么。请帮助。
答案 0 :(得分:4)
要在textarea上使用[tinymce]
,您必须将其声明为新的输入属性。
import { Input } from '@angular/core';
@Component({....})
export class AppComponent {
@Input() tinymce: string;
}
TinyMCE将期待一个有效的css选择器,您可能希望收听一些事件以支持实时绑定。
见下文全面实施
import { Component, AfterViewInit, OnDestroy, Output, EventEmitter } from '@angular/core';
declare var tinymce: any;
@Component({
selector: 'my-app',
template: `
<h3>Angular 2 Embedding TinyMCE</h3>
<textarea>Start Typing</textarea>
<p>{{ content }}</p>
`
})
export class AppComponent implements AfterViewInit, OnDestroy {
@Output() onEditorKeyup = new EventEmitter<any>();
public editor:any;
ngAfterViewInit() {
tinymce.init({
selector:'textarea',
setup: editor => {
this.editor = editor;
editor.on('keyup', () => {
const content = editor.getContent();
this.onEditorKeyup.emit(content);
})
}
});
}
ngOnDestroy() {
tinymce.remove(this.editor);
}
}
请注意,在我的情况下,我已经从cdn加载了tinymce,所以我没有必要设置主题文件。
<script src="//cdn.tinymce.com/4/tinymce.min.js"></script>