code
stringlengths
1
2.08M
language
stringclasses
1 value
///import core ///import plugins\inserthtml.js ///commands 地图 ///commandsName Map,GMap ///commandsTitle Baidu地图,Google地图 ///commandsDialog dialogs\map\map.html,dialogs\gmap\gmap.html UE.commands['gmap'] = UE.commands['map'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } };
JavaScript
///import core ///import plugins\paragraph.js ///commands 首行缩进 ///commandsName Outdent,Indent ///commandsTitle 取消缩进,首行缩进 /** * 首行缩进 * @function * @name baidu.editor.execCommand * @param {String} cmdName outdent取消缩进,indent缩进 */ UE.commands['indent'] = { execCommand : function() { var me = this,value = me.queryCommandState("indent") ? "0em" : me.options.indentValue || '2em'; me.execCommand('Paragraph','p',{style:'text-indent:'+ value}); }, queryCommandState : function() { if(this.highlight){return -1;} var //start = this.selection.getStart(), // pN = domUtils.findParentByTagName(start,['p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6'],true), pN = utils.findNode(this.selection.getStartElementPath(),['p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6']), indent = pN && pN.style.textIndent ? parseInt(pN.style.textIndent) : ''; return indent ? 1 : 0; } };
JavaScript
///import core ///commands 加粗,斜体,上标,下标 ///commandsName Bold,Italic,Subscript,Superscript ///commandsTitle 加粗,加斜,下标,上标 /** * b u i等基础功能实现 * @function * @name baidu.editor.execCommands * @param {String} cmdName bold加粗。italic斜体。subscript上标。superscript下标。 */ UE.plugins['basestyle'] = function(){ var basestyles = { 'bold':['strong','b'], 'italic':['em','i'], 'subscript':['sub'], 'superscript':['sup'] }, getObj = function(editor,tagNames){ //var start = editor.selection.getStart(); var path = editor.selection.getStartElementPath(); // return domUtils.findParentByTagName( start, tagNames, true ) return utils.findNode(path,tagNames); }, me = this; for ( var style in basestyles ) { (function( cmd, tagNames ) { me.commands[cmd] = { execCommand : function( cmdName ) { var range = new dom.Range(me.document),obj = ''; //table的处理 if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ if(ci.style.display != 'none'){ range.selectNodeContents(ci).select(); //trace:943 !obj && (obj = getObj(this,tagNames)); if(cmdName == 'superscript' || cmdName == 'subscript'){ if(!obj || obj.tagName.toLowerCase() != cmdName) range.removeInlineStyle(['sub','sup']) } obj ? range.removeInlineStyle( tagNames ) : range.applyInlineStyle( tagNames[0] ) } } range.selectNodeContents(me.currentSelectedArr[0]).select(); }else{ range = me.selection.getRange(); obj = getObj(this,tagNames); if ( range.collapsed ) { if ( obj ) { var tmpText = me.document.createTextNode(''); range.insertNode( tmpText ).removeInlineStyle( tagNames ); range.setStartBefore(tmpText); domUtils.remove(tmpText); } else { var tmpNode = range.document.createElement( tagNames[0] ); if(cmdName == 'superscript' || cmdName == 'subscript'){ tmpText = me.document.createTextNode(''); range.insertNode(tmpText) .removeInlineStyle(['sub','sup']) .setStartBefore(tmpText) .collapse(true); } range.insertNode( tmpNode ).setStart( tmpNode, 0 ); } range.collapse( true ) } else { if(cmdName == 'superscript' || cmdName == 'subscript'){ if(!obj || obj.tagName.toLowerCase() != cmdName) range.removeInlineStyle(['sub','sup']) } obj ? range.removeInlineStyle( tagNames ) : range.applyInlineStyle( tagNames[0] ) } range.select(); } return true; }, queryCommandState : function() { if(this.highlight){ return -1; } return getObj(this,tagNames) ? 1 : 0; } } })( style, basestyles[style] ); } };
JavaScript
///import core ///import plugins/inserthtml.js ///commands 视频 ///commandsName InsertVideo ///commandsTitle 插入视频 ///commandsDialog dialogs\video\video.html UE.plugins['video'] = function (){ var me =this, div; /** * 创建插入视频字符窜 * @param url 视频地址 * @param width 视频宽度 * @param height 视频高度 * @param align 视频对齐 * @param toEmbed 是否以图片代替显示 * @param addParagraph 是否需要添加P 标签 */ function creatInsertStr(url,width,height,align,toEmbed,addParagraph){ return !toEmbed ? (addParagraph? ('<p '+ (align !="none" ? ( align == "center"? ' style="text-align:center;" ':' style="float:"'+ align ) : '') + '>'): '') + '<img align="'+align+'" width="'+ width +'" height="' + height + '" _url="'+url+'" class="edui-faked-video"' + ' src="'+me.options.UEDITOR_HOME_URL+'themes/default/images/spacer.gif" style="background:url('+me.options.UEDITOR_HOME_URL+'themes/default/images/videologo.gif) no-repeat center center; border:1px solid gray;" />' + (addParagraph?'</p>':'') : '<embed type="application/x-shockwave-flash" class="edui-faked-video" pluginspage="http://www.macromedia.com/go/getflashplayer"' + ' src="' + url + '" width="' + width + '" height="' + height + '" align="' + align + '"' + ( align !="none" ? ' style= "'+ ( align == "center"? "display:block;":" float: "+ align ) + '"' :'' ) + ' wmode="transparent" play="true" loop="false" menu="false" allowscriptaccess="never" allowfullscreen="true" >'; } function switchImgAndEmbed(img2embed){ var tmpdiv, nodes =domUtils.getElementsByTagName(me.document, !img2embed ? "embed" : "img"); for(var i=0,node;node = nodes[i++];){ if(node.className!="edui-faked-video")continue; tmpdiv = me.document.createElement("div"); //先看float在看align,浮动有的是时候是在float上定义的 var align = node.style.cssFloat; tmpdiv.innerHTML = creatInsertStr(img2embed ? node.getAttribute("_url"):node.getAttribute("src"),node.width,node.height,align || node.getAttribute("align"),img2embed); node.parentNode.replaceChild(tmpdiv.firstChild,node); } } me.addListener("beforegetcontent",function(){ switchImgAndEmbed(true); }); me.addListener('aftersetcontent',function(){ switchImgAndEmbed(false); }); me.addListener('aftergetcontent',function(cmdName){ if(cmdName == 'aftergetcontent' && me.queryCommandState('source')) return; switchImgAndEmbed(false); }); me.commands["insertvideo"] = { execCommand: function (cmd, videoObjs){ videoObjs = utils.isArray(videoObjs)?videoObjs:[videoObjs]; var html = []; for(var i=0,vi,len = videoObjs.length;i<len;i++){ vi = videoObjs[i]; html.push(creatInsertStr( vi.url, vi.width || 420, vi.height || 280, vi.align||"none",false,true)); } me.execCommand("inserthtml",html.join("")); }, queryCommandState : function(){ var img = me.selection.getRange().getClosedNode(), flag = img && (img.className == "edui-faked-video"); return this.highlight ? -1 :(flag?1:0); } } };
JavaScript
///import core ///commands 自动排版 ///commandsName autotypeset ///commandsTitle 自动排版 /** * 自动排版 * @function * @name baidu.editor.execCommands */ UE.plugins['autotypeset'] = function(){ //升级了版本,但配置项目里没有autotypeset if(!this.options.autotypeset){ return; } var me = this, opt = me.options.autotypeset, remainClass = { 'selectTdClass':1, 'pagebreak':1, 'anchorclass':1 }, remainTag = { 'li':1 }, tags = { div:1, p:1 }, highlightCont; function isLine(node,notEmpty){ if(node && node.parentNode && tags[node.tagName.toLowerCase()]){ if(highlightCont && highlightCont.contains(node) || node.getAttribute('pagebreak') ){ return 0; } return notEmpty ? !domUtils.isEmptyBlock(node) : domUtils.isEmptyBlock(node); } } function removeNotAttributeSpan(node){ if(!node.style.cssText){ domUtils.removeAttributes(node,['style']); if(node.tagName.toLowerCase() == 'span' && domUtils.hasNoAttributes(node)){ domUtils.remove(node,true) } } } function autotype(type,html){ var cont; if(html){ if(!opt.pasteFilter)return; cont = me.document.createElement('div'); cont.innerHTML = html.html; }else{ cont = me.document.body; } var nodes = domUtils.getElementsByTagName(cont,'*'); // 行首缩进,段落方向,段间距,段内间距 for(var i=0,ci;ci=nodes[i++];){ if(!highlightCont && ci.tagName == 'DIV' && ci.getAttribute('highlighter')){ highlightCont = ci; } //font-size if(opt.clearFontSize && ci.style.fontSize){ ci.style.fontSize = ''; removeNotAttributeSpan(ci) } //font-family if(opt.clearFontFamily && ci.style.fontFamily){ ci.style.fontFamily = ''; removeNotAttributeSpan(ci) } if(isLine(ci)){ //合并空行 if(opt.mergeEmptyline ){ var next = ci.nextSibling,tmpNode; while(isLine(next)){ tmpNode = next; next = tmpNode.nextSibling; domUtils.remove(tmpNode); } } //去掉空行,保留占位的空行 if(opt.removeEmptyline && domUtils.inDoc(ci,cont) && !remainTag[ci.parentNode.tagName.toLowerCase()] ){ domUtils.remove(ci); continue; } } if(isLine(ci,true) ){ if(opt.indent) ci.style.textIndent = opt.indentValue; if(opt.textAlign) ci.style.textAlign = opt.textAlign; // if(opt.lineHeight) // ci.style.lineHeight = opt.lineHeight + 'cm'; } //去掉class,保留的class不去掉 if(opt.removeClass && ci.className && !remainClass[ci.className.toLowerCase()]){ if(highlightCont && highlightCont.contains(ci)){ continue; } domUtils.removeAttributes(ci,['class']) } //表情不处理 if(opt.imageBlockLine && ci.tagName.toLowerCase() == 'img' && !ci.getAttribute('emotion')){ if(html){ var img = ci; switch (opt.imageBlockLine){ case 'left': case 'right': case 'none': var pN = img.parentNode,tmpNode,pre,next; while(dtd.$inline[pN.tagName] || pN.tagName == 'A'){ pN = pN.parentNode; } tmpNode = pN; if(tmpNode.tagName == 'P' && domUtils.getStyle(tmpNode,'text-align') == 'center'){ if(!domUtils.isBody(tmpNode) && domUtils.getChildCount(tmpNode,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1){ pre = tmpNode.previousSibling; next = tmpNode.nextSibling; if(pre && next && pre.nodeType == 1 && next.nodeType == 1 && pre.tagName == next.tagName && domUtils.isBlockElm(pre)){ pre.appendChild(tmpNode.firstChild); while(next.firstChild){ pre.appendChild(next.firstChild) } domUtils.remove(tmpNode); domUtils.remove(next); }else{ domUtils.setStyle(tmpNode,'text-align','') } } } domUtils.setStyle(img,'float',opt.imageBlockLine); break; case 'center': if(me.queryCommandValue('imagefloat') != 'center'){ pN = img.parentNode; domUtils.setStyle(img,'float','none'); tmpNode = img; while(pN && domUtils.getChildCount(pN,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1 && (dtd.$inline[pN.tagName] || pN.tagName == 'A')){ tmpNode = pN; pN = pN.parentNode; } var pNode = me.document.createElement('p'); domUtils.setAttributes(pNode,{ style:'text-align:center' }); tmpNode.parentNode.insertBefore(pNode,tmpNode); pNode.appendChild(tmpNode); domUtils.setStyle(tmpNode,'float',''); } } }else{ var range = me.selection.getRange(); range.selectNode(ci).select(); me.execCommand('imagefloat',opt.imageBlockLine); } } //去掉冗余的标签 if(opt.removeEmptyNode){ if(opt.removeTagNames[ci.tagName.toLowerCase()] && domUtils.hasNoAttributes(ci) && domUtils.isEmptyBlock(ci)){ domUtils.remove(ci) } } } if(html) html.html = cont.innerHTML } if(opt.pasteFilter){ me.addListener('beforepaste',autotype); } me.commands['autotypeset'] = { execCommand:function () { me.removeListener('beforepaste',autotype); if(opt.pasteFilter){ me.addListener('beforepaste',autotype); } autotype(); } }; };
JavaScript
///import core ///commands 撤销和重做 ///commandsName Undo,Redo ///commandsTitle 撤销,重做 /** * @description 回退 * @author zhanyi */ UE.plugins['undo'] = function() { var me = this, maxUndoCount = me.options.maxUndoCount, maxInputCount = me.options.maxInputCount, fillchar = new RegExp(domUtils.fillChar + '|<\/hr>','gi'),// ie会产生多余的</hr> //在比较时,需要过滤掉这些属性 specialAttr = /\b(?:href|src|name)="[^"]*?"/gi; function UndoManager() { this.list = []; this.index = 0; this.hasUndo = false; this.hasRedo = false; this.undo = function() { if ( this.hasUndo ) { var currentScene = this.getScene(), lastScene = this.list[this.index]; if ( lastScene.content.replace(specialAttr,'') != currentScene.content.replace(specialAttr,'') ) { this.save(); } if(!this.list[this.index - 1] && this.list.length == 1){ this.reset(); return; } while ( this.list[this.index].content == this.list[this.index - 1].content ) { this.index--; if ( this.index == 0 ) { return this.restore( 0 ) } } this.restore( --this.index ); } }; this.redo = function() { if ( this.hasRedo ) { while ( this.list[this.index].content == this.list[this.index + 1].content ) { this.index++; if ( this.index == this.list.length - 1 ) { return this.restore( this.index ) } } this.restore( ++this.index ); } }; this.restore = function() { var scene = this.list[this.index]; //trace:873 //去掉展位符 me.document.body.innerHTML = scene.bookcontent.replace(fillchar,''); //处理undo后空格不展位的问题 if(browser.ie){ for(var i=0,pi,ps = me.document.getElementsByTagName('p');pi = ps[i++];){ if(pi.innerHTML == ''){ domUtils.fillNode(me.document,pi); } } } var range = new dom.Range( me.document ); range.moveToBookmark( { start : '_baidu_bookmark_start_', end : '_baidu_bookmark_end_', id : true //去掉true 是为了<b>|</b>,回退后还能在b里 //todo safari里输入中文时,会因为改变了dom而导致丢字 } ); //trace:1278 ie9block元素为空,将出现光标定位的问题,必须填充内容 if(browser.ie && browser.version == 9 && range.collapsed && domUtils.isBlockElm(range.startContainer) && domUtils.isEmptyNode(range.startContainer)){ domUtils.fillNode(range.document,range.startContainer); } range.select(!browser.gecko); setTimeout(function(){ range.scrollToView(me.autoHeightEnabled,me.autoHeightEnabled ? domUtils.getXY(me.iframe).y:0); },200); this.update(); //table的单独处理 if(me.currentSelectedArr){ me.currentSelectedArr = []; var tds = me.document.getElementsByTagName('td'); for(var i=0,td;td=tds[i++];){ if(td.className == me.options.selectedTdClass){ me.currentSelectedArr.push(td); } } } this.clearKey(); //不能把自己reset了 me.fireEvent('reset',true); me.fireEvent('contentchange') }; this.getScene = function() { var range = me.selection.getRange(), cont = me.body.innerHTML.replace(fillchar,''); //有可能边界落到了<table>|<tbody>这样的位置,所以缩一下位置 range.shrinkBoundary(); browser.ie && (cont = cont.replace(/>&nbsp;</g,'><').replace(/\s*</g,'').replace(/>\s*/g,'>')); var bookmark = range.createBookmark( true, true ), bookCont = me.body.innerHTML.replace(fillchar,''); range.moveToBookmark( bookmark ).select( true ); return { bookcontent : bookCont, content : cont } }; this.save = function() { var currentScene = this.getScene(), lastScene = this.list[this.index]; //内容相同位置相同不存 if ( lastScene && lastScene.content == currentScene.content && lastScene.bookcontent == currentScene.bookcontent ) { return; } this.list = this.list.slice( 0, this.index + 1 ); this.list.push( currentScene ); //如果大于最大数量了,就把最前的剔除 if ( this.list.length > maxUndoCount ) { this.list.shift(); } this.index = this.list.length - 1; this.clearKey(); //跟新undo/redo状态 this.update(); me.fireEvent('contentchange') }; this.update = function() { this.hasRedo = this.list[this.index + 1] ? true : false; this.hasUndo = this.list[this.index - 1] || this.list.length == 1 ? true : false; }; this.reset = function() { this.list = []; this.index = 0; this.hasUndo = false; this.hasRedo = false; this.clearKey(); }; this.clearKey = function(){ keycont = 0; lastKeyCode = null; } } me.undoManger = new UndoManager(); function saveScene() { this.undoManger.save() } me.addListener( 'beforeexeccommand', saveScene ); me.addListener( 'afterexeccommand', saveScene ); me.addListener('reset',function(type,exclude){ if(!exclude) me.undoManger.reset(); }); me.commands['redo'] = me.commands['undo'] = { execCommand : function( cmdName ) { me.undoManger[cmdName](); }, queryCommandState : function( cmdName ) { return me.undoManger['has' + (cmdName.toLowerCase() == 'undo' ? 'Undo' : 'Redo')] ? 0 : -1; }, notNeedUndo : 1 }; var keys = { // /*Backspace*/ 8:1, /*Delete*/ 46:1, /*Shift*/ 16:1, /*Ctrl*/ 17:1, /*Alt*/ 18:1, 37:1, 38:1, 39:1, 40:1, 13:1 /*enter*/ }, keycont = 0, lastKeyCode; me.addListener( 'keydown', function( type, evt ) { var keyCode = evt.keyCode || evt.which; if ( !keys[keyCode] && !evt.ctrlKey && !evt.metaKey && !evt.shiftKey && !evt.altKey ) { if ( me.undoManger.list.length == 0 || ((keyCode == 8 ||keyCode == 46) && lastKeyCode != keyCode) ) { me.undoManger.save(); lastKeyCode = keyCode; return } //trace:856 //修正第一次输入后,回退,再输入要到keycont>maxInputCount才能在回退的问题 if(me.undoManger.list.length == 2 && me.undoManger.index == 0 && keycont == 0){ me.undoManger.list.splice(1,1); me.undoManger.update(); } lastKeyCode = keyCode; keycont++; if ( keycont > maxInputCount ) { setTimeout( function() { me.undoManger.save(); }, 0 ); } } } ) };
JavaScript
///import core ///commands 修复chrome下图片不能点击的问题 ///commandsName FixImgClick ///commandsTitle 修复chrome下图片不能点击的问题 //修复chrome下图片不能点击的问题 //todo 可以改大小 UE.plugins['fiximgclick'] = function() { var me = this; if ( browser.webkit ) { me.addListener( 'click', function( type, e ) { if ( e.target.tagName == 'IMG' ) { var range = new dom.Range( me.document ); range.selectNode( e.target ).select(); } } ) } };
JavaScript
///import core ///import plugins/undo.js ///commands 设置回车标签p或br ///commandsName EnterKey ///commandsTitle 设置回车标签p或br /** * @description 处理回车 * @author zhanyi */ UE.plugins['enterkey'] = function() { var hTag, me = this, tag = me.options.enterTag; me.addListener('keyup', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 13) { var range = me.selection.getRange(), start = range.startContainer, doSave; //修正在h1-h6里边回车后不能嵌套p的问题 if (!browser.ie) { if (/h\d/i.test(hTag)) { if (browser.gecko) { var h = domUtils.findParentByTagName(start, [ 'h1', 'h2', 'h3', 'h4', 'h5', 'h6','blockquote'], true); if (!h) { me.document.execCommand('formatBlock', false, '<p>'); doSave = 1; } } else { //chrome remove div if (start.nodeType == 1) { var tmp = me.document.createTextNode(''),div; range.insertNode(tmp); div = domUtils.findParentByTagName(tmp, 'div', true); if (div) { var p = me.document.createElement('p'); while (div.firstChild) { p.appendChild(div.firstChild); } div.parentNode.insertBefore(p, div); domUtils.remove(div); range.setStartBefore(tmp).setCursor(); doSave = 1; } domUtils.remove(tmp); } } if (me.undoManger && doSave) { me.undoManger.save() } } } setTimeout(function() { me.selection.getRange().scrollToView(me.autoHeightEnabled, me.autoHeightEnabled ? domUtils.getXY(me.iframe).y : 0); }, 50) } }); me.addListener('keydown', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 13) {//回车 if (me.undoManger) { me.undoManger.save() } hTag = ''; var range = me.selection.getRange(); if (!range.collapsed) { //跨td不能删 var start = range.startContainer, end = range.endContainer, startTd = domUtils.findParentByTagName(start, 'td', true), endTd = domUtils.findParentByTagName(end, 'td', true); if (startTd && endTd && startTd !== endTd || !startTd && endTd || startTd && !endTd) { evt.preventDefault ? evt.preventDefault() : ( evt.returnValue = false); return; } } me.currentSelectedArr && domUtils.clearSelectedArr(me.currentSelectedArr); if (tag == 'p') { if (!browser.ie) { start = domUtils.findParentByTagName(range.startContainer, ['ol','ul','p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6','blockquote'], true); if (!start) { me.document.execCommand('formatBlock', false, '<p>'); if (browser.gecko) { range = me.selection.getRange(); start = domUtils.findParentByTagName(range.startContainer, 'p', true); start && domUtils.removeDirtyAttr(start); } } else { hTag = start.tagName; start.tagName.toLowerCase() == 'p' && browser.gecko && domUtils.removeDirtyAttr(start); } } } else { evt.preventDefault ? evt.preventDefault() : ( evt.returnValue = false); if (!range.collapsed) { range.deleteContents(); start = range.startContainer; if (start.nodeType == 1 && (start = start.childNodes[range.startOffset])) { while (start.nodeType == 1) { if (dtd.$empty[start.tagName]) { range.setStartBefore(start).setCursor(); if (me.undoManger) { me.undoManger.save() } return false; } if (!start.firstChild) { var br = range.document.createElement('br'); start.appendChild(br); range.setStart(start, 0).setCursor(); if (me.undoManger) { me.undoManger.save() } return false; } start = start.firstChild } if (start === range.startContainer.childNodes[range.startOffset]) { br = range.document.createElement('br'); range.insertNode(br).setCursor(); } else { range.setStart(start, 0).setCursor(); } } else { br = range.document.createElement('br'); range.insertNode(br).setStartAfter(br).setCursor(); } } else { br = range.document.createElement('br'); range.insertNode(br); var parent = br.parentNode; if (parent.lastChild === br) { br.parentNode.insertBefore(br.cloneNode(true), br); range.setStartBefore(br) } else { range.setStartAfter(br) } range.setCursor(); } } } }); };
JavaScript
///import core ///commands 自定义样式 ///commandsName CustomStyle ///commandsTitle 自定义样式 UE.plugins['customstyle'] = function() { var me = this; me.commands['customstyle'] = { execCommand : function(cmdName, obj) { var me = this, tagName = obj.tag, node = domUtils.findParent(me.selection.getStart(), function(node) { return node.getAttribute('label') }, true), range,bk,tmpObj = {}; for (var p in obj) { tmpObj[p] = obj[p] } delete tmpObj.tag; if (node && node.getAttribute('label') == obj.label) { range = this.selection.getRange(); bk = range.createBookmark(); if (range.collapsed) { //trace:1732 删掉自定义标签,要有p来回填站位 if(dtd.$block[node.tagName]){ var fillNode = me.document.createElement('p'); domUtils.moveChild(node, fillNode); node.parentNode.insertBefore(fillNode, node); domUtils.remove(node) }else{ domUtils.remove(node,true) } } else { var common = domUtils.getCommonAncestor(bk.start, bk.end), nodes = domUtils.getElementsByTagName(common, tagName); if(new RegExp(tagName,'i').test(common.tagName)){ nodes.push(common); } for (var i = 0,ni; ni = nodes[i++];) { if (ni.getAttribute('label') == obj.label) { var ps = domUtils.getPosition(ni, bk.start),pe = domUtils.getPosition(ni, bk.end); if ((ps & domUtils.POSITION_FOLLOWING || ps & domUtils.POSITION_CONTAINS) && (pe & domUtils.POSITION_PRECEDING || pe & domUtils.POSITION_CONTAINS) ) if (dtd.$block[tagName]) { var fillNode = me.document.createElement('p'); domUtils.moveChild(ni, fillNode); ni.parentNode.insertBefore(fillNode, ni); } domUtils.remove(ni, true) } } node = domUtils.findParent(common, function(node) { return node.getAttribute('label') == obj.label }, true); if (node) { domUtils.remove(node, true) } } range.moveToBookmark(bk).select(); } else { if (dtd.$block[tagName]) { this.execCommand('paragraph', tagName, tmpObj,'customstyle'); range = me.selection.getRange(); if (!range.collapsed) { range.collapse(); node = domUtils.findParent(me.selection.getStart(), function(node) { return node.getAttribute('label') == obj.label }, true); var pNode = me.document.createElement('p'); domUtils.insertAfter(node, pNode); domUtils.fillNode(me.document, pNode); range.setStart(pNode, 0).setCursor() } } else { range = me.selection.getRange(); if (range.collapsed) { node = me.document.createElement(tagName); domUtils.setAttributes(node, tmpObj); range.insertNode(node).setStart(node, 0).setCursor(); return; } bk = range.createBookmark(); range.applyInlineStyle(tagName, tmpObj).moveToBookmark(bk).select() } } }, queryCommandValue : function() { var parent = utils.findNode(this.selection.getStartElementPath(),null,function(node){return node.getAttribute('label')}); return parent ? parent.getAttribute('label') : ''; }, queryCommandState : function() { return this.highlight ? -1 : 0; } }; //当去掉customstyle是,如果是块元素,用p代替 me.addListener('keyup', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 32 || keyCode == 13) { var range = me.selection.getRange(); if (range.collapsed) { var node = domUtils.findParent(me.selection.getStart(), function(node) { return node.getAttribute('label') }, true); if (node && dtd.$block[node.tagName] && domUtils.isEmptyNode(node)) { var p = me.document.createElement('p'); domUtils.insertAfter(node, p); domUtils.fillNode(me.document, p); domUtils.remove(node); range.setStart(p, 0).setCursor(); } } } }) };
JavaScript
///import core ///commands 全选 ///commandsName SelectAll ///commandsTitle 全选 /** * 选中所有 * @function * @name baidu.editor.execCommand * @param {String} cmdName selectall选中编辑器里的所有内容 * @author zhanyi */ UE.plugins['selectall'] = function(){ var me = this; me.commands['selectall'] = { execCommand : function(){ //去掉了原生的selectAll,因为会出现报错和当内容为空时,不能出现闭合状态的光标 var range = this.selection.getRange(); range.selectNodeContents(this.body); if(domUtils.isEmptyBlock(this.body)) range.collapse(true); range.select(true); this.selectAll = true; }, notNeedUndo : 1 }; me.addListener('ready',function(){ domUtils.on(me.document,'click',function(evt){ me.selectAll = false; }) }) };
JavaScript
///import core ///import plugins\image.js ///commands 插入表情 ///commandsName Emotion ///commandsTitle 表情 ///commandsDialog dialogs\emotion\emotion.html UE.commands['emotion'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } };
JavaScript
///import core ///commands 为非ie浏览器自动添加a标签 ///commandsName AutoLink ///commandsTitle 自动增加链接 /** * @description 为非ie浏览器自动添加a标签 * @author zhanyi */ UE.plugins['autolink'] = function() { var cont = 0; if (browser.ie) { return; } var me = this; me.addListener('reset',function(){ cont = 0; }); me.addListener('keydown', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 32 || keyCode == 13) { var sel = me.selection.getNative(), range = sel.getRangeAt(0).cloneRange(), offset, charCode; var start = range.startContainer; while (start.nodeType == 1 && range.startOffset > 0) { start = range.startContainer.childNodes[range.startOffset - 1]; if (!start) break; range.setStart(start, start.nodeType == 1 ? start.childNodes.length : start.nodeValue.length); range.collapse(true); start = range.startContainer; } do{ if (range.startOffset == 0) { start = range.startContainer.previousSibling; while (start && start.nodeType == 1) { start = start.lastChild; } if (!start || domUtils.isFillChar(start)) break; offset = start.nodeValue.length; } else { start = range.startContainer; offset = range.startOffset; } range.setStart(start, offset - 1); charCode = range.toString().charCodeAt(0); } while (charCode != 160 && charCode != 32); if (range.toString().replace(new RegExp(domUtils.fillChar, 'g'), '').match(/(?:https?:\/\/|ssh:\/\/|ftp:\/\/|file:\/|www\.)/i)) { while(range.toString().length){ if(/^(?:https?:\/\/|ssh:\/\/|ftp:\/\/|file:\/|www\.)/i.test(range.toString())){ break; } try{ range.setStart(range.startContainer,range.startOffset+1) }catch(e){ range.setStart(range.startContainer.nextSibling,0) } } var a = me.document.createElement('a'),text = me.document.createTextNode(' '),href; me.undoManger && me.undoManger.save(); a.appendChild(range.extractContents()); a.href = a.innerHTML = a.innerHTML.replace(/<[^>]+>/g,''); href = a.getAttribute("href").replace(new RegExp(domUtils.fillChar,'g'),''); href = /^(?:https?:\/\/)/ig.test(href) ? href : "http://"+ href; a.setAttribute('data_ue_src',href); a.href = href; range.insertNode(a); a.parentNode.insertBefore(text, a.nextSibling); range.setStart(text, 0); range.collapse(true); sel.removeAllRanges(); sel.addRange(range); me.undoManger && me.undoManger.save(); } } }) };
JavaScript
///import core ///commands 预览 ///commandsName Preview ///commandsTitle 预览 /** * 预览 * @function * @name baidu.editor.execCommand * @param {String} cmdName preview预览编辑器内容 */ UE.commands['preview'] = { execCommand : function(){ var me = this, w = window.open('', '_blank', ""), d = w.document, css = me.document.getElementById("syntaxhighlighter_css"), js = document.getElementById("syntaxhighlighter_js"), style = "<style type='text/css'>" + me.options.initialStyle + "</style>", cont = me.getContent(); if(browser.ie){ cont = cont.replace(/<\s*br\s*\/?\s*>/gi,'<br/><br/>') } d.open(); d.write('<html><head>'+style+'<link rel="stylesheet" type="text/css" href="'+me.options.UEDITOR_HOME_URL+utils.unhtml( this.options.iframeCssUrl ) + '"/>'+ (css ? '<link rel="stylesheet" type="text/css" href="' + css.href + '"/>' : '') + (css ? ' <script type="text/javascript" charset="utf-8" src="'+js.src+'"></script>':'') +'<title></title></head><body >' + cont + (css ? '<script type="text/javascript">'+(baidu.editor.browser.ie ? 'window.onload = function(){SyntaxHighlighter.all()};' : 'SyntaxHighlighter.all();')+ 'setTimeout(function(){' + 'for(var i=0,di;di=SyntaxHighlighter.highlightContainers[i++];){' + 'var tds = di.getElementsByTagName("td");' + 'for(var j=0,li,ri;li=tds[0].childNodes[j];j++){' + 'ri = tds[1].firstChild.childNodes[j];' + 'ri.style.height = li.style.height = ri.offsetHeight + "px";' + '}' + '}},100)</script>':'') + '</body></html>'); d.close(); }, notNeedUndo : 1 };
JavaScript
///import core ///commands 本地图片引导上传 ///commandsName WordImage ///commandsTitle 本地图片引导上传 UE.plugins["wordimage"] = function(){ var me = this, images; me.commands['wordimage'] = { execCommand : function() { images = domUtils.getElementsByTagName(me.document.body,"img"); var urlList = []; for(var i=0,ci;ci=images[i++];){ var url=ci.getAttribute("word_img"); url && urlList.push(url); } if(images.length){ this["word_img"] = urlList; } }, queryCommandState: function(){ images = domUtils.getElementsByTagName(me.document.body,"img"); for(var i=0,ci;ci =images[i++];){ if(ci.getAttribute("word_img")){ return 1; } } return -1; } }; };
JavaScript
///import core ///commands 查找替换 ///commandsName SearchReplace ///commandsTitle 查询替换 ///commandsDialog dialogs\searchreplace\searchreplace.html /** * @description 查找替换 * @author zhanyi */ UE.plugins['searchreplace'] = function(){ var currentRange, first, me = this; me.addListener('reset',function(){ currentRange = null; first = null; }); me.commands['searchreplace'] = { execCommand : function(cmdName,opt){ var me = this, sel = me.selection, range, nativeRange, num = 0, opt = utils.extend(opt,{ all : false, casesensitive : false, dir : 1 },true); if(browser.ie){ while(1){ var tmpRange; nativeRange = me.document.selection.createRange(); tmpRange = nativeRange.duplicate(); tmpRange.moveToElementText(me.document.body); if(opt.all){ first = 0; opt.dir = 1; if(currentRange){ tmpRange.setEndPoint(opt.dir == -1 ? 'EndToStart' : 'StartToEnd',currentRange) } }else{ tmpRange.setEndPoint(opt.dir == -1 ? 'EndToStart' : 'StartToEnd',nativeRange); if(opt.hasOwnProperty("replaceStr")){ tmpRange.setEndPoint(opt.dir == -1 ? 'StartToEnd' : 'EndToStart',nativeRange); } } nativeRange = tmpRange.duplicate(); if(!tmpRange.findText(opt.searchStr,opt.dir,opt.casesensitive ? 4 : 0)){ currentRange = null; tmpRange = me.document.selection.createRange(); tmpRange.scrollIntoView(); return num; } tmpRange.select(); //替换 if(opt.hasOwnProperty("replaceStr")){ range = sel.getRange(); range.deleteContents().insertNode(range.document.createTextNode(opt.replaceStr)).select(); currentRange = sel.getNative().createRange(); } num++; if(!opt.all)break; } }else{ var w = me.window,nativeSel = sel.getNative(),tmpRange; while(1){ if(opt.all){ if(currentRange){ currentRange.collapse(false); nativeRange = currentRange; }else{ nativeRange = me.document.createRange(); nativeRange.setStart(me.document.body,0); } nativeSel.removeAllRanges(); nativeSel.addRange( nativeRange ); first = 0; opt.dir = 1; }else{ nativeRange = w.getSelection().getRangeAt(0); if(opt.hasOwnProperty("replaceStr")){ nativeRange.collapse(opt.dir == 1 ? true : false); } } //如果是第一次并且海选中了内容那就要清除,为find做准备 if(!first){ nativeRange.collapse( opt.dir <0 ? true : false); nativeSel.removeAllRanges(); nativeSel.addRange( nativeRange ); }else{ nativeSel.removeAllRanges(); } if(!w.find(opt.searchStr,opt.casesensitive,opt.dir < 0 ? true : false) ) { currentRange = null; nativeSel.removeAllRanges(); return num; } first = 0; range = w.getSelection().getRangeAt(0); if(!range.collapsed){ if(opt.hasOwnProperty("replaceStr")){ range.deleteContents(); var text = w.document.createTextNode(opt.replaceStr); range.insertNode(text); range.selectNode(text); nativeSel.addRange(range); currentRange = range.cloneRange(); } } num++; if(!opt.all)break; } } return true; } } };
JavaScript
///import core ///import plugins\removeformat.js ///commands 字体颜色,背景色,字号,字体,下划线,删除线 ///commandsName ForeColor,BackColor,FontSize,FontFamily,Underline,StrikeThrough ///commandsTitle 字体颜色,背景色,字号,字体,下划线,删除线 /** * @description 字体 * @name baidu.editor.execCommand * @param {String} cmdName 执行的功能名称 * @param {String} value 传入的值 */ (function() { var fonts = { 'forecolor':'color', 'backcolor':'background-color', 'fontsize':'font-size', 'fontfamily':'font-family', 'underline':'text-decoration', 'strikethrough':'text-decoration' }; for ( var p in fonts ) { (function( cmd, style ) { UE.commands[cmd] = { execCommand : function( cmdName, value ) { value = value || (this.queryCommandState(cmdName) ? 'none' : cmdName == 'underline' ? 'underline' : 'line-through'); var me = this, range = this.selection.getRange(), text; if ( value == 'default' ) { if(range.collapsed){ text = me.document.createTextNode('font'); range.insertNode(text).select() } me.execCommand( 'removeFormat', 'span,a', style); if(text){ range.setStartBefore(text).setCursor(); domUtils.remove(text) } } else { if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ range.selectNodeContents(ci); range.applyInlineStyle( 'span', {'style':style + ':' + value} ); } range.selectNodeContents(this.currentSelectedArr[0]).select(); }else{ if ( !range.collapsed ) { if((cmd == 'underline'||cmd=='strikethrough') && me.queryCommandValue(cmd)){ me.execCommand( 'removeFormat', 'span,a', style ); } range = me.selection.getRange(); range.applyInlineStyle( 'span', {'style':style + ':' + value} ).select(); } else { var span = domUtils.findParentByTagName(range.startContainer,'span',true); text = me.document.createTextNode('font'); if(span && !span.children.length && !span[browser.ie ? 'innerText':'textContent'].replace(fillCharReg,'').length){ //for ie hack when enter range.insertNode(text); if(cmd == 'underline'||cmd=='strikethrough'){ range.selectNode(text).select(); me.execCommand( 'removeFormat','span,a', style, null ); span = domUtils.findParentByTagName(text,'span',true); range.setStartBefore(text) } span.style.cssText = span.style.cssText + ';' + style + ':' + value; range.collapse(true).select(); }else{ range.insertNode(text); range.selectNode(text).select(); span = range.document.createElement( 'span' ); if(cmd == 'underline'||cmd=='strikethrough'){ //a标签内的不处理跳过 if(domUtils.findParentByTagName(text,'a',true)){ range.setStartBefore(text).setCursor(); domUtils.remove(text); return; } me.execCommand( 'removeFormat','span,a', style ); } span.style.cssText = style + ':' + value; text.parentNode.insertBefore(span,text); //修复,span套span 但样式不继承的问题 if(!browser.ie || browser.ie && browser.version == 9){ var spanParent = span.parentNode; while(!domUtils.isBlockElm(spanParent)){ if(spanParent.tagName == 'SPAN'){ span.style.cssText = spanParent.style.cssText + span.style.cssText; } spanParent = spanParent.parentNode; } } range.setStart(span,0).setCursor(); //trace:981 //domUtils.mergToParent(span) } domUtils.remove(text) } } } return true; }, queryCommandValue : function (cmdName) { var startNode = this.selection.getStart(); //trace:946 if(cmdName == 'underline'||cmdName=='strikethrough' ){ var tmpNode = startNode,value; while(tmpNode && !domUtils.isBlockElm(tmpNode) && !domUtils.isBody(tmpNode)){ if(tmpNode.nodeType == 1){ value = domUtils.getComputedStyle( tmpNode, style ); if(value != 'none'){ return value; } } tmpNode = tmpNode.parentNode; } return 'none' } return domUtils.getComputedStyle( startNode, style ); }, queryCommandState : function(cmdName){ if(this.highlight){ return -1; } if(!(cmdName == 'underline'||cmdName=='strikethrough')) return 0; return this.queryCommandValue(cmdName) == (cmdName == 'underline' ? 'underline' : 'line-through') } } })( p, fonts[p] ); } })();
JavaScript
///import core ///import plugins/serialize.js ///import plugins/undo.js ///commands 查看源码 ///commandsName Source ///commandsTitle 查看源码 (function (){ function SourceFormater(config){ config = config || {}; this.indentChar = config.indentChar || ' '; this.breakChar = config.breakChar || '\n'; this.selfClosingEnd = config.selfClosingEnd || ' />'; } var unhtml1 = function (){ var map = { '<': '&lt;', '>': '&gt;', '"': '&quot;', "'": '&#39;' }; function rep( m ){ return map[m]; } return function ( str ) { str = str + ''; return str ? str.replace( /[<>"']/g, rep ) : ''; }; }(); var inline = utils.extend({a:1,A:1},dtd.$inline,true); function printAttrs(attrs){ var buff = []; for (var k in attrs) { buff.push(k + '="' + unhtml1(attrs[k]) + '"'); } return buff.join(' '); } SourceFormater.prototype = { format: function (html){ var node = UE.serialize.parseHTML(html); this.buff = []; this.indents = ''; this.indenting = 1; this.visitNode(node); return this.buff.join(''); }, visitNode: function (node){ if (node.type == 'fragment') { this.visitChildren(node.children); } else if (node.type == 'element') { var selfClosing = dtd.$empty[node.tag]; this.visitTag(node.tag, node.attributes, selfClosing); this.visitChildren(node.children); if (!selfClosing) { this.visitEndTag(node.tag); } } else if (node.type == 'comment') { this.visitComment(node.data); } else { this.visitText(node.data,dtd.$notTransContent[node.parent.tag]); } }, visitChildren: function (children){ for (var i=0; i<children.length; i++) { this.visitNode(children[i]); } }, visitTag: function (tag, attrs, selfClosing){ if (this.indenting) { this.indent(); } else if (!inline[tag]) { // todo: 去掉a, 因为dtd的inline里面没有a this.newline(); this.indent(); } this.buff.push('<', tag); var attrPart = printAttrs(attrs); if (attrPart) { this.buff.push(' ', attrPart); } if (selfClosing) { this.buff.push(this.selfClosingEnd); if (tag == 'br') { this.newline(); } } else { this.buff.push('>'); this.indents += this.indentChar; } if (!inline[tag]) { this.newline(); } }, indent: function (){ this.buff.push(this.indents); this.indenting = 0; }, newline: function (){ this.buff.push(this.breakChar); this.indenting = 1; }, visitEndTag: function (tag){ this.indents = this.indents.slice(0, -this.indentChar.length); if (this.indenting) { this.indent(); } else if (!inline[tag]) { this.newline(); this.indent(); } this.buff.push('</', tag, '>'); }, visitText: function (text,notTrans){ if (this.indenting) { this.indent(); } // if(!notTrans){ // text = text.replace(/&nbsp;/g, ' ').replace(/[ ][ ]+/g, function (m){ // return new Array(m.length + 1).join('&nbsp;'); // }).replace(/(?:^ )|(?: $)/g, '&nbsp;'); // } text = text.replace(/&nbsp;/g, ' ') this.buff.push(text); }, visitComment: function (text){ if (this.indenting) { this.indent(); } this.buff.push('<!--', text, '-->'); } }; var sourceEditors = { textarea: function (editor, holder){ var textarea = holder.ownerDocument.createElement('textarea'); textarea.style.cssText = 'position:absolute;resize:none;width:100%;height:100%;border:0;padding:0;margin:0;overflow-y:auto;'; // todo: IE下只有onresize属性可用... 很纠结 if (browser.ie && browser.version < 8) { textarea.style.width = holder.offsetWidth + 'px'; textarea.style.height = holder.offsetHeight + 'px'; holder.onresize = function (){ textarea.style.width = holder.offsetWidth + 'px'; textarea.style.height = holder.offsetHeight + 'px'; }; } holder.appendChild(textarea); return { setContent: function (content){ textarea.value = content; }, getContent: function (){ return textarea.value; }, select: function (){ var range; if (browser.ie) { range = textarea.createTextRange(); range.collapse(true); range.select(); } else { //todo: chrome下无法设置焦点 textarea.setSelectionRange(0, 0); textarea.focus(); } }, dispose: function (){ holder.removeChild(textarea); // todo holder.onresize = null; textarea = null; holder = null; } }; }, codemirror: function (editor, holder){ var options = { mode: "text/html", tabMode: "indent", lineNumbers: true, lineWrapping:true }; var codeEditor = window.CodeMirror(holder, options); var dom = codeEditor.getWrapperElement(); dom.style.cssText = 'position:absolute;left:0;top:0;width:100%;height:100%;font-family:consolas,"Courier new",monospace;font-size:13px;'; codeEditor.getScrollerElement().style.cssText = 'position:absolute;left:0;top:0;width:100%;height:100%;'; codeEditor.refresh(); return { setContent: function (content){ codeEditor.setValue(content); }, getContent: function (){ return codeEditor.getValue(); }, select: function (){ codeEditor.focus(); }, dispose: function (){ holder.removeChild(dom); dom = null; codeEditor = null; } }; } }; UE.plugins['source'] = function (){ var me = this; var opt = this.options; var formatter = new SourceFormater(opt.source); var sourceMode = false; var sourceEditor; function createSourceEditor(holder){ var useCodeMirror = opt.sourceEditor == 'codemirror' && window.CodeMirror; return sourceEditors[useCodeMirror ? 'codemirror' : 'textarea'](me, holder); } var bakCssText; me.commands['source'] = { execCommand: function (){ sourceMode = !sourceMode; if (sourceMode) { me.undoManger && me.undoManger.save(); this.currentSelectedArr && domUtils.clearSelectedArr(this.currentSelectedArr); if(browser.gecko) me.body.contentEditable = false; bakCssText = me.iframe.style.cssText; me.iframe.style.cssText += 'position:absolute;left:-32768px;top:-32768px;'; var content = formatter.format(me.hasContents() ? me.getContent() : ''); sourceEditor = createSourceEditor(me.iframe.parentNode); sourceEditor.setContent(content); setTimeout(function (){ sourceEditor.select(); }); } else { me.iframe.style.cssText = bakCssText; var cont = sourceEditor.getContent() || '<p>' + (browser.ie ? '' : '<br/>')+'</p>'; cont = cont.replace(/>[\n\r\t]+([ ]{4})+/g,'>').replace(/[\n\r\t]+([ ]{4})+</g,'<').replace(/>[\n\r\t]+</g,'><'); me.setContent(cont); sourceEditor.dispose(); sourceEditor = null; setTimeout(function(){ var first = me.body.firstChild; //trace:1106 都删除空了,下边会报错,所以补充一个p占位 if(!first){ me.body.innerHTML = '<p>'+(browser.ie?'':'<br/>')+'</p>'; first = me.body.firstChild; } //要在ifm为显示时ff才能取到selection,否则报错 me.undoManger && me.undoManger.save(); while(first && first.firstChild){ first = first.firstChild; } var range = me.selection.getRange(); if(first.nodeType == 3 || dtd.$empty[first.tagName]){ range.setStartBefore(first) }else{ range.setStart(first,0); } if(browser.gecko){ var input = document.createElement('input'); input.style.cssText = 'position:absolute;left:0;top:-32768px'; document.body.appendChild(input); me.body.contentEditable = false; setTimeout(function(){ domUtils.setViewportOffset(input, { left: -32768, top: 0 }); input.focus(); setTimeout(function(){ me.body.contentEditable = true; range.setCursor(false,true); domUtils.remove(input) }) }) }else{ range.setCursor(false,true); } }) } this.fireEvent('sourcemodechanged', sourceMode); }, queryCommandState: function (){ return sourceMode|0; } }; var oldQueryCommandState = me.queryCommandState; me.queryCommandState = function (cmdName){ cmdName = cmdName.toLowerCase(); if (sourceMode) { return cmdName == 'source' ? 1 : -1; } return oldQueryCommandState.apply(this, arguments); }; //解决在源码模式下getContent不能得到最新的内容问题 var oldGetContent = me.getContent; me.getContent = function (){ if(sourceMode && sourceEditor ){ var html = sourceEditor.getContent(); if (this.serialize) { var node = this.serialize.parseHTML(html); node = this.serialize.filter(node); html = this.serialize.toHTML(node); } return html; }else{ return oldGetContent.apply(this, arguments) } }; me.addListener("ready",function(){ if(opt.sourceEditor == "codemirror"){ utils.loadFile(document,{ src : opt.codeMirrorJsUrl, tag : "script", type : "text/javascript", defer : "defer" }); utils.loadFile(document,{ tag : "link", rel : "stylesheet", type : "text/css", href : opt.codeMirrorCssUrl }); } }); }; })();
JavaScript
///import core ///commands 快捷键 ///commandsName ShortCutKeys ///commandsTitle 快捷键 //配置快捷键 UE.plugins['shortcutkeys'] = function(){ var me = this, shortcutkeys = utils.extend({ "ctrl+66" : "Bold" //^B ,"ctrl+90" : "Undo" //undo ,"ctrl+89" : "Redo" //redo ,"ctrl+73" : "Italic" //^I ,"ctrl+85" : "Underline" //^U ,"ctrl+shift+67" : "removeformat" //清除格式 ,"ctrl+shift+76" : "justify:left" //居左 ,"ctrl+shift+82" : "justify:right" //居右 ,"ctrl+65" : "selectAll" // ,"9" : "indent" //tab },me.options.shortcutkeys); me.addListener('keydown',function(type,e){ var keyCode = e.keyCode || e.which,value; for ( var i in shortcutkeys ) { if ( /^(ctrl)(\+shift)?\+(\d+)$/.test( i.toLowerCase() ) || /^(\d+)$/.test( i ) ) { if ( ( (RegExp.$1 == 'ctrl' ? (e.ctrlKey||e.metaKey) : 0) && (RegExp.$2 != "" ? e[RegExp.$2.slice(1) + "Key"] : 1) && keyCode == RegExp.$3 ) || keyCode == RegExp.$1 ){ value = shortcutkeys[i].split(':'); me.execCommand( value[0],value[1]); domUtils.preventDefault(e) } } } }); };
JavaScript
///import core ///commandsName attachment ///commandsTitle 附件上传 UE.commands["attachment"] = { queryCommandState:function(){ return this.highlight ? -1 :0; } };
JavaScript
///import core ///import plugins\inserthtml.js ///import plugins\catchremoteimage.js ///commands 插入图片,操作图片的对齐方式 ///commandsName InsertImage,ImageNone,ImageLeft,ImageRight,ImageCenter ///commandsTitle 图片,默认,居左,居右,居中 ///commandsDialog dialogs\image\image.html /** * Created by . * User: zhanyi * for image */ UE.commands['imagefloat'] = { execCommand : function (cmd, align){ var me = this, range = me.selection.getRange(); if(!range.collapsed ){ var img = range.getClosedNode(); if(img && img.tagName == 'IMG'){ switch (align){ case 'left': case 'right': case 'none': var pN = img.parentNode,tmpNode,pre,next; while(dtd.$inline[pN.tagName] || pN.tagName == 'A'){ pN = pN.parentNode; } tmpNode = pN; if(tmpNode.tagName == 'P' && domUtils.getStyle(tmpNode,'text-align') == 'center'){ if(!domUtils.isBody(tmpNode) && domUtils.getChildCount(tmpNode,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1){ pre = tmpNode.previousSibling; next = tmpNode.nextSibling; if(pre && next && pre.nodeType == 1 && next.nodeType == 1 && pre.tagName == next.tagName && domUtils.isBlockElm(pre)){ pre.appendChild(tmpNode.firstChild); while(next.firstChild){ pre.appendChild(next.firstChild) } domUtils.remove(tmpNode); domUtils.remove(next); }else{ domUtils.setStyle(tmpNode,'text-align','') } } range.selectNode(img).select() } domUtils.setStyle(img,'float',align); break; case 'center': if(me.queryCommandValue('imagefloat') != 'center'){ pN = img.parentNode; domUtils.setStyle(img,'float','none'); tmpNode = img; while(pN && domUtils.getChildCount(pN,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1 && (dtd.$inline[pN.tagName] || pN.tagName == 'A')){ tmpNode = pN; pN = pN.parentNode; } range.setStartBefore(tmpNode).setCursor(false); pN = me.document.createElement('div'); pN.appendChild(tmpNode); domUtils.setStyle(tmpNode,'float',''); me.execCommand('insertHtml','<p id="_img_parent_tmp" style="text-align:center">'+pN.innerHTML+'</p>'); tmpNode = me.document.getElementById('_img_parent_tmp'); tmpNode.removeAttribute('id'); tmpNode = tmpNode.firstChild; range.selectNode(tmpNode).select(); //去掉后边多余的元素 next = tmpNode.parentNode.nextSibling; if(next && domUtils.isEmptyNode(next)){ domUtils.remove(next) } } break; } } } }, queryCommandValue : function() { var range = this.selection.getRange(), startNode,floatStyle; if(range.collapsed){ return 'none'; } startNode = range.getClosedNode(); if(startNode && startNode.nodeType == 1 && startNode.tagName == 'IMG'){ floatStyle = domUtils.getComputedStyle(startNode,'float'); if(floatStyle == 'none'){ floatStyle = domUtils.getComputedStyle(startNode.parentNode,'text-align') == 'center' ? 'center' : floatStyle } return { left : 1, right : 1, center : 1 }[floatStyle] ? floatStyle : 'none' } return 'none' }, queryCommandState : function(){ if(this.highlight){ return -1; } var range = this.selection.getRange(), startNode; if(range.collapsed){ return -1; } startNode = range.getClosedNode(); if(startNode && startNode.nodeType == 1 && startNode.tagName == 'IMG'){ return 0; } return -1; } }; UE.commands['insertimage'] = { execCommand : function (cmd, opt){ opt = utils.isArray(opt) ? opt : [opt]; if(!opt.length) return; var me = this, range = me.selection.getRange(), img = range.getClosedNode(); if(img && /img/i.test( img.tagName ) && img.className != "edui-faked-video" &&!img.getAttribute("word_img") ){ var first = opt.shift(); var floatStyle = first['floatStyle']; delete first['floatStyle']; //// img.style.border = (first.border||0) +"px solid #000"; //// img.style.margin = (first.margin||0) +"px"; // img.style.cssText += ';margin:' + (first.margin||0) +"px;" + 'border:' + (first.border||0) +"px solid #000"; domUtils.setAttributes(img,first); me.execCommand('imagefloat',floatStyle); if(opt.length > 0){ range.setStartAfter(img).setCursor(false,true); me.execCommand('insertimage',opt); } }else{ var html = [],str = '',ci; ci = opt[0]; if(opt.length == 1){ str = '<img src="'+ci.src+'" '+ (ci.data_ue_src ? ' data_ue_src="' + ci.data_ue_src +'" ':'') + (ci.width ? 'width="'+ci.width+'" ':'') + (ci.height ? ' height="'+ci.height+'" ':'') + (ci['floatStyle']&&ci['floatStyle']!='center' ? ' style="float:'+ci['floatStyle']+';"':'') + (ci.title?' title="'+ci.title+'"':'') + ' border="'+ (ci.border||0) + '" hspace = "'+(ci.hspace||0)+'" vspace = "'+(ci.vspace||0)+'" />'; if(ci['floatStyle'] == 'center'){ str = '<p style="text-align: center">'+str+'</p>' } html.push(str) }else{ for(var i=0;ci=opt[i++];){ str = '<p ' + (ci['floatStyle'] == 'center' ? 'style="text-align: center" ' : '') + '><img src="'+ci.src+'" '+ (ci.width ? 'width="'+ci.width+'" ':'') + (ci.data_ue_src ? ' data_ue_src="' + ci.data_ue_src +'" ':'') + (ci.height ? ' height="'+ci.height+'" ':'') + ' style="' + (ci['floatStyle']&&ci['floatStyle']!='center' ? 'float:'+ci['floatStyle']+';':'') + (ci.border||'') + '" ' + (ci.title?' title="'+ci.title+'"':'') + ' /></p>'; // if(ci['floatStyle'] == 'center'){ // str = '<p style="text-align: center">'+str+'</p>' // } html.push(str) } } me.execCommand('insertHtml',html.join('')); } }, queryCommandState : function(){ return this.highlight ? -1 :0; } };
JavaScript
///import core ///commands 格式 ///commandsName Paragraph ///commandsTitle 段落格式 /** * 段落样式 * @function * @name baidu.editor.execCommand * @param {String} cmdName paragraph插入段落执行命令 * @param {String} style 标签值为:'p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6' * @param {String} attrs 标签的属性 * @author zhanyi */ (function() { var block = domUtils.isBlockElm, notExchange = ['TD','LI','PRE'], doParagraph = function(range,style,attrs,sourceCmdName){ var bookmark = range.createBookmark(), filterFn = function( node ) { return node.nodeType == 1 ? node.tagName.toLowerCase() != 'br' && !domUtils.isBookmarkNode(node) : !domUtils.isWhitespace( node ) }, para; range.enlarge( true ); var bookmark2 = range.createBookmark(), current = domUtils.getNextDomNode( bookmark2.start, false, filterFn ), tmpRange = range.cloneRange(), tmpNode; while ( current && !(domUtils.getPosition( current, bookmark2.end ) & domUtils.POSITION_FOLLOWING) ) { if ( current.nodeType == 3 || !block( current ) ) { tmpRange.setStartBefore( current ); while ( current && current !== bookmark2.end && !block( current ) ) { tmpNode = current; current = domUtils.getNextDomNode( current, false, null, function( node ) { return !block( node ) } ); } tmpRange.setEndAfter( tmpNode ); para = range.document.createElement( style ); if(attrs){ domUtils.setAttributes(para,attrs); if(sourceCmdName && sourceCmdName == 'customstyle' && attrs.style) para.style.cssText = attrs.style; } para.appendChild( tmpRange.extractContents() ); //需要内容占位 if(domUtils.isEmptyNode(para)){ domUtils.fillChar(range.document,para); } tmpRange.insertNode( para ); var parent = para.parentNode; //如果para上一级是一个block元素且不是body,td就删除它 if ( block( parent ) && !domUtils.isBody( para.parentNode ) && utils.indexOf(notExchange,parent.tagName)==-1) { //存储dir,style if(!(sourceCmdName && sourceCmdName == 'customstyle')){ parent.getAttribute('dir') && para.setAttribute('dir',parent.getAttribute('dir')); //trace:1070 parent.style.cssText && (para.style.cssText = parent.style.cssText + ';' + para.style.cssText); //trace:1030 parent.style.textAlign && !para.style.textAlign && (para.style.textAlign = parent.style.textAlign); parent.style.textIndent && !para.style.textIndent && (para.style.textIndent = parent.style.textIndent); parent.style.padding && !para.style.padding && (para.style.padding = parent.style.padding); } //trace:1706 选择的就是h1-6要删除 if(attrs && /h\d/i.test(parent.tagName) && !/h\d/i.test(para.tagName) ){ domUtils.setAttributes(parent,attrs); if(sourceCmdName && sourceCmdName == 'customstyle' && attrs.style) parent.style.cssText = attrs.style; domUtils.remove(para,true); para = parent; }else domUtils.remove( para.parentNode, true ); } if( utils.indexOf(notExchange,parent.tagName)!=-1){ current = parent; }else{ current = para; } current = domUtils.getNextDomNode( current, false, filterFn ); } else { current = domUtils.getNextDomNode( current, true, filterFn ); } } return range.moveToBookmark( bookmark2 ).moveToBookmark( bookmark ); }; UE.commands['paragraph'] = { execCommand : function( cmdName, style,attrs,sourceCmdName ) { var range = new dom.Range(this.document); if(this.currentSelectedArr && this.currentSelectedArr.length > 0){ for(var i=0,ti;ti=this.currentSelectedArr[i++];){ //trace:1079 不显示的不处理,插入文本,空的td也能加上相应的标签 if(ti.style.display == 'none') continue; if(domUtils.isEmptyNode(ti)){ var tmpTxt = this.document.createTextNode('paragraph'); ti.innerHTML = ''; ti.appendChild(tmpTxt); } doParagraph(range.selectNodeContents(ti),style,attrs,sourceCmdName); if(tmpTxt){ var pN = tmpTxt.parentNode; domUtils.remove(tmpTxt); if(domUtils.isEmptyNode(pN)){ domUtils.fillNode(this.document,pN) } } } var td = this.currentSelectedArr[0]; if(domUtils.isEmptyBlock(td)){ range.setStart(td,0).setCursor(false,true); }else{ range.selectNode(td).select() } }else{ range = this.selection.getRange(); //闭合时单独处理 if(range.collapsed){ var txt = this.document.createTextNode('p'); range.insertNode(txt); //去掉冗余的fillchar if(browser.ie){ var node = txt.previousSibling; if(node && domUtils.isWhitespace(node)){ domUtils.remove(node) } node = txt.nextSibling; if(node && domUtils.isWhitespace(node)){ domUtils.remove(node) } } } range = doParagraph(range,style,attrs,sourceCmdName); if(txt){ range.setStartBefore(txt).collapse(true); pN = txt.parentNode; domUtils.remove(txt); if(domUtils.isBlockElm(pN)&&domUtils.isEmptyNode(pN)){ domUtils.fillNode(this.document,pN) } } if(browser.gecko && range.collapsed && range.startContainer.nodeType == 1){ var child = range.startContainer.childNodes[range.startOffset]; if(child && child.nodeType == 1 && child.tagName.toLowerCase() == style){ range.setStart(child,0).collapse(true) } } //trace:1097 原来有true,原因忘了,但去了就不能清除多余的占位符了 range.select() } return true; }, queryCommandValue : function() { var node = utils.findNode(this.selection.getStartElementPath(),['p','h1','h2','h3','h4','h5','h6']); return node ? node.tagName.toLowerCase() : ''; }, queryCommandState : function(){ return this.highlight ? -1 :0; } } })();
JavaScript
///import core ///import plugins\inserthtml.js ///commands 插入框架 ///commandsName InsertFrame ///commandsTitle 插入Iframe ///commandsDialog dialogs\insertframe\insertframe.html UE.commands['insertframe'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } };
JavaScript
///import core ///commands 右键菜单 ///commandsName ContextMenu ///commandsTitle 右键菜单 /** * 右键菜单 * @function * @name baidu.editor.plugins.contextmenu * @author zhanyi */ UE.plugins['contextmenu'] = function () { var me = this, menu, items = me.options.contextMenu; if(!items || items.length==0) return; var uiUtils = UE.ui.uiUtils; me.addListener('contextmenu',function(type,evt){ var offset = uiUtils.getViewportOffsetByEvent(evt); me.fireEvent('beforeselectionchange'); if (menu) menu.destroy(); for (var i = 0,ti,contextItems = []; ti = items[i]; i++) { var last; (function(item) { if (item == '-') { if ((last = contextItems[contextItems.length - 1 ] ) && last !== '-') contextItems.push('-'); } else if (item.group) { for (var j = 0,cj,subMenu = []; cj = item.subMenu[j]; j++) { (function(subItem) { if (subItem == '-') { if ((last = subMenu[subMenu.length - 1 ] ) && last !== '-') subMenu.push('-'); } else { if (me.queryCommandState(subItem.cmdName) != -1) { subMenu.push({ 'label':subItem.label, className: 'edui-for-' + subItem.cmdName + (subItem.value || ''), onclick : subItem.exec ? function() { subItem.exec.call(me) } : function() { me.execCommand(subItem.cmdName, subItem.value) } }) } } })(cj) } if (subMenu.length) { contextItems.push({ 'label' : item.group, className: 'edui-for-' + item.icon, 'subMenu' : { items: subMenu, editor:me } }) } } else { if (me.queryCommandState(item.cmdName) != -1) { //highlight todo if(item.cmdName == 'highlightcode' && me.queryCommandState(item.cmdName) == 0) return; contextItems.push({ 'label':item.label, className: 'edui-for-' + (item.icon ? item.icon : item.cmdName + (item.value || '')), onclick : item.exec ? function() { item.exec.call(me) } : function() { me.execCommand(item.cmdName, item.value) } }) } } })(ti) } if (contextItems[contextItems.length - 1] == '-') contextItems.pop(); menu = new UE.ui.Menu({ items: contextItems, editor:me }); menu.render(); menu.showAt(offset); domUtils.preventDefault(evt); if(browser.ie){ var ieRange; try{ ieRange = me.selection.getNative().createRange(); }catch(e){ return; } if(ieRange.item){ var range = new dom.Range(me.document); range.selectNode(ieRange.item(0)).select(true,true); } } }) };
JavaScript
///import core ///commands 超链接,取消链接 ///commandsName Link,Unlink ///commandsTitle 超链接,取消链接 ///commandsDialog dialogs\link\link.html /** * 超链接 * @function * @name baidu.editor.execCommand * @param {String} cmdName link插入超链接 * @param {Object} options url地址,title标题,target是否打开新页 * @author zhanyi */ /** * 取消链接 * @function * @name baidu.editor.execCommand * @param {String} cmdName unlink取消链接 * @author zhanyi */ (function() { function optimize( range ) { var start = range.startContainer,end = range.endContainer; if ( start = domUtils.findParentByTagName( start, 'a', true ) ) { range.setStartBefore( start ) } if ( end = domUtils.findParentByTagName( end, 'a', true ) ) { range.setEndAfter( end ) } } UE.commands['unlink'] = { execCommand : function() { var as, range = new dom.Range(this.document), tds = this.currentSelectedArr, bookmark; if(tds && tds.length >0){ for(var i=0,ti;ti=tds[i++];){ as = domUtils.getElementsByTagName(ti,'a'); for(var j=0,aj;aj=as[j++];){ domUtils.remove(aj,true); } } if(domUtils.isEmptyNode(tds[0])){ range.setStart(tds[0],0).setCursor(); }else{ range.selectNodeContents(tds[0]).select() } }else{ range = this.selection.getRange(); if(range.collapsed && !domUtils.findParentByTagName( range.startContainer, 'a', true )){ return; } bookmark = range.createBookmark(); optimize( range ); range.removeInlineStyle( 'a' ).moveToBookmark( bookmark ).select(); } }, queryCommandState : function(){ return !this.highlight && this.queryCommandValue('link') ? 0 : -1; } }; function doLink(range,opt){ optimize( range = range.adjustmentBoundary() ); var start = range.startContainer; if(start.nodeType == 1){ start = start.childNodes[range.startOffset]; if(start && start.nodeType == 1 && start.tagName == 'A' && /^(?:https?|ftp|file)\s*:\s*\/\//.test(start[browser.ie?'innerText':'textContent'])){ start.innerHTML = opt.href; } } range.removeInlineStyle( 'a' ); if ( range.collapsed ) { var a = range.document.createElement( 'a' ); domUtils.setAttributes( a, opt ); a.innerHTML = opt.href; range.insertNode( a ).selectNode( a ); } else { range.applyInlineStyle( 'a', opt ) } } UE.commands['link'] = { queryCommandState : function(){ return this.highlight ? -1 :0; }, execCommand : function( cmdName, opt ) { var range = new dom.Range(this.document), tds = this.currentSelectedArr; if(tds && tds.length){ for(var i=0,ti;ti=tds[i++];){ if(domUtils.isEmptyNode(ti)){ ti.innerHTML = opt.href } doLink(range.selectNodeContents(ti),opt) } range.selectNodeContents(tds[0]).select() }else{ doLink(range=this.selection.getRange(),opt); range.collapse().select(browser.gecko ? true : false); } }, queryCommandValue : function() { var range = new dom.Range(this.document), tds = this.currentSelectedArr, as, node; if(tds && tds.length){ for(var i=0,ti;ti=tds[i++];){ as = ti.getElementsByTagName('a'); if(as[0]) return as[0] } }else{ range = this.selection.getRange(); if ( range.collapsed ) { node = this.selection.getStart(); if ( node && (node = domUtils.findParentByTagName( node, 'a', true )) ) { return node; } } else { //trace:1111 如果是<p><a>xx</a></p> startContainer是p就会找不到a range.shrinkBoundary(); var start = range.startContainer.nodeType == 3 || !range.startContainer.childNodes[range.startOffset] ? range.startContainer : range.startContainer.childNodes[range.startOffset], end = range.endContainer.nodeType == 3 || range.endOffset == 0 ? range.endContainer : range.endContainer.childNodes[range.endOffset-1], common = range.getCommonAncestor(); node = domUtils.findParentByTagName( common, 'a', true ); if ( !node && common.nodeType == 1){ var as = common.getElementsByTagName( 'a' ), ps,pe; for ( var i = 0,ci; ci = as[i++]; ) { ps = domUtils.getPosition( ci, start ),pe = domUtils.getPosition( ci,end); if ( (ps & domUtils.POSITION_FOLLOWING || ps & domUtils.POSITION_CONTAINS) && (pe & domUtils.POSITION_PRECEDING || pe & domUtils.POSITION_CONTAINS) ) { node = ci; break; } } } return node; } } } }; })();
JavaScript
///import core /** * @description 插入内容 * @name baidu.editor.execCommand * @param {String} cmdName inserthtml插入内容的命令 * @param {String} html 要插入的内容 * @author zhanyi */ UE.commands['inserthtml'] = { execCommand: function (command,html){ var me = this, range,deletedElms, i,ci, div, tds = me.currentSelectedArr; range = me.selection.getRange(); div = range.document.createElement( 'div' ); div.style.display = 'inline'; div.innerHTML = utils.trim( html ); try{ me.adjustTable && me.adjustTable(div); }catch(e){} if(tds && tds.length){ for(var i=0,ti;ti=tds[i++];){ ti.className = '' } tds[0].innerHTML = ''; range.setStart(tds[0],0).collapse(true); me.currentSelectedArr = []; } if ( !range.collapsed ) { range.deleteContents(); if(range.startContainer.nodeType == 1){ var child = range.startContainer.childNodes[range.startOffset],pre; if(child && domUtils.isBlockElm(child) && (pre = child.previousSibling) && domUtils.isBlockElm(pre)){ range.setEnd(pre,pre.childNodes.length).collapse(); while(child.firstChild){ pre.appendChild(child.firstChild); } domUtils.remove(child); } } } var child,parent,pre,tmp,hadBreak = 0; while ( child = div.firstChild ) { range.insertNode( child ); if ( !hadBreak && child.nodeType == domUtils.NODE_ELEMENT && domUtils.isBlockElm( child ) ){ parent = domUtils.findParent( child,function ( node ){ return domUtils.isBlockElm( node ); } ); if ( parent && parent.tagName.toLowerCase() != 'body' && !(dtd[parent.tagName][child.nodeName] && child.parentNode === parent)){ if(!dtd[parent.tagName][child.nodeName]){ pre = parent; }else{ tmp = child.parentNode; while (tmp !== parent){ pre = tmp; tmp = tmp.parentNode; } } domUtils.breakParent( child, pre || tmp ); //去掉break后前一个多余的节点 <p>|<[p> ==> <p></p><div></div><p>|</p> var pre = child.previousSibling; domUtils.trimWhiteTextNode(pre); if(!pre.childNodes.length){ domUtils.remove(pre); } hadBreak = 1; } } var next = child.nextSibling; if(!div.firstChild && next && domUtils.isBlockElm(next)){ range.setStart(next,0).collapse(true); break; } range.setEndAfter( child ).collapse(); } // if(!range.startContainer.childNodes[range.startOffset] && domUtils.isBlockElm(range.startContainer)){ // next = editor.document.createElement('br'); // range.insertNode(next); // range.collapse(true); // } //block为空无法定位光标 child = range.startContainer; //用chrome可能有空白展位符 if(domUtils.isBlockElm(child) && domUtils.isEmptyNode(child)){ child.innerHTML = browser.ie ? '' : '<br/>' } //加上true因为在删除表情等时会删两次,第一次是删的fillData range.select(true); setTimeout(function(){ range = me.selection.getRange(); range.scrollToView(me.autoHeightEnabled,me.autoHeightEnabled ? domUtils.getXY(me.iframe).y:0); },200) } };
JavaScript
///import core ///import plugins\removeformat.js ///commands 格式刷 ///commandsName FormatMatch ///commandsTitle 格式刷 /** * 格式刷,只格式inline的 * @function * @name baidu.editor.execCommand * @param {String} cmdName formatmatch执行格式刷 */ UE.plugins['formatmatch'] = function(){ var me = this, list = [],img, flag = 0; me.addListener('reset',function(){ list = []; flag = 0; }); function addList(type,evt){ if(browser.webkit){ var target = evt.target.tagName == 'IMG' ? evt.target : null; } function addFormat(range){ if(text && (!me.currentSelectedArr || !me.currentSelectedArr.length)){ range.selectNode(text); } return range.applyInlineStyle(list[list.length-1].tagName,null,list); } me.undoManger && me.undoManger.save(); var range = me.selection.getRange(), imgT = target || range.getClosedNode(); if(img && imgT && imgT.tagName == 'IMG'){ //trace:964 imgT.style.cssText += ';float:' + (img.style.cssFloat || img.style.styleFloat ||'none') + ';display:' + (img.style.display||'inline'); img = null; }else{ if(!img){ var collapsed = range.collapsed; if(collapsed){ var text = me.document.createTextNode('match'); range.insertNode(text).select(); } me.__hasEnterExecCommand = true; //不能把block上的属性干掉 //trace:1553 var removeFormatAttributes = me.options.removeFormatAttributes; me.options.removeFormatAttributes = ''; me.execCommand('removeformat'); me.options.removeFormatAttributes = removeFormatAttributes; me.__hasEnterExecCommand = false; //trace:969 range = me.selection.getRange(); if(list.length == 0){ if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ range.selectNodeContents(me.currentSelectedArr[0]).select(); } }else{ if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ range.selectNodeContents(ci); addFormat(range); } range.selectNodeContents(me.currentSelectedArr[0]).select(); }else{ addFormat(range) } } if(!me.currentSelectedArr || !me.currentSelectedArr.length){ if(text){ range.setStartBefore(text).collapse(true); } range.select() } text && domUtils.remove(text); } } me.undoManger && me.undoManger.save(); me.removeListener('mouseup',addList); flag = 0; } me.commands['formatmatch'] = { execCommand : function( cmdName ) { if(flag){ flag = 0; list = []; me.removeListener('mouseup',addList); return; } var range = me.selection.getRange(); img = range.getClosedNode(); if(!img || img.tagName != 'IMG'){ range.collapse(true).shrinkBoundary(); var start = range.startContainer; list = domUtils.findParents(start,true,function(node){ return !domUtils.isBlockElm(node) && node.nodeType == 1 }); //a不能加入格式刷, 并且克隆节点 for(var i=0,ci;ci=list[i];i++){ if(ci.tagName == 'A'){ list.splice(i,1); break; } } } me.addListener('mouseup',addList); flag = 1; }, queryCommandState : function() { if(this.highlight){ return -1; } return flag; }, notNeedUndo : 1 } };
JavaScript
///import core ///commands 打印 ///commandsName Print ///commandsTitle 打印 /** * @description 打印 * @name baidu.editor.execCommand * @param {String} cmdName print打印编辑器内容 * @author zhanyi */ UE.commands['print'] = { execCommand : function(){ this.window.print(); }, notNeedUndo : 1 };
JavaScript
///import core ///import plugins\inserthtml.js ///commands 特殊字符 ///commandsName Spechars ///commandsTitle 特殊字符 ///commandsDialog dialogs\spechars\spechars.html UE.commands['spechars'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } };
JavaScript
///import core ///commands 清除格式 ///commandsName RemoveFormat ///commandsTitle 清除格式 /** * @description 清除格式 * @name baidu.editor.execCommand * @param {String} cmdName removeformat清除格式命令 * @param {String} tags 以逗号隔开的标签。如:span,a * @param {String} style 样式 * @param {String} attrs 属性 * @param {String} notIncluedA 是否把a标签切开 * @author zhanyi */ UE.commands['removeformat'] = { execCommand : function( cmdName, tags, style, attrs,notIncludeA ) { var tagReg = new RegExp( '^(?:' + (tags || this.options.removeFormatTags).replace( /,/g, '|' ) + ')$', 'i' ) , removeFormatAttributes = style ? [] : (attrs || this.options.removeFormatAttributes).split( ',' ), range = new dom.Range( this.document ), bookmark,node,parent, filter = function( node ) { return node.nodeType == 1; }; function isRedundantSpan (node) { if (node.nodeType == 3 || node.tagName.toLowerCase() != 'span') return 0; if (browser.ie) { //ie 下判断实效,所以只能简单用style来判断 //return node.style.cssText == '' ? 1 : 0; var attrs = node.attributes; if ( attrs.length ) { for ( var i = 0,l = attrs.length; i<l; i++ ) { if ( attrs[i].specified ) { return 0; } } return 1; } } return !node.attributes.length } function doRemove( range ) { var bookmark1 = range.createBookmark(); if ( range.collapsed ) { range.enlarge( true ); } //不能把a标签切了 if(!notIncludeA){ var aNode = domUtils.findParentByTagName(range.startContainer,'a',true); if(aNode){ range.setStartBefore(aNode) } aNode = domUtils.findParentByTagName(range.endContainer,'a',true); if(aNode){ range.setEndAfter(aNode) } } bookmark = range.createBookmark(); node = bookmark.start; //切开始 while ( (parent = node.parentNode) && !domUtils.isBlockElm( parent ) ) { domUtils.breakParent( node, parent ); domUtils.clearEmptySibling( node ); } if ( bookmark.end ) { //切结束 node = bookmark.end; while ( (parent = node.parentNode) && !domUtils.isBlockElm( parent ) ) { domUtils.breakParent( node, parent ); domUtils.clearEmptySibling( node ); } //开始去除样式 var current = domUtils.getNextDomNode( bookmark.start, false, filter ), next; while ( current ) { if ( current == bookmark.end ) { break; } next = domUtils.getNextDomNode( current, true, filter ); if ( !dtd.$empty[current.tagName.toLowerCase()] && !domUtils.isBookmarkNode( current ) ) { if ( tagReg.test( current.tagName ) ) { if ( style ) { domUtils.removeStyle( current, style ); if ( isRedundantSpan( current ) && style != 'text-decoration') domUtils.remove( current, true ); } else { domUtils.remove( current, true ) } } else { //trace:939 不能把list上的样式去掉 if(!dtd.$tableContent[current.tagName] && !dtd.$list[current.tagName]){ domUtils.removeAttributes( current, removeFormatAttributes ); if ( isRedundantSpan( current ) ) domUtils.remove( current, true ); } } } current = next; } } //trace:1035 //trace:1096 不能把td上的样式去掉,比如边框 var pN = bookmark.start.parentNode; if(domUtils.isBlockElm(pN) && !dtd.$tableContent[pN.tagName] && !dtd.$list[pN.tagName]){ domUtils.removeAttributes( pN,removeFormatAttributes ); } pN = bookmark.end.parentNode; if(bookmark.end && domUtils.isBlockElm(pN) && !dtd.$tableContent[pN.tagName]&& !dtd.$list[pN.tagName]){ domUtils.removeAttributes( pN,removeFormatAttributes ); } range.moveToBookmark( bookmark ).moveToBookmark(bookmark1); //清除冗余的代码 <b><bookmark></b> var node = range.startContainer, tmp, collapsed = range.collapsed; while(node.nodeType == 1 && domUtils.isEmptyNode(node) && dtd.$removeEmpty[node.tagName]){ tmp = node.parentNode; range.setStartBefore(node); //trace:937 //更新结束边界 if(range.startContainer === range.endContainer){ range.endOffset--; } domUtils.remove(node); node = tmp; } if(!collapsed){ node = range.endContainer; while(node.nodeType == 1 && domUtils.isEmptyNode(node) && dtd.$removeEmpty[node.tagName]){ tmp = node.parentNode; range.setEndBefore(node); domUtils.remove(node); node = tmp; } } } if ( this.currentSelectedArr && this.currentSelectedArr.length ) { for ( var i = 0,ci; ci = this.currentSelectedArr[i++]; ) { range.selectNodeContents( ci ); doRemove( range ); } range.selectNodeContents( this.currentSelectedArr[0] ).select(); } else { range = this.selection.getRange(); doRemove( range ); range.select(); } }, queryCommandState : function(){ return this.highlight ? -1 :0; } };
JavaScript
(function(){UEDITOR_CONFIG = window.UEDITOR_CONFIG || {}; var baidu = window.baidu || {}; window.baidu = baidu; window.UE = baidu.editor = {}; UE.plugins = {}; UE.commands = {}; UE.version = "1.2.0.0"; var dom = UE.dom = {}; ///import editor.js /** * @class baidu.editor.browser 判断浏览器 */ var browser = UE.browser = function(){ var agent = navigator.userAgent.toLowerCase(), opera = window.opera, browser = { /** * 检测浏览器是否为IE * @name baidu.editor.browser.ie * @property 检测浏览器是否为IE * @grammar baidu.editor.browser.ie * @return {Boolean} 返回是否为ie浏览器 */ ie : !!window.ActiveXObject, /** * 检测浏览器是否为Opera * @name baidu.editor.browser.opera * @property 检测浏览器是否为Opera * @grammar baidu.editor.browser.opera * @return {Boolean} 返回是否为opera浏览器 */ opera : ( !!opera && opera.version ), /** * 检测浏览器是否为WebKit内核 * @name baidu.editor.browser.webkit * @property 检测浏览器是否为WebKit内核 * @grammar baidu.editor.browser.webkit * @return {Boolean} 返回是否为WebKit内核 */ webkit : ( agent.indexOf( ' applewebkit/' ) > -1 ), /** * 检查是否为Macintosh系统 * @name baidu.editor.browser.mac * @property 检查是否为Macintosh系统 * @grammar baidu.editor.browser.mac * @return {Boolean} 返回是否为Macintosh系统 */ mac : ( agent.indexOf( 'macintosh' ) > -1 ), /** * 检查浏览器是否为quirks模式 * @name baidu.editor.browser.quirks * @property 检查浏览器是否为quirks模式 * @grammar baidu.editor.browser.quirks * @return {Boolean} 返回是否为quirks模式 */ quirks : ( document.compatMode == 'BackCompat' ) }; /** * 检测浏览器是否为Gecko内核,如Firefox * @name baidu.editor.browser.gecko * @property 检测浏览器是否为Gecko内核 * @grammar baidu.editor.browser.gecko * @return {Boolean} 返回是否为Gecko内核 */ browser.gecko = ( navigator.product == 'Gecko' && !browser.webkit && !browser.opera ); var version = 0; // Internet Explorer 6.0+ if ( browser.ie ) { version = parseFloat( agent.match( /msie (\d+)/ )[1] ); /** * 检测浏览器是否为 IE8 浏览器 * @name baidu.editor.browser.IE8 * @property 检测浏览器是否为 IE8 浏览器 * @grammar baidu.editor.browser.IE8 * @return {Boolean} 返回是否为 IE8 浏览器 */ browser.ie8 = !!document.documentMode; /** * 检测浏览器是否为 IE8 模式 * @name baidu.editor.browser.ie8Compat * @property 检测浏览器是否为 IE8 模式 * @grammar baidu.editor.browser.ie8Compat * @return {Boolean} 返回是否为 IE8 模式 */ browser.ie8Compat = document.documentMode == 8; /** * 检测浏览器是否运行在 兼容IE7模式 * @name baidu.editor.browser.ie7Compat * @property 检测浏览器是否为兼容IE7模式 * @grammar baidu.editor.browser.ie7Compat * @return {Boolean} 返回是否为兼容IE7模式 */ browser.ie7Compat = ( ( version == 7 && !document.documentMode ) || document.documentMode == 7 ); /** * 检测浏览器是否IE6模式或怪异模式 * @name baidu.editor.browser.ie6Compat * @property 检测浏览器是否IE6 模式或怪异模式 * @grammar baidu.editor.browser.ie6Compat * @return {Boolean} 返回是否为IE6 模式或怪异模式 */ browser.ie6Compat = ( version < 7 || browser.quirks ); } // Gecko. if ( browser.gecko ) { var geckoRelease = agent.match( /rv:([\d\.]+)/ ); if ( geckoRelease ) { geckoRelease = geckoRelease[1].split( '.' ); version = geckoRelease[0] * 10000 + ( geckoRelease[1] || 0 ) * 100 + ( geckoRelease[2] || 0 ) * 1; } } /** * 检测浏览器是否为chrome * @name baidu.editor.browser.chrome * @property 检测浏览器是否为chrome * @grammar baidu.editor.browser.chrome * @return {Boolean} 返回是否为chrome浏览器 */ if (/chrome\/(\d+\.\d)/i.test(agent)) { browser.chrome = + RegExp['\x241']; } /** * 检测浏览器是否为safari * @name baidu.editor.browser.safari * @property 检测浏览器是否为safari * @grammar baidu.editor.browser.safari * @return {Boolean} 返回是否为safari浏览器 */ if(/(\d+\.\d)?(?:\.\d)?\s+safari\/?(\d+\.\d+)?/i.test(agent) && !/chrome/i.test(agent)){ browser.safari = + (RegExp['\x241'] || RegExp['\x242']); } // Opera 9.50+ if ( browser.opera ) version = parseFloat( opera.version() ); // WebKit 522+ (Safari 3+) if ( browser.webkit ) version = parseFloat( agent.match( / applewebkit\/(\d+)/ )[1] ); /** * 浏览器版本 * * gecko内核浏览器的版本会转换成这样(如 1.9.0.2 -> 10900). * * webkit内核浏览器版本号使用其build号 (如 522). * @name baidu.editor.browser.version * @grammar baidu.editor.browser.version * @return {Boolean} 返回浏览器版本号 * @example * if ( baidu.editor.browser.ie && <b>baidu.editor.browser.version</b> <= 6 ) * alert( "Ouch!" ); */ browser.version = version; /** * 是否是兼容模式的浏览器 * @name baidu.editor.browser.isCompatible * @grammar baidu.editor.browser.isCompatible * @return {Boolean} 返回是否是兼容模式的浏览器 * @example * if ( baidu.editor.browser.isCompatible ) * alert( "Your browser is pretty cool!" ); */ browser.isCompatible = !browser.mobile && ( ( browser.ie && version >= 6 ) || ( browser.gecko && version >= 10801 ) || ( browser.opera && version >= 9.5 ) || ( browser.air && version >= 1 ) || ( browser.webkit && version >= 522 ) || false ); return browser; }(); //快捷方式 var ie = browser.ie, webkit = browser.webkit, gecko = browser.gecko; ///import editor.js ///import core/utils.js /** * @class baidu.editor.utils 工具类 */ var utils = UE.utils = /**@lends baidu.editor.utils.prototype*/ { /** * 以obj为原型创建实例 * @public * @function * @param {Object} obj * @return {Object} 返回新的对象 */ makeInstance: function(obj) { var noop = new Function(); noop.prototype = obj; obj = new noop; noop.prototype = null; return obj; }, /** * 将s对象中的属性扩展到t对象上 * @public * @function * @param {Object} t * @param {Object} s * @param {Boolean} b 是否保留已有属性 * @returns {Object} t 返回扩展了s对象属性的t */ extend: function(t, s, b) { if (s) { for (var k in s) { if (!b || ! t.hasOwnProperty(k)) { t[k] = s[k]; } } } return t; }, /** * 判断是否为数组 * @public * @function * @param {Object} array * @return {Boolean} true:为数组,false:不为数组 */ isArray: function(array) { return Object.prototype.toString.apply(array) === '[object Array]' }, /** * 判断是否为字符串 * @public * @function * @param {Object} str * @return {Boolean} true:为字符串。 false:不为字符串 */ isString: function(str) { return typeof str == 'string' || str.constructor == String; }, /** * subClass继承superClass * @public * @function * @param {Object} subClass 子类 * @param {Object} superClass 超类 * @return {Object} 扩展后的新对象 */ inherits: function(subClass, superClass) { var oldP = subClass.prototype, newP = utils.makeInstance(superClass.prototype); utils.extend(newP, oldP, true); subClass.prototype = newP; return (newP.constructor = subClass); }, /** * 为对象绑定函数 * @public * @function * @param {Function} fn 函数 * @param {Object} this_ 对象 * @return {Function} 绑定后的函数 */ bind: function(fn, this_) { return function() { return fn.apply(this_, arguments); }; }, /** * 创建延迟执行的函数 * @public * @function * @param {Function} fn 要执行的函数 * @param {Number} delay 延迟时间,单位为毫秒 * @param {Boolean} exclusion 是否互斥执行,true则执行下一次defer时会先把前一次的延迟函数删除 * @return {Function} 延迟执行的函数 */ defer: function(fn, delay, exclusion) { var timerID; return function() { if (exclusion) { clearTimeout(timerID); } timerID = setTimeout(fn, delay); }; }, /** * 查找元素在数组中的索引, 若找不到返回-1 * @public * @function * @param {Array} array 要查找的数组 * @param {*} item 查找的元素 * @param {Number} at 开始查找的位置 * @returns {Number} 返回在数组中的索引 */ indexOf: function(array, item, at) { for(var i=at||0,l = array.length;i<l;i++){ if(array[i] === item){ return i; } } return -1; }, findNode : function(nodes,tagNames,fn){ for(var i=0,ci;ci=nodes[i++];){ if(fn? fn(ci) : this.indexOf(tagNames,ci.tagName.toLowerCase())!=-1){ return ci; } } }, /** * 移除数组中的元素 * @public * @function * @param {Array} array 要删除元素的数组 * @param {*} item 要删除的元素 */ removeItem: function(array, item) { for(var i=0,l = array.length;i<l;i++){ if(array[i] === item){ array.splice(i,1); i--; } } }, /** * 删除字符串首尾空格 * @public * @function * @param {String} str 字符串 * @return {String} str 删除空格后的字符串 */ trim: function(str) { return str.replace(/(^[ \t\n\r]+)|([ \t\n\r]+$)/g, ''); }, /** * 将字符串转换成hashmap * @public * @function * @param {String/Array} list 字符串,以‘,’隔开 * @returns {Object} 转成hashmap的对象 */ listToMap: function(list) { if(!list)return {}; list = utils.isArray(list) ? list : list.split(','); for(var i=0,ci,obj={};ci=list[i++];){ obj[ci.toUpperCase()] = obj[ci] = 1; } return obj; }, /** * 将str中的html符号转义 * @public * @function * @param {String} str 需要转义的字符串 * @returns {String} 转义后的字符串 */ unhtml: function(str) { return str ? str.replace(/[&<">]/g, function(m){ return { '<': '&lt;', '&': '&amp', '"': '&quot;', '>': '&gt;' }[m] }) : ''; }, /** * 将css样式转换为驼峰的形式。如font-size -> fontSize * @public * @function * @param {String} cssName 需要转换的样式 * @returns {String} 转换后的样式 */ cssStyleToDomStyle: function() { var test = document.createElement('div').style, cache = { 'float': test.cssFloat != undefined ? 'cssFloat' : test.styleFloat != undefined ? 'styleFloat': 'float' }; return function(cssName) { return cache[cssName] || (cache[cssName] = cssName.toLowerCase().replace(/-./g, function(match){return match.charAt(1).toUpperCase();})); }; }(), /** * 加载css文件,执行回调函数 * @public * @function * @param {document} doc document对象 * @param {String} path 文件路径 * @param {Function} fun 回调函数 * @param {String} id 元素id */ loadFile : function(doc,obj,fun){ if (obj.id && doc.getElementById(obj.id)) { return; } var element = doc.createElement(obj.tag); delete obj.tag; for(var p in obj){ element.setAttribute(p,obj[p]); } element.onload = element.onreadystatechange = function() { if (!this.readyState || /loaded|complete/.test(this.readyState)) { fun && fun(); element.onload = element.onreadystatechange = null; } }; doc.getElementsByTagName("head")[0].appendChild(element); }, /** * 判断对象是否为空 * @param {Object} obj * @return {Boolean} true 空,false 不空 */ isEmptyObject : function(obj){ for ( var p in obj ) { return false; } return true; }, fixColor : function (name, value) { if (/color/i.test(name) && /rgba?/.test(value)) { var array = value.split(","); if (array.length > 3) return ""; value = "#"; for (var i = 0, color; color = array[i++];) { color = parseInt(color.replace(/[^\d]/gi, ''), 10).toString(16); value += color.length == 1 ? "0" + color : color; } value = value.toUpperCase(); } return value; }, /** * 只针对border,padding,margin做了处理,因为性能问题 * @public * @function * @param {String} val style字符串 */ optCss : function(val){ var padding,margin,border; val = val.replace(/(padding|margin|border)\-([^:]+):([^;]+);?/gi,function(str,key,name,val){ if(val.split(' ').length == 1){ switch (key){ case 'padding': !padding && (padding = {}); padding[name] = val; return ''; case 'margin': !margin && (margin = {}); margin[name] = val; return ''; case 'border': return val == 'initial' ? '' : str; } } return str }); function opt(obj,name){ if(!obj) return '' var t = obj.top ,b = obj.bottom,l = obj.left,r = obj.right,val = ''; if(!t || !l || !b || !r){ for(var p in obj){ val +=';'+name+'-' + p + ':' + obj[p]+';'; } }else{ val += ';'+name+':' + (t == b && b == l && l == r ? t : t == b && l == r ? (t + ' ' + l) : l == r ? (t + ' ' + l + ' ' + b) : (t + ' ' + r + ' ' + b + ' ' + l))+';' } return val; } val += opt(padding,'padding') + opt(margin,'margin'); return val.replace(/^[ \n\r\t;]*|[ \n\r\t]*$/,'').replace(/;([ \n\r\t]+)|\1;/g,';') .replace(/(&((l|g)t|quot|#39))?;{2,}/g,function(a,b){ return b ? b + ";;" : ';' }) } }; ///import editor.js ///import core/utils.js /** * 事件基础类 * @public * @class * @name baidu.editor.EventBase */ var EventBase = UE.EventBase = function(){}; EventBase.prototype = /**@lends baidu.editor.EventBase.prototype*/{ /** * 注册事件监听器 * @public * @function * @param {String} type 事件名 * @param {Function} listener 监听器数组 */ addListener : function ( type, listener ) { getListener( this, type, true ).push( listener ); }, /** * 移除事件监听器 * @public * @function * @param {String} type 事件名 * @param {Function} listener 监听器数组 */ removeListener : function ( type, listener ) { var listeners = getListener( this, type ); listeners && utils.removeItem( listeners, listener ); }, /** * 触发事件 * @public * @function * @param {String} type 事件名 * */ fireEvent : function ( type ) { var listeners = getListener( this, type ), r, t, k; if ( listeners ) { k = listeners.length; while ( k -- ) { t = listeners[k].apply( this, arguments ); if ( t !== undefined ) { r = t; } } } if ( t = this['on' + type.toLowerCase()] ) { r = t.apply( this, arguments ); } return r; } }; /** * 获得对象所拥有监听类型的所有监听器 * @public * @function * @param {Object} obj 查询监听器的对象 * @param {String} type 事件类型 * @param {Boolean} force 为true且当前所有type类型的侦听器不存在时,创建一个空监听器数组 * @returns {Array} 监听器数组 */ function getListener( obj, type, force ) { var allListeners; type = type.toLowerCase(); return ( ( allListeners = ( obj.__allListeners || force && ( obj.__allListeners = {} ) ) ) && ( allListeners[type] || force && ( allListeners[type] = [] ) ) ); } ///import editor.js ///import core/dom/dom.js /** * dtd html语义化的体现类 * @constructor * @namespace dtd */ var dtd = dom.dtd = (function() { function _( s ) { for (var k in s) { s[k.toUpperCase()] = s[k]; } return s; } function X( t ) { var a = arguments; for ( var i=1; i<a.length; i++ ) { var x = a[i]; for ( var k in x ) { if (!t.hasOwnProperty(k)) { t[k] = x[k]; } } } return t; } var A = _({isindex:1,fieldset:1}), B = _({input:1,button:1,select:1,textarea:1,label:1}), C = X( _({a:1}), B ), D = X( {iframe:1}, C ), E = _({hr:1,ul:1,menu:1,div:1,blockquote:1,noscript:1,table:1,center:1,address:1,dir:1,pre:1,h5:1,dl:1,h4:1,noframes:1,h6:1,ol:1,h1:1,h3:1,h2:1}), F = _({ins:1,del:1,script:1,style:1}), G = X( _({b:1,acronym:1,bdo:1,'var':1,'#':1,abbr:1,code:1,br:1,i:1,cite:1,kbd:1,u:1,strike:1,s:1,tt:1,strong:1,q:1,samp:1,em:1,dfn:1,span:1}), F ), H = X( _({sub:1,img:1,embed:1,object:1,sup:1,basefont:1,map:1,applet:1,font:1,big:1,small:1}), G ), I = X( _({p:1}), H ), J = X( _({iframe:1}), H, B ), K = _({img:1,embed:1,noscript:1,br:1,kbd:1,center:1,button:1,basefont:1,h5:1,h4:1,samp:1,h6:1,ol:1,h1:1,h3:1,h2:1,form:1,font:1,'#':1,select:1,menu:1,ins:1,abbr:1,label:1,code:1,table:1,script:1,cite:1,input:1,iframe:1,strong:1,textarea:1,noframes:1,big:1,small:1,span:1,hr:1,sub:1,bdo:1,'var':1,div:1,object:1,sup:1,strike:1,dir:1,map:1,dl:1,applet:1,del:1,isindex:1,fieldset:1,ul:1,b:1,acronym:1,a:1,blockquote:1,i:1,u:1,s:1,tt:1,address:1,q:1,pre:1,p:1,em:1,dfn:1}), L = X( _({a:0}), J ),//a不能被切开,所以把他 M = _({tr:1}), N = _({'#':1}), O = X( _({param:1}), K ), P = X( _({form:1}), A, D, E, I ), Q = _({li:1}), R = _({style:1,script:1}), S = _({base:1,link:1,meta:1,title:1}), T = X( S, R ), U = _({head:1,body:1}), V = _({html:1}); var block = _({address:1,blockquote:1,center:1,dir:1,div:1,dl:1,fieldset:1,form:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,hr:1,isindex:1,menu:1,noframes:1,ol:1,p:1,pre:1,table:1,ul:1}), //针对优酷的embed他添加了结束标识,导致粘贴进来会变成两个,暂时去掉 ,embed:1 empty = _({area:1,base:1,br:1,col:1,hr:1,img:1,input:1,link:1,meta:1,param:1,embed:1}); return _({ // $ 表示自定的属性 // body外的元素列表. $nonBodyContent: X( V, U, S ), //块结构元素列表 $block : block, //内联元素列表 $inline : L, $body : X( _({script:1,style:1}), block ), $cdata : _({script:1,style:1}), //自闭和元素 $empty : empty, //不是自闭合,但不能让range选中里边 $nonChild : _({iframe:1}), //列表元素列表 $listItem : _({dd:1,dt:1,li:1}), //列表根元素列表 $list: _({ul:1,ol:1,dl:1}), //不能认为是空的元素 $isNotEmpty : _({table:1,ul:1,ol:1,dl:1,iframe:1,area:1,base:1,col:1,hr:1,img:1,embed:1,input:1,link:1,meta:1,param:1}), //如果没有子节点就可以删除的元素列表,像span,a $removeEmpty : _({a:1,abbr:1,acronym:1,address:1,b:1,bdo:1,big:1,cite:1,code:1,del:1,dfn:1,em:1,font:1,i:1,ins:1,label:1,kbd:1,q:1,s:1,samp:1,small:1,span:1,strike:1,strong:1,sub:1,sup:1,tt:1,u:1,'var':1}), $removeEmptyBlock : _({'p':1,'div':1}), //在table元素里的元素列表 $tableContent : _({caption:1,col:1,colgroup:1,tbody:1,td:1,tfoot:1,th:1,thead:1,tr:1,table:1}), //不转换的标签 $notTransContent : _({pre:1,script:1,style:1,textarea:1}), html: U, head: T, style: N, script: N, body: P, base: {}, link: {}, meta: {}, title: N, col : {}, tr : _({td:1,th:1}), img : {}, embed: {}, colgroup : _({thead:1,col:1,tbody:1,tr:1,tfoot:1}), noscript : P, td : P, br : {}, th : P, center : P, kbd : L, button : X( I, E ), basefont : {}, h5 : L, h4 : L, samp : L, h6 : L, ol : Q, h1 : L, h3 : L, option : N, h2 : L, form : X( A, D, E, I ), select : _({optgroup:1,option:1}), font : L, ins : L, menu : Q, abbr : L, label : L, table : _({thead:1,col:1,tbody:1,tr:1,colgroup:1,caption:1,tfoot:1}), code : L, tfoot : M, cite : L, li : P, input : {}, iframe : P, strong : L, textarea : N, noframes : P, big : L, small : L, span :_({'#':1,br:1}), hr : L, dt : L, sub : L, optgroup : _({option:1}), param : {}, bdo : L, 'var' : L, div : P, object : O, sup : L, dd : P, strike : L, area : {}, dir : Q, map : X( _({area:1,form:1,p:1}), A, F, E ), applet : O, dl : _({dt:1,dd:1}), del : L, isindex : {}, fieldset : X( _({legend:1}), K ), thead : M, ul : Q, acronym : L, b : L, a : X( _({a:1}), J ), blockquote :X(_({td:1,tr:1,tbody:1,li:1}),P), caption : L, i : L, u : L, tbody : M, s : L, address : X( D, I ), tt : L, legend : L, q : L, pre : X( G, C ), p : X(_({'a':1}),L), em :L, dfn : L }); })(); ///import editor.js ///import core/utils.js ///import core/browser.js ///import core/dom/dom.js ///import core/dom/dtd.js /** * @class baidu.editor.dom.domUtils dom工具类 */ //for getNextDomNode getPreviousDomNode function getDomNode(node, start, ltr, startFromChild, fn, guard) { var tmpNode = startFromChild && node[start], parent; !tmpNode && (tmpNode = node[ltr]); while (!tmpNode && (parent = (parent || node).parentNode)) { if (parent.tagName == 'BODY' || guard && !guard(parent)) return null; tmpNode = parent[ltr]; } if (tmpNode && fn && !fn(tmpNode)) { return getDomNode(tmpNode, start, ltr, false, fn) } return tmpNode; } var attrFix = ie && browser.version < 9 ? { tabindex: "tabIndex", readonly: "readOnly", "for": "htmlFor", "class": "className", maxlength: "maxLength", cellspacing: "cellSpacing", cellpadding: "cellPadding", rowspan: "rowSpan", colspan: "colSpan", usemap: "useMap", frameborder: "frameBorder" } : { tabindex: "tabIndex", readonly: "readOnly" }, styleBlock = utils.listToMap([ '-webkit-box','-moz-box','block' , 'list-item' ,'table' ,'table-row-group' , 'table-header-group','table-footer-group' , 'table-row' ,'table-column-group' ,'table-column' , 'table-cell' ,'table-caption' ]); var domUtils = dom.domUtils = { //节点常量 NODE_ELEMENT : 1, NODE_DOCUMENT : 9, NODE_TEXT : 3, NODE_COMMENT : 8, NODE_DOCUMENT_FRAGMENT : 11, //位置关系 POSITION_IDENTICAL : 0, POSITION_DISCONNECTED : 1, POSITION_FOLLOWING : 2, POSITION_PRECEDING : 4, POSITION_IS_CONTAINED : 8, POSITION_CONTAINS : 16, //ie6使用其他的会有一段空白出现 fillChar : ie && browser.version == '6' ? '\ufeff' : '\u200B', //-------------------------Node部分-------------------------------- keys : { /*Backspace*/ 8:1, /*Delete*/ 46:1, /*Shift*/ 16:1, /*Ctrl*/ 17:1, /*Alt*/ 18:1, 37:1, 38:1, 39:1, 40:1, 13:1 /*enter*/ }, /** * 获取两个节点的位置关系 * @function * @param {Node} nodeA 节点A * @param {Node} nodeB 节点B * @returns {Number} 返回位置关系 */ getPosition : function (nodeA, nodeB) { // 如果两个节点是同一个节点 if (nodeA === nodeB) { // domUtils.POSITION_IDENTICAL return 0; } var node, parentsA = [nodeA], parentsB = [nodeB]; node = nodeA; while (node = node.parentNode) { // 如果nodeB是nodeA的祖先节点 if (node === nodeB) { // domUtils.POSITION_IS_CONTAINED + domUtils.POSITION_FOLLOWING return 10; } parentsA.push(node); } node = nodeB; while (node = node.parentNode) { // 如果nodeA是nodeB的祖先节点 if (node === nodeA) { // domUtils.POSITION_CONTAINS + domUtils.POSITION_PRECEDING return 20; } parentsB.push(node); } parentsA.reverse(); parentsB.reverse(); if (parentsA[0] !== parentsB[0]) // domUtils.POSITION_DISCONNECTED return 1; var i = -1; while (i++,parentsA[i] === parentsB[i]) ; nodeA = parentsA[i]; nodeB = parentsB[i]; while (nodeA = nodeA.nextSibling) { if (nodeA === nodeB) { // domUtils.POSITION_PRECEDING return 4 } } // domUtils.POSITION_FOLLOWING return 2; }, /** * 返回节点索引,zero-based * @function * @param {Node} node 节点 * @returns {Number} 节点的索引 */ getNodeIndex : function (node) { var child = node.parentNode.firstChild,i = 0; while(node!==child){ i++; child = child.nextSibling; } return i; }, /** * 判断节点是否在树上 * @param node */ inDoc: function (node, doc){ while (node = node.parentNode) { if (node === doc) { return true; } } return false; }, /** * 查找祖先节点 * @function * @param {Node} node 节点 * @param {Function} tester 以函数为规律 * @param {Boolean} includeSelf 包含自己 * @returns {Node} 返回祖先节点 */ findParent : function (node, tester, includeSelf) { if (!domUtils.isBody(node)) { node = includeSelf ? node : node.parentNode; while (node) { if (!tester || tester(node) || this.isBody(node)) { return tester && !tester(node) && this.isBody(node) ? null : node; } node = node.parentNode; } } return null; }, /** * 查找祖先节点 * @function * @param {Node} node 节点 * @param {String} tagName 标签名称 * @param {Boolean} includeSelf 包含自己 * @returns {Node} 返回祖先节点 */ findParentByTagName : function(node, tagName, includeSelf,excludeFn) { if (node && node.nodeType && !this.isBody(node) && (node.nodeType == 1 || node.nodeType)) { tagName = utils.listToMap(utils.isArray(tagName) ? tagName : [tagName]); node = node.nodeType == 3 || !includeSelf ? node.parentNode : node; while (node && node.tagName && node.nodeType != 9) { if(excludeFn && excludeFn(node)) break; if (tagName[node.tagName]) return node; node = node.parentNode; } } return null; }, /** * 查找祖先节点集合 * @param {Node} node 节点 * @param {Function} tester 函数 * @param {Boolean} includeSelf 是否从自身开始找 * @param {Boolean} closerFirst * @returns {Array} 祖先节点集合 */ findParents: function (node, includeSelf, tester, closerFirst) { var parents = includeSelf && ( tester && tester(node) || !tester ) ? [node] : []; while (node = domUtils.findParent(node, tester)) { parents.push(node); } return closerFirst ? parents : parents.reverse(); }, /** * 往后插入节点 * @function * @param {Node} node 基准节点 * @param {Node} nodeToInsert 要插入的节点 * @return {Node} 返回node */ insertAfter : function (node, nodeToInsert) { return node.parentNode.insertBefore(nodeToInsert, node.nextSibling); }, /** * 删除该节点 * @function * @param {Node} node 要删除的节点 * @param {Boolean} keepChildren 是否保留子节点不删除 * @return {Node} 返回要删除的节点 */ remove : function (node, keepChildren) { var parent = node.parentNode, child; if (parent) { if (keepChildren && node.hasChildNodes()) { while (child = node.firstChild) { parent.insertBefore(child, node); } } parent.removeChild(node); } return node; }, /** * 取得node节点在dom树上的下一个节点 * @function * @param {Node} node 节点 * @param {Boolean} startFromChild 为true从子节点开始找 * @param {Function} fn fn为真的节点 * @return {Node} 返回下一个节点 */ getNextDomNode : function(node, startFromChild, filter, guard) { return getDomNode(node, 'firstChild', 'nextSibling', startFromChild, filter, guard); }, /** * 是bookmark节点 * @param {Node} node 判断是否为书签节点 * @return {Boolean} 返回是否为书签节点 */ isBookmarkNode : function(node) { return node.nodeType == 1 && node.id && /^_baidu_bookmark_/i.test(node.id); }, /** * 获取节点所在window对象 * @param {Node} node 节点 * @return {window} 返回window对象 */ getWindow : function (node) { var doc = node.ownerDocument || node; return doc.defaultView || doc.parentWindow; }, /** * 得到公共的祖先节点 * @param {Node} nodeA 节点A * @param {Node} nodeB 节点B * @return {Node} nodeA和nodeB的公共节点 */ getCommonAncestor : function(nodeA, nodeB) { if (nodeA === nodeB) return nodeA; var parentsA = [nodeA] ,parentsB = [nodeB], parent = nodeA, i = -1; while (parent = parent.parentNode) { if (parent === nodeB) return parent; parentsA.push(parent) } parent = nodeB; while (parent = parent.parentNode) { if (parent === nodeA) return parent; parentsB.push(parent) } parentsA.reverse(); parentsB.reverse(); while (i++,parentsA[i] === parentsB[i]); return i == 0 ? null : parentsA[i - 1]; }, /** * 清除该节点左右空的inline节点 * @function * @param {Node} node * @param {Boolean} ingoreNext 默认为false清除右边为空的inline节点。true为不清除右边为空的inline节点 * @param {Boolean} ingorePre 默认为false清除左边为空的inline节点。true为不清除左边为空的inline节点 * @exmaple <b></b><i></i>xxxx<b>bb</b> --> xxxx<b>bb</b> */ clearEmptySibling : function(node, ingoreNext, ingorePre) { function clear(next, dir) { var tmpNode; while(next && !domUtils.isBookmarkNode(next) && (domUtils.isEmptyInlineElement(next) || domUtils.isWhitespace(next) )){ tmpNode = next[dir]; domUtils.remove(next); next = tmpNode; } } !ingoreNext && clear(node.nextSibling, 'nextSibling'); !ingorePre && clear(node.previousSibling, 'previousSibling'); }, //---------------------------Text---------------------------------- /** * 将一个文本节点拆分成两个文本节点 * @param {TextNode} node 文本节点 * @param {Integer} offset 拆分的位置 * @return {TextNode} 拆分后的后一个文本节 */ split: function (node, offset) { var doc = node.ownerDocument; if (browser.ie && offset == node.nodeValue.length) { var next = doc.createTextNode(''); return domUtils.insertAfter(node, next); } var retval = node.splitText(offset); //ie8下splitText不会跟新childNodes,我们手动触发他的更新 if (browser.ie8) { var tmpNode = doc.createTextNode(''); domUtils.insertAfter(retval, tmpNode); domUtils.remove(tmpNode); } return retval; }, /** * 判断是否为空白节点 * @param {TextNode} node 节点 * @return {Boolean} 返回是否为文本节点 */ isWhitespace : function(node) { return !new RegExp('[^ \t\n\r' + domUtils.fillChar + ']').test(node.nodeValue); }, //------------------------------Element------------------------------------------- /** * 获取元素相对于viewport的像素坐标 * @param {Element} element 元素 * @returns {Object} 返回坐标对象{x:left,y:top} */ getXY : function (element) { var x = 0,y = 0; while (element.offsetParent) { y += element.offsetTop; x += element.offsetLeft; element = element.offsetParent; } return { 'x': x, 'y': y }; }, /** * 绑原生DOM事件 * @param {Element|Window|Document} target 元素 * @param {Array|String} type 事件类型 * @param {Function} handler 执行函数 */ on : function (obj, type, handler) { var types = type instanceof Array ? type : [type], k = types.length; if (k) while (k --) { type = types[k]; if (obj.addEventListener) { obj.addEventListener(type, handler, false); } else { if(!handler._d) handler._d ={}; var key = type+handler.toString(); if(!handler._d[key]){ handler._d[key] = function(evt) { return handler.call(evt.srcElement, evt || window.event); }; obj.attachEvent('on' + type,handler._d[key]); } } } obj = null; }, /** * 解除原生DOM事件绑定 * @param {Element|Window|Document} obj 元素 * @param {Array|String} type 事件类型 * @param {Function} handler 执行函数 */ un : function (obj, type, handler) { var types = type instanceof Array ? type : [type], k = types.length; if (k) while (k --) { type = types[k]; if (obj.removeEventListener) { obj.removeEventListener(type, handler, false); } else { var key = type+handler.toString(); obj.detachEvent('on' + type, handler._d ? handler._d[key] : handler); if(handler._d && handler._d[key]){ delete handler._d[key]; } } } }, /** * 比较两个节点是否tagName相同且有相同的属性和属性值 * @param {Element} nodeA 节点A * @param {Element} nodeB 节点B * @return {Boolean} 返回两个节点的标签,属性和属性值是否相同 * @example * &lt;span style="font-size:12px"&gt;ssss&lt;/span&gt;和&lt;span style="font-size:12px"&gt;bbbbb&lt;/span&gt; 相等 * &lt;span style="font-size:13px"&gt;ssss&lt;/span&gt;和&lt;span style="font-size:12px"&gt;bbbbb&lt;/span&gt; 不相等 */ isSameElement : function(nodeA, nodeB) { if (nodeA.tagName != nodeB.tagName) return 0; var thisAttribs = nodeA.attributes, otherAttribs = nodeB.attributes; if (!ie && thisAttribs.length != otherAttribs.length) return 0; var attrA,attrB,al = 0,bl=0; for(var i= 0;attrA=thisAttribs[i++];){ if(attrA.nodeName == 'style' ){ if(attrA.specified)al++; if(domUtils.isSameStyle(nodeA,nodeB)){ continue }else{ return 0; } } if(ie){ if(attrA.specified){ al++; attrB = otherAttribs.getNamedItem(attrA.nodeName); }else{ continue; } }else{ attrB = nodeB.attributes[attrA.nodeName]; } if(!attrB.specified)return 0; if(attrA.nodeValue != attrB.nodeValue) return 0; } // 有可能attrB的属性包含了attrA的属性之外还有自己的属性 if(ie){ for(i=0;attrB = otherAttribs[i++];){ if(attrB.specified){ bl++; } } if(al!=bl) return 0; } return 1; }, /** * 判断两个元素的style属性是不是一致 * @param {Element} elementA 元素A * @param {Element} elementB 元素B * @return {boolean} 返回判断结果,true为一致 */ isSameStyle : function (elementA, elementB) { var styleA = elementA.style.cssText.replace(/( ?; ?)/g,';').replace(/( ?: ?)/g,':'), styleB = elementB.style.cssText.replace(/( ?; ?)/g,';').replace(/( ?: ?)/g,':'); if(!styleA || !styleB){ return styleA == styleB ? 1: 0; } styleA = styleA.split(';'); styleB = styleB.split(';'); if(styleA.length != styleB.length) return 0; for(var i = 0,ci;ci=styleA[i++];){ if(utils.indexOf(styleB,ci) == -1) return 0 } return 1; }, /** * 检查是否为块元素 * @function * @param {Element} node 元素 * @param {String} customNodeNames 自定义的块元素的tagName * @return {Boolean} 是否为块元素 */ isBlockElm : function (node) { return node.nodeType == 1 && (dtd.$block[node.tagName]||styleBlock[domUtils.getComputedStyle(node,'display')])&& !dtd.$nonChild[node.tagName]; }, /** * 判断是否body * @param {Node} 节点 * @return {Boolean} 是否是body节点 */ isBody : function(node) { return node && node.nodeType == 1 && node.tagName.toLowerCase() == 'body'; }, /** * 以node节点为中心,将该节点的父节点拆分成2块 * @param {Element} node 节点 * @param {Element} parent 要被拆分的父节点 * @example <div>xxxx<b>xxx</b>xxx</div> ==> <div>xxx</div><b>xx</b><div>xxx</div> */ breakParent : function(node, parent) { var tmpNode, parentClone = node, clone = node, leftNodes, rightNodes; do { parentClone = parentClone.parentNode; if (leftNodes) { tmpNode = parentClone.cloneNode(false); tmpNode.appendChild(leftNodes); leftNodes = tmpNode; tmpNode = parentClone.cloneNode(false); tmpNode.appendChild(rightNodes); rightNodes = tmpNode; } else { leftNodes = parentClone.cloneNode(false); rightNodes = leftNodes.cloneNode(false); } while (tmpNode = clone.previousSibling) { leftNodes.insertBefore(tmpNode, leftNodes.firstChild); } while (tmpNode = clone.nextSibling) { rightNodes.appendChild(tmpNode); } clone = parentClone; } while (parent !== parentClone); tmpNode = parent.parentNode; tmpNode.insertBefore(leftNodes, parent); tmpNode.insertBefore(rightNodes, parent); tmpNode.insertBefore(node, rightNodes); domUtils.remove(parent); return node; }, /** * 检查是否是空inline节点 * @param {Node} node 节点 * @return {Boolean} 返回1为是,0为否 * @example * &lt;b&gt;&lt;i&gt;&lt;/i&gt;&lt;/b&gt; //true * <b><i></i><u></u></b> true * &lt;b&gt;&lt;/b&gt; true &lt;b&gt;xx&lt;i&gt;&lt;/i&gt;&lt;/b&gt; //false */ isEmptyInlineElement : function(node) { if (node.nodeType != 1 || !dtd.$removeEmpty[ node.tagName ]) return 0; node = node.firstChild; while (node) { //如果是创建的bookmark就跳过 if (domUtils.isBookmarkNode(node)) return 0; if (node.nodeType == 1 && !domUtils.isEmptyInlineElement(node) || node.nodeType == 3 && !domUtils.isWhitespace(node) ) { return 0; } node = node.nextSibling; } return 1; }, /** * 删除空白子节点 * @param {Element} node 需要删除空白子节点的元素 */ trimWhiteTextNode : function(node) { function remove(dir) { var child; while ((child = node[dir]) && child.nodeType == 3 && domUtils.isWhitespace(child)) node.removeChild(child) } remove('firstChild'); remove('lastChild'); }, /** * 合并子节点 * @param {Node} node 节点 * @param {String} tagName 标签 * @param {String} attrs 属性 * @example &lt;span style="font-size:12px;"&gt;xx&lt;span style="font-size:12px;"&gt;aa&lt;/span&gt;xx&lt;/span 使用后 * &lt;span style="font-size:12px;"&gt;xxaaxx&lt;/span */ mergChild : function(node, tagName, attrs) { var list = domUtils.getElementsByTagName(node, node.tagName.toLowerCase()); for (var i = 0,ci; ci = list[i++];) { if (!ci.parentNode || domUtils.isBookmarkNode(ci)) continue; //span单独处理 if (ci.tagName.toLowerCase() == 'span') { if (node === ci.parentNode) { domUtils.trimWhiteTextNode(node); if (node.childNodes.length == 1) { node.style.cssText = ci.style.cssText + ";" + node.style.cssText; domUtils.remove(ci, true); continue; } } ci.style.cssText = node.style.cssText + ';' + ci.style.cssText; if (attrs) { var style = attrs.style; if (style) { style = style.split(';'); for (var j = 0,s; s = style[j++];) { ci.style[utils.cssStyleToDomStyle(s.split(':')[0])] = s.split(':')[1]; } } } if (domUtils.isSameStyle(ci, node)) { domUtils.remove(ci, true) } continue; } if (domUtils.isSameElement(node, ci)) { domUtils.remove(ci, true); } } if (tagName == 'span') { var as = domUtils.getElementsByTagName(node, 'a'); for (var i = 0,ai; ai = as[i++];) { ai.style.cssText = ';' + node.style.cssText; ai.style.textDecoration = 'underline'; } } }, /** * 封装原生的getElemensByTagName * @param {Node} node 根节点 * @param {String} name 标签的tagName * @return {Array} 返回符合条件的元素数组 */ getElementsByTagName : function(node, name) { var list = node.getElementsByTagName(name),arr = []; for (var i = 0,ci; ci = list[i++];) { arr.push(ci) } return arr; }, /** * 将子节点合并到父节点上 * @param {Element} node 节点 * @example &lt;span style="color:#ff"&gt;&lt;span style="font-size:12px"&gt;xxx&lt;/span&gt;&lt;/span&gt; ==&gt; &lt;span style="color:#ff;font-size:12px"&gt;xxx&lt;/span&gt; */ mergToParent : function(node) { var parent = node.parentNode; while (parent && dtd.$removeEmpty[parent.tagName]) { if (parent.tagName == node.tagName || parent.tagName == 'A') {//针对a标签单独处理 domUtils.trimWhiteTextNode(parent); //span需要特殊处理 不处理这样的情况 <span stlye="color:#fff">xxx<span style="color:#ccc">xxx</span>xxx</span> if (parent.tagName == 'SPAN' && !domUtils.isSameStyle(parent, node) || (parent.tagName == 'A' && node.tagName == 'SPAN')) { if (parent.childNodes.length > 1 || parent !== node.parentNode) { node.style.cssText = parent.style.cssText + ";" + node.style.cssText; parent = parent.parentNode; continue; } else { parent.style.cssText += ";" + node.style.cssText; //trace:952 a标签要保持下划线 if (parent.tagName == 'A') { parent.style.textDecoration = 'underline'; } } } if(parent.tagName != 'A' ){ parent === node.parentNode && domUtils.remove(node, true); break; } } parent = parent.parentNode; } }, /** * 合并左右兄弟节点 * @function * @param {Node} node * @param {Boolean} ingoreNext 默认为false合并上一个兄弟节点。true为不合并上一个兄弟节点 * @param {Boolean} ingorePre 默认为false合并下一个兄弟节点。true为不合并下一个兄弟节点 * @example &lt;b&gt;xxxx&lt;/b&gt;&lt;b&gt;xxx&lt;/b&gt;&lt;b&gt;xxxx&lt;/b&gt; ==> &lt;b&gt;xxxxxxxxxxx&lt;/b&gt; */ mergSibling : function(node, ingorePre, ingoreNext) { function merg(rtl, start, node) { var next; if ((next = node[rtl]) && !domUtils.isBookmarkNode(next) && next.nodeType == 1 && domUtils.isSameElement(node, next)) { while (next.firstChild) { if (start == 'firstChild') { node.insertBefore(next.lastChild, node.firstChild); } else { node.appendChild(next.firstChild) } } domUtils.remove(next); } } !ingorePre && merg('previousSibling', 'firstChild', node); !ingoreNext && merg('nextSibling', 'lastChild', node); }, /** * 使得元素及其子节点不能被选择 * @function * @param {Node} node 节点 */ unselectable : gecko ? function(node) { node.style.MozUserSelect = 'none'; } : webkit ? function(node) { node.style.KhtmlUserSelect = 'none'; } : function(node) { //for ie9 node.onselectstart = function () { return false; }; node.onclick = node.onkeyup = node.onkeydown = function(){return false}; node.unselectable = 'on'; node.setAttribute("unselectable","on"); for (var i = 0,ci; ci = node.all[i++];) { switch (ci.tagName.toLowerCase()) { case 'iframe' : case 'textarea' : case 'input' : case 'select' : break; default : ci.unselectable = 'on'; node.setAttribute("unselectable","on"); } } }, /** * 删除元素上的属性,可以删除多个 * @function * @param {Element} element 元素 * @param {Array} attrNames 要删除的属性数组 */ removeAttributes : function (elm, attrNames) { for(var i = 0,ci;ci=attrNames[i++];){ ci = attrFix[ci] || ci; switch (ci){ case 'className': elm[ci] = ''; break; case 'style': elm.style.cssText = ''; !browser.ie && elm.removeAttributeNode(elm.getAttributeNode('style')) } elm.removeAttribute(ci); } }, /** * 给节点添加属性 * @function * @param {Node} node 节点 * @param {Object} attrNames 要添加的属性名称,采用json对象存放 */ setAttributes : function(node, attrs) { for (var name in attrs) { var value = attrs[name]; switch (name) { case 'class': //ie下要这样赋值,setAttribute不起作用 node.className = value; break; case 'style' : node.style.cssText = node.style.cssText + ";" + value; break; case 'innerHTML': node[name] = value; break; case 'value': node.value = value; break; default: node.setAttribute(attrFix[name]||name, value); } } return node; }, /** * 获取元素的样式 * @function * @param {Element} element 元素 * @param {String} styleName 样式名称 * @return {String} 样式值 */ getComputedStyle : function (element, styleName) { function fixUnit(key, val) { if (key == 'font-size' && /pt$/.test(val)) { val = Math.round(parseFloat(val) / 0.75) + 'px'; } return val; } if(element.nodeType == 3){ element = element.parentNode; } //ie下font-size若body下定义了font-size,则从currentStyle里会取到这个font-size. 取不到实际值,故此修改. if (browser.ie && browser.version < 9 && styleName == 'font-size' && !element.style.fontSize && !dtd.$empty[element.tagName] && !dtd.$nonChild[element.tagName]) { var span = element.ownerDocument.createElement('span'); span.style.cssText = 'padding:0;border:0;font-family:simsun;'; span.innerHTML = '.'; element.appendChild(span); var result = span.offsetHeight; element.removeChild(span); span = null; return result + 'px'; } try { var value = domUtils.getStyle(element, styleName) || (window.getComputedStyle ? domUtils.getWindow(element).getComputedStyle(element, '').getPropertyValue(styleName) : ( element.currentStyle || element.style )[utils.cssStyleToDomStyle(styleName)]); } catch(e) { return null; } return fixUnit(styleName, utils.fixColor(styleName, value)); }, /** * 删除cssClass,可以支持删除多个class,需以空格分隔 * @param {Element} element 元素 * @param {Array} classNames 删除的className */ removeClasses : function (element, classNames) { element.className = (' ' + element.className + ' ').replace( new RegExp('(?:\\s+(?:' + classNames.join('|') + '))+\\s+', 'g'), ' '); }, /** * 删除元素的样式 * @param {Element} element元素 * @param {String} name 删除的样式名称 */ removeStyle : function(node, name) { node.style[utils.cssStyleToDomStyle(name)] = ''; if(!node.style.cssText) domUtils.removeAttributes(node,['style']) }, /** * 判断元素属性中是否包含某一个classname * @param {Element} element 元素 * @param {String} className 样式名 * @returns {Boolean} 是否包含该classname */ hasClass : function (element, className) { return ( ' ' + element.className + ' ' ).indexOf(' ' + className + ' ') > -1; }, /** * 阻止事件默认行为 * @param {Event} evt 需要组织的事件对象 */ preventDefault : function (evt) { evt.preventDefault ? evt.preventDefault() : (evt.returnValue = false); }, /** * 获得元素样式 * @param {Element} element 元素 * @param {String} name 样式名称 * @return {String} 返回元素样式值 */ getStyle : function(element, name) { var value = element.style[ utils.cssStyleToDomStyle(name) ]; return utils.fixColor(name, value); }, setStyle: function (element, name, value) { element.style[utils.cssStyleToDomStyle(name)] = value; }, setStyles: function (element, styles) { for (var name in styles) { if (styles.hasOwnProperty(name)) { domUtils.setStyle(element, name, styles[name]); } } }, /** * 删除_moz_dirty属性 * @function * @param {Node} node 节点 */ removeDirtyAttr : function(node) { for (var i = 0,ci,nodes = node.getElementsByTagName('*'); ci = nodes[i++];) { ci.removeAttribute('_moz_dirty') } node.removeAttribute('_moz_dirty') }, /** * 返回子节点的数量 * @function * @param {Node} node 父节点 * @param {Function} fn 过滤子节点的规则,若为空,则得到所有子节点的数量 * @return {Number} 符合条件子节点的数量 */ getChildCount : function (node, fn) { var count = 0,first = node.firstChild; fn = fn || function() { return 1 }; while (first) { if (fn(first)) count++; first = first.nextSibling; } return count; }, /** * 判断是否为空节点 * @function * @param {Node} node 节点 * @return {Boolean} 是否为空节点 */ isEmptyNode : function(node) { return !node.firstChild || domUtils.getChildCount(node, function(node) { return !domUtils.isBr(node) && !domUtils.isBookmarkNode(node) && !domUtils.isWhitespace(node) }) == 0 }, /** * 清空节点所有的className * @function * @param {Array} nodes 节点数组 */ clearSelectedArr : function(nodes) { var node; while(node = nodes.pop()){ domUtils.removeAttributes(node,['class']); } }, /** * 将显示区域滚动到显示节点的位置 * @function * @param {Node} node 节点 * @param {window} win window对象 * @param {Number} offsetTop 距离上方的偏移量 */ scrollToView : function(node, win, offsetTop) { var getViewPaneSize = function() { var doc = win.document, mode = doc.compatMode == 'CSS1Compat'; return { width : ( mode ? doc.documentElement.clientWidth : doc.body.clientWidth ) || 0, height : ( mode ? doc.documentElement.clientHeight : doc.body.clientHeight ) || 0 }; }, getScrollPosition = function(win) { if ('pageXOffset' in win) { return { x : win.pageXOffset || 0, y : win.pageYOffset || 0 }; } else { var doc = win.document; return { x : doc.documentElement.scrollLeft || doc.body.scrollLeft || 0, y : doc.documentElement.scrollTop || doc.body.scrollTop || 0 }; } }; var winHeight = getViewPaneSize().height,offset = winHeight * -1 + offsetTop; offset += (node.offsetHeight || 0); var elementPosition = domUtils.getXY(node); offset += elementPosition.y; var currentScroll = getScrollPosition(win).y; // offset += 50; if (offset > currentScroll || offset < currentScroll - winHeight) win.scrollTo(0, offset + (offset < 0 ? -20 : 20)); }, /** * 判断节点是否为br * @function * @param {Node} node 节点 */ isBr : function(node) { return node.nodeType == 1 && node.tagName == 'BR'; }, isFillChar : function(node){ return node.nodeType == 3 && !node.nodeValue.replace(new RegExp( domUtils.fillChar ),'').length }, isStartInblock : function(range){ var tmpRange = range.cloneRange(), flag = 0, start = tmpRange.startContainer, tmp; while(start && domUtils.isFillChar(start)){ tmp = start; start = start.previousSibling } if(tmp){ tmpRange.setStartBefore(tmp); start = tmpRange.startContainer; } if(start.nodeType == 1 && domUtils.isEmptyNode(start) && tmpRange.startOffset == 1){ tmpRange.setStart(start,0).collapse(true); } while(!tmpRange.startOffset){ start = tmpRange.startContainer; if(domUtils.isBlockElm(start)||domUtils.isBody(start)){ flag = 1; break; } var pre = tmpRange.startContainer.previousSibling, tmpNode; if(!pre){ tmpRange.setStartBefore(tmpRange.startContainer); }else{ while(pre && domUtils.isFillChar(pre)){ tmpNode = pre; pre = pre.previousSibling; } if(tmpNode){ tmpRange.setStartBefore(tmpNode); }else tmpRange.setStartBefore(tmpRange.startContainer); } } return flag && !domUtils.isBody(tmpRange.startContainer) ? 1 : 0; }, isEmptyBlock : function(node){ var reg = new RegExp( '[ \t\r\n' + domUtils.fillChar+']', 'g' ); if(node[browser.ie?'innerText':'textContent'].replace(reg,'').length >0) return 0; for(var n in dtd.$isNotEmpty){ if(node.getElementsByTagName(n).length) return 0; } return 1; }, setViewportOffset: function (element, offset){ var left = parseInt(element.style.left) | 0; var top = parseInt(element.style.top) | 0; var rect = element.getBoundingClientRect(); var offsetLeft = offset.left - rect.left; var offsetTop = offset.top - rect.top; if (offsetLeft) { element.style.left = left + offsetLeft + 'px'; } if (offsetTop) { element.style.top = top + offsetTop + 'px'; } }, fillNode : function(doc,node){ var tmpNode = browser.ie ? doc.createTextNode(domUtils.fillChar) : doc.createElement('br'); node.innerHTML = ''; node.appendChild(tmpNode); }, moveChild : function(src,tag,dir){ while(src.firstChild){ if(dir && tag.firstChild){ tag.insertBefore(src.lastChild,tag.firstChild); }else{ tag.appendChild(src.firstChild) } } }, //判断是否有额外属性 hasNoAttributes : function(node){ return browser.ie ? /^<\w+\s*?>/.test(node.outerHTML) :node.attributes.length == 0; } }; var fillCharReg = new RegExp( domUtils.fillChar, 'g' ); ///import editor.js ///import core/utils.js ///import core/browser.js ///import core/dom/dom.js ///import core/dom/dtd.js ///import core/dom/domUtils.js /** * @class baidu.editor.dom.Range Range类 */ /** * @description Range类实现 * @author zhanyi */ (function() { var guid = 0, fillChar = domUtils.fillChar, fillData; /** * 更新range的collapse状态 * @param {Range} range range对象 */ function updateCollapse( range ) { range.collapsed = range.startContainer && range.endContainer && range.startContainer === range.endContainer && range.startOffset == range.endOffset; } function setEndPoint( toStart, node, offset, range ) { //如果node是自闭合标签要处理 if ( node.nodeType == 1 && (dtd.$empty[node.tagName] || dtd.$nonChild[node.tagName])) { offset = domUtils.getNodeIndex( node ) + (toStart ? 0 : 1); node = node.parentNode; } if ( toStart ) { range.startContainer = node; range.startOffset = offset; if ( !range.endContainer ) { range.collapse( true ); } } else { range.endContainer = node; range.endOffset = offset; if ( !range.startContainer ) { range.collapse( false ); } } updateCollapse( range ); return range; } function execContentsAction ( range, action ) { //调整边界 //range.includeBookmark(); var start = range.startContainer, end = range.endContainer, startOffset = range.startOffset, endOffset = range.endOffset, doc = range.document, frag = doc.createDocumentFragment(), tmpStart,tmpEnd; if ( start.nodeType == 1 ) { start = start.childNodes[startOffset] || (tmpStart = start.appendChild( doc.createTextNode( '' ) )); } if ( end.nodeType == 1 ) { end = end.childNodes[endOffset] || (tmpEnd = end.appendChild( doc.createTextNode( '' ) )); } if ( start === end && start.nodeType == 3 ) { frag.appendChild( doc.createTextNode( start.substringData( startOffset, endOffset - startOffset ) ) ); //is not clone if ( action ) { start.deleteData( startOffset, endOffset - startOffset ); range.collapse( true ); } return frag; } var current,currentLevel,clone = frag, startParents = domUtils.findParents( start, true ),endParents = domUtils.findParents( end, true ); for ( var i = 0; startParents[i] == endParents[i]; i++ ); for ( var j = i,si; si = startParents[j]; j++ ) { current = si.nextSibling; if ( si == start ) { if ( !tmpStart ) { if ( range.startContainer.nodeType == 3 ) { clone.appendChild( doc.createTextNode( start.nodeValue.slice( startOffset ) ) ); //is not clone if ( action ) { start.deleteData( startOffset, start.nodeValue.length - startOffset ); } } else { clone.appendChild( !action ? start.cloneNode( true ) : start ); } } } else { currentLevel = si.cloneNode( false ); clone.appendChild( currentLevel ); } while ( current ) { if ( current === end || current === endParents[j] )break; si = current.nextSibling; clone.appendChild( !action ? current.cloneNode( true ) : current ); current = si; } clone = currentLevel; } clone = frag; if ( !startParents[i] ) { clone.appendChild( startParents[i - 1].cloneNode( false ) ); clone = clone.firstChild; } for ( var j = i,ei; ei = endParents[j]; j++ ) { current = ei.previousSibling; if ( ei == end ) { if ( !tmpEnd && range.endContainer.nodeType == 3 ) { clone.appendChild( doc.createTextNode( end.substringData( 0, endOffset ) ) ); //is not clone if ( action ) { end.deleteData( 0, endOffset ); } } } else { currentLevel = ei.cloneNode( false ); clone.appendChild( currentLevel ); } //如果两端同级,右边第一次已经被开始做了 if ( j != i || !startParents[i] ) { while ( current ) { if ( current === start )break; ei = current.previousSibling; clone.insertBefore( !action ? current.cloneNode( true ) : current, clone.firstChild ); current = ei; } } clone = currentLevel; } if ( action ) { range.setStartBefore( !endParents[i] ? endParents[i - 1] : !startParents[i] ? startParents[i - 1] : endParents[i] ).collapse( true ) } tmpStart && domUtils.remove( tmpStart ); tmpEnd && domUtils.remove( tmpEnd ); return frag; } /** * Range类 * @param {Document} document 编辑器页面document对象 */ var Range = dom.Range = function( document ) { var me = this; me.startContainer = me.startOffset = me.endContainer = me.endOffset = null; me.document = document; me.collapsed = true; }; function removeFillData(doc,excludeNode){ try{ if ( fillData && domUtils.inDoc(fillData,doc) ) { if(!fillData.nodeValue.replace( fillCharReg, '' ).length){ var tmpNode = fillData.parentNode; domUtils.remove(fillData); while(tmpNode && domUtils.isEmptyInlineElement(tmpNode) && !tmpNode.contains(excludeNode)){ fillData = tmpNode.parentNode; domUtils.remove(tmpNode); tmpNode = fillData } }else fillData.nodeValue = fillData.nodeValue.replace( fillCharReg, '' ) } }catch(e){} } function mergSibling(node,dir){ var tmpNode; node = node[dir]; while(node && domUtils.isFillChar(node)){ tmpNode = node[dir]; domUtils.remove(node); node = tmpNode; } } Range.prototype = { /** * 克隆选中的内容到一个fragment里 * @public * @function * @name baidu.editor.dom.Range.cloneContents * @return {Fragment} frag|null 返回选中内容的文本片段或者空 */ cloneContents : function() { return this.collapsed ? null : execContentsAction( this, 0 ); }, /** * 删除所选内容 * @public * @function * @name baidu.editor.dom.Range.deleteContents * @return {Range} 删除选中内容后的Range */ deleteContents : function() { if ( !this.collapsed ) execContentsAction( this, 1 ); if(browser.webkit){ var txt = this.startContainer; if(txt.nodeType == 3 && !txt.nodeValue.length){ this.setStartBefore(txt).collapse(true); domUtils.remove(txt) } } return this; }, /** * 取出内容 * @public * @function * @name baidu.editor.dom.Range.extractContents * @return {String} 获得Range选中的内容 */ extractContents : function() { return this.collapsed ? null : execContentsAction( this, 2 ); }, /** * 设置range的开始位置 * @public * @function * @name baidu.editor.dom.Range.setStart * @param {Node} node range开始节点 * @param {Number} offset 偏移量 * @return {Range} 返回Range */ setStart : function( node, offset ) { return setEndPoint( true, node, offset, this ); }, /** * 设置range结束点的位置 * @public * @function * @name baidu.editor.dom.Range.setEnd * @param {Node} node range结束节点 * @param {Number} offset 偏移量 * @return {Range} 返回Range */ setEnd : function( node, offset ) { return setEndPoint( false, node, offset, this ); }, /** * 将开始位置设置到node后 * @public * @function * @name baidu.editor.dom.Range.setStartAfter * @param {Node} node 节点 * @return {Range} 返回Range */ setStartAfter : function( node ) { return this.setStart( node.parentNode, domUtils.getNodeIndex( node ) + 1 ); }, /** * 将开始位置设置到node前 * @public * @function * @name baidu.editor.dom.Range.setStartBefore * @param {Node} node 节点 * @return {Range} 返回Range */ setStartBefore : function( node ) { return this.setStart( node.parentNode, domUtils.getNodeIndex( node ) ); }, /** * 将结束点位置设置到node后 * @public * @function * @name baidu.editor.dom.Range.setEndAfter * @param {Node} node 节点 * @return {Range} 返回Range */ setEndAfter : function( node ) { return this.setEnd( node.parentNode, domUtils.getNodeIndex( node ) + 1 ); }, /** * 将结束点位置设置到node前 * @public * @function * @name baidu.editor.dom.Range.setEndBefore * @param {Node} node 节点 * @return {Range} 返回Range */ setEndBefore : function( node ) { return this.setEnd( node.parentNode, domUtils.getNodeIndex( node ) ); }, /** * 选中指定节点 * @public * @function * @name baidu.editor.dom.Range.selectNode * @param {Node} node 节点 * @return {Range} 返回Range */ selectNode : function( node ) { return this.setStartBefore( node ).setEndAfter( node ); }, /** * 选中node下的所有节点 * @public * @function * @name baidu.editor.dom.Range.selectNodeContents * @param {Element} node 要设置的节点 * @return {Range} 返回Range */ selectNodeContents : function( node ) { return this.setStart( node, 0 ).setEnd( node, node.nodeType == 3 ? node.nodeValue.length : node.childNodes.length ); }, /** * 克隆range * @public * @function * @name baidu.editor.dom.Range.cloneRange * @return {Range} 克隆的range对象 */ cloneRange : function() { var me = this,range = new Range( me.document ); return range.setStart( me.startContainer, me.startOffset ).setEnd( me.endContainer, me.endOffset ); }, /** * 让选区闭合 * @public * @function * @name baidu.editor.dom.Range.collapse * @param {Boolean} toStart 是否在选区开始位置闭合选区,true在开始位置闭合,false反之 * @return {Range} range对象 */ collapse : function( toStart ) { var me = this; if ( toStart ) { me.endContainer = me.startContainer; me.endOffset = me.startOffset; } else { me.startContainer = me.endContainer; me.startOffset = me.endOffset; } me.collapsed = true; return me; }, /** * 调整range的边界,“缩”到合适的位置 * @public * @function * @name baidu.editor.dom.Range.shrinkBoundary * @param {Boolean} ignoreEnd 是否考虑前面的元素 */ shrinkBoundary : function( ignoreEnd ) { var me = this,child, collapsed = me.collapsed; while ( me.startContainer.nodeType == 1 //是element && (child = me.startContainer.childNodes[me.startOffset]) //子节点也是element && child.nodeType == 1 && !domUtils.isBookmarkNode(child) && !dtd.$empty[child.tagName] && !dtd.$nonChild[child.tagName] ) { me.setStart( child, 0 ); } if ( collapsed ) return me.collapse( true ); if ( !ignoreEnd ) { while ( me.endContainer.nodeType == 1//是element && me.endOffset > 0 //如果是空元素就退出 endOffset=0那么endOffst-1为负值,childNodes[endOffset]报错 && (child = me.endContainer.childNodes[me.endOffset - 1]) //子节点也是element && child.nodeType == 1 && !domUtils.isBookmarkNode(child) && !dtd.$empty[child.tagName] && !dtd.$nonChild[child.tagName]) { me.setEnd( child, child.childNodes.length ); } } return me; }, /** * 找到startContainer和endContainer的公共祖先节点 * @public * @function * @name baidu.editor.dom.Range.getCommonAncestor * @param {Boolean} includeSelf 是否包含自身 * @param {Boolean} ignoreTextNode 是否忽略文本节点 * @return {Node} 祖先节点 */ getCommonAncestor : function( includeSelf, ignoreTextNode ) { var start = this.startContainer, end = this.endContainer; if ( start === end ) { if ( includeSelf && start.nodeType == 1 && this.startOffset == this.endOffset - 1 ) { return start.childNodes[this.startOffset]; } //只有在上来就相等的情况下才会出现是文本的情况 return ignoreTextNode && start.nodeType == 3 ? start.parentNode : start; } return domUtils.getCommonAncestor( start, end ); }, /** * 切割文本节点,将边界扩大到element * @public * @function * @name baidu.editor.dom.Range.trimBoundary * @param {Boolean} ignoreEnd 为真就不处理结束边界 * @return {Range} range对象 * @example <b>|xxx</b> * startContainer = xxx; startOffset = 0 * 执行后 * startContainer = <b>; startOffset = 0 * @example <b>xx|x</b> * startContainer = xxx; startOffset = 2 * 执行后 * startContainer = <b>; startOffset = 1 因为将xxx切割成2个节点了 */ trimBoundary : function( ignoreEnd ) { this.txtToElmBoundary(); var start = this.startContainer, offset = this.startOffset, collapsed = this.collapsed, end = this.endContainer; if ( start.nodeType == 3 ) { if ( offset == 0 ) { this.setStartBefore( start ) } else { if ( offset >= start.nodeValue.length ) { this.setStartAfter( start ); } else { var textNode = domUtils.split( start, offset ); //跟新结束边界 if ( start === end ) this.setEnd( textNode, this.endOffset - offset ); else if ( start.parentNode === end ) this.endOffset += 1; this.setStartBefore( textNode ); } } if ( collapsed ) { return this.collapse( true ); } } if ( !ignoreEnd ) { offset = this.endOffset; end = this.endContainer; if ( end.nodeType == 3 ) { if ( offset == 0 ) { this.setEndBefore( end ); } else { if ( offset >= end.nodeValue.length ) { this.setEndAfter( end ); } else { domUtils.split( end, offset ); this.setEndAfter( end ); } } } } return this; }, /** * 如果选区在文本的边界上,就扩展选区到文本的父节点上 * @public * @function * @name baidu.editor.dom.Range.txtToElmBoundary * @return {Range} range对象 * @example <b> |xxx</b> * startContainer = xxx; startOffset = 0 * 执行后 * startContainer = <b>; startOffset = 0 * @example <b> xxx| </b> * startContainer = xxx; startOffset = 3 * 执行后 * startContainer = <b>; startOffset = 1 */ txtToElmBoundary : function() { function adjust( r, c ) { var container = r[c + 'Container'], offset = r[c + 'Offset']; if ( container.nodeType == 3 ) { if ( !offset ) { r['set' + c.replace( /(\w)/, function( a ) { return a.toUpperCase() } ) + 'Before']( container ) } else if ( offset >= container.nodeValue.length ) { r['set' + c.replace( /(\w)/, function( a ) { return a.toUpperCase() } ) + 'After' ]( container ) } } } if ( !this.collapsed ) { adjust( this, 'start' ); adjust( this, 'end' ); } return this; }, /** * 在当前选区的开始位置前插入一个节点或者fragment * @public * @function * @name baidu.editor.dom.Range.insertNode * @param {Node/DocumentFragment} node 要插入的节点或fragment * @return {Range} 返回range对象 */ insertNode : function( node ) { var first = node,length = 1; if ( node.nodeType == 11 ) { first = node.firstChild; length = node.childNodes.length; } this.trimBoundary( true ); var start = this.startContainer, offset = this.startOffset; var nextNode = start.childNodes[ offset ]; if ( nextNode ) { start.insertBefore( node, nextNode ); } else { start.appendChild( node ); } if ( first.parentNode === this.endContainer ) { this.endOffset = this.endOffset + length; } return this.setStartBefore( first ); }, /** * 设置光标位置 * @public * @function * @name baidu.editor.dom.Range.setCursor * @param {Boolean} toEnd true为闭合到选区的结束位置后,false为闭合到选区的开始位置前 * @return {Range} 返回range对象 */ setCursor : function( toEnd ,notFillData) { return this.collapse( toEnd ? false : true ).select(notFillData); }, /** * 创建书签 * @public * @function * @name baidu.editor.dom.Range.createBookmark * @param {Boolean} serialize true:为true则返回对象中用id来分别表示书签的开始和结束节点 * @param {Boolean} same true:是否采用唯一的id,false将会为每一个标签产生一个唯一的id * @returns {Object} bookmark对象 */ createBookmark : function( serialize, same ) { var endNode, startNode = this.document.createElement( 'span' ); startNode.style.cssText = 'display:none;line-height:0px;'; startNode.appendChild( this.document.createTextNode( '\uFEFF' ) ); startNode.id = '_baidu_bookmark_start_' + (same ? '' : guid++); if ( !this.collapsed ) { endNode = startNode.cloneNode( true ); endNode.id = '_baidu_bookmark_end_' + (same ? '' : guid++); } this.insertNode( startNode ); if ( endNode ) { this.collapse( false ).insertNode( endNode ); this.setEndBefore( endNode ) } this.setStartAfter( startNode ); return { start : serialize ? startNode.id : startNode, end : endNode ? serialize ? endNode.id : endNode : null, id : serialize } }, /** * 移动边界到书签,并删除书签 * @public * @function * @name baidu.editor.dom.Range.moveToBookmark * @params {Object} bookmark对象 * @returns {Range} Range对象 */ moveToBookmark : function( bookmark ) { var start = bookmark.id ? this.document.getElementById( bookmark.start ) : bookmark.start, end = bookmark.end && bookmark.id ? this.document.getElementById( bookmark.end ) : bookmark.end; this.setStartBefore( start ); domUtils.remove( start ); if ( end ) { this.setEndBefore( end ); domUtils.remove( end ) } else { this.collapse( true ); } return this; }, /** * 调整边界到一个block元素上,或者移动到最大的位置 * @public * @function * @name baidu.editor.dom.Range.enlarge * @params {Boolean} toBlock 扩展到block元素 * @params {Function} stopFn 停止函数,若返回true,则不再扩展 * @return {Range} Range对象 */ enlarge : function( toBlock, stopFn ) { var isBody = domUtils.isBody, pre,node,tmp = this.document.createTextNode( '' ); if ( toBlock ) { node = this.startContainer; if ( node.nodeType == 1 ) { if ( node.childNodes[this.startOffset] ) { pre = node = node.childNodes[this.startOffset] } else { node.appendChild( tmp ); pre = node = tmp; } } else { pre = node; } while ( 1 ) { if ( domUtils.isBlockElm( node ) ) { node = pre; while ( (pre = node.previousSibling) && !domUtils.isBlockElm( pre ) ) { node = pre; } this.setStartBefore( node ); break; } pre = node; node = node.parentNode; } node = this.endContainer; if ( node.nodeType == 1 ) { if(pre = node.childNodes[this.endOffset]) { node.insertBefore( tmp, pre ); }else{ node.appendChild(tmp) } pre = node = tmp; } else { pre = node; } while ( 1 ) { if ( domUtils.isBlockElm( node ) ) { node = pre; while ( (pre = node.nextSibling) && !domUtils.isBlockElm( pre ) ) { node = pre; } this.setEndAfter( node ); break; } pre = node; node = node.parentNode; } if ( tmp.parentNode === this.endContainer ) { this.endOffset--; } domUtils.remove( tmp ) } // 扩展边界到最大 if ( !this.collapsed ) { while ( this.startOffset == 0 ) { if ( stopFn && stopFn( this.startContainer ) ) break; if ( isBody( this.startContainer ) )break; this.setStartBefore( this.startContainer ); } while ( this.endOffset == (this.endContainer.nodeType == 1 ? this.endContainer.childNodes.length : this.endContainer.nodeValue.length) ) { if ( stopFn && stopFn( this.endContainer ) ) break; if ( isBody( this.endContainer ) )break; this.setEndAfter( this.endContainer ) } } return this; }, /** * 调整边界 * @public * @function * @name baidu.editor.dom.Range.adjustmentBoundary * @return {Range} Range对象 * @example * <b>xx[</b>xxxxx] ==> <b>xx</b>[xxxxx] * <b>[xx</b><i>]xxx</i> ==> <b>[xx</b>]<i>xxx</i> * */ adjustmentBoundary : function() { if(!this.collapsed){ while ( !domUtils.isBody( this.startContainer ) && this.startOffset == this.startContainer[this.startContainer.nodeType == 3 ? 'nodeValue' : 'childNodes'].length ) { this.setStartAfter( this.startContainer ); } while ( !domUtils.isBody( this.endContainer ) && !this.endOffset ) { this.setEndBefore( this.endContainer ); } } return this; }, /** * 给选区中的内容加上inline样式 * @public * @function * @name baidu.editor.dom.Range.applyInlineStyle * @param {String} tagName 标签名称 * @param {Object} attrObj 属性 * @return {Range} Range对象 */ applyInlineStyle : function( tagName, attrs ,list) { if(this.collapsed)return this; this.trimBoundary().enlarge( false, function( node ) { return node.nodeType == 1 && domUtils.isBlockElm( node ) } ).adjustmentBoundary(); var bookmark = this.createBookmark(), end = bookmark.end, filterFn = function( node ) { return node.nodeType == 1 ? node.tagName.toLowerCase() != 'br' : !domUtils.isWhitespace( node ) }, current = domUtils.getNextDomNode( bookmark.start, false, filterFn ), node, pre, range = this.cloneRange(); while ( current && (domUtils.getPosition( current, end ) & domUtils.POSITION_PRECEDING) ) { if ( current.nodeType == 3 || dtd[tagName][current.tagName] ) { range.setStartBefore( current ); node = current; while ( node && (node.nodeType == 3 || dtd[tagName][node.tagName]) && node !== end ) { pre = node; node = domUtils.getNextDomNode( node, node.nodeType == 1, null, function( parent ) { return dtd[tagName][parent.tagName] } ) } var frag = range.setEndAfter( pre ).extractContents(),elm; if(list && list.length > 0){ var level,top; top = level = list[0].cloneNode(false); for(var i=1,ci;ci=list[i++];){ level.appendChild(ci.cloneNode(false)); level = level.firstChild; } elm = level; }else{ elm = range.document.createElement( tagName ) } if ( attrs ) { domUtils.setAttributes( elm, attrs ) } elm.appendChild( frag ); range.insertNode( list ? top : elm ); //处理下滑线在a上的情况 var aNode; if(tagName == 'span' && attrs.style && /text\-decoration/.test(attrs.style) && (aNode = domUtils.findParentByTagName(elm,'a',true)) ){ domUtils.setAttributes(aNode,attrs); domUtils.remove(elm,true); elm = aNode; }else{ domUtils.mergSibling( elm ); domUtils.clearEmptySibling( elm ); } //去除子节点相同的 domUtils.mergChild( elm, tagName,attrs ); current = domUtils.getNextDomNode( elm, false, filterFn ); domUtils.mergToParent( elm ); if ( node === end )break; } else { current = domUtils.getNextDomNode( current, true, filterFn ) } } return this.moveToBookmark( bookmark ); }, /** * 去掉inline样式 * @public * @function * @name baidu.editor.dom.Range.removeInlineStyle * @param {String/Array} tagName 要去掉的标签名 * @return {Range} Range对象 */ removeInlineStyle : function( tagName ) { if(this.collapsed)return this; tagName = utils.isArray( tagName ) ? tagName : [tagName]; this.shrinkBoundary().adjustmentBoundary(); var start = this.startContainer,end = this.endContainer; while ( 1 ) { if ( start.nodeType == 1 ) { if ( utils.indexOf( tagName, start.tagName.toLowerCase() ) > -1 ) { break; } if ( start.tagName.toLowerCase() == 'body' ) { start = null; break; } } start = start.parentNode; } while ( 1 ) { if ( end.nodeType == 1 ) { if ( utils.indexOf( tagName, end.tagName.toLowerCase() ) > -1 ) { break; } if ( end.tagName.toLowerCase() == 'body' ) { end = null; break; } } end = end.parentNode; } var bookmark = this.createBookmark(), frag, tmpRange; if ( start ) { tmpRange = this.cloneRange().setEndBefore( bookmark.start ).setStartBefore( start ); frag = tmpRange.extractContents(); tmpRange.insertNode( frag ); domUtils.clearEmptySibling( start, true ); start.parentNode.insertBefore( bookmark.start, start ); } if ( end ) { tmpRange = this.cloneRange().setStartAfter( bookmark.end ).setEndAfter( end ); frag = tmpRange.extractContents(); tmpRange.insertNode( frag ); domUtils.clearEmptySibling( end, false, true ); end.parentNode.insertBefore( bookmark.end, end.nextSibling ); } var current = domUtils.getNextDomNode( bookmark.start, false, function( node ) { return node.nodeType == 1 } ),next; while ( current && current !== bookmark.end ) { next = domUtils.getNextDomNode( current, true, function( node ) { return node.nodeType == 1 } ); if ( utils.indexOf( tagName, current.tagName.toLowerCase() ) > -1 ) { domUtils.remove( current, true ); } current = next; } return this.moveToBookmark( bookmark ); }, /** * 得到一个自闭合的节点 * @public * @function * @name baidu.editor.dom.Range.getClosedNode * @return {Node} 闭合节点 * @example * <img />,<br /> */ getClosedNode : function() { var node; if ( !this.collapsed ) { var range = this.cloneRange().adjustmentBoundary().shrinkBoundary(); if ( range.startContainer.nodeType == 1 && range.startContainer === range.endContainer && range.endOffset - range.startOffset == 1 ) { var child = range.startContainer.childNodes[range.startOffset]; if ( child && child.nodeType == 1 && (dtd.$empty[child.tagName] || dtd.$nonChild[child.tagName])) { node = child; } } } return node; }, /** * 根据range选中元素 * @public * @function * @name baidu.editor.dom.Range.select * @param {Boolean} notInsertFillData true为不加占位符 */ select : browser.ie ? function( notInsertFillData ,textRange) { var nativeRange; if ( !this.collapsed ) this.shrinkBoundary(); var node = this.getClosedNode(); if ( node && !textRange) { try { nativeRange = this.document.body.createControlRange(); nativeRange.addElement( node ); nativeRange.select(); } catch( e ) { } return this; } var bookmark = this.createBookmark(), start = bookmark.start, end; nativeRange = this.document.body.createTextRange(); nativeRange.moveToElementText( start ); nativeRange.moveStart( 'character', 1 ); if ( !this.collapsed ) { var nativeRangeEnd = this.document.body.createTextRange(); end = bookmark.end; nativeRangeEnd.moveToElementText( end ); nativeRange.setEndPoint( 'EndToEnd', nativeRangeEnd ); } else { if ( !notInsertFillData && this.startContainer.nodeType != 3 ) { //使用<span>|x<span>固定住光标 var tmpText = this.document.createTextNode( fillChar ), tmp = this.document.createElement( 'span' ); tmp.appendChild( this.document.createTextNode( fillChar) ); start.parentNode.insertBefore( tmp, start ); start.parentNode.insertBefore( tmpText, start ); //当点b,i,u时,不能清除i上边的b removeFillData(this.document,tmpText); fillData = tmpText; mergSibling(tmp,'previousSibling'); mergSibling(start,'nextSibling'); nativeRange.moveStart( 'character', -1 ); nativeRange.collapse( true ); } } this.moveToBookmark( bookmark ); tmp && domUtils.remove( tmp ); nativeRange.select(); return this; } : function( notInsertFillData ) { var win = domUtils.getWindow( this.document ), sel = win.getSelection(), txtNode; browser.gecko ? this.document.body.focus() : win.focus(); if ( sel ) { sel.removeAllRanges(); // trace:870 chrome/safari后边是br对于闭合得range不能定位 所以去掉了判断 // this.startContainer.nodeType != 3 &&! ((child = this.startContainer.childNodes[this.startOffset]) && child.nodeType == 1 && child.tagName == 'BR' if ( this.collapsed && !notInsertFillData ){ txtNode = this.document.createTextNode( fillChar ); //跟着前边走 this.insertNode( txtNode ); removeFillData(this.document,txtNode); mergSibling(txtNode,'previousSibling'); mergSibling(txtNode,'nextSibling'); fillData = txtNode; this.setStart( txtNode, browser.webkit ? 1 : 0 ).collapse( true ); } var nativeRange = this.document.createRange(); nativeRange.setStart( this.startContainer, this.startOffset ); nativeRange.setEnd( this.endContainer, this.endOffset ); sel.addRange( nativeRange ); } return this; }, /** * 滚动到可视范围 * @public * @function * @name baidu.editor.dom.Range.scrollToView * @param {Boolean} win 操作的window对象,若为空,则使用当前的window对象 * @param {Number} offset 滚动的偏移量 * @return {Range} Range对象 */ scrollToView : function(win,offset){ win = win ? window : domUtils.getWindow(this.document); var span = this.document.createElement('span'); //trace:717 span.innerHTML = '&nbsp;'; var tmpRange = this.cloneRange(); tmpRange.insertNode(span); domUtils.scrollToView(span,win,offset); domUtils.remove(span); return this; } }; })(); ///import editor.js ///import core/browser.js ///import core/dom/dom.js ///import core/dom/dtd.js ///import core/dom/domUtils.js ///import core/dom/Range.js /** * @class baidu.editor.dom.Selection Selection类 */ (function () { function getBoundaryInformation( range, start ) { var getIndex = domUtils.getNodeIndex; range = range.duplicate(); range.collapse( start ); var parent = range.parentElement(); //如果节点里没有子节点,直接退出 if ( !parent.hasChildNodes() ) { return {container:parent,offset:0}; } var siblings = parent.children, child, testRange = range.duplicate(), startIndex = 0,endIndex = siblings.length - 1,index = -1, distance; while ( startIndex <= endIndex ) { index = Math.floor( (startIndex + endIndex) / 2 ); child = siblings[index]; testRange.moveToElementText( child ); var position = testRange.compareEndPoints( 'StartToStart', range ); if ( position > 0 ) { endIndex = index - 1; } else if ( position < 0 ) { startIndex = index + 1; } else { //trace:1043 return {container:parent,offset:getIndex( child )}; } } if ( index == -1 ) { testRange.moveToElementText( parent ); testRange.setEndPoint( 'StartToStart', range ); distance = testRange.text.replace( /(\r\n|\r)/g, '\n' ).length; siblings = parent.childNodes; if ( !distance ) { child = siblings[siblings.length - 1]; return {container:child,offset:child.nodeValue.length}; } var i = siblings.length; while ( distance > 0 ) distance -= siblings[ --i ].nodeValue.length; return {container:siblings[i],offset:-distance} } testRange.collapse( position > 0 ); testRange.setEndPoint( position > 0 ? 'StartToStart' : 'EndToStart', range ); distance = testRange.text.replace( /(\r\n|\r)/g, '\n' ).length; if ( !distance ) { return dtd.$empty[child.tagName] || dtd.$nonChild[child.tagName]? {container : parent,offset:getIndex( child ) + (position > 0 ? 0 : 1)} : {container : child,offset: position > 0 ? 0 : child.childNodes.length} } while ( distance > 0 ) { try{ var pre = child; child = child[position > 0 ? 'previousSibling' : 'nextSibling']; distance -= child.nodeValue.length; }catch(e){ return {container:parent,offset:getIndex(pre)}; } } return {container:child,offset:position > 0 ? -distance : child.nodeValue.length + distance} } /** * 将ieRange转换为Range对象 * @param {Range} ieRange ieRange对象 * @param {Range} range Range对象 * @return {Range} range 返回转换后的Range对象 */ function transformIERangeToRange( ieRange, range ) { if ( ieRange.item ) { range.selectNode( ieRange.item( 0 ) ); } else { var bi = getBoundaryInformation( ieRange, true ); range.setStart( bi.container, bi.offset ); if ( ieRange.compareEndPoints( 'StartToEnd',ieRange ) != 0 ) { bi = getBoundaryInformation( ieRange, false ); range.setEnd( bi.container, bi.offset ); } } return range; } /** * 获得ieRange * @param {Selection} sel Selection对象 * @return {ieRange} 得到ieRange */ function _getIERange(sel){ var ieRange; //ie下有可能报错 try{ ieRange = sel.getNative().createRange(); }catch(e){ return null; } var el = ieRange.item ? ieRange.item( 0 ) : ieRange.parentElement(); if ( ( el.ownerDocument || el ) === sel.document ) { return ieRange; } return null; } var Selection = dom.Selection = function ( doc ) { var me = this, iframe; me.document = doc; if ( ie ) { iframe = domUtils.getWindow(doc).frameElement; domUtils.on( iframe, 'beforedeactivate', function () { me._bakIERange = me.getIERange(); } ); domUtils.on( iframe, 'activate', function () { try { if ( !_getIERange(me) && me._bakIERange ) { me._bakIERange.select(); } } catch ( ex ) { } me._bakIERange = null; } ); } iframe = doc = null; }; Selection.prototype = { /** * 获取原生seleciton对象 * @public * @function * @name baidu.editor.dom.Selection.getNative * @return {Selection} 获得selection对象 */ getNative : function () { var doc = this.document; return !doc ? null : ie ? doc.selection : domUtils.getWindow( doc ).getSelection(); }, /** * 获得ieRange * @public * @function * @name baidu.editor.dom.Selection.getIERange * @return {ieRange} 返回ie原生的Range */ getIERange : function () { var ieRange = _getIERange(this); if ( !ieRange ) { if ( this._bakIERange ) { return this._bakIERange; } } return ieRange; }, /** * 缓存当前选区的range和选区的开始节点 * @public * @function * @name baidu.editor.dom.Selection.cache */ cache : function () { this.clear(); this._cachedRange = this.getRange(); this._cachedStartElement = this.getStart(); this._cachedStartElementPath = this.getStartElementPath(); }, getStartElementPath : function(){ if(this._cachedStartElementPath){ return this._cachedStartElementPath; } var start = this.getStart(); if(start){ return domUtils.findParents(start,true,null,true) } return []; }, /** * 清空缓存 * @public * @function * @name baidu.editor.dom.Selection.clear */ clear : function () { this._cachedStartElementPath = this._cachedRange = this._cachedStartElement = null; }, /** * 编辑器是否得到了选区 */ isFocus : function(){ return browser.ie && _getIERange(this) || !browser.ie && this.getNative().rangeCount ? true : false; }, /** * 获取选区对应的Range * @public * @function * @name baidu.editor.dom.Selection.getRange * @returns {baidu.editor.dom.Range} 得到Range对象 */ getRange : function () { var me = this; function optimze(range){ var child = me.document.body.firstChild, collapsed = range.collapsed; while(child && child.firstChild){ range.setStart(child,0); child = child.firstChild; } if(!range.startContainer){ range.setStart(me.document.body,0) } if(collapsed){ range.collapse(true); } } if ( me._cachedRange != null ) { return this._cachedRange; } var range = new baidu.editor.dom.Range( me.document ); if ( ie ) { var nativeRange = me.getIERange(); if(nativeRange){ transformIERangeToRange( nativeRange, range ); }else{ optimze(range) } } else { var sel = me.getNative(); if ( sel && sel.rangeCount ) { var firstRange = sel.getRangeAt( 0 ) ; var lastRange = sel.getRangeAt( sel.rangeCount - 1 ); range.setStart( firstRange.startContainer, firstRange.startOffset ).setEnd( lastRange.endContainer, lastRange.endOffset ); if(range.collapsed && domUtils.isBody(range.startContainer) && !range.startOffset){ optimze(range) } } else { //trace:1734 有可能已经不在dom树上了,标识的节点 if(this._bakRange && domUtils.inDoc(this._bakRange.startContainer,this.document)) return this._bakRange; optimze(range) } } return this._bakRange = range; }, /** * 获取开始元素,用于状态反射 * @public * @function * @name baidu.editor.dom.Selection.getStart * @return {Element} 获得开始元素 */ getStart : function () { if ( this._cachedStartElement ) { return this._cachedStartElement; } var range = ie ? this.getIERange() : this.getRange(), tmpRange, start,tmp,parent; if (ie) { if(!range){ //todo 给第一个值可能会有问题 return this.document.body.firstChild; } //control元素 if (range.item) return range.item(0); tmpRange = range.duplicate(); //修正ie下<b>x</b>[xx] 闭合后 <b>x|</b>xx tmpRange.text.length > 0 && tmpRange.moveStart('character',1); tmpRange.collapse(1); start = tmpRange.parentElement(); parent = tmp = range.parentElement(); while (tmp = tmp.parentNode) { if (tmp == start) { start = parent; break; } } } else { range.shrinkBoundary(); start = range.startContainer; if (start.nodeType == 1 && start.hasChildNodes()) start = start.childNodes[Math.min(start.childNodes.length - 1, range.startOffset)]; if (start.nodeType == 3) return start.parentNode; } return start; }, /** * 得到选区中的文本 * @public * @function * @name baidu.editor.dom.Selection.getText * @return {String} 选区中包含的文本 */ getText : function(){ if(this.isFocus()){ var nativeSel = this.getNative(), nativeRange = browser.ie ? nativeSel.createRange() : nativeSel.getRangeAt(0); return nativeRange.text || nativeRange.toString(); } return ''; } }; })(); ///import editor.js ///import core/utils.js ///import core/EventBase.js ///import core/browser.js ///import core/dom/dom.js ///import core/dom/domUtils.js ///import core/dom/Selection.js ///import core/dom/dtd.js (function () { var uid = 0, _selectionChangeTimer; function replaceSrc(div){ var imgs = div.getElementsByTagName("img"), orgSrc; for(var i=0,img;img = imgs[i++];){ if(orgSrc = img.getAttribute("orgSrc")){ img.src = orgSrc; img.removeAttribute("orgSrc"); } } var as = div.getElementsByTagName("a"); for(var i=0,ai;ai=as[i++];i++){ if(ai.getAttribute('data_ue_src')){ ai.setAttribute('href',ai.getAttribute('data_ue_src')) } } } /** * 编辑器类 * @public * @class * @extends baidu.editor.EventBase * @name baidu.editor.Editor * @param {Object} options */ var Editor = UE.Editor = function( options ) { var me = this; me.uid = uid ++; EventBase.call( me ); me.commands = {}; me.options = utils.extend( options || {}, UEDITOR_CONFIG, true ); //初始化插件 for ( var pi in UE.plugins ) { UE.plugins[pi].call( me ) } }; Editor.prototype = /**@lends baidu.editor.Editor.prototype*/{ destroy : function(){ this.fireEvent('destroy'); this.container.innerHTML = ''; domUtils.remove(this.container); }, /** * 渲染编辑器的DOM到指定容器,必须且只能调用一次 * @public * @function * @param {Element|String} container */ render : function ( container ) { if (container.constructor === String) { container = document.getElementById(container); } if(container){ container.innerHTML = '<iframe id="' + 'baidu_editor_' + this.uid + '"' + 'width="100%" height="100%" frameborder="0"></iframe>'; container.style.overflow = 'hidden'; this._setup( container.firstChild.contentWindow.document ); } }, _setup: function ( doc ) { var options = this.options, me = this; //防止在chrome下连接后边带# 会跳动的问题 !browser.webkit && doc.open(); var useBodyAsViewport = ie && browser.version < 9; doc.write( ( ie && browser.version < 9 ? '' : '<!DOCTYPE html>') + '<html xmlns="http://www.w3.org/1999/xhtml"' + (!useBodyAsViewport ? ' class="view"' : '') + '><head>' + ( options.iframeCssUrl ? '<link rel="stylesheet" type="text/css" href="' + utils.unhtml( /^http/.test(options.iframeCssUrl) ? options.iframeCssUrl : (options.UEDITOR_HOME_URL + options.iframeCssUrl) ) + '"/>' : '' ) + '<style type="text/css">' + ( options.initialStyle ||' ' ) + '</style></head><body' + (useBodyAsViewport ? ' class="view"' : '') + '></body></html>' ); !browser.webkit && doc.close(); if ( ie ) { doc.body.disabled = true; doc.body.contentEditable = true; doc.body.disabled = false; } else { doc.body.contentEditable = true; doc.body.spellcheck = false; } this.document = doc; this.window = doc.defaultView || doc.parentWindow; this.iframe = this.window.frameElement; this.body = doc.body; if (this.options.minFrameHeight) { this.setHeight(this.options.minFrameHeight); this.body.style.height = this.options.minFrameHeight; } this.selection = new dom.Selection( doc ); //gecko初始化就能得到range,无法判断isFocus了 if(browser.gecko){ this.selection.getNative().removeAllRanges(); } this._initEvents(); if(me.options.initialContent){ if(me.options.autoClearinitialContent){ var oldExecCommand = me.execCommand; me.execCommand = function(){ me.fireEvent('firstBeforeExecCommand'); oldExecCommand.apply(me,arguments) }; this.setDefaultContent(this.options.initialContent); }else this.setContent(this.options.initialContent,true); } //为form提交提供一个隐藏的textarea for(var form = this.iframe.parentNode;!domUtils.isBody(form);form = form.parentNode){ if(form.tagName == 'FORM'){ domUtils.on(form,'submit',function(){ var textarea = document.getElementById('ueditor_textarea_' + me.options.textarea); if(!textarea){ textarea = document.createElement('textarea'); textarea.setAttribute('name',me.options.textarea); textarea.id = 'ueditor_textarea_' + me.options.textarea; textarea.style.display = 'none'; this.appendChild(textarea); } textarea.value = me.getContent(); }); break; } } //编辑器不能为空内容 if(domUtils.isEmptyNode(me.body)){ this.body.innerHTML = '<p>'+(browser.ie?'':'<br/>')+'</p>'; } //如果要求focus, 就把光标定位到内容开始 if(me.options.focus){ setTimeout(function(){ me.focus(); //如果自动清除开着,就不需要做selectionchange; !me.options.autoClearinitialContent && me._selectionChange() }); } if(!this.container){ this.container = this.iframe.parentNode; } if(me.options.fullscreen && me.ui){ me.ui.setFullScreen(true) } this.fireEvent( 'ready' ); if(!browser.ie){ domUtils.on(me.window,'blur',function(){ me._bakRange = me.selection.getRange(); me.selection.getNative().removeAllRanges(); }); } //trace:1518 ff3.6body不够寛,会导致点击空白处无法获得焦点 if(browser.gecko && browser.version <= 10902){ //修复ff3.6初始化进来,不能点击获得焦点 me.body.contentEditable = false; setTimeout(function(){ me.body.contentEditable = true; },100); setInterval(function(){ me.body.style.height = me.iframe.offsetHeight - 20 + 'px' },100) } }, /** * 创建textarea,同步编辑的内容到textarea,为后台获取内容做准备 * @param formId 制定在那个form下添加 * @public * @function */ sync : function(formId){ var me = this, form; function setValue(form){ var textarea = document.getElementById('ueditor_textarea_' + me.options.textarea); if(!textarea){ textarea = document.createElement('textarea'); textarea.setAttribute('name',me.options.textarea); textarea.id = 'ueditor_textarea_' + me.options.textarea; textarea.style.display = 'none'; form.appendChild(textarea); } textarea.value = me.getContent(); } if(formId){ form = document.getElementById(formId); form && setValue(form); }else{ for(form = me.iframe.parentNode;!domUtils.isBody(form);form = form.parentNode){ if(form.tagName == 'FORM'){ setValue(form); break; } } } }, /** * 设置编辑器高度 * @public * @function * @param {Number} height 高度 */ setHeight: function (height){ if (height !== parseInt(this.iframe.parentNode.style.height)){ this.iframe.parentNode.style.height = height + 'px'; } //ie9下body 高度100%失效,改为手动设置 if(browser.ie && browser.version == 9){ this.document.body.style.height = height - 20 + 'px' } }, /** * 获取编辑器内容 * @public * @function * @returns {String} */ getContent : function (cmd) { this.fireEvent( 'beforegetcontent',cmd ); var reg = new RegExp( domUtils.fillChar, 'g' ), //ie下取得的html可能会有\n存在,要去掉,在处理replace(/[\t\r\n]*/g,'');代码高量的\n不能去除 html = this.document.body.innerHTML.replace(reg,'').replace(/>[\t\r\n]*?</g,'><'); this.fireEvent( 'aftergetcontent',cmd ); if (this.serialize) { var node = this.serialize.parseHTML(html); node = this.serialize.transformOutput(node); html = this.serialize.toHTML(node); } return html; }, /** * 获取编辑器中的文本内容 * @public * @function * @returns {String} */ getContentTxt : function(){ var reg = new RegExp( domUtils.fillChar,'g' ); return this.body[browser.ie ? 'innerText':'textContent'].replace(reg,'') }, /** * 设置编辑器内容 * @public * @function * @param {String} html */ setContent : function ( html,notFireSelectionchange) { var me = this, inline = utils.extend({a:1,A:1},dtd.$inline,true), lastTagName; html = html .replace(/^[ \t\r\n]*?</,'<') .replace(/>[ \t\r\n]*?$/,'>') .replace(/>[\t\r\n]*?</g,'><')//代码高量的\n不能去除 .replace(/[\s\/]?(\w+)?>[ \t\r\n]*?<\/?(\w+)/gi,function(a,b,c){ if(b){ lastTagName = c; }else{ b = lastTagName } return !inline[b] && !inline[c] ? a.replace(/>[ \t\r\n]*?</,'><') : a; }); me.fireEvent( 'beforesetcontent' ); var serialize = this.serialize; if (serialize) { var node = serialize.parseHTML(html); node = serialize.transformInput(node); node = serialize.filter(node); html = serialize.toHTML(node); } //html.replace(new RegExp('[\t\n\r' + domUtils.fillChar + ']*','g'),''); //去掉了\t\n\r 如果有插入的代码,在源码切换所见即所得模式时,换行都丢掉了 //\r在ie下的不可见字符,在源码切换时会变成多个&nbsp; //trace:1559 this.document.body.innerHTML = html.replace(new RegExp('[\r' + domUtils.fillChar + ']*','g'),''); //处理ie6下innerHTML自动将相对路径转化成绝对路径的问题 if(browser.ie && browser.version < 7 && me.options.relativePath){ replaceSrc(this.document.body); } //给文本或者inline节点套p标签 if(me.options.enterTag == 'p'){ var child = this.body.firstChild, p = me.document.createElement('p'), tmpNode; if(!child || child.nodeType == 1 && dtd.$cdata[child.tagName]){ this.body.innerHTML = '<p>'+(browser.ie ? '' :'<br/>')+'</p>' + this.body.innerHTML; }else{ while(child){ if(child.nodeType ==3 || child.nodeType == 1 && dtd.p[child.tagName]){ tmpNode = child.nextSibling; p.appendChild(child); child = tmpNode; if(!child){ me.body.appendChild(p); } }else{ if(p.firstChild){ me.body.insertBefore(p,child); p = me.document.createElement('p') } child = child.nextSibling } } } } me.adjustTable && me.adjustTable(me.body); me.fireEvent( 'aftersetcontent' ); me.fireEvent( 'contentchange' ); !notFireSelectionchange && me._selectionChange(); //清除保存的选区 me._bakRange = me._bakIERange = null; //trace:1742 setContent后gecko能得到焦点问题 if(browser.gecko){ me.selection.getNative().removeAllRanges(); } }, /** * 让编辑器获得焦点 * @public * @function */ focus : function () { this.selection.getRange().select(true); }, /** * 初始化事件,绑定selectionchange * @private * @function */ _initEvents : function () { var me = this, doc = me.document, win = me.window; me._proxyDomEvent = utils.bind( me._proxyDomEvent, me ); domUtils.on( doc, ['click', 'contextmenu','mousedown','keydown', 'keyup','keypress', 'mouseup', 'mouseover', 'mouseout', 'selectstart'], me._proxyDomEvent ); domUtils.on( win, ['focus', 'blur'], me._proxyDomEvent ); domUtils.on( doc, ['mouseup','keydown'], function(evt){ //特殊键不触发selectionchange if(evt.type == 'keydown' && (evt.ctrlKey || evt.metaKey || evt.shiftKey || evt.altKey)){ return; } if(evt.button == 2)return; me._selectionChange(250, evt ); }); //处理拖拽 //ie ff不能从外边拖入 //chrome只针对从外边拖入的内容过滤 var innerDrag = 0,source = browser.ie ? me.body : me.document,dragoverHandler; domUtils.on(source,'dragstart',function(){ innerDrag = 1; }); domUtils.on(source,browser.webkit ? 'dragover' : 'drop',function(){ return browser.webkit ? function(){ clearTimeout( dragoverHandler ); dragoverHandler = setTimeout( function(){ if(!innerDrag){ var sel = me.selection, range = sel.getRange(); if(range){ var common = range.getCommonAncestor(); if(common && me.serialize){ var f = me.serialize, node = f.filter( f.transformInput( f.parseHTML( f.word(common.innerHTML) ) ) ); common.innerHTML = f.toHTML(node) } } } innerDrag = 0; }, 200 ); } : function(e){ if(!innerDrag){ e.preventDefault ? e.preventDefault() :(e.returnValue = false) ; } innerDrag = 0; } }()); }, _proxyDomEvent: function ( evt ) { return this.fireEvent( evt.type.replace( /^on/, '' ), evt ); }, _selectionChange : function ( delay, evt ) { var me = this; //有光标才做selectionchange if(!me.selection.isFocus()) return; var hackForMouseUp = false; var mouseX, mouseY; if (browser.ie && browser.version < 9 && evt && evt.type == 'mouseup') { var range = this.selection.getRange(); if (!range.collapsed) { hackForMouseUp = true; mouseX = evt.clientX; mouseY = evt.clientY; } } clearTimeout(_selectionChangeTimer); _selectionChangeTimer = setTimeout(function(){ if(!me.selection.getNative()){ return; } //修复一个IE下的bug: 鼠标点击一段已选择的文本中间时,可能在mouseup后的一段时间内取到的range是在selection的type为None下的错误值. //IE下如果用户是拖拽一段已选择文本,则不会触发mouseup事件,所以这里的特殊处理不会对其有影响 var ieRange; if (hackForMouseUp && me.selection.getNative().type == 'None' ) { ieRange = me.document.body.createTextRange(); try { ieRange.moveToPoint( mouseX, mouseY ); } catch(ex){ ieRange = null; } } var bakGetIERange; if (ieRange) { bakGetIERange = me.selection.getIERange; me.selection.getIERange = function (){ return ieRange; }; } me.selection.cache(); if (bakGetIERange) { me.selection.getIERange = bakGetIERange; } if ( me.selection._cachedRange && me.selection._cachedStartElement ) { me.fireEvent( 'beforeselectionchange' ); // 第二个参数causeByUi为true代表由用户交互造成的selectionchange. me.fireEvent( 'selectionchange', !!evt ); me.fireEvent('afterselectionchange'); me.selection.clear(); } }, delay || 50); }, _callCmdFn: function ( fnName, args ) { var cmdName = args[0].toLowerCase(), cmd, cmdFn; cmdFn = ( cmd = this.commands[cmdName] ) && cmd[fnName] || ( cmd = UE.commands[cmdName]) && cmd[fnName]; if ( cmd && !cmdFn && fnName == 'queryCommandState' ) { return false; } else if ( cmdFn ) { return cmdFn.apply( this, args ); } }, /** * 执行命令 * @public * @function * @param {String} cmdName 执行的命令名 * */ execCommand : function ( cmdName ) { cmdName = cmdName.toLowerCase(); var me = this, result, cmd = me.commands[cmdName] || UE.commands[cmdName]; if ( !cmd || !cmd.execCommand ) { return; } if ( !cmd.notNeedUndo && !me.__hasEnterExecCommand ) { me.__hasEnterExecCommand = true; if(me.queryCommandState(cmdName) !=-1){ me.fireEvent( 'beforeexeccommand', cmdName ); result = this._callCmdFn( 'execCommand', arguments ); me.fireEvent( 'afterexeccommand', cmdName ); } me.__hasEnterExecCommand = false; } else { result = this._callCmdFn( 'execCommand', arguments ); } me._selectionChange(); return result; }, /** * 查询命令的状态 * @public * @function * @param {String} cmdName 执行的命令名 * @returns {Number|*} -1 : disabled, false : normal, true : enabled. * */ queryCommandState : function ( cmdName ) { return this._callCmdFn( 'queryCommandState', arguments ); }, /** * 查询命令的值 * @public * @function * @param {String} cmdName 执行的命令名 * @returns {*} */ queryCommandValue : function ( cmdName ) { return this._callCmdFn( 'queryCommandValue', arguments ); }, /** * 检查编辑区域中是否有内容 * @public * @params{Array} 自定义的标签 * @function * @returns {Boolean} true 有,false 没有 */ hasContents : function(tags){ if(tags){ for(var i=0,ci;ci=tags[i++];){ if(this.document.getElementsByTagName(ci).length > 0) return true; } } if(!domUtils.isEmptyBlock(this.body)){ return true } return false; }, /** * 从新设置 * @public * @function */ reset : function(){ this.fireEvent('reset'); }, /** * 设置默认内容 * @function * @param {String} cont 要存入的内容 */ setDefaultContent : function(){ function clear(){ var me = this; if(me.document.getElementById('initContent')){ me.document.body.innerHTML = '<p>'+(ie ? '' : '<br/>')+'</p>'; var range = me.selection.getRange(); me.removeListener('firstBeforeExecCommand',clear); me.removeListener('focus',clear); setTimeout(function(){ range.setStart(me.document.body.firstChild,0).collapse(true).select(true); me._selectionChange(); }) } } return function (cont){ var me = this; me.document.body.innerHTML = '<p id="initContent">'+cont+'</p>'; if(browser.ie && browser.version < 7 && me.options.relativePath){ replaceSrc(me.document.body); } me.addListener('firstBeforeExecCommand',clear); me.addListener('focus',clear); } }() }; utils.inherits( Editor, EventBase ); })(); /** * Created by . * User: taoqili * Date: 11-8-18 * Time: 下午3:18 * To change this template use File | Settings | File Templates. */ /** * ajax工具类 */ UE.ajax = function() { return { /** * 向url发送ajax请求 * @param url * @param ajaxOptions */ request:function(url, ajaxOptions) { var ajaxRequest = creatAjaxRequest(), //是否超时 timeIsOut = false, //默认参数 defaultAjaxOptions = { method:"POST", timeout:5000, async:true, data:{},//需要传递对象的话只能覆盖 onsuccess:function() { }, onerror:function() { } }; if (typeof url === "object") { ajaxOptions = url; url = ajaxOptions.url; } if (!ajaxRequest || !url) return; var ajaxOpts = ajaxOptions ? utils.extend(defaultAjaxOptions,ajaxOptions) : defaultAjaxOptions; var submitStr = json2str(ajaxOpts); // { name:"Jim",city:"Beijing" } --> "name=Jim&city=Beijing" //如果用户直接通过data参数传递json对象过来,则也要将此json对象转化为字符串 if (!utils.isEmptyObject(ajaxOpts.data)){ submitStr += (submitStr? "&":"") + json2str(ajaxOpts.data); } //超时检测 var timerID = setTimeout(function() { if (ajaxRequest.readyState != 4) { timeIsOut = true; ajaxRequest.abort(); clearTimeout(timerID); } }, ajaxOpts.timeout); var method = ajaxOpts.method.toUpperCase(); var str = url + (url.indexOf("?")==-1?"?":"&") + (method=="POST"?"":submitStr) + "&noCache=" + +new Date; ajaxRequest.open(method, str, ajaxOpts.async); ajaxRequest.onreadystatechange = function() { if (ajaxRequest.readyState == 4) { if (!timeIsOut && ajaxRequest.status == 200) { ajaxOpts.onsuccess(ajaxRequest); } else { ajaxOpts.onerror(ajaxRequest); } } }; if (method == "POST") { ajaxRequest.setRequestHeader('Content-Type', 'application/x-www-form-urlencoded'); ajaxRequest.send(submitStr); } else { ajaxRequest.send(null); } } }; /** * 将json参数转化成适合ajax提交的参数列表 * @param json */ function json2str(json) { var strArr = []; for (var i in json) { //忽略默认的几个参数 if(i=="method" || i=="timeout" || i=="async") continue; //传递过来的对象和函数不在提交之列 if (!((typeof json[i]).toLowerCase() == "function" || (typeof json[i]).toLowerCase() == "object")) { strArr.push( encodeURIComponent(i) + "="+encodeURIComponent(json[i]) ); } } return strArr.join("&"); } /** * 创建一个ajaxRequest对象 */ function creatAjaxRequest() { var xmlHttp = null; if (window.XMLHttpRequest) { xmlHttp = new XMLHttpRequest(); } else { try { xmlHttp = new ActiveXObject("Msxml2.XMLHTTP"); } catch (e) { try { xmlHttp = new ActiveXObject("Microsoft.XMLHTTP"); } catch (e) { } } } return xmlHttp; } }(); ///import core /** * @description 插入内容 * @name baidu.editor.execCommand * @param {String} cmdName inserthtml插入内容的命令 * @param {String} html 要插入的内容 * @author zhanyi */ UE.commands['inserthtml'] = { execCommand: function (command,html){ var me = this, range,deletedElms, i,ci, div, tds = me.currentSelectedArr; range = me.selection.getRange(); div = range.document.createElement( 'div' ); div.style.display = 'inline'; div.innerHTML = utils.trim( html ); try{ me.adjustTable && me.adjustTable(div); }catch(e){} if(tds && tds.length){ for(var i=0,ti;ti=tds[i++];){ ti.className = '' } tds[0].innerHTML = ''; range.setStart(tds[0],0).collapse(true); me.currentSelectedArr = []; } if ( !range.collapsed ) { range.deleteContents(); if(range.startContainer.nodeType == 1){ var child = range.startContainer.childNodes[range.startOffset],pre; if(child && domUtils.isBlockElm(child) && (pre = child.previousSibling) && domUtils.isBlockElm(pre)){ range.setEnd(pre,pre.childNodes.length).collapse(); while(child.firstChild){ pre.appendChild(child.firstChild); } domUtils.remove(child); } } } var child,parent,pre,tmp,hadBreak = 0; while ( child = div.firstChild ) { range.insertNode( child ); if ( !hadBreak && child.nodeType == domUtils.NODE_ELEMENT && domUtils.isBlockElm( child ) ){ parent = domUtils.findParent( child,function ( node ){ return domUtils.isBlockElm( node ); } ); if ( parent && parent.tagName.toLowerCase() != 'body' && !(dtd[parent.tagName][child.nodeName] && child.parentNode === parent)){ if(!dtd[parent.tagName][child.nodeName]){ pre = parent; }else{ tmp = child.parentNode; while (tmp !== parent){ pre = tmp; tmp = tmp.parentNode; } } domUtils.breakParent( child, pre || tmp ); //去掉break后前一个多余的节点 <p>|<[p> ==> <p></p><div></div><p>|</p> var pre = child.previousSibling; domUtils.trimWhiteTextNode(pre); if(!pre.childNodes.length){ domUtils.remove(pre); } hadBreak = 1; } } var next = child.nextSibling; if(!div.firstChild && next && domUtils.isBlockElm(next)){ range.setStart(next,0).collapse(true); break; } range.setEndAfter( child ).collapse(); } // if(!range.startContainer.childNodes[range.startOffset] && domUtils.isBlockElm(range.startContainer)){ // next = editor.document.createElement('br'); // range.insertNode(next); // range.collapse(true); // } //block为空无法定位光标 child = range.startContainer; //用chrome可能有空白展位符 if(domUtils.isBlockElm(child) && domUtils.isEmptyNode(child)){ child.innerHTML = browser.ie ? '' : '<br/>' } //加上true因为在删除表情等时会删两次,第一次是删的fillData range.select(true); setTimeout(function(){ range = me.selection.getRange(); range.scrollToView(me.autoHeightEnabled,me.autoHeightEnabled ? domUtils.getXY(me.iframe).y:0); },200) } }; ///import core ///commands 自动排版 ///commandsName autotypeset ///commandsTitle 自动排版 /** * 自动排版 * @function * @name baidu.editor.execCommands */ UE.plugins['autotypeset'] = function(){ //升级了版本,但配置项目里没有autotypeset if(!this.options.autotypeset){ return; } var me = this, opt = me.options.autotypeset, remainClass = { 'selectTdClass':1, 'pagebreak':1, 'anchorclass':1 }, remainTag = { 'li':1 }, tags = { div:1, p:1 }, highlightCont; function isLine(node,notEmpty){ if(node && node.parentNode && tags[node.tagName.toLowerCase()]){ if(highlightCont && highlightCont.contains(node) || node.getAttribute('pagebreak') ){ return 0; } return notEmpty ? !domUtils.isEmptyBlock(node) : domUtils.isEmptyBlock(node); } } function removeNotAttributeSpan(node){ if(!node.style.cssText){ domUtils.removeAttributes(node,['style']); if(node.tagName.toLowerCase() == 'span' && domUtils.hasNoAttributes(node)){ domUtils.remove(node,true) } } } function autotype(type,html){ var cont; if(html){ if(!opt.pasteFilter)return; cont = me.document.createElement('div'); cont.innerHTML = html.html; }else{ cont = me.document.body; } var nodes = domUtils.getElementsByTagName(cont,'*'); // 行首缩进,段落方向,段间距,段内间距 for(var i=0,ci;ci=nodes[i++];){ if(!highlightCont && ci.tagName == 'DIV' && ci.getAttribute('highlighter')){ highlightCont = ci; } //font-size if(opt.clearFontSize && ci.style.fontSize){ ci.style.fontSize = ''; removeNotAttributeSpan(ci) } //font-family if(opt.clearFontFamily && ci.style.fontFamily){ ci.style.fontFamily = ''; removeNotAttributeSpan(ci) } if(isLine(ci)){ //合并空行 if(opt.mergeEmptyline ){ var next = ci.nextSibling,tmpNode; while(isLine(next)){ tmpNode = next; next = tmpNode.nextSibling; domUtils.remove(tmpNode); } } //去掉空行,保留占位的空行 if(opt.removeEmptyline && domUtils.inDoc(ci,cont) && !remainTag[ci.parentNode.tagName.toLowerCase()] ){ domUtils.remove(ci); continue; } } if(isLine(ci,true) ){ if(opt.indent) ci.style.textIndent = opt.indentValue; if(opt.textAlign) ci.style.textAlign = opt.textAlign; // if(opt.lineHeight) // ci.style.lineHeight = opt.lineHeight + 'cm'; } //去掉class,保留的class不去掉 if(opt.removeClass && ci.className && !remainClass[ci.className.toLowerCase()]){ if(highlightCont && highlightCont.contains(ci)){ continue; } domUtils.removeAttributes(ci,['class']) } //表情不处理 if(opt.imageBlockLine && ci.tagName.toLowerCase() == 'img' && !ci.getAttribute('emotion')){ if(html){ var img = ci; switch (opt.imageBlockLine){ case 'left': case 'right': case 'none': var pN = img.parentNode,tmpNode,pre,next; while(dtd.$inline[pN.tagName] || pN.tagName == 'A'){ pN = pN.parentNode; } tmpNode = pN; if(tmpNode.tagName == 'P' && domUtils.getStyle(tmpNode,'text-align') == 'center'){ if(!domUtils.isBody(tmpNode) && domUtils.getChildCount(tmpNode,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1){ pre = tmpNode.previousSibling; next = tmpNode.nextSibling; if(pre && next && pre.nodeType == 1 && next.nodeType == 1 && pre.tagName == next.tagName && domUtils.isBlockElm(pre)){ pre.appendChild(tmpNode.firstChild); while(next.firstChild){ pre.appendChild(next.firstChild) } domUtils.remove(tmpNode); domUtils.remove(next); }else{ domUtils.setStyle(tmpNode,'text-align','') } } } domUtils.setStyle(img,'float',opt.imageBlockLine); break; case 'center': if(me.queryCommandValue('imagefloat') != 'center'){ pN = img.parentNode; domUtils.setStyle(img,'float','none'); tmpNode = img; while(pN && domUtils.getChildCount(pN,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1 && (dtd.$inline[pN.tagName] || pN.tagName == 'A')){ tmpNode = pN; pN = pN.parentNode; } var pNode = me.document.createElement('p'); domUtils.setAttributes(pNode,{ style:'text-align:center' }); tmpNode.parentNode.insertBefore(pNode,tmpNode); pNode.appendChild(tmpNode); domUtils.setStyle(tmpNode,'float',''); } } }else{ var range = me.selection.getRange(); range.selectNode(ci).select(); me.execCommand('imagefloat',opt.imageBlockLine); } } //去掉冗余的标签 if(opt.removeEmptyNode){ if(opt.removeTagNames[ci.tagName.toLowerCase()] && domUtils.hasNoAttributes(ci) && domUtils.isEmptyBlock(ci)){ domUtils.remove(ci) } } } if(html) html.html = cont.innerHTML } if(opt.pasteFilter){ me.addListener('beforepaste',autotype); } me.commands['autotypeset'] = { execCommand:function () { me.removeListener('beforepaste',autotype); if(opt.pasteFilter){ me.addListener('beforepaste',autotype); } autotype(); } }; }; ///import core ///import plugins\inserthtml.js ///import plugins\catchremoteimage.js ///commands 插入图片,操作图片的对齐方式 ///commandsName InsertImage,ImageNone,ImageLeft,ImageRight,ImageCenter ///commandsTitle 图片,默认,居左,居右,居中 ///commandsDialog dialogs\image\image.html /** * Created by . * User: zhanyi * for image */ UE.commands['imagefloat'] = { execCommand : function (cmd, align){ var me = this, range = me.selection.getRange(); if(!range.collapsed ){ var img = range.getClosedNode(); if(img && img.tagName == 'IMG'){ switch (align){ case 'left': case 'right': case 'none': var pN = img.parentNode,tmpNode,pre,next; while(dtd.$inline[pN.tagName] || pN.tagName == 'A'){ pN = pN.parentNode; } tmpNode = pN; if(tmpNode.tagName == 'P' && domUtils.getStyle(tmpNode,'text-align') == 'center'){ if(!domUtils.isBody(tmpNode) && domUtils.getChildCount(tmpNode,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1){ pre = tmpNode.previousSibling; next = tmpNode.nextSibling; if(pre && next && pre.nodeType == 1 && next.nodeType == 1 && pre.tagName == next.tagName && domUtils.isBlockElm(pre)){ pre.appendChild(tmpNode.firstChild); while(next.firstChild){ pre.appendChild(next.firstChild) } domUtils.remove(tmpNode); domUtils.remove(next); }else{ domUtils.setStyle(tmpNode,'text-align','') } } range.selectNode(img).select() } domUtils.setStyle(img,'float',align); break; case 'center': if(me.queryCommandValue('imagefloat') != 'center'){ pN = img.parentNode; domUtils.setStyle(img,'float','none'); tmpNode = img; while(pN && domUtils.getChildCount(pN,function(node){return !domUtils.isBr(node) && !domUtils.isWhitespace(node)}) == 1 && (dtd.$inline[pN.tagName] || pN.tagName == 'A')){ tmpNode = pN; pN = pN.parentNode; } range.setStartBefore(tmpNode).setCursor(false); pN = me.document.createElement('div'); pN.appendChild(tmpNode); domUtils.setStyle(tmpNode,'float',''); me.execCommand('insertHtml','<p id="_img_parent_tmp" style="text-align:center">'+pN.innerHTML+'</p>'); tmpNode = me.document.getElementById('_img_parent_tmp'); tmpNode.removeAttribute('id'); tmpNode = tmpNode.firstChild; range.selectNode(tmpNode).select(); //去掉后边多余的元素 next = tmpNode.parentNode.nextSibling; if(next && domUtils.isEmptyNode(next)){ domUtils.remove(next) } } break; } } } }, queryCommandValue : function() { var range = this.selection.getRange(), startNode,floatStyle; if(range.collapsed){ return 'none'; } startNode = range.getClosedNode(); if(startNode && startNode.nodeType == 1 && startNode.tagName == 'IMG'){ floatStyle = domUtils.getComputedStyle(startNode,'float'); if(floatStyle == 'none'){ floatStyle = domUtils.getComputedStyle(startNode.parentNode,'text-align') == 'center' ? 'center' : floatStyle } return { left : 1, right : 1, center : 1 }[floatStyle] ? floatStyle : 'none' } return 'none' }, queryCommandState : function(){ if(this.highlight){ return -1; } var range = this.selection.getRange(), startNode; if(range.collapsed){ return -1; } startNode = range.getClosedNode(); if(startNode && startNode.nodeType == 1 && startNode.tagName == 'IMG'){ return 0; } return -1; } }; UE.commands['insertimage'] = { execCommand : function (cmd, opt){ opt = utils.isArray(opt) ? opt : [opt]; if(!opt.length) return; var me = this, range = me.selection.getRange(), img = range.getClosedNode(); if(img && /img/i.test( img.tagName ) && img.className != "edui-faked-video" &&!img.getAttribute("word_img") ){ var first = opt.shift(); var floatStyle = first['floatStyle']; delete first['floatStyle']; //// img.style.border = (first.border||0) +"px solid #000"; //// img.style.margin = (first.margin||0) +"px"; // img.style.cssText += ';margin:' + (first.margin||0) +"px;" + 'border:' + (first.border||0) +"px solid #000"; domUtils.setAttributes(img,first); me.execCommand('imagefloat',floatStyle); if(opt.length > 0){ range.setStartAfter(img).setCursor(false,true); me.execCommand('insertimage',opt); } }else{ var html = [],str = '',ci; ci = opt[0]; if(opt.length == 1){ str = '<img src="'+ci.src+'" '+ (ci.data_ue_src ? ' data_ue_src="' + ci.data_ue_src +'" ':'') + (ci.width ? 'width="'+ci.width+'" ':'') + (ci.height ? ' height="'+ci.height+'" ':'') + (ci['floatStyle']&&ci['floatStyle']!='center' ? ' style="float:'+ci['floatStyle']+';"':'') + (ci.title?' title="'+ci.title+'"':'') + ' border="'+ (ci.border||0) + '" hspace = "'+(ci.hspace||0)+'" vspace = "'+(ci.vspace||0)+'" />'; if(ci['floatStyle'] == 'center'){ str = '<p style="text-align: center">'+str+'</p>' } html.push(str) }else{ for(var i=0;ci=opt[i++];){ str = '<p ' + (ci['floatStyle'] == 'center' ? 'style="text-align: center" ' : '') + '><img src="'+ci.src+'" '+ (ci.width ? 'width="'+ci.width+'" ':'') + (ci.data_ue_src ? ' data_ue_src="' + ci.data_ue_src +'" ':'') + (ci.height ? ' height="'+ci.height+'" ':'') + ' style="' + (ci['floatStyle']&&ci['floatStyle']!='center' ? 'float:'+ci['floatStyle']+';':'') + (ci.border||'') + '" ' + (ci.title?' title="'+ci.title+'"':'') + ' /></p>'; // if(ci['floatStyle'] == 'center'){ // str = '<p style="text-align: center">'+str+'</p>' // } html.push(str) } } me.execCommand('insertHtml',html.join('')); } }, queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///commands 段落格式,居左,居右,居中,两端对齐 ///commandsName JustifyLeft,JustifyCenter,JustifyRight,JustifyJustify ///commandsTitle 居左对齐,居中对齐,居右对齐,两端对齐 /** * @description 居左右中 * @name baidu.editor.execCommand * @param {String} cmdName justify执行对齐方式的命令 * @param {String} align 对齐方式:left居左,right居右,center居中,justify两端对齐 * @author zhanyi */ (function(){ var block = domUtils.isBlockElm, defaultValue = { left : 1, right : 1, center : 1, justify : 1 }, doJustify = function(range,style){ var bookmark = range.createBookmark(), filterFn = function( node ) { return node.nodeType == 1 ? node.tagName.toLowerCase() != 'br' && !domUtils.isBookmarkNode(node) : !domUtils.isWhitespace( node ) }; range.enlarge(true); var bookmark2 = range.createBookmark(), current = domUtils.getNextDomNode(bookmark2.start,false,filterFn), tmpRange = range.cloneRange(), tmpNode; while(current && !(domUtils.getPosition(current,bookmark2.end)&domUtils.POSITION_FOLLOWING)){ if(current.nodeType == 3 || !block(current)){ tmpRange.setStartBefore(current); while(current && current!==bookmark2.end && !block(current)){ tmpNode = current; current = domUtils.getNextDomNode(current,false,null,function(node){ return !block(node) }); } tmpRange.setEndAfter(tmpNode); var common = tmpRange.getCommonAncestor(); if( !domUtils.isBody(common) && block(common)){ domUtils.setStyles(common,utils.isString(style) ? {'text-align':style} : style); current = common; }else{ var p = range.document.createElement('p'); domUtils.setStyles(p,utils.isString(style) ? {'text-align':style} : style); var frag = tmpRange.extractContents(); p.appendChild(frag); tmpRange.insertNode(p); current = p; } current = domUtils.getNextDomNode(current,false,filterFn); }else{ current = domUtils.getNextDomNode(current,true,filterFn); } } return range.moveToBookmark(bookmark2).moveToBookmark(bookmark) }; UE.commands['justify'] = { execCommand : function( cmdName,align ) { var range = this.selection.getRange(), txt; if(this.currentSelectedArr && this.currentSelectedArr.length > 0){ for(var i=0,ti;ti=this.currentSelectedArr[i++];){ if(domUtils.isEmptyNode(ti)){ txt = this.document.createTextNode('p'); range.setStart(ti,0).collapse(true).insertNode(txt).selectNode(txt); }else{ range.selectNodeContents(ti) } doJustify(range,align); txt && domUtils.remove(txt); } range.selectNode(this.currentSelectedArr[0]).select() }else{ //闭合时单独处理 if(range.collapsed){ txt = this.document.createTextNode('p'); range.insertNode(txt); } doJustify(range,align); if(txt){ range.setStartBefore(txt).collapse(true); domUtils.remove(txt); } range.select(); } return true; }, queryCommandValue : function() { var startNode = this.selection.getStart(), value = domUtils.getComputedStyle(startNode,'text-align'); return defaultValue[value] ? value : 'left'; }, queryCommandState : function(){ return this.highlight ? -1 : 0; } } })(); ///import core ///import plugins\removeformat.js ///commands 字体颜色,背景色,字号,字体,下划线,删除线 ///commandsName ForeColor,BackColor,FontSize,FontFamily,Underline,StrikeThrough ///commandsTitle 字体颜色,背景色,字号,字体,下划线,删除线 /** * @description 字体 * @name baidu.editor.execCommand * @param {String} cmdName 执行的功能名称 * @param {String} value 传入的值 */ (function() { var fonts = { 'forecolor':'color', 'backcolor':'background-color', 'fontsize':'font-size', 'fontfamily':'font-family', 'underline':'text-decoration', 'strikethrough':'text-decoration' }; for ( var p in fonts ) { (function( cmd, style ) { UE.commands[cmd] = { execCommand : function( cmdName, value ) { value = value || (this.queryCommandState(cmdName) ? 'none' : cmdName == 'underline' ? 'underline' : 'line-through'); var me = this, range = this.selection.getRange(), text; if ( value == 'default' ) { if(range.collapsed){ text = me.document.createTextNode('font'); range.insertNode(text).select() } me.execCommand( 'removeFormat', 'span,a', style); if(text){ range.setStartBefore(text).setCursor(); domUtils.remove(text) } } else { if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ range.selectNodeContents(ci); range.applyInlineStyle( 'span', {'style':style + ':' + value} ); } range.selectNodeContents(this.currentSelectedArr[0]).select(); }else{ if ( !range.collapsed ) { if((cmd == 'underline'||cmd=='strikethrough') && me.queryCommandValue(cmd)){ me.execCommand( 'removeFormat', 'span,a', style ); } range = me.selection.getRange(); range.applyInlineStyle( 'span', {'style':style + ':' + value} ).select(); } else { var span = domUtils.findParentByTagName(range.startContainer,'span',true); text = me.document.createTextNode('font'); if(span && !span.children.length && !span[browser.ie ? 'innerText':'textContent'].replace(fillCharReg,'').length){ //for ie hack when enter range.insertNode(text); if(cmd == 'underline'||cmd=='strikethrough'){ range.selectNode(text).select(); me.execCommand( 'removeFormat','span,a', style, null ); span = domUtils.findParentByTagName(text,'span',true); range.setStartBefore(text) } span.style.cssText = span.style.cssText + ';' + style + ':' + value; range.collapse(true).select(); }else{ range.insertNode(text); range.selectNode(text).select(); span = range.document.createElement( 'span' ); if(cmd == 'underline'||cmd=='strikethrough'){ //a标签内的不处理跳过 if(domUtils.findParentByTagName(text,'a',true)){ range.setStartBefore(text).setCursor(); domUtils.remove(text); return; } me.execCommand( 'removeFormat','span,a', style ); } span.style.cssText = style + ':' + value; text.parentNode.insertBefore(span,text); //修复,span套span 但样式不继承的问题 if(!browser.ie || browser.ie && browser.version == 9){ var spanParent = span.parentNode; while(!domUtils.isBlockElm(spanParent)){ if(spanParent.tagName == 'SPAN'){ span.style.cssText = spanParent.style.cssText + span.style.cssText; } spanParent = spanParent.parentNode; } } range.setStart(span,0).setCursor(); //trace:981 //domUtils.mergToParent(span) } domUtils.remove(text) } } } return true; }, queryCommandValue : function (cmdName) { var startNode = this.selection.getStart(); //trace:946 if(cmdName == 'underline'||cmdName=='strikethrough' ){ var tmpNode = startNode,value; while(tmpNode && !domUtils.isBlockElm(tmpNode) && !domUtils.isBody(tmpNode)){ if(tmpNode.nodeType == 1){ value = domUtils.getComputedStyle( tmpNode, style ); if(value != 'none'){ return value; } } tmpNode = tmpNode.parentNode; } return 'none' } return domUtils.getComputedStyle( startNode, style ); }, queryCommandState : function(cmdName){ if(this.highlight){ return -1; } if(!(cmdName == 'underline'||cmdName=='strikethrough')) return 0; return this.queryCommandValue(cmdName) == (cmdName == 'underline' ? 'underline' : 'line-through') } } })( p, fonts[p] ); } })(); ///import core ///commands 超链接,取消链接 ///commandsName Link,Unlink ///commandsTitle 超链接,取消链接 ///commandsDialog dialogs\link\link.html /** * 超链接 * @function * @name baidu.editor.execCommand * @param {String} cmdName link插入超链接 * @param {Object} options url地址,title标题,target是否打开新页 * @author zhanyi */ /** * 取消链接 * @function * @name baidu.editor.execCommand * @param {String} cmdName unlink取消链接 * @author zhanyi */ (function() { function optimize( range ) { var start = range.startContainer,end = range.endContainer; if ( start = domUtils.findParentByTagName( start, 'a', true ) ) { range.setStartBefore( start ) } if ( end = domUtils.findParentByTagName( end, 'a', true ) ) { range.setEndAfter( end ) } } UE.commands['unlink'] = { execCommand : function() { var as, range = new dom.Range(this.document), tds = this.currentSelectedArr, bookmark; if(tds && tds.length >0){ for(var i=0,ti;ti=tds[i++];){ as = domUtils.getElementsByTagName(ti,'a'); for(var j=0,aj;aj=as[j++];){ domUtils.remove(aj,true); } } if(domUtils.isEmptyNode(tds[0])){ range.setStart(tds[0],0).setCursor(); }else{ range.selectNodeContents(tds[0]).select() } }else{ range = this.selection.getRange(); if(range.collapsed && !domUtils.findParentByTagName( range.startContainer, 'a', true )){ return; } bookmark = range.createBookmark(); optimize( range ); range.removeInlineStyle( 'a' ).moveToBookmark( bookmark ).select(); } }, queryCommandState : function(){ return !this.highlight && this.queryCommandValue('link') ? 0 : -1; } }; function doLink(range,opt){ optimize( range = range.adjustmentBoundary() ); var start = range.startContainer; if(start.nodeType == 1){ start = start.childNodes[range.startOffset]; if(start && start.nodeType == 1 && start.tagName == 'A' && /^(?:https?|ftp|file)\s*:\s*\/\//.test(start[browser.ie?'innerText':'textContent'])){ start.innerHTML = opt.href; } } range.removeInlineStyle( 'a' ); if ( range.collapsed ) { var a = range.document.createElement( 'a' ); domUtils.setAttributes( a, opt ); a.innerHTML = opt.href; range.insertNode( a ).selectNode( a ); } else { range.applyInlineStyle( 'a', opt ) } } UE.commands['link'] = { queryCommandState : function(){ return this.highlight ? -1 :0; }, execCommand : function( cmdName, opt ) { var range = new dom.Range(this.document), tds = this.currentSelectedArr; if(tds && tds.length){ for(var i=0,ti;ti=tds[i++];){ if(domUtils.isEmptyNode(ti)){ ti.innerHTML = opt.href } doLink(range.selectNodeContents(ti),opt) } range.selectNodeContents(tds[0]).select() }else{ doLink(range=this.selection.getRange(),opt); range.collapse().select(browser.gecko ? true : false); } }, queryCommandValue : function() { var range = new dom.Range(this.document), tds = this.currentSelectedArr, as, node; if(tds && tds.length){ for(var i=0,ti;ti=tds[i++];){ as = ti.getElementsByTagName('a'); if(as[0]) return as[0] } }else{ range = this.selection.getRange(); if ( range.collapsed ) { node = this.selection.getStart(); if ( node && (node = domUtils.findParentByTagName( node, 'a', true )) ) { return node; } } else { //trace:1111 如果是<p><a>xx</a></p> startContainer是p就会找不到a range.shrinkBoundary(); var start = range.startContainer.nodeType == 3 || !range.startContainer.childNodes[range.startOffset] ? range.startContainer : range.startContainer.childNodes[range.startOffset], end = range.endContainer.nodeType == 3 || range.endOffset == 0 ? range.endContainer : range.endContainer.childNodes[range.endOffset-1], common = range.getCommonAncestor(); node = domUtils.findParentByTagName( common, 'a', true ); if ( !node && common.nodeType == 1){ var as = common.getElementsByTagName( 'a' ), ps,pe; for ( var i = 0,ci; ci = as[i++]; ) { ps = domUtils.getPosition( ci, start ),pe = domUtils.getPosition( ci,end); if ( (ps & domUtils.POSITION_FOLLOWING || ps & domUtils.POSITION_CONTAINS) && (pe & domUtils.POSITION_PRECEDING || pe & domUtils.POSITION_CONTAINS) ) { node = ci; break; } } } return node; } } } }; })(); ///import core ///import plugins\inserthtml.js ///commands 地图 ///commandsName Map,GMap ///commandsTitle Baidu地图,Google地图 ///commandsDialog dialogs\map\map.html,dialogs\gmap\gmap.html UE.commands['gmap'] = UE.commands['map'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///import plugins\inserthtml.js ///commands 插入框架 ///commandsName InsertFrame ///commandsTitle 插入Iframe ///commandsDialog dialogs\insertframe\insertframe.html UE.commands['insertframe'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///commands 清除格式 ///commandsName RemoveFormat ///commandsTitle 清除格式 /** * @description 清除格式 * @name baidu.editor.execCommand * @param {String} cmdName removeformat清除格式命令 * @param {String} tags 以逗号隔开的标签。如:span,a * @param {String} style 样式 * @param {String} attrs 属性 * @param {String} notIncluedA 是否把a标签切开 * @author zhanyi */ UE.commands['removeformat'] = { execCommand : function( cmdName, tags, style, attrs,notIncludeA ) { var tagReg = new RegExp( '^(?:' + (tags || this.options.removeFormatTags).replace( /,/g, '|' ) + ')$', 'i' ) , removeFormatAttributes = style ? [] : (attrs || this.options.removeFormatAttributes).split( ',' ), range = new dom.Range( this.document ), bookmark,node,parent, filter = function( node ) { return node.nodeType == 1; }; function isRedundantSpan (node) { if (node.nodeType == 3 || node.tagName.toLowerCase() != 'span') return 0; if (browser.ie) { //ie 下判断实效,所以只能简单用style来判断 //return node.style.cssText == '' ? 1 : 0; var attrs = node.attributes; if ( attrs.length ) { for ( var i = 0,l = attrs.length; i<l; i++ ) { if ( attrs[i].specified ) { return 0; } } return 1; } } return !node.attributes.length } function doRemove( range ) { var bookmark1 = range.createBookmark(); if ( range.collapsed ) { range.enlarge( true ); } //不能把a标签切了 if(!notIncludeA){ var aNode = domUtils.findParentByTagName(range.startContainer,'a',true); if(aNode){ range.setStartBefore(aNode) } aNode = domUtils.findParentByTagName(range.endContainer,'a',true); if(aNode){ range.setEndAfter(aNode) } } bookmark = range.createBookmark(); node = bookmark.start; //切开始 while ( (parent = node.parentNode) && !domUtils.isBlockElm( parent ) ) { domUtils.breakParent( node, parent ); domUtils.clearEmptySibling( node ); } if ( bookmark.end ) { //切结束 node = bookmark.end; while ( (parent = node.parentNode) && !domUtils.isBlockElm( parent ) ) { domUtils.breakParent( node, parent ); domUtils.clearEmptySibling( node ); } //开始去除样式 var current = domUtils.getNextDomNode( bookmark.start, false, filter ), next; while ( current ) { if ( current == bookmark.end ) { break; } next = domUtils.getNextDomNode( current, true, filter ); if ( !dtd.$empty[current.tagName.toLowerCase()] && !domUtils.isBookmarkNode( current ) ) { if ( tagReg.test( current.tagName ) ) { if ( style ) { domUtils.removeStyle( current, style ); if ( isRedundantSpan( current ) && style != 'text-decoration') domUtils.remove( current, true ); } else { domUtils.remove( current, true ) } } else { //trace:939 不能把list上的样式去掉 if(!dtd.$tableContent[current.tagName] && !dtd.$list[current.tagName]){ domUtils.removeAttributes( current, removeFormatAttributes ); if ( isRedundantSpan( current ) ) domUtils.remove( current, true ); } } } current = next; } } //trace:1035 //trace:1096 不能把td上的样式去掉,比如边框 var pN = bookmark.start.parentNode; if(domUtils.isBlockElm(pN) && !dtd.$tableContent[pN.tagName] && !dtd.$list[pN.tagName]){ domUtils.removeAttributes( pN,removeFormatAttributes ); } pN = bookmark.end.parentNode; if(bookmark.end && domUtils.isBlockElm(pN) && !dtd.$tableContent[pN.tagName]&& !dtd.$list[pN.tagName]){ domUtils.removeAttributes( pN,removeFormatAttributes ); } range.moveToBookmark( bookmark ).moveToBookmark(bookmark1); //清除冗余的代码 <b><bookmark></b> var node = range.startContainer, tmp, collapsed = range.collapsed; while(node.nodeType == 1 && domUtils.isEmptyNode(node) && dtd.$removeEmpty[node.tagName]){ tmp = node.parentNode; range.setStartBefore(node); //trace:937 //更新结束边界 if(range.startContainer === range.endContainer){ range.endOffset--; } domUtils.remove(node); node = tmp; } if(!collapsed){ node = range.endContainer; while(node.nodeType == 1 && domUtils.isEmptyNode(node) && dtd.$removeEmpty[node.tagName]){ tmp = node.parentNode; range.setEndBefore(node); domUtils.remove(node); node = tmp; } } } if ( this.currentSelectedArr && this.currentSelectedArr.length ) { for ( var i = 0,ci; ci = this.currentSelectedArr[i++]; ) { range.selectNodeContents( ci ); doRemove( range ); } range.selectNodeContents( this.currentSelectedArr[0] ).select(); } else { range = this.selection.getRange(); doRemove( range ); range.select(); } }, queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///commands 引用 ///commandsName BlockQuote ///commandsTitle 引用 /** * * 引用模块实现 * @function * @name baidu.editor.execCommand * @param {String} cmdName blockquote引用 */ (function() { var getObj = function(editor){ // var startNode = editor.selection.getStart(); // return domUtils.findParentByTagName( startNode, 'blockquote', true ) return utils.findNode(editor.selection.getStartElementPath(),['blockquote']) }; UE.commands['blockquote'] = { execCommand : function( cmdName, attrs ) { var range = this.selection.getRange(), obj = getObj(this), blockquote = dtd.blockquote, bookmark = range.createBookmark(), tds = this.currentSelectedArr; if ( obj ) { if(tds && tds.length){ domUtils.remove(obj,true) }else{ var start = range.startContainer, startBlock = domUtils.isBlockElm(start) ? start : domUtils.findParent(start,function(node){return domUtils.isBlockElm(node)}), end = range.endContainer, endBlock = domUtils.isBlockElm(end) ? end : domUtils.findParent(end,function(node){return domUtils.isBlockElm(node)}); //处理一下li startBlock = domUtils.findParentByTagName(startBlock,'li',true) || startBlock; endBlock = domUtils.findParentByTagName(endBlock,'li',true) || endBlock; if(startBlock.tagName == 'LI' || startBlock.tagName == 'TD' || startBlock === obj){ domUtils.remove(obj,true) }else{ domUtils.breakParent(startBlock,obj); } if(startBlock !== endBlock){ obj = domUtils.findParentByTagName(endBlock,'blockquote'); if(obj){ if(endBlock.tagName == 'LI' || endBlock.tagName == 'TD'){ domUtils.remove(obj,true) }else{ domUtils.breakParent(endBlock,obj); } } } var blockquotes = domUtils.getElementsByTagName(this.document,'blockquote'); for(var i=0,bi;bi=blockquotes[i++];){ if(!bi.childNodes.length){ domUtils.remove(bi) }else if(domUtils.getPosition(bi,startBlock)&domUtils.POSITION_FOLLOWING && domUtils.getPosition(bi,endBlock)&domUtils.POSITION_PRECEDING){ domUtils.remove(bi,true) } } } } else { var tmpRange = range.cloneRange(), node = tmpRange.startContainer.nodeType == 1 ? tmpRange.startContainer : tmpRange.startContainer.parentNode, preNode = node, doEnd = 1; //调整开始 while ( 1 ) { if ( domUtils.isBody(node) ) { if ( preNode !== node ) { if ( range.collapsed ) { tmpRange.selectNode( preNode ); doEnd = 0; } else { tmpRange.setStartBefore( preNode ); } }else{ tmpRange.setStart(node,0) } break; } if ( !blockquote[node.tagName] ) { if ( range.collapsed ) { tmpRange.selectNode( preNode ) } else tmpRange.setStartBefore( preNode); break; } preNode = node; node = node.parentNode; } //调整结束 if ( doEnd ) { preNode = node = node = tmpRange.endContainer.nodeType == 1 ? tmpRange.endContainer : tmpRange.endContainer.parentNode; while ( 1 ) { if ( domUtils.isBody( node ) ) { if ( preNode !== node ) { tmpRange.setEndAfter( preNode ); } else { tmpRange.setEnd( node, node.childNodes.length ) } break; } if ( !blockquote[node.tagName] ) { tmpRange.setEndAfter( preNode ); break; } preNode = node; node = node.parentNode; } } node = range.document.createElement( 'blockquote' ); domUtils.setAttributes( node, attrs ); node.appendChild( tmpRange.extractContents() ); tmpRange.insertNode( node ); //去除重复的 var childs = domUtils.getElementsByTagName(node,'blockquote'); for(var i=0,ci;ci=childs[i++];){ if(ci.parentNode){ domUtils.remove(ci,true) } } } range.moveToBookmark( bookmark ).select() }, queryCommandState : function() { if(this.highlight){ return -1; } return getObj(this) ? 1 : 0; } }; })(); ///import core ///import plugins\paragraph.js ///commands 首行缩进 ///commandsName Outdent,Indent ///commandsTitle 取消缩进,首行缩进 /** * 首行缩进 * @function * @name baidu.editor.execCommand * @param {String} cmdName outdent取消缩进,indent缩进 */ UE.commands['indent'] = { execCommand : function() { var me = this,value = me.queryCommandState("indent") ? "0em" : me.options.indentValue || '2em'; me.execCommand('Paragraph','p',{style:'text-indent:'+ value}); }, queryCommandState : function() { if(this.highlight){return -1;} var //start = this.selection.getStart(), // pN = domUtils.findParentByTagName(start,['p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6'],true), pN = utils.findNode(this.selection.getStartElementPath(),['p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6']), indent = pN && pN.style.textIndent ? parseInt(pN.style.textIndent) : ''; return indent ? 1 : 0; } }; ///import core ///commands 打印 ///commandsName Print ///commandsTitle 打印 /** * @description 打印 * @name baidu.editor.execCommand * @param {String} cmdName print打印编辑器内容 * @author zhanyi */ UE.commands['print'] = { execCommand : function(){ this.window.print(); }, notNeedUndo : 1 }; ///import core ///commands 预览 ///commandsName Preview ///commandsTitle 预览 /** * 预览 * @function * @name baidu.editor.execCommand * @param {String} cmdName preview预览编辑器内容 */ UE.commands['preview'] = { execCommand : function(){ var me = this, w = window.open('', '_blank', ""), d = w.document, css = me.document.getElementById("syntaxhighlighter_css"), js = document.getElementById("syntaxhighlighter_js"), style = "<style type='text/css'>" + me.options.initialStyle + "</style>", cont = me.getContent(); if(browser.ie){ cont = cont.replace(/<\s*br\s*\/?\s*>/gi,'<br/><br/>') } d.open(); d.write('<html><head>'+style+'<link rel="stylesheet" type="text/css" href="'+me.options.UEDITOR_HOME_URL+utils.unhtml( this.options.iframeCssUrl ) + '"/>'+ (css ? '<link rel="stylesheet" type="text/css" href="' + css.href + '"/>' : '') + (css ? ' <script type="text/javascript" charset="utf-8" src="'+js.src+'"></script>':'') +'<title></title></head><body >' + cont + (css ? '<script type="text/javascript">'+(baidu.editor.browser.ie ? 'window.onload = function(){SyntaxHighlighter.all()};' : 'SyntaxHighlighter.all();')+ 'setTimeout(function(){' + 'for(var i=0,di;di=SyntaxHighlighter.highlightContainers[i++];){' + 'var tds = di.getElementsByTagName("td");' + 'for(var j=0,li,ri;li=tds[0].childNodes[j];j++){' + 'ri = tds[1].firstChild.childNodes[j];' + 'ri.style.height = li.style.height = ri.offsetHeight + "px";' + '}' + '}},100)</script>':'') + '</body></html>'); d.close(); }, notNeedUndo : 1 }; ///import core ///import plugins\inserthtml.js ///commands 特殊字符 ///commandsName Spechars ///commandsTitle 特殊字符 ///commandsDialog dialogs\spechars\spechars.html UE.commands['spechars'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///import plugins\image.js ///commands 插入表情 ///commandsName Emotion ///commandsTitle 表情 ///commandsDialog dialogs\emotion\emotion.html UE.commands['emotion'] = { queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///commands 全选 ///commandsName SelectAll ///commandsTitle 全选 /** * 选中所有 * @function * @name baidu.editor.execCommand * @param {String} cmdName selectall选中编辑器里的所有内容 * @author zhanyi */ UE.plugins['selectall'] = function(){ var me = this; me.commands['selectall'] = { execCommand : function(){ //去掉了原生的selectAll,因为会出现报错和当内容为空时,不能出现闭合状态的光标 var range = this.selection.getRange(); range.selectNodeContents(this.body); if(domUtils.isEmptyBlock(this.body)) range.collapse(true); range.select(true); this.selectAll = true; }, notNeedUndo : 1 }; me.addListener('ready',function(){ domUtils.on(me.document,'click',function(evt){ me.selectAll = false; }) }) }; ///import core ///commands 格式 ///commandsName Paragraph ///commandsTitle 段落格式 /** * 段落样式 * @function * @name baidu.editor.execCommand * @param {String} cmdName paragraph插入段落执行命令 * @param {String} style 标签值为:'p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6' * @param {String} attrs 标签的属性 * @author zhanyi */ (function() { var block = domUtils.isBlockElm, notExchange = ['TD','LI','PRE'], doParagraph = function(range,style,attrs,sourceCmdName){ var bookmark = range.createBookmark(), filterFn = function( node ) { return node.nodeType == 1 ? node.tagName.toLowerCase() != 'br' && !domUtils.isBookmarkNode(node) : !domUtils.isWhitespace( node ) }, para; range.enlarge( true ); var bookmark2 = range.createBookmark(), current = domUtils.getNextDomNode( bookmark2.start, false, filterFn ), tmpRange = range.cloneRange(), tmpNode; while ( current && !(domUtils.getPosition( current, bookmark2.end ) & domUtils.POSITION_FOLLOWING) ) { if ( current.nodeType == 3 || !block( current ) ) { tmpRange.setStartBefore( current ); while ( current && current !== bookmark2.end && !block( current ) ) { tmpNode = current; current = domUtils.getNextDomNode( current, false, null, function( node ) { return !block( node ) } ); } tmpRange.setEndAfter( tmpNode ); para = range.document.createElement( style ); if(attrs){ domUtils.setAttributes(para,attrs); if(sourceCmdName && sourceCmdName == 'customstyle' && attrs.style) para.style.cssText = attrs.style; } para.appendChild( tmpRange.extractContents() ); //需要内容占位 if(domUtils.isEmptyNode(para)){ domUtils.fillChar(range.document,para); } tmpRange.insertNode( para ); var parent = para.parentNode; //如果para上一级是一个block元素且不是body,td就删除它 if ( block( parent ) && !domUtils.isBody( para.parentNode ) && utils.indexOf(notExchange,parent.tagName)==-1) { //存储dir,style if(!(sourceCmdName && sourceCmdName == 'customstyle')){ parent.getAttribute('dir') && para.setAttribute('dir',parent.getAttribute('dir')); //trace:1070 parent.style.cssText && (para.style.cssText = parent.style.cssText + ';' + para.style.cssText); //trace:1030 parent.style.textAlign && !para.style.textAlign && (para.style.textAlign = parent.style.textAlign); parent.style.textIndent && !para.style.textIndent && (para.style.textIndent = parent.style.textIndent); parent.style.padding && !para.style.padding && (para.style.padding = parent.style.padding); } //trace:1706 选择的就是h1-6要删除 if(attrs && /h\d/i.test(parent.tagName) && !/h\d/i.test(para.tagName) ){ domUtils.setAttributes(parent,attrs); if(sourceCmdName && sourceCmdName == 'customstyle' && attrs.style) parent.style.cssText = attrs.style; domUtils.remove(para,true); para = parent; }else domUtils.remove( para.parentNode, true ); } if( utils.indexOf(notExchange,parent.tagName)!=-1){ current = parent; }else{ current = para; } current = domUtils.getNextDomNode( current, false, filterFn ); } else { current = domUtils.getNextDomNode( current, true, filterFn ); } } return range.moveToBookmark( bookmark2 ).moveToBookmark( bookmark ); }; UE.commands['paragraph'] = { execCommand : function( cmdName, style,attrs,sourceCmdName ) { var range = new dom.Range(this.document); if(this.currentSelectedArr && this.currentSelectedArr.length > 0){ for(var i=0,ti;ti=this.currentSelectedArr[i++];){ //trace:1079 不显示的不处理,插入文本,空的td也能加上相应的标签 if(ti.style.display == 'none') continue; if(domUtils.isEmptyNode(ti)){ var tmpTxt = this.document.createTextNode('paragraph'); ti.innerHTML = ''; ti.appendChild(tmpTxt); } doParagraph(range.selectNodeContents(ti),style,attrs,sourceCmdName); if(tmpTxt){ var pN = tmpTxt.parentNode; domUtils.remove(tmpTxt); if(domUtils.isEmptyNode(pN)){ domUtils.fillNode(this.document,pN) } } } var td = this.currentSelectedArr[0]; if(domUtils.isEmptyBlock(td)){ range.setStart(td,0).setCursor(false,true); }else{ range.selectNode(td).select() } }else{ range = this.selection.getRange(); //闭合时单独处理 if(range.collapsed){ var txt = this.document.createTextNode('p'); range.insertNode(txt); //去掉冗余的fillchar if(browser.ie){ var node = txt.previousSibling; if(node && domUtils.isWhitespace(node)){ domUtils.remove(node) } node = txt.nextSibling; if(node && domUtils.isWhitespace(node)){ domUtils.remove(node) } } } range = doParagraph(range,style,attrs,sourceCmdName); if(txt){ range.setStartBefore(txt).collapse(true); pN = txt.parentNode; domUtils.remove(txt); if(domUtils.isBlockElm(pN)&&domUtils.isEmptyNode(pN)){ domUtils.fillNode(this.document,pN) } } if(browser.gecko && range.collapsed && range.startContainer.nodeType == 1){ var child = range.startContainer.childNodes[range.startOffset]; if(child && child.nodeType == 1 && child.tagName.toLowerCase() == style){ range.setStart(child,0).collapse(true) } } //trace:1097 原来有true,原因忘了,但去了就不能清除多余的占位符了 range.select() } return true; }, queryCommandValue : function() { var node = utils.findNode(this.selection.getStartElementPath(),['p','h1','h2','h3','h4','h5','h6']); return node ? node.tagName.toLowerCase() : ''; }, queryCommandState : function(){ return this.highlight ? -1 :0; } } })(); ///import core ///commands 输入的方向 ///commandsName DirectionalityLtr,DirectionalityRtl ///commandsTitle 从左向右输入,从右向左输入 /** * 输入的方向 * @function * @name baidu.editor.execCommand * @param {String} cmdName directionality执行函数的参数 * @param {String} forward ltr从左向右输入,rtl从右向左输入 */ (function() { var block = domUtils.isBlockElm , getObj = function(editor){ // var startNode = editor.selection.getStart(), // parents; // if ( startNode ) { // //查找所有的是block的父亲节点 // parents = domUtils.findParents( startNode, true, block, true ); // for ( var i = 0,ci; ci = parents[i++]; ) { // if ( ci.getAttribute( 'dir' ) ) { // return ci; // } // } // } return utils.findNode(editor.selection.getStartElementPath(),null,function(n){return n.getAttribute('dir')}); }, doDirectionality = function(range,editor,forward){ var bookmark, filterFn = function( node ) { return node.nodeType == 1 ? !domUtils.isBookmarkNode(node) : !domUtils.isWhitespace(node) }, obj = getObj( editor ); if ( obj && range.collapsed ) { obj.setAttribute( 'dir', forward ); return range; } bookmark = range.createBookmark(); range.enlarge( true ); var bookmark2 = range.createBookmark(), current = domUtils.getNextDomNode( bookmark2.start, false, filterFn ), tmpRange = range.cloneRange(), tmpNode; while ( current && !(domUtils.getPosition( current, bookmark2.end ) & domUtils.POSITION_FOLLOWING) ) { if ( current.nodeType == 3 || !block( current ) ) { tmpRange.setStartBefore( current ); while ( current && current !== bookmark2.end && !block( current ) ) { tmpNode = current; current = domUtils.getNextDomNode( current, false, null, function( node ) { return !block( node ) } ); } tmpRange.setEndAfter( tmpNode ); var common = tmpRange.getCommonAncestor(); if ( !domUtils.isBody( common ) && block( common ) ) { //遍历到了block节点 common.setAttribute( 'dir', forward ); current = common; } else { //没有遍历到,添加一个block节点 var p = range.document.createElement( 'p' ); p.setAttribute( 'dir', forward ); var frag = tmpRange.extractContents(); p.appendChild( frag ); tmpRange.insertNode( p ); current = p; } current = domUtils.getNextDomNode( current, false, filterFn ); } else { current = domUtils.getNextDomNode( current, true, filterFn ); } } return range.moveToBookmark( bookmark2 ).moveToBookmark( bookmark ); }; UE.commands['directionality'] = { execCommand : function( cmdName,forward ) { var range = new dom.Range(this.document); if(this.currentSelectedArr && this.currentSelectedArr.length > 0){ for(var i=0,ti;ti=this.currentSelectedArr[i++];){ if(ti.style.display != 'none') doDirectionality(range.selectNode(ti),this,forward); } range.selectNode(this.currentSelectedArr[0]).select() }else{ range = this.selection.getRange(); //闭合时单独处理 if(range.collapsed){ var txt = this.document.createTextNode('d'); range.insertNode(txt); } doDirectionality(range,this,forward); if(txt){ range.setStartBefore(txt).collapse(true); domUtils.remove(txt); } range.select(); } return true; }, queryCommandValue : function() { var node = getObj(this); return node ? node.getAttribute('dir') : 'ltr' }, queryCommandState : function(){ return this.highlight ? -1 :0; } } })(); ///import core ///import plugins\inserthtml.js ///commands 分割线 ///commandsName Horizontal ///commandsTitle 分隔线 /** * 分割线 * @function * @name baidu.editor.execCommand * @param {String} cmdName horizontal插入分割线 */ UE.commands['horizontal'] = { execCommand : function( cmdName ) { var me = this; if(me.queryCommandState(cmdName)!==-1){ me.execCommand('insertHtml','<hr>'); var range = me.selection.getRange(), start = range.startContainer; if(start.nodeType == 1 && !start.childNodes[range.startOffset] ){ var tmp; if(tmp = start.childNodes[range.startOffset - 1]){ if(tmp.nodeType == 1 && tmp.tagName == 'HR'){ if(me.options.enterTag == 'p'){ tmp = me.document.createElement('p'); range.insertNode(tmp); range.setStart(tmp,0).setCursor(); }else{ tmp = me.document.createElement('br'); range.insertNode(tmp); range.setStartBefore(tmp).setCursor(); } } } } return true; } }, //边界在table里不能加分隔线 queryCommandState : function() { return this.highlight || utils.findNode(this.selection.getStartElementPath(),['table']) ? -1 : 0; } }; ///import core ///import plugins\inserthtml.js ///commands 日期,时间 ///commandsName Date,Time ///commandsTitle 日期,时间 /** * 插入日期 * @function * @name baidu.editor.execCommand * @param {String} cmdName date插入日期 * @author zhuwenxuan */ /** * 插入时间 * @function * @name baidu.editor.execCommand * @param {String} cmdName time插入时间 * @author zhuwenxuan */ UE.commands['time'] = UE.commands["date"] = { execCommand : function(cmd){ var date = new Date; this.execCommand('insertHtml',cmd == "time" ? (date.getHours()+":"+ (date.getMinutes()<10 ? "0"+date.getMinutes() : date.getMinutes())+":"+(date.getSeconds()<10 ? "0"+date.getSeconds() : date.getSeconds())) : (date.getFullYear()+"-"+((date.getMonth()+1)<10 ? "0"+(date.getMonth()+1) : date.getMonth()+1)+"-"+(date.getDate()<10?"0"+date.getDate():date.getDate()))); }, queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///import plugins\paragraph.js ///commands 段间距 ///commandsName RowSpacingBottom,RowSpacingTop ///commandsTitle 段间距 /** * @description 设置段前距,段后距 * @name baidu.editor.execCommand * @param {String} cmdName rowspacing设置段间距 * @param {String} value 值,以px为单位 * @param {String} dir top或bottom段前后段后 * @author zhanyi */ UE.commands['rowspacing'] = { execCommand : function( cmdName,value,dir ) { this.execCommand('paragraph','p',{style:'margin-'+dir+':'+value + 'px'}); return true; }, queryCommandValue : function(cmdName,dir) { var pN = utils.findNode(this.selection.getStartElementPath(),null,function(node){return domUtils.isBlockElm(node) }), value; //trace:1026 if(pN){ value = domUtils.getComputedStyle(pN,'margin-'+dir).replace(/[^\d]/g,''); return !value ? 0 : value; } return 0; }, queryCommandState : function(){ return this.highlight ? -1 :0; } }; ///import core ///import plugins\paragraph.js ///commands 行间距 ///commandsName LineHeight ///commandsTitle 行间距 /** * @description 设置行内间距 * @name baidu.editor.execCommand * @param {String} cmdName lineheight设置行内间距 * @param {String} value 值 * @author zhuwenxuan */ UE.plugins['lineheight'] = function(){ var me = this; me.commands['lineheight'] = { execCommand : function( cmdName,value ) { this.execCommand('paragraph','p',{style:'line-height:'+ (value == "1" ? "normal" : value + 'em') }); return true; }, queryCommandValue : function() { var pN = utils.findNode(this.selection.getStartElementPath(),null,function(node){return domUtils.isBlockElm(node)}); if(pN){ var value = domUtils.getComputedStyle(pN,'line-height'); return value == 'normal' ? 1 : value.replace(/[^\d.]*/ig,"") } }, queryCommandState : function(){ return this.highlight ? -1 :0; } }; }; ///import core ///commands 清空文档 ///commandsName ClearDoc ///commandsTitle 清空文档 /** * * 清空文档 * @function * @name baidu.editor.execCommand * @param {String} cmdName cleardoc清空文档 */ UE.commands['cleardoc'] = { execCommand : function( cmdName) { var me = this, enterTag = me.options.enterTag, range = me.selection.getRange(); if(enterTag == "br"){ me.body.innerHTML = "<br/>"; range.setStart(me.body,0).setCursor(); }else{ me.body.innerHTML = "<p>"+(ie ? "" : "<br/>")+"</p>"; range.setStart(me.body.firstChild,0).setCursor(false,true); } } }; ///import core ///commands 锚点 ///commandsName Anchor ///commandsTitle 锚点 ///commandsDialog dialogs\anchor\anchor.html /** * 锚点 * @function * @name baidu.editor.execCommands * @param {String} cmdName cmdName="anchor"插入锚点 */ UE.commands['anchor'] = { execCommand:function (cmd, name) { var range = this.selection.getRange(),img = range.getClosedNode(); if (img && img.getAttribute('anchorname')) { if (name) { img.setAttribute('anchorname', name); } else { range.setStartBefore(img).setCursor(); domUtils.remove(img); } } else { if (name) { //只在选区的开始插入 var anchor = this.document.createElement('img'); range.collapse(true); domUtils.setAttributes(anchor,{ 'anchorname':name, 'class':'anchorclass' }); range.insertNode(anchor).setStartAfter(anchor).setCursor(false,true); } } }, queryCommandState:function () { return this.highlight ? -1 : 0; } }; ///import core ///commands 删除 ///commandsName Delete ///commandsTitle 删除 /** * 删除 * @function * @name baidu.editor.execCommand * @param {String} cmdName delete删除 */ UE.commands['delete'] = { execCommand : function (){ var range = this.selection.getRange(), mStart = 0, mEnd = 0, me = this; if(this.selectAll ){ //trace:1633 me.body.innerHTML = '<p>'+(browser.ie ? '&nbsp;' : '<br/>')+'</p>'; range.setStart(me.body.firstChild,0).setCursor(false,true); me.selectAll = false; return; } if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ if(ci.style.display != 'none'){ ci.innerHTML = browser.ie ? domUtils.fillChar : '<br/>' } } range.setStart(me.currentSelectedArr[0],0).setCursor(); return; } if(range.collapsed) return; range.txtToElmBoundary(); //&& !domUtils.isBlockElm(range.startContainer) while(!range.startOffset && !domUtils.isBody(range.startContainer) && !dtd.$tableContent[range.startContainer.tagName] ){ mStart = 1; range.setStartBefore(range.startContainer); } //&& !domUtils.isBlockElm(range.endContainer) while(!domUtils.isBody(range.endContainer)&& !dtd.$tableContent[range.endContainer.tagName] ){ var child,endContainer = range.endContainer,endOffset = range.endOffset; // if(endContainer.nodeType == 3 && endOffset == endContainer.nodeValue.length){ // range.setEndAfter(endContainer); // continue; // } child = endContainer.childNodes[endOffset]; if(!child || domUtils.isBr(child) && endContainer.lastChild === child){ range.setEndAfter(endContainer); continue; } break; } if(mStart){ var start = me.document.createElement('span'); start.innerHTML = 'start'; start.id = '_baidu_cut_start'; range.insertNode(start).setStartBefore(start) } if(mEnd){ var end = me.document.createElement('span'); end.innerHTML = 'end'; end.id = '_baidu_cut_end'; range.cloneRange().collapse(false).insertNode(end); range.setEndAfter(end) } range.deleteContents(); if(domUtils.isBody(range.startContainer) && domUtils.isEmptyBlock(me.body)){ me.body.innerHTML = '<p>'+(browser.ie?'':'<br/>')+'</p>'; range.setStart(me.body.firstChild,0).collapse(true); }else if ( !browser.ie && domUtils.isEmptyBlock(range.startContainer)){ range.startContainer.innerHTML = '<br/>' } range.select(true) }, queryCommandState : function(){ if(this.currentSelectedArr && this.currentSelectedArr.length > 0){ return 0; } return this.highlight || this.selection.getRange().collapsed ? -1 : 0; } }; ///import core ///commands 字数统计 ///commandsName WordCount,wordCount ///commandsTitle 字数统计 /** * Created by JetBrains WebStorm. * User: taoqili * Date: 11-9-7 * Time: 下午8:18 * To change this template use File | Settings | File Templates. */ UE.commands["wordcount"]={ queryCommandValue:function(cmd,onlyCount){ var length,contentText,reg; if(onlyCount){ reg = new RegExp("[\r\t\n]","g"); contentText = this.getContentTxt().replace(reg,""); return contentText.length; } var open = this.options.wordCount, max= this.options.maximumWords, msg = this.options.messages.wordCountMsg, errMsg=this.options.messages.wordOverFlowMsg; if(!open) return ""; reg = new RegExp("[\r\t\n]","g"); contentText = this.getContentTxt().replace(reg,""); length = contentText.length; if(max-length<0){ return "<span style='color:red;direction: none'>"+errMsg+"</span> " } msg = msg.replace("{#leave}",max-length >= 0 ? max-length:0); msg = msg.replace("{#count}",length); return msg; } }; ///import core ///commands 添加分页功能 ///commandsName PageBreak ///commandsTitle 分页 /** * @description 添加分页功能 * @author zhanyi */ UE.plugins['pagebreak'] = function () { var me = this, notBreakTags = ['td']; //重写了Editor.hasContents // var hasContentsOrg = me.hasContents; // me.hasContents = function (tags) { // for (var i = 0, di, divs = me.document.getElementsByTagName('div'); di = divs[i++];) { // if (domUtils.hasClass(di, 'pagebreak')) { // return true; // } // } // return hasContentsOrg.call(me, tags); // }; function fillNode(node){ if(domUtils.isEmptyBlock(node)){ var firstChild = node.firstChild,tmpNode; while(firstChild && firstChild.nodeType == 1 && domUtils.isEmptyBlock(firstChild)){ tmpNode = firstChild; firstChild = firstChild.firstChild; } !tmpNode && (tmpNode = node); domUtils.fillNode(me.document,tmpNode); } } function isHr(node){ return node && node.nodeType == 1 && node.tagName == 'HR' && node.className == 'pagebreak'; } me.commands['pagebreak'] = { execCommand:function () { var range = me.selection.getRange(),hr = me.document.createElement('hr'); domUtils.setAttributes(hr,{ 'class' : 'pagebreak', noshade:"noshade", size:"5" }); domUtils.unselectable(hr); //table单独处理 var node = domUtils.findParentByTagName(range.startContainer, notBreakTags, true), parents = [], pN; if (node) { switch (node.tagName) { case 'TD': pN = node.parentNode; if (!pN.previousSibling) { var table = domUtils.findParentByTagName(pN, 'table'); table.parentNode.insertBefore(hr, table); parents = domUtils.findParents(hr, true); } else { pN.parentNode.insertBefore(hr, pN); parents = domUtils.findParents(hr); } pN = parents[1]; if (hr !== pN) { domUtils.breakParent(hr, pN); } domUtils.clearSelectedArr(me.currentSelectedArr); } } else { if (!range.collapsed) { range.deleteContents(); var start = range.startContainer; while (domUtils.isBlockElm(start) && domUtils.isEmptyNode(start)) { range.setStartBefore(start).collapse(true); domUtils.remove(start); start = range.startContainer; } } range.insertNode(hr); var pN = hr.parentNode, nextNode; while (!domUtils.isBody(pN)) { domUtils.breakParent(hr, pN); nextNode = hr.nextSibling; if (nextNode && domUtils.isEmptyBlock(nextNode)) { domUtils.remove(nextNode) } pN = hr.parentNode; } nextNode = hr.nextSibling; var pre = hr.previousSibling; if(isHr(pre)){ domUtils.remove(pre) }else{ fillNode(pre); } if(!nextNode){ var p = me.document.createElement('p'); hr.parentNode.appendChild(p); domUtils.fillNode(me.document,p); range.setStart(p,0).collapse(true) }else{ if(isHr(nextNode)){ domUtils.remove(nextNode) }else{ fillNode(nextNode); } range.setEndAfter(hr).collapse(false) } range.select(true) } }, queryCommandState:function () { return this.highlight ? -1 : 0; } } }; ///import core ///commands 本地图片引导上传 ///commandsName WordImage ///commandsTitle 本地图片引导上传 UE.plugins["wordimage"] = function(){ var me = this, images; me.commands['wordimage'] = { execCommand : function() { images = domUtils.getElementsByTagName(me.document.body,"img"); var urlList = []; for(var i=0,ci;ci=images[i++];){ var url=ci.getAttribute("word_img"); url && urlList.push(url); } if(images.length){ this["word_img"] = urlList; } }, queryCommandState: function(){ images = domUtils.getElementsByTagName(me.document.body,"img"); for(var i=0,ci;ci =images[i++];){ if(ci.getAttribute("word_img")){ return 1; } } return -1; } }; }; ///import core ///commands 撤销和重做 ///commandsName Undo,Redo ///commandsTitle 撤销,重做 /** * @description 回退 * @author zhanyi */ UE.plugins['undo'] = function() { var me = this, maxUndoCount = me.options.maxUndoCount, maxInputCount = me.options.maxInputCount, fillchar = new RegExp(domUtils.fillChar + '|<\/hr>','gi'),// ie会产生多余的</hr> //在比较时,需要过滤掉这些属性 specialAttr = /\b(?:href|src|name)="[^"]*?"/gi; function UndoManager() { this.list = []; this.index = 0; this.hasUndo = false; this.hasRedo = false; this.undo = function() { if ( this.hasUndo ) { var currentScene = this.getScene(), lastScene = this.list[this.index]; if ( lastScene.content.replace(specialAttr,'') != currentScene.content.replace(specialAttr,'') ) { this.save(); } if(!this.list[this.index - 1] && this.list.length == 1){ this.reset(); return; } while ( this.list[this.index].content == this.list[this.index - 1].content ) { this.index--; if ( this.index == 0 ) { return this.restore( 0 ) } } this.restore( --this.index ); } }; this.redo = function() { if ( this.hasRedo ) { while ( this.list[this.index].content == this.list[this.index + 1].content ) { this.index++; if ( this.index == this.list.length - 1 ) { return this.restore( this.index ) } } this.restore( ++this.index ); } }; this.restore = function() { var scene = this.list[this.index]; //trace:873 //去掉展位符 me.document.body.innerHTML = scene.bookcontent.replace(fillchar,''); //处理undo后空格不展位的问题 if(browser.ie){ for(var i=0,pi,ps = me.document.getElementsByTagName('p');pi = ps[i++];){ if(pi.innerHTML == ''){ domUtils.fillNode(me.document,pi); } } } var range = new dom.Range( me.document ); range.moveToBookmark( { start : '_baidu_bookmark_start_', end : '_baidu_bookmark_end_', id : true //去掉true 是为了<b>|</b>,回退后还能在b里 //todo safari里输入中文时,会因为改变了dom而导致丢字 } ); //trace:1278 ie9block元素为空,将出现光标定位的问题,必须填充内容 if(browser.ie && browser.version == 9 && range.collapsed && domUtils.isBlockElm(range.startContainer) && domUtils.isEmptyNode(range.startContainer)){ domUtils.fillNode(range.document,range.startContainer); } range.select(!browser.gecko); setTimeout(function(){ range.scrollToView(me.autoHeightEnabled,me.autoHeightEnabled ? domUtils.getXY(me.iframe).y:0); },200); this.update(); //table的单独处理 if(me.currentSelectedArr){ me.currentSelectedArr = []; var tds = me.document.getElementsByTagName('td'); for(var i=0,td;td=tds[i++];){ if(td.className == me.options.selectedTdClass){ me.currentSelectedArr.push(td); } } } this.clearKey(); //不能把自己reset了 me.fireEvent('reset',true); me.fireEvent('contentchange') }; this.getScene = function() { var range = me.selection.getRange(), cont = me.body.innerHTML.replace(fillchar,''); //有可能边界落到了<table>|<tbody>这样的位置,所以缩一下位置 range.shrinkBoundary(); browser.ie && (cont = cont.replace(/>&nbsp;</g,'><').replace(/\s*</g,'').replace(/>\s*/g,'>')); var bookmark = range.createBookmark( true, true ), bookCont = me.body.innerHTML.replace(fillchar,''); range.moveToBookmark( bookmark ).select( true ); return { bookcontent : bookCont, content : cont } }; this.save = function() { var currentScene = this.getScene(), lastScene = this.list[this.index]; //内容相同位置相同不存 if ( lastScene && lastScene.content == currentScene.content && lastScene.bookcontent == currentScene.bookcontent ) { return; } this.list = this.list.slice( 0, this.index + 1 ); this.list.push( currentScene ); //如果大于最大数量了,就把最前的剔除 if ( this.list.length > maxUndoCount ) { this.list.shift(); } this.index = this.list.length - 1; this.clearKey(); //跟新undo/redo状态 this.update(); me.fireEvent('contentchange') }; this.update = function() { this.hasRedo = this.list[this.index + 1] ? true : false; this.hasUndo = this.list[this.index - 1] || this.list.length == 1 ? true : false; }; this.reset = function() { this.list = []; this.index = 0; this.hasUndo = false; this.hasRedo = false; this.clearKey(); }; this.clearKey = function(){ keycont = 0; lastKeyCode = null; } } me.undoManger = new UndoManager(); function saveScene() { this.undoManger.save() } me.addListener( 'beforeexeccommand', saveScene ); me.addListener( 'afterexeccommand', saveScene ); me.addListener('reset',function(type,exclude){ if(!exclude) me.undoManger.reset(); }); me.commands['redo'] = me.commands['undo'] = { execCommand : function( cmdName ) { me.undoManger[cmdName](); }, queryCommandState : function( cmdName ) { return me.undoManger['has' + (cmdName.toLowerCase() == 'undo' ? 'Undo' : 'Redo')] ? 0 : -1; }, notNeedUndo : 1 }; var keys = { // /*Backspace*/ 8:1, /*Delete*/ 46:1, /*Shift*/ 16:1, /*Ctrl*/ 17:1, /*Alt*/ 18:1, 37:1, 38:1, 39:1, 40:1, 13:1 /*enter*/ }, keycont = 0, lastKeyCode; me.addListener( 'keydown', function( type, evt ) { var keyCode = evt.keyCode || evt.which; if ( !keys[keyCode] && !evt.ctrlKey && !evt.metaKey && !evt.shiftKey && !evt.altKey ) { if ( me.undoManger.list.length == 0 || ((keyCode == 8 ||keyCode == 46) && lastKeyCode != keyCode) ) { me.undoManger.save(); lastKeyCode = keyCode; return } //trace:856 //修正第一次输入后,回退,再输入要到keycont>maxInputCount才能在回退的问题 if(me.undoManger.list.length == 2 && me.undoManger.index == 0 && keycont == 0){ me.undoManger.list.splice(1,1); me.undoManger.update(); } lastKeyCode = keyCode; keycont++; if ( keycont > maxInputCount ) { setTimeout( function() { me.undoManger.save(); }, 0 ); } } } ) }; ///import core ///import plugins/inserthtml.js ///import plugins/undo.js ///import plugins/serialize.js ///commands 粘贴 ///commandsName PastePlain ///commandsTitle 纯文本粘贴模式 /* ** @description 粘贴 * @author zhanyi */ (function() { function getClipboardData( callback ) { var doc = this.document; if ( doc.getElementById( 'baidu_pastebin' ) ) { return; } var range = this.selection.getRange(), bk = range.createBookmark(), //创建剪贴的容器div pastebin = doc.createElement( 'div' ); pastebin.id = 'baidu_pastebin'; // Safari 要求div必须有内容,才能粘贴内容进来 browser.webkit && pastebin.appendChild( doc.createTextNode( domUtils.fillChar + domUtils.fillChar ) ); doc.body.appendChild( pastebin ); //trace:717 隐藏的span不能得到top //bk.start.innerHTML = '&nbsp;'; bk.start.style.display = ''; pastebin.style.cssText = "position:absolute;width:1px;height:1px;overflow:hidden;left:-1000px;white-space:nowrap;top:" + //要在现在光标平行的位置加入,否则会出现跳动的问题 domUtils.getXY( bk.start ).y + 'px'; range.selectNodeContents( pastebin ).select( true ); setTimeout( function() { if (browser.webkit) { for(var i=0,pastebins = doc.querySelectorAll('#baidu_pastebin'),pi;pi=pastebins[i++];){ if(domUtils.isEmptyNode(pi)){ domUtils.remove(pi) }else{ pastebin = pi; break; } } } try{ pastebin.parentNode.removeChild(pastebin); }catch(e){} range.moveToBookmark( bk ).select(true); callback( pastebin ); }, 0 ); } UE.plugins['paste'] = function() { var me = this; var word_img_flag = {flag:""}; var pasteplain = me.options.pasteplain; var modify_num = {flag:""}; me.commands['pasteplain'] = { queryCommandState: function (){ return pasteplain; }, execCommand: function (){ pasteplain = !pasteplain|0; }, notNeedUndo : 1 }; function filter(div){ var html; if ( div.firstChild ) { //去掉cut中添加的边界值 var nodes = domUtils.getElementsByTagName(div,'span'); for(var i=0,ni;ni=nodes[i++];){ if(ni.id == '_baidu_cut_start' || ni.id == '_baidu_cut_end'){ domUtils.remove(ni) } } if(browser.webkit){ var brs = div.querySelectorAll('div br'); for(var i=0,bi;bi=brs[i++];){ var pN = bi.parentNode; if(pN.tagName == 'DIV' && pN.childNodes.length ==1){ pN.innerHTML = '<p><br/></p>'; domUtils.remove(pN) } } var divs = div.querySelectorAll('#baidu_pastebin'); for(var i=0,di;di=divs[i++];){ var tmpP = me.document.createElement('p'); di.parentNode.insertBefore(tmpP,di); while(di.firstChild){ tmpP.appendChild(di.firstChild) } domUtils.remove(di) } var metas = div.querySelectorAll('meta'); for(var i=0,ci;ci=metas[i++];){ domUtils.remove(ci); } var brs = div.querySelectorAll('br'); for(i=0;ci=brs[i++];){ if(/^apple-/.test(ci)){ domUtils.remove(ci) } } } if(browser.gecko){ var dirtyNodes = div.querySelectorAll('[_moz_dirty]') for(i=0;ci=dirtyNodes[i++];){ ci.removeAttribute( '_moz_dirty' ) } } if(!browser.ie ){ var spans = div.querySelectorAll('span.apple-style-span'); for(var i=0,ci;ci=spans[i++];){ domUtils.remove(ci,true); } } html = div.innerHTML; var f = me.serialize; if(f){ //如果过滤出现问题,捕获它,直接插入内容,避免出现错误导致粘贴整个失败 try{ var node = f.transformInput( f.parseHTML( //todo: 暂时不走dtd的过滤 f.word(html)//, true ),word_img_flag ); //trace:924 //纯文本模式也要保留段落 node = f.filter(node,pasteplain ? { whiteList: { 'p': {'br':1,'BR':1}, 'br':{'$':{}}, 'div':{'br':1,'BR':1,'$':{}}, 'li':{'$':{}}, 'tr':{'td':1,'$':{}}, 'td':{'$':{}} }, blackList: { 'style':1, 'script':1, 'object':1 } } : null, !pasteplain ? modify_num : null); if(browser.webkit){ var length = node.children.length, child; while((child = node.children[length-1]) && child.tag == 'br'){ node.children.splice(length-1,1); length = node.children.length; } } html = f.toHTML(node,pasteplain) }catch(e){} } //自定义的处理 html = {'html':html}; me.fireEvent('beforepaste',html); me.execCommand( 'insertHtml',html.html); me.fireEvent("afterpaste"); } } me.addListener('ready',function(){ domUtils.on(me.body,'cut',function(){ var range = me.selection.getRange(); if(!range.collapsed && me.undoManger){ me.undoManger.save() } }); //ie下beforepaste在点击右键时也会触发,所以用监控键盘才处理 domUtils.on(me.body, browser.ie ? 'keydown' : 'paste',function(e){ if(browser.ie && (!e.ctrlKey || e.keyCode != '86')) return; getClipboardData.call( me, function( div ) { filter(div); function hideMsg(){ me.ui.hideToolbarMsg(); me.removeListener("selectionchange",hideMsg); } if ( modify_num.flag && me.ui){ me.ui.showToolbarMsg( me.options.messages.pasteMsg, word_img_flag.flag ); modify_num.flag = ""; //trance:为了解决fireevent (selectionchange)事件的延时 setTimeout(function(){ me.addListener("selectionchange",hideMsg); },100); } if ( word_img_flag.flag && !me.queryCommandState("pasteplain") && me.ui){ me.ui.showToolbarMsg( me.options.messages.pasteWordImgMsg,true); word_img_flag.flag = ''; //trance:为了解决fireevent (selectionchange)事件的延时 setTimeout(function(){ me.addListener("selectionchange",hideMsg); },100); } } ); }) }); } })(); ///import core ///commands 有序列表,无序列表 ///commandsName InsertOrderedList,InsertUnorderedList ///commandsTitle 有序列表,无序列表 /** * 有序列表 * @function * @name baidu.editor.execCommand * @param {String} cmdName insertorderlist插入有序列表 * @param {String} style 值为:decimal,lower-alpha,lower-roman,upper-alpha,upper-roman * @author zhanyi */ /** * 无序链接 * @function * @name baidu.editor.execCommand * @param {String} cmdName insertunorderlist插入无序列表 * * @param {String} style 值为:circle,disc,square * @author zhanyi */ UE.plugins['list'] = function(){ var me = this, notExchange = { 'TD':1, 'PRE':1, 'BLOCKQUOTE':1 }; function adjustList(list,tag,style){ var nextList = list.nextSibling; if(nextList && nextList.nodeType == 1 && nextList.tagName.toLowerCase() == tag && (domUtils.getStyle(nextList,'list-style-type')||(tag == 'ol'?'decimal' : 'disc')) == style){ domUtils.moveChild(nextList,list); if(nextList.childNodes.length == 0){ domUtils.remove(nextList); } } var preList = list.previousSibling; if(preList && preList.nodeType == 1 && preList.tagName.toLowerCase() == tag && (domUtils.getStyle(preList,'list-style-type')||(tag == 'ol'?'decimal' : 'disc')) == style){ domUtils.moveChild(list,preList) } if(list.childNodes.length == 0){ domUtils.remove(list); } } me.addListener('keydown', function(type, evt) { function preventAndSave(){ evt.preventDefault ? evt.preventDefault() : (evt.returnValue = false) me.undoManger && me.undoManger.save() } var keyCode = evt.keyCode || evt.which; if (keyCode == 13) {//回车 var range = me.selection.getRange(), start = domUtils.findParentByTagName(range.startContainer, ['ol','ul'], true,function(node){return node.tagName == 'TABLE'}), end = domUtils.findParentByTagName(range.endContainer, ['ol','ul'], true,function(node){return node.tagName == 'TABLE'}); if (start && end && start === end) { if(!range.collapsed){ start = domUtils.findParentByTagName(range.startContainer, 'li', true); end = domUtils.findParentByTagName(range.endContainer, 'li', true); if(start && end && start === end){ range.deleteContents(); li = domUtils.findParentByTagName(range.startContainer, 'li', true); if(li && domUtils.isEmptyBlock(li)){ pre = li.previousSibling; next = li.nextSibling; p = me.document.createElement('p'); domUtils.fillNode(me.document,p); parentList = li.parentNode; if(pre && next){ range.setStart(next,0).collapse(true).select(true); domUtils.remove(li); }else{ if(!pre && !next || !pre){ parentList.parentNode.insertBefore(p,parentList); } else{ li.parentNode.parentNode.insertBefore(p,parentList.nextSibling); } domUtils.remove(li); if(!parentList.firstChild){ domUtils.remove(parentList) } range.setStart(p,0).setCursor(); } preventAndSave(); return; } }else{ var tmpRange = range.cloneRange(), bk = tmpRange.collapse(false).createBookmark(); range.deleteContents(); tmpRange.moveToBookmark(bk); var li = domUtils.findParentByTagName(tmpRange.startContainer, 'li', true), pre = li.previousSibling, next = li.nextSibling; if (pre ) { li = pre; if(pre.firstChild && domUtils.isBlockElm(pre.firstChild)){ pre = pre.firstChild; } if(domUtils.isEmptyNode(pre)) domUtils.remove(li); } if (next ) { li = next; if(next.firstChild && domUtils.isBlockElm(next.firstChild)){ next = next.firstChild; } if(domUtils.isEmptyNode(next)) domUtils.remove(li); } tmpRange.select(); preventAndSave(); return; } } li = domUtils.findParentByTagName(range.startContainer, 'li', true); if (li) { if(domUtils.isEmptyBlock(li)){ bk = range.createBookmark(); var parentList = li.parentNode; if(li!==parentList.lastChild){ domUtils.breakParent(li,parentList); }else{ parentList.parentNode.insertBefore(li,parentList.nextSibling); if(domUtils.isEmptyNode(parentList)){ domUtils.remove(parentList); } } //嵌套不处理 if(!dtd.$list[li.parentNode.tagName]){ if(!domUtils.isBlockElm(li.firstChild)){ p = me.document.createElement('p'); li.parentNode.insertBefore(p,li); while(li.firstChild){ p.appendChild(li.firstChild); } domUtils.remove(li); }else{ domUtils.remove(li,true); } } range.moveToBookmark(bk).select(); }else{ var first = li.firstChild; if(!first || !domUtils.isBlockElm(first)){ var p = me.document.createElement('p'); !li.firstChild && domUtils.fillNode(me.document,p); while(li.firstChild){ p.appendChild(li.firstChild); } li.appendChild(p); first = p; } var span = me.document.createElement('span'); range.insertNode(span); domUtils.breakParent(span, li); var nextLi = span.nextSibling; first = nextLi.firstChild; if (!first) { p = me.document.createElement('p'); domUtils.fillNode(me.document,p); nextLi.appendChild(p); first = p; } if (domUtils.isEmptyNode(first)) { first.innerHTML = ''; domUtils.fillNode(me.document,first); } range.setStart(first, 0).collapse(true).shrinkBoundary().select(); domUtils.remove(span); pre = nextLi.previousSibling; if(pre && domUtils.isEmptyBlock(pre)){ pre.innerHTML = '<p></p>'; domUtils.fillNode(me.document,pre.firstChild); } } // } preventAndSave(); } } } if(keyCode == 8){ //修中ie中li下的问题 range = me.selection.getRange(); if (range.collapsed && domUtils.isStartInblock(range)) { tmpRange = range.cloneRange().trimBoundary(); li = domUtils.findParentByTagName(range.startContainer, 'li', true); //要在li的最左边,才能处理 if (li && domUtils.isStartInblock(tmpRange)) { if (li && (pre = li.previousSibling)) { if (keyCode == 46 && li.childNodes.length) return; //有可能上边的兄弟节点是个2级菜单,要追加到2级菜单的最后的li if(dtd.$list[pre.tagName]){ pre = pre.lastChild; } me.undoManger && me.undoManger.save(); first = li.firstChild; if (domUtils.isBlockElm(first)) { if (domUtils.isEmptyNode(first)) { // range.setEnd(pre, pre.childNodes.length).shrinkBoundary().collapse().select(true); pre.appendChild(first); range.setStart(first,0).setCursor(false,true); //first不是唯一的节点 while(li.firstChild){ pre.appendChild(li.firstChild) } } else { start = domUtils.findParentByTagName(range.startContainer, 'p', true); if(start && start !== first){ return; } span = me.document.createElement('span'); range.insertNode(span); // if (domUtils.isBlockElm(pre.firstChild)) { // // pre.firstChild.appendChild(span); // while (first.firstChild) { // pre.firstChild.appendChild(first.firstChild); // } // // } else { // while (first.firstChild) { // pre.appendChild(first.firstChild); // } // } domUtils.moveChild(li,pre); range.setStartBefore(span).collapse(true).select(true); domUtils.remove(span) } } else { if (domUtils.isEmptyNode(li)) { var p = me.document.createElement('p'); pre.appendChild(p); range.setStart(p,0).setCursor(); // range.setEnd(pre, pre.childNodes.length).shrinkBoundary().collapse().select(true); } else { range.setEnd(pre, pre.childNodes.length).collapse().select(true); while (li.firstChild) { pre.appendChild(li.firstChild) } } } domUtils.remove(li); me.undoManger && me.undoManger.save(); domUtils.preventDefault(evt); return; } //trace:980 if (li && !li.previousSibling) { first = li.firstChild; //trace:1648 要判断li下只有一个节点 if (!first || li.lastChild === first && domUtils.isEmptyNode(domUtils.isBlockElm(first) ? first : li)) { var p = me.document.createElement('p'); li.parentNode.parentNode.insertBefore(p, li.parentNode); domUtils.fillNode(me.document,p); range.setStart(p, 0).setCursor(); domUtils.remove(!li.nextSibling ? li.parentNode : li); me.undoManger && me.undoManger.save(); domUtils.preventDefault(evt); return; } } } } } }); me.commands['insertorderedlist'] = me.commands['insertunorderedlist'] = { execCommand : function( command, style ) { if(!style){ style = command.toLowerCase() == 'insertorderedlist' ? 'decimal' : 'disc' } var me = this, range = this.selection.getRange(), filterFn = function( node ) { return node.nodeType == 1 ? node.tagName.toLowerCase() != 'br' : !domUtils.isWhitespace( node ) }, tag = command.toLowerCase() == 'insertorderedlist' ? 'ol' : 'ul', frag = me.document.createDocumentFragment(); //去掉是因为会出现选到末尾,导致adjustmentBoundary缩到ol/ul的位置 //range.shrinkBoundary();//.adjustmentBoundary(); range.adjustmentBoundary().shrinkBoundary(); var bko = range.createBookmark(true), start = domUtils.findParentByTagName(me.document.getElementById(bko.start),'li'), modifyStart = 0, end = domUtils.findParentByTagName(me.document.getElementById(bko.end),'li'), modifyEnd = 0, startParent,endParent, list,tmp; if(start || end){ start && (startParent = start.parentNode); if(!bko.end){ end = start; } end && (endParent = end.parentNode); if(startParent === endParent){ while(start !== end){ tmp = start; start = start.nextSibling; if(!domUtils.isBlockElm(tmp.firstChild)){ var p = me.document.createElement('p'); while(tmp.firstChild){ p.appendChild(tmp.firstChild) } tmp.appendChild(p); } frag.appendChild(tmp); } tmp = me.document.createElement('span'); startParent.insertBefore(tmp,end); if(!domUtils.isBlockElm(end.firstChild)){ p = me.document.createElement('p'); while(end.firstChild){ p.appendChild(end.firstChild) } end.appendChild(p); } frag.appendChild(end); domUtils.breakParent(tmp,startParent); if(domUtils.isEmptyNode(tmp.previousSibling)){ domUtils.remove(tmp.previousSibling) } if(domUtils.isEmptyNode(tmp.nextSibling)){ domUtils.remove(tmp.nextSibling) } var nodeStyle = domUtils.getComputedStyle( startParent, 'list-style-type' ) || (command.toLowerCase() == 'insertorderedlist' ? 'decimal' : 'disc'); if(startParent.tagName.toLowerCase() == tag && nodeStyle == style){ for(var i=0,ci,tmpFrag = me.document.createDocumentFragment();ci=frag.childNodes[i++];){ while(ci.firstChild){ tmpFrag.appendChild(ci.firstChild); } } tmp.parentNode.insertBefore(tmpFrag,tmp); }else{ list = me.document.createElement(tag); domUtils.setStyle(list,'list-style-type',style); list.appendChild(frag); tmp.parentNode.insertBefore(list,tmp); } domUtils.remove(tmp); list && adjustList(list,tag,style); range.moveToBookmark(bko).select(); return; } //开始 if(start){ while(start){ tmp = start.nextSibling; var tmpfrag = me.document.createDocumentFragment(), hasBlock = 0; while(start.firstChild){ if(domUtils.isBlockElm(start.firstChild)) hasBlock = 1; tmpfrag.appendChild(start.firstChild); } if(!hasBlock){ var tmpP = me.document.createElement('p'); tmpP.appendChild(tmpfrag); frag.appendChild(tmpP) }else{ frag.appendChild(tmpfrag); } domUtils.remove(start); start = tmp; } startParent.parentNode.insertBefore(frag,startParent.nextSibling); if(domUtils.isEmptyNode(startParent)){ range.setStartBefore(startParent); domUtils.remove(startParent) }else{ range.setStartAfter(startParent); } modifyStart = 1; } if(end){ //结束 start = endParent.firstChild; while(start !== end){ tmp = start.nextSibling; tmpfrag = me.document.createDocumentFragment(); hasBlock = 0; while(start.firstChild){ if(domUtils.isBlockElm(start.firstChild)) hasBlock = 1; tmpfrag.appendChild(start.firstChild); } if(!hasBlock){ tmpP = me.document.createElement('p'); tmpP.appendChild(tmpfrag); frag.appendChild(tmpP) }else{ frag.appendChild(tmpfrag); } domUtils.remove(start); start = tmp; } frag.appendChild(end.firstChild); domUtils.remove(end); endParent.parentNode.insertBefore(frag,endParent); range.setEndBefore(endParent); if(domUtils.isEmptyNode(endParent)){ domUtils.remove(endParent) } modifyEnd = 1; } } if(!modifyStart){ range.setStartBefore(me.document.getElementById(bko.start)) } if(bko.end && !modifyEnd){ range.setEndAfter(me.document.getElementById(bko.end)) } range.enlarge(true,function(node){return notExchange[node.tagName] }); frag = me.document.createDocumentFragment(); var bk = range.createBookmark(), current = domUtils.getNextDomNode( bk.start, false, filterFn ), tmpRange = range.cloneRange(), tmpNode, block = domUtils.isBlockElm; while ( current && current !== bk.end && (domUtils.getPosition( current, bk.end ) & domUtils.POSITION_PRECEDING) ) { if ( current.nodeType == 3 || dtd.li[current.tagName] ) { if(current.nodeType == 1 && dtd.$list[current.tagName]){ while(current.firstChild){ frag.appendChild(current.firstChild) } tmpNode = domUtils.getNextDomNode( current, false, filterFn ); domUtils.remove(current); current = tmpNode; continue; } tmpNode = current; tmpRange.setStartBefore( current ); while ( current && current !== bk.end && (!block(current) || domUtils.isBookmarkNode(current) )) { tmpNode = current; current = domUtils.getNextDomNode( current, false, null, function( node ) { return !notExchange[node.tagName] } ); } if(current && block(current)){ tmp = domUtils.getNextDomNode( tmpNode, false, filterFn ); if(tmp && domUtils.isBookmarkNode(tmp)){ current = domUtils.getNextDomNode( tmp, false, filterFn ); tmpNode = tmp; } } tmpRange.setEndAfter( tmpNode ); current = domUtils.getNextDomNode( tmpNode, false, filterFn ); var li = range.document.createElement( 'li' ); li.appendChild(tmpRange.extractContents()); frag.appendChild(li); } else { current = domUtils.getNextDomNode( current, true, filterFn ); } } range.moveToBookmark(bk).collapse(true); list = me.document.createElement(tag); domUtils.setStyle(list,'list-style-type',style); list.appendChild(frag); range.insertNode(list); //当前list上下看能否合并 adjustList(list,tag,style); range.moveToBookmark(bko).select(); }, queryCommandState : function( command ) { return this.highlight ? -1 : utils.findNode(this.selection.getStartElementPath(),[command.toLowerCase() == 'insertorderedlist' ? 'ol' : 'ul']) ? 1: 0; }, queryCommandValue : function( command ) { var node = utils.findNode(this.selection.getStartElementPath(),[command.toLowerCase() == 'insertorderedlist' ? 'ol' : 'ul']); return node ? domUtils.getComputedStyle( node, 'list-style-type' ) : null; } } }; ///import core ///import plugins/serialize.js ///import plugins/undo.js ///commands 查看源码 ///commandsName Source ///commandsTitle 查看源码 (function (){ function SourceFormater(config){ config = config || {}; this.indentChar = config.indentChar || ' '; this.breakChar = config.breakChar || '\n'; this.selfClosingEnd = config.selfClosingEnd || ' />'; } var unhtml1 = function (){ var map = { '<': '&lt;', '>': '&gt;', '"': '&quot;', "'": '&#39;' }; function rep( m ){ return map[m]; } return function ( str ) { str = str + ''; return str ? str.replace( /[<>"']/g, rep ) : ''; }; }(); var inline = utils.extend({a:1,A:1},dtd.$inline,true); function printAttrs(attrs){ var buff = []; for (var k in attrs) { buff.push(k + '="' + unhtml1(attrs[k]) + '"'); } return buff.join(' '); } SourceFormater.prototype = { format: function (html){ var node = UE.serialize.parseHTML(html); this.buff = []; this.indents = ''; this.indenting = 1; this.visitNode(node); return this.buff.join(''); }, visitNode: function (node){ if (node.type == 'fragment') { this.visitChildren(node.children); } else if (node.type == 'element') { var selfClosing = dtd.$empty[node.tag]; this.visitTag(node.tag, node.attributes, selfClosing); this.visitChildren(node.children); if (!selfClosing) { this.visitEndTag(node.tag); } } else if (node.type == 'comment') { this.visitComment(node.data); } else { this.visitText(node.data,dtd.$notTransContent[node.parent.tag]); } }, visitChildren: function (children){ for (var i=0; i<children.length; i++) { this.visitNode(children[i]); } }, visitTag: function (tag, attrs, selfClosing){ if (this.indenting) { this.indent(); } else if (!inline[tag]) { // todo: 去掉a, 因为dtd的inline里面没有a this.newline(); this.indent(); } this.buff.push('<', tag); var attrPart = printAttrs(attrs); if (attrPart) { this.buff.push(' ', attrPart); } if (selfClosing) { this.buff.push(this.selfClosingEnd); if (tag == 'br') { this.newline(); } } else { this.buff.push('>'); this.indents += this.indentChar; } if (!inline[tag]) { this.newline(); } }, indent: function (){ this.buff.push(this.indents); this.indenting = 0; }, newline: function (){ this.buff.push(this.breakChar); this.indenting = 1; }, visitEndTag: function (tag){ this.indents = this.indents.slice(0, -this.indentChar.length); if (this.indenting) { this.indent(); } else if (!inline[tag]) { this.newline(); this.indent(); } this.buff.push('</', tag, '>'); }, visitText: function (text,notTrans){ if (this.indenting) { this.indent(); } // if(!notTrans){ // text = text.replace(/&nbsp;/g, ' ').replace(/[ ][ ]+/g, function (m){ // return new Array(m.length + 1).join('&nbsp;'); // }).replace(/(?:^ )|(?: $)/g, '&nbsp;'); // } text = text.replace(/&nbsp;/g, ' ') this.buff.push(text); }, visitComment: function (text){ if (this.indenting) { this.indent(); } this.buff.push('<!--', text, '-->'); } }; var sourceEditors = { textarea: function (editor, holder){ var textarea = holder.ownerDocument.createElement('textarea'); textarea.style.cssText = 'position:absolute;resize:none;width:100%;height:100%;border:0;padding:0;margin:0;overflow-y:auto;'; // todo: IE下只有onresize属性可用... 很纠结 if (browser.ie && browser.version < 8) { textarea.style.width = holder.offsetWidth + 'px'; textarea.style.height = holder.offsetHeight + 'px'; holder.onresize = function (){ textarea.style.width = holder.offsetWidth + 'px'; textarea.style.height = holder.offsetHeight + 'px'; }; } holder.appendChild(textarea); return { setContent: function (content){ textarea.value = content; }, getContent: function (){ return textarea.value; }, select: function (){ var range; if (browser.ie) { range = textarea.createTextRange(); range.collapse(true); range.select(); } else { //todo: chrome下无法设置焦点 textarea.setSelectionRange(0, 0); textarea.focus(); } }, dispose: function (){ holder.removeChild(textarea); // todo holder.onresize = null; textarea = null; holder = null; } }; }, codemirror: function (editor, holder){ var options = { mode: "text/html", tabMode: "indent", lineNumbers: true, lineWrapping:true }; var codeEditor = window.CodeMirror(holder, options); var dom = codeEditor.getWrapperElement(); dom.style.cssText = 'position:absolute;left:0;top:0;width:100%;height:100%;font-family:consolas,"Courier new",monospace;font-size:13px;'; codeEditor.getScrollerElement().style.cssText = 'position:absolute;left:0;top:0;width:100%;height:100%;'; codeEditor.refresh(); return { setContent: function (content){ codeEditor.setValue(content); }, getContent: function (){ return codeEditor.getValue(); }, select: function (){ codeEditor.focus(); }, dispose: function (){ holder.removeChild(dom); dom = null; codeEditor = null; } }; } }; UE.plugins['source'] = function (){ var me = this; var opt = this.options; var formatter = new SourceFormater(opt.source); var sourceMode = false; var sourceEditor; function createSourceEditor(holder){ var useCodeMirror = opt.sourceEditor == 'codemirror' && window.CodeMirror; return sourceEditors[useCodeMirror ? 'codemirror' : 'textarea'](me, holder); } var bakCssText; me.commands['source'] = { execCommand: function (){ sourceMode = !sourceMode; if (sourceMode) { me.undoManger && me.undoManger.save(); this.currentSelectedArr && domUtils.clearSelectedArr(this.currentSelectedArr); if(browser.gecko) me.body.contentEditable = false; bakCssText = me.iframe.style.cssText; me.iframe.style.cssText += 'position:absolute;left:-32768px;top:-32768px;'; var content = formatter.format(me.hasContents() ? me.getContent() : ''); sourceEditor = createSourceEditor(me.iframe.parentNode); sourceEditor.setContent(content); setTimeout(function (){ sourceEditor.select(); }); } else { me.iframe.style.cssText = bakCssText; var cont = sourceEditor.getContent() || '<p>' + (browser.ie ? '' : '<br/>')+'</p>'; cont = cont.replace(/>[\n\r\t]+([ ]{4})+/g,'>').replace(/[\n\r\t]+([ ]{4})+</g,'<').replace(/>[\n\r\t]+</g,'><'); me.setContent(cont); sourceEditor.dispose(); sourceEditor = null; setTimeout(function(){ var first = me.body.firstChild; //trace:1106 都删除空了,下边会报错,所以补充一个p占位 if(!first){ me.body.innerHTML = '<p>'+(browser.ie?'':'<br/>')+'</p>'; first = me.body.firstChild; } //要在ifm为显示时ff才能取到selection,否则报错 me.undoManger && me.undoManger.save(); while(first && first.firstChild){ first = first.firstChild; } var range = me.selection.getRange(); if(first.nodeType == 3 || dtd.$empty[first.tagName]){ range.setStartBefore(first) }else{ range.setStart(first,0); } if(browser.gecko){ var input = document.createElement('input'); input.style.cssText = 'position:absolute;left:0;top:-32768px'; document.body.appendChild(input); me.body.contentEditable = false; setTimeout(function(){ domUtils.setViewportOffset(input, { left: -32768, top: 0 }); input.focus(); setTimeout(function(){ me.body.contentEditable = true; range.setCursor(false,true); domUtils.remove(input) }) }) }else{ range.setCursor(false,true); } }) } this.fireEvent('sourcemodechanged', sourceMode); }, queryCommandState: function (){ return sourceMode|0; } }; var oldQueryCommandState = me.queryCommandState; me.queryCommandState = function (cmdName){ cmdName = cmdName.toLowerCase(); if (sourceMode) { return cmdName == 'source' ? 1 : -1; } return oldQueryCommandState.apply(this, arguments); }; //解决在源码模式下getContent不能得到最新的内容问题 var oldGetContent = me.getContent; me.getContent = function (){ if(sourceMode && sourceEditor ){ var html = sourceEditor.getContent(); if (this.serialize) { var node = this.serialize.parseHTML(html); node = this.serialize.filter(node); html = this.serialize.toHTML(node); } return html; }else{ return oldGetContent.apply(this, arguments) } }; me.addListener("ready",function(){ if(opt.sourceEditor == "codemirror"){ utils.loadFile(document,{ src : opt.codeMirrorJsUrl, tag : "script", type : "text/javascript", defer : "defer" }); utils.loadFile(document,{ tag : "link", rel : "stylesheet", type : "text/css", href : opt.codeMirrorCssUrl }); } }); }; })(); ///import core ///commands 快捷键 ///commandsName ShortCutKeys ///commandsTitle 快捷键 //配置快捷键 UE.plugins['shortcutkeys'] = function(){ var me = this, shortcutkeys = utils.extend({ "ctrl+66" : "Bold" //^B ,"ctrl+90" : "Undo" //undo ,"ctrl+89" : "Redo" //redo ,"ctrl+73" : "Italic" //^I ,"ctrl+85" : "Underline" //^U ,"ctrl+shift+67" : "removeformat" //清除格式 ,"ctrl+shift+76" : "justify:left" //居左 ,"ctrl+shift+82" : "justify:right" //居右 ,"ctrl+65" : "selectAll" // ,"9" : "indent" //tab },me.options.shortcutkeys); me.addListener('keydown',function(type,e){ var keyCode = e.keyCode || e.which,value; for ( var i in shortcutkeys ) { if ( /^(ctrl)(\+shift)?\+(\d+)$/.test( i.toLowerCase() ) || /^(\d+)$/.test( i ) ) { if ( ( (RegExp.$1 == 'ctrl' ? (e.ctrlKey||e.metaKey) : 0) && (RegExp.$2 != "" ? e[RegExp.$2.slice(1) + "Key"] : 1) && keyCode == RegExp.$3 ) || keyCode == RegExp.$1 ){ value = shortcutkeys[i].split(':'); me.execCommand( value[0],value[1]); domUtils.preventDefault(e) } } } }); }; ///import core ///import plugins/undo.js ///commands 设置回车标签p或br ///commandsName EnterKey ///commandsTitle 设置回车标签p或br /** * @description 处理回车 * @author zhanyi */ UE.plugins['enterkey'] = function() { var hTag, me = this, tag = me.options.enterTag; me.addListener('keyup', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 13) { var range = me.selection.getRange(), start = range.startContainer, doSave; //修正在h1-h6里边回车后不能嵌套p的问题 if (!browser.ie) { if (/h\d/i.test(hTag)) { if (browser.gecko) { var h = domUtils.findParentByTagName(start, [ 'h1', 'h2', 'h3', 'h4', 'h5', 'h6','blockquote'], true); if (!h) { me.document.execCommand('formatBlock', false, '<p>'); doSave = 1; } } else { //chrome remove div if (start.nodeType == 1) { var tmp = me.document.createTextNode(''),div; range.insertNode(tmp); div = domUtils.findParentByTagName(tmp, 'div', true); if (div) { var p = me.document.createElement('p'); while (div.firstChild) { p.appendChild(div.firstChild); } div.parentNode.insertBefore(p, div); domUtils.remove(div); range.setStartBefore(tmp).setCursor(); doSave = 1; } domUtils.remove(tmp); } } if (me.undoManger && doSave) { me.undoManger.save() } } } setTimeout(function() { me.selection.getRange().scrollToView(me.autoHeightEnabled, me.autoHeightEnabled ? domUtils.getXY(me.iframe).y : 0); }, 50) } }); me.addListener('keydown', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 13) {//回车 if (me.undoManger) { me.undoManger.save() } hTag = ''; var range = me.selection.getRange(); if (!range.collapsed) { //跨td不能删 var start = range.startContainer, end = range.endContainer, startTd = domUtils.findParentByTagName(start, 'td', true), endTd = domUtils.findParentByTagName(end, 'td', true); if (startTd && endTd && startTd !== endTd || !startTd && endTd || startTd && !endTd) { evt.preventDefault ? evt.preventDefault() : ( evt.returnValue = false); return; } } me.currentSelectedArr && domUtils.clearSelectedArr(me.currentSelectedArr); if (tag == 'p') { if (!browser.ie) { start = domUtils.findParentByTagName(range.startContainer, ['ol','ul','p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6','blockquote'], true); if (!start) { me.document.execCommand('formatBlock', false, '<p>'); if (browser.gecko) { range = me.selection.getRange(); start = domUtils.findParentByTagName(range.startContainer, 'p', true); start && domUtils.removeDirtyAttr(start); } } else { hTag = start.tagName; start.tagName.toLowerCase() == 'p' && browser.gecko && domUtils.removeDirtyAttr(start); } } } else { evt.preventDefault ? evt.preventDefault() : ( evt.returnValue = false); if (!range.collapsed) { range.deleteContents(); start = range.startContainer; if (start.nodeType == 1 && (start = start.childNodes[range.startOffset])) { while (start.nodeType == 1) { if (dtd.$empty[start.tagName]) { range.setStartBefore(start).setCursor(); if (me.undoManger) { me.undoManger.save() } return false; } if (!start.firstChild) { var br = range.document.createElement('br'); start.appendChild(br); range.setStart(start, 0).setCursor(); if (me.undoManger) { me.undoManger.save() } return false; } start = start.firstChild } if (start === range.startContainer.childNodes[range.startOffset]) { br = range.document.createElement('br'); range.insertNode(br).setCursor(); } else { range.setStart(start, 0).setCursor(); } } else { br = range.document.createElement('br'); range.insertNode(br).setStartAfter(br).setCursor(); } } else { br = range.document.createElement('br'); range.insertNode(br); var parent = br.parentNode; if (parent.lastChild === br) { br.parentNode.insertBefore(br.cloneNode(true), br); range.setStartBefore(br) } else { range.setStartAfter(br) } range.setCursor(); } } } }); }; /* * 处理特殊键的兼容性问题 */ UE.plugins['keystrokes'] = function() { var me = this, flag = 0, keys = domUtils.keys, trans = { 'B' : 'strong', 'I' : 'em', 'FONT' : 'span' }, sizeMap = [0, 10, 12, 16, 18, 24, 32, 48], listStyle = { 'OL':['decimal','lower-alpha','lower-roman','upper-alpha','upper-roman'], 'UL':[ 'circle','disc','square'] }; me.addListener('keydown', function(type, evt) { var keyCode = evt.keyCode || evt.which; if(this.selectAll){ this.selectAll = false; if((keyCode == 8 || keyCode == 46)){ me.undoManger && me.undoManger.save(); //trace:1633 me.body.innerHTML = '<p>'+(browser.ie ? '' : '<br/>')+'</p>'; new dom.Range(me.document).setStart(me.body.firstChild,0).setCursor(false,true); me.undoManger && me.undoManger.save(); //todo 对性能会有影响 browser.ie && me._selectionChange(); domUtils.preventDefault(evt); return; } } //处理backspace/del if (keyCode == 8 ) {//|| keyCode == 46 var range = me.selection.getRange(), tmpRange, start,end; //当删除到body最开始的位置时,会删除到body,阻止这个动作 if(range.collapsed){ start = range.startContainer; //有可能是展位符号 if(domUtils.isWhitespace(start)){ start = start.parentNode; } if(domUtils.isEmptyNode(start) && start === me.body.firstChild){ if(start.tagName != 'P'){ p = me.document.createElement('p'); me.body.insertBefore(p,start); domUtils.fillNode(me.document,p); range.setStart(p,0).setCursor(false,true); //trace:1645 domUtils.remove(start); } domUtils.preventDefault(evt); return; } } if (range.collapsed && range.startContainer.nodeType == 3 && range.startContainer.nodeValue.replace(new RegExp(domUtils.fillChar, 'g'), '').length == 0) { range.setStartBefore(range.startContainer).collapse(true) } //解决选中control元素不能删除的问题 if (start = range.getClosedNode()) { me.undoManger && me.undoManger.save(); range.setStartBefore(start); domUtils.remove(start); range.setCursor(); me.undoManger && me.undoManger.save(); domUtils.preventDefault(evt); return; } //阻止在table上的删除 if (!browser.ie) { start = domUtils.findParentByTagName(range.startContainer, 'table', true); end = domUtils.findParentByTagName(range.endContainer, 'table', true); if (start && !end || !start && end || start !== end) { evt.preventDefault(); return; } if (browser.webkit && range.collapsed && start) { tmpRange = range.cloneRange().txtToElmBoundary(); start = tmpRange.startContainer; if (domUtils.isBlockElm(start) && start.nodeType == 1 && !dtd.$tableContent[start.tagName] && !domUtils.getChildCount(start, function(node) { return node.nodeType == 1 ? node.tagName !== 'BR' : 1; })) { tmpRange.setStartBefore(start).setCursor(); domUtils.remove(start, true); evt.preventDefault(); return; } } } if (me.undoManger) { if (!range.collapsed) { me.undoManger.save(); flag = 1; } } } //处理tab键的逻辑 if (keyCode == 9) { range = me.selection.getRange(); me.undoManger && me.undoManger.save(); for (var i = 0,txt = ''; i < me.options.tabSize; i++) { txt += me.options.tabNode; } var span = me.document.createElement('span'); span.innerHTML = txt; if (range.collapsed) { var li = domUtils.findParentByTagName(range.startContainer, 'li', true); if (li && domUtils.isStartInblock(range)) { bk = range.createBookmark(); var parentLi = li.parentNode, list = me.document.createElement(parentLi.tagName); var index = utils.indexOf(listStyle[list.tagName], domUtils.getComputedStyle(parentLi, 'list-style-type')); index = index + 1 == listStyle[list.tagName].length ? 0 : index + 1; domUtils.setStyle(list, 'list-style-type', listStyle[list.tagName][index]); parentLi.insertBefore(list, li); list.appendChild(li); range.moveToBookmark(bk).select() } else range.insertNode(span.cloneNode(true).firstChild).setCursor(true); } else { //处理table start = domUtils.findParentByTagName(range.startContainer, 'table', true); end = domUtils.findParentByTagName(range.endContainer, 'table', true); if (start || end) { evt.preventDefault ? evt.preventDefault() : (evt.returnValue = false); return } //处理列表 再一个list里处理 start = domUtils.findParentByTagName(range.startContainer, ['ol','ul'], true); end = domUtils.findParentByTagName(range.endContainer, ['ol','ul'], true); if (start && end && start === end) { var bk = range.createBookmark(); start = domUtils.findParentByTagName(range.startContainer, 'li', true); end = domUtils.findParentByTagName(range.endContainer, 'li', true); //在开始单独处理 if (start === start.parentNode.firstChild) { var parentList = me.document.createElement(start.parentNode.tagName); start.parentNode.parentNode.insertBefore(parentList, start.parentNode); parentList.appendChild(start.parentNode); } else { parentLi = start.parentNode, list = me.document.createElement(parentLi.tagName); index = utils.indexOf(listStyle[list.tagName], domUtils.getComputedStyle(parentLi, 'list-style-type')); index = index + 1 == listStyle[list.tagName].length ? 0 : index + 1; domUtils.setStyle(list, 'list-style-type', listStyle[list.tagName][index]); start.parentNode.insertBefore(list, start); var nextLi; while (start !== end) { nextLi = start.nextSibling; list.appendChild(start); start = nextLi; } list.appendChild(end); } range.moveToBookmark(bk).select(); } else { if (start || end) { evt.preventDefault ? evt.preventDefault() : (evt.returnValue = false); return } //普通的情况 start = domUtils.findParent(range.startContainer, filterFn); end = domUtils.findParent(range.endContainer, filterFn); if (start && end && start === end) { range.deleteContents(); range.insertNode(span.cloneNode(true).firstChild).setCursor(true); } else { var bookmark = range.createBookmark(), filterFn = function(node) { return domUtils.isBlockElm(node); }; range.enlarge(true); var bookmark2 = range.createBookmark(), current = domUtils.getNextDomNode(bookmark2.start, false, filterFn); while (current && !(domUtils.getPosition(current, bookmark2.end) & domUtils.POSITION_FOLLOWING)) { current.insertBefore(span.cloneNode(true).firstChild, current.firstChild); current = domUtils.getNextDomNode(current, false, filterFn); } range.moveToBookmark(bookmark2).moveToBookmark(bookmark).select(); } } } me.undoManger && me.undoManger.save(); evt.preventDefault ? evt.preventDefault() : (evt.returnValue = false); } //trace:1634 //ff的del键在容器空的时候,也会删除 if(browser.gecko && keyCode == 46){ range = me.selection.getRange(); if(range.collapsed){ start = range.startContainer; if(domUtils.isEmptyBlock(start)){ var parent = start.parentNode; while(domUtils.getChildCount(parent) == 1 && !domUtils.isBody(parent)){ start = parent; parent = parent.parentNode; } if(start === parent.lastChild) evt.preventDefault(); return; } } } }); me.addListener('keyup', function(type, evt) { var keyCode = evt.keyCode || evt.which; //修复ie/chrome <strong><em>x|</em></strong> 当点退格后在输入文字后会出现 <b><i>x</i></b> if (!browser.gecko && !keys[keyCode] && !evt.ctrlKey && !evt.metaKey && !evt.shiftKey && !evt.altKey) { range = me.selection.getRange(); if (range.collapsed) { var start = range.startContainer, isFixed = 0; while (!domUtils.isBlockElm(start)) { if (start.nodeType == 1 && utils.indexOf(['FONT','B','I'], start.tagName) != -1) { var tmpNode = me.document.createElement(trans[start.tagName]); if (start.tagName == 'FONT') { //chrome only remember color property tmpNode.style.cssText = (start.getAttribute('size') ? 'font-size:' + (sizeMap[start.getAttribute('size')] || 12) + 'px' : '') + ';' + (start.getAttribute('color') ? 'color:' + start.getAttribute('color') : '') + ';' + (start.getAttribute('face') ? 'font-family:' + start.getAttribute('face') : '') + ';' + start.style.cssText; } while (start.firstChild) { tmpNode.appendChild(start.firstChild) } start.parentNode.insertBefore(tmpNode, start); domUtils.remove(start); if (!isFixed) { range.setEnd(tmpNode, tmpNode.childNodes.length).collapse(true) } start = tmpNode; isFixed = 1; } start = start.parentNode; } isFixed && range.select() } } if (keyCode == 8 ) {//|| keyCode == 46 //针对ff下在列表首行退格,不能删除空格行的问题 if(browser.gecko){ for(var i=0,li,lis = domUtils.getElementsByTagName(this.body,'li');li=lis[i++];){ if(domUtils.isEmptyNode(li) && !li.previousSibling){ var liOfPn = li.parentNode; domUtils.remove(li); if(domUtils.isEmptyNode(liOfPn)){ domUtils.remove(liOfPn) } } } } var range,start,parent, tds = this.currentSelectedArr; if (tds && tds.length > 0) { for (var i = 0,ti; ti = tds[i++];) { ti.innerHTML = browser.ie ? ( browser.version < 9 ? '&#65279' : '' ) : '<br/>'; } range = new dom.Range(this.document); range.setStart(tds[0], 0).setCursor(); if (flag) { me.undoManger.save(); flag = 0; } //阻止chrome执行默认的动作 if (browser.webkit) { evt.preventDefault(); } return; } range = me.selection.getRange(); //ctrl+a 后全部删除做处理 // // if (domUtils.isEmptyBlock(me.body) && !range.startOffset) { // //trace:1633 // me.body.innerHTML = '<p>'+(browser.ie ? '&nbsp;' : '<br/>')+'</p>'; // range.setStart(me.body.firstChild,0).setCursor(false,true); // me.undoManger && me.undoManger.save(); // //todo 对性能会有影响 // browser.ie && me._selectionChange(); // return; // } //处理删除不干净的问题 start = range.startContainer; if(domUtils.isWhitespace(start)){ start = start.parentNode } //标志位防止空的p无法删除 var removeFlag = 0; while (start.nodeType == 1 && domUtils.isEmptyNode(start) && dtd.$removeEmpty[start.tagName]) { removeFlag = 1; parent = start.parentNode; domUtils.remove(start); start = parent; } if ( removeFlag && start.nodeType == 1 && domUtils.isEmptyNode(start)) { //ie下的问题,虽然没有了相应的节点但一旦你输入文字还是会自动把删除的节点加上, if (browser.ie) { var span = range.document.createElement('span'); start.appendChild(span); range.setStart(start,0).setCursor(); //for ie li = domUtils.findParentByTagName(start,'li',true); if(li){ var next = li.nextSibling; while(next){ if(domUtils.isEmptyBlock(next)){ li = next; next = next.nextSibling; domUtils.remove(li); continue; } break; } } } else { start.innerHTML = '<br/>'; range.setStart(start, 0).setCursor(false,true); } setTimeout(function() { if (browser.ie) { domUtils.remove(span); } if (flag) { me.undoManger.save(); flag = 0; } }, 0) } else { if (flag) { me.undoManger.save(); flag = 0; } } } }) }; ///import core ///commands 修复chrome下图片不能点击的问题 ///commandsName FixImgClick ///commandsTitle 修复chrome下图片不能点击的问题 //修复chrome下图片不能点击的问题 //todo 可以改大小 UE.plugins['fiximgclick'] = function() { var me = this; if ( browser.webkit ) { me.addListener( 'click', function( type, e ) { if ( e.target.tagName == 'IMG' ) { var range = new dom.Range( me.document ); range.selectNode( e.target ).select(); } } ) } }; ///import core ///commands 为非ie浏览器自动添加a标签 ///commandsName AutoLink ///commandsTitle 自动增加链接 /** * @description 为非ie浏览器自动添加a标签 * @author zhanyi */ UE.plugins['autolink'] = function() { var cont = 0; if (browser.ie) { return; } var me = this; me.addListener('reset',function(){ cont = 0; }); me.addListener('keydown', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 32 || keyCode == 13) { var sel = me.selection.getNative(), range = sel.getRangeAt(0).cloneRange(), offset, charCode; var start = range.startContainer; while (start.nodeType == 1 && range.startOffset > 0) { start = range.startContainer.childNodes[range.startOffset - 1]; if (!start) break; range.setStart(start, start.nodeType == 1 ? start.childNodes.length : start.nodeValue.length); range.collapse(true); start = range.startContainer; } do{ if (range.startOffset == 0) { start = range.startContainer.previousSibling; while (start && start.nodeType == 1) { start = start.lastChild; } if (!start || domUtils.isFillChar(start)) break; offset = start.nodeValue.length; } else { start = range.startContainer; offset = range.startOffset; } range.setStart(start, offset - 1); charCode = range.toString().charCodeAt(0); } while (charCode != 160 && charCode != 32); if (range.toString().replace(new RegExp(domUtils.fillChar, 'g'), '').match(/(?:https?:\/\/|ssh:\/\/|ftp:\/\/|file:\/|www\.)/i)) { while(range.toString().length){ if(/^(?:https?:\/\/|ssh:\/\/|ftp:\/\/|file:\/|www\.)/i.test(range.toString())){ break; } try{ range.setStart(range.startContainer,range.startOffset+1) }catch(e){ range.setStart(range.startContainer.nextSibling,0) } } var a = me.document.createElement('a'),text = me.document.createTextNode(' '),href; me.undoManger && me.undoManger.save(); a.appendChild(range.extractContents()); a.href = a.innerHTML = a.innerHTML.replace(/<[^>]+>/g,''); href = a.getAttribute("href").replace(new RegExp(domUtils.fillChar,'g'),''); href = /^(?:https?:\/\/)/ig.test(href) ? href : "http://"+ href; a.setAttribute('data_ue_src',href); a.href = href; range.insertNode(a); a.parentNode.insertBefore(text, a.nextSibling); range.setStart(text, 0); range.collapse(true); sel.removeAllRanges(); sel.addRange(range); me.undoManger && me.undoManger.save(); } } }) }; ///import core ///commands 当输入内容超过编辑器高度时,编辑器自动增高 ///commandsName AutoHeight,autoHeightEnabled ///commandsTitle 自动增高 /** * @description 自动伸展 * @author zhanyi */ UE.plugins['autoheight'] = function () { var me = this; //提供开关,就算加载也可以关闭 me.autoHeightEnabled = me.options.autoHeightEnabled; if (!me.autoHeightEnabled)return; var bakOverflow, span, tmpNode, lastHeight = 0, currentHeight, timer; function adjustHeight() { clearTimeout(timer); timer = setTimeout(function () { if (me.queryCommandState('source') != 1) { if (!span) { span = me.document.createElement('span'); //trace:1764 span.style.cssText = 'display:block;width:0;margin:0;padding:0;border:0;clear:both;'; span.innerHTML = '.'; } tmpNode = span.cloneNode(true); me.body.appendChild(tmpNode); currentHeight = Math.max(domUtils.getXY(tmpNode).y + tmpNode.offsetHeight, me.options.minFrameHeight); if (currentHeight != lastHeight) { me.setHeight(currentHeight); lastHeight = currentHeight; } domUtils.remove(tmpNode); } }, 50) } me.addListener('destroy', function () { me.removeListener('contentchange', adjustHeight); me.removeListener('keyup', adjustHeight); me.removeListener('mouseup', adjustHeight); }); me.enableAutoHeight = function () { if(!me.autoHeightEnabled)return; var doc = me.document; me.autoHeightEnabled = true; bakOverflow = doc.body.style.overflowY; doc.body.style.overflowY = 'hidden'; me.addListener('contentchange', adjustHeight); me.addListener('keyup', adjustHeight); me.addListener('mouseup', adjustHeight); //ff不给事件算得不对 setTimeout(function () { adjustHeight(); }, browser.gecko ? 100 : 0); me.fireEvent('autoheightchanged', me.autoHeightEnabled); }; me.disableAutoHeight = function () { me.body.style.overflowY = bakOverflow || ''; me.removeListener('contentchange', adjustHeight); me.removeListener('keyup', adjustHeight); me.removeListener('mouseup', adjustHeight); me.autoHeightEnabled = false; me.fireEvent('autoheightchanged', me.autoHeightEnabled); }; me.addListener('ready', function () { me.enableAutoHeight(); //trace:1764 var timer; domUtils.on(browser.ie ? me.body : me.document,browser.webkit ? 'dragover' : 'drop',function(){ clearTimeout(timer); timer = setTimeout(function(){ adjustHeight() },100) }); }); }; ///import core ///commands 悬浮工具栏 ///commandsName AutoFloat,autoFloatEnabled ///commandsTitle 悬浮工具栏 /* * modified by chengchao01 * * 注意: 引入此功能后,在IE6下会将body的背景图片覆盖掉! */ UE.plugins['autofloat'] = function() { var uiUtils, LteIE6 = browser.ie && browser.version <= 6, quirks = browser.quirks; function checkHasUI(editor){ if(!editor.ui){ alert('autofloat插件功能依赖于UEditor UI\nautofloat定义位置: _src/plugins/autofloat.js'); throw({ name: '未包含UI文件', message: 'autofloat功能依赖于UEditor UI。autofloat定义位置: _src/plugins/autofloat.js' }); } uiUtils = UE.ui.uiUtils; return 1; } function fixIE6FixedPos(){ var docStyle = document.body.style; docStyle.backgroundImage = 'url("about:blank")'; docStyle.backgroundAttachment = 'fixed'; } var optsAutoFloatEnabled = this.options.autoFloatEnabled; //如果不固定toolbar的位置,则直接退出 if(!optsAutoFloatEnabled){ return; } var me = this, bakCssText, placeHolder = document.createElement('div'), toolbarBox,orgTop, getPosition, flag =true; //ie7模式下需要偏移 function setFloating(){ var toobarBoxPos = domUtils.getXY(toolbarBox), origalFloat = domUtils.getComputedStyle(toolbarBox,'position'), origalLeft = domUtils.getComputedStyle(toolbarBox,'left'); toolbarBox.style.width = toolbarBox.offsetWidth + 'px'; toolbarBox.style.zIndex = me.options.zIndex * 1 + 1; toolbarBox.parentNode.insertBefore(placeHolder, toolbarBox); if (LteIE6 || quirks) { if(toolbarBox.style.position != 'absolute'){ toolbarBox.style.position = 'absolute'; } toolbarBox.style.top = (document.body.scrollTop||document.documentElement.scrollTop) - orgTop + 'px'; } else { if (browser.ie7Compat && flag) { flag = false; toolbarBox.style.left = getPosition(toolbarBox).left - document.documentElement.getBoundingClientRect().left+2 + 'px'; } if(toolbarBox.style.position != 'fixed'){ toolbarBox.style.position = 'fixed'; toolbarBox.style.top = '0'; ((origalFloat == 'absolute' || origalFloat == 'relative') && parseFloat(origalLeft)) && (toolbarBox.style.left = toobarBoxPos.x + 'px'); } } } function unsetFloating(){ flag = true; if(placeHolder.parentNode) placeHolder.parentNode.removeChild(placeHolder); toolbarBox.style.cssText = bakCssText; } function updateFloating(){ var rect3 = getPosition(me.container); if (rect3.top < 0 && rect3.bottom - toolbarBox.offsetHeight > 0) { setFloating(); }else{ unsetFloating(); } } var defer_updateFloating = utils.defer(function(){ updateFloating(); },browser.ie ? 200 : 100,true); me.addListener('destroy',function(){ domUtils.un(window, ['scroll','resize'], updateFloating); me.removeListener('keydown', defer_updateFloating); }); me.addListener('ready', function(){ if(checkHasUI(me)){ getPosition = uiUtils.getClientRect; toolbarBox = me.ui.getDom('toolbarbox'); orgTop = getPosition(toolbarBox).top; bakCssText = toolbarBox.style.cssText; placeHolder.style.height = toolbarBox.offsetHeight + 'px'; if(LteIE6){ fixIE6FixedPos(); } me.addListener('autoheightchanged', function (t, enabled){ if (enabled) { domUtils.on(window, ['scroll','resize'], updateFloating); me.addListener('keydown', defer_updateFloating); } else { domUtils.un(window, ['scroll','resize'], updateFloating); me.removeListener('keydown', defer_updateFloating); } }); me.addListener('beforefullscreenchange', function (t, enabled){ if (enabled) { unsetFloating(); } }); me.addListener('fullscreenchanged', function (t, enabled){ if (!enabled) { updateFloating(); } }); me.addListener('sourcemodechanged', function (t, enabled){ setTimeout(function (){ updateFloating(); }); }); } }) }; ///import core ///import plugins/inserthtml.js ///commands 插入代码 ///commandsName HighlightCode ///commandsTitle 插入代码 ///commandsDialog dialogs\code\code.html UE.plugins['highlight'] = function() { var me = this; me.commands['highlightcode'] = { execCommand: function (cmdName, code, syntax) { if(code && syntax){ var pre = document.createElement("pre"); pre.className = "brush: "+syntax+";toolbar:false;"; pre.style.display = ""; pre.appendChild(document.createTextNode(code)); document.body.appendChild(pre); if(me.queryCommandState("highlightcode")){ me.execCommand("highlightcode"); } me.execCommand('inserthtml', SyntaxHighlighter.highlight(pre,null,true)); var div = me.document.getElementById(SyntaxHighlighter.getHighlighterDivId()); div.setAttribute('highlighter',pre.className); domUtils.remove(pre); adjustHeight() }else{ var range = this.selection.getRange(), start = domUtils.findParentByTagName(range.startContainer, 'table', true), end = domUtils.findParentByTagName(range.endContainer, 'table', true), codediv; if(start && end && start === end && start.parentNode.className.indexOf("syntaxhighlighter")>-1){ codediv = start.parentNode; if(domUtils.isBody(codediv.parentNode)){ var p = me.document.createElement('p'); p.innerHTML = browser.ie ? '' : '<br/>'; me.body.insertBefore(p,codediv); range.setStart(p,0) }else{ range.setStartBefore(codediv) } range.setCursor(); domUtils.remove(codediv); } } }, queryCommandState: function(){ var range = this.selection.getRange(),start,end; range.adjustmentBoundary(); start = domUtils.findParent(range.startContainer,function(node){ return node.nodeType == 1 && node.tagName == 'DIV' && domUtils.hasClass(node,'syntaxhighlighter') },true); end = domUtils.findParent(range.endContainer,function(node){ return node.nodeType == 1 && node.tagName == 'DIV' && domUtils.hasClass(node,'syntaxhighlighter') },true); return start && end && start == end ? 1 : 0; } }; me.addListener('beforeselectionchange',function(){ me.highlight = me.queryCommandState('highlightcode'); }); me.addListener('afterselectionchange',function(){ me.highlight = 0; }); me.addListener("ready",function(){ //避免重复加载高亮文件 if(typeof XRegExp == "undefined"){ var obj = { id : "syntaxhighlighter_js", src : me.options.highlightJsUrl, tag : "script", type : "text/javascript", defer : "defer" }; utils.loadFile(document,obj,function(){ changePre(); }); } if(!me.document.getElementById("syntaxhighlighter_css")){ var obj = { id : "syntaxhighlighter_css", tag : "link", rel : "stylesheet", type : "text/css", href : me.options.highlightCssUrl }; utils.loadFile(me.document,obj); } }); me.addListener("beforegetcontent",function(type,cmd){ for(var i=0,di,divs=domUtils.getElementsByTagName(me.body,'div');di=divs[i++];){ if(di.className == 'container'){ var pN = di.parentNode; while(pN){ if(pN.tagName == 'DIV' && /highlighter/.test(pN.id)){ break; } pN = pN.parentNode; } if(!pN)return; var pre = me.document.createElement('pre'); for(var str=[],c=0,ci;ci=di.childNodes[c++];){ str.push(ci[browser.ie?'innerText':'textContent']); } pre.appendChild(me.document.createTextNode(str.join('\n'))); pre.className = pN.getAttribute('highlighter'); pN.parentNode.insertBefore(pre,pN); domUtils.remove(pN); } } }); me.addListener("aftergetcontent",function(type,cmd){ changePre(); }); function adjustHeight(){ var div = me.document.getElementById(SyntaxHighlighter.getHighlighterDivId()); if(div){ var tds = div.getElementsByTagName('td'); for(var i=0,li,ri;li=tds[0].childNodes[i];i++){ ri = tds[1].firstChild.childNodes[i]; ri.style.height = li.style.height = ri.offsetHeight + 'px'; } } } function changePre(){ for(var i=0,pr,pres = domUtils.getElementsByTagName(me.document,"pre");pr=pres[i++];){ if(pr.className.indexOf("brush")>-1){ var pre = document.createElement("pre"),txt,div; pre.className = pr.className; pre.style.display = "none"; pre.appendChild(document.createTextNode(pr[browser.ie?'innerText':'textContent'])); document.body.appendChild(pre); try{ txt = SyntaxHighlighter.highlight(pre,null,true); }catch(e){ domUtils.remove(pre); return ; } div = me.document.createElement("div"); div.innerHTML = txt; div.firstChild.setAttribute('highlighter',pre.className); pr.parentNode.insertBefore(div.firstChild,pr); domUtils.remove(pre); domUtils.remove(pr); adjustHeight() } } } me.addListener("aftersetcontent",function(){ changePre(); }); //全屏时,重新算一下宽度 me.addListener('fullscreenchanged',function(){ var div = domUtils.getElementsByTagName(me.document,'div'); for(var j=0,di;di=div[j++];){ if(/^highlighter/.test(di.id)){ var tds = di.getElementsByTagName('td'); for(var i=0,li,ri;li=tds[0].childNodes[i];i++){ ri = tds[1].firstChild.childNodes[i]; ri.style.height = li.style.height = ri.offsetHeight + 'px'; } } } }) }; ///import core ///commands 定制过滤规则 ///commandsName Serialize ///commandsTitle 定制过滤规则 UE.plugins['serialize'] = function () { var ie = browser.ie, version = browser.version; function ptToPx(value){ return /pt/.test(value) ? value.replace( /([\d.]+)pt/g, function( str ) { return Math.round(parseFloat(str) * 96 / 72) + "px"; } ) : value; } var me = this, EMPTY_TAG = dtd.$empty, parseHTML = function () { //干掉<a> 后便变得空格,保留</a> 这样的空格 var RE_PART = /<(?:(?:\/([^>]+)>)|(?:!--([\S|\s]*?)-->)|(?:([^\s\/>]+)\s*((?:(?:"[^"]*")|(?:'[^']*')|[^"'<>])*)\/?>))/g, RE_ATTR = /([\w\-:.]+)(?:(?:\s*=\s*(?:(?:"([^"]*)")|(?:'([^']*)')|([^\s>]+)))|(?=\s|$))/g, EMPTY_ATTR = {checked:1,compact:1,declare:1,defer:1,disabled:1,ismap:1,multiple:1,nohref:1,noresize:1,noshade:1,nowrap:1,readonly:1,selected:1}, CDATA_TAG = {script:1,style: 1}, NEED_PARENT_TAG = { "li": { "$": 'ul', "ul": 1, "ol": 1 }, "dd": { "$": "dl", "dl": 1 }, "dt": { "$": "dl", "dl": 1 }, "option": { "$": "select", "select": 1 }, "td": { "$": "tr", "tr": 1 }, "th": { "$": "tr", "tr": 1 }, "tr": { "$": "tbody", "tbody": 1, "thead": 1, "tfoot": 1, "table": 1 }, "tbody": { "$": "table", 'table':1,"colgroup": 1 }, "thead": { "$": "table", "table": 1 }, "tfoot": { "$": "table", "table": 1 }, "col": { "$": "colgroup","colgroup":1 } }; var NEED_CHILD_TAG = { "table": "td", "tbody": "td", "thead": "td", "tfoot": "td", "tr": "td", "colgroup": "col", "ul": "li", "ol": "li", "dl": "dd", "select": "option" }; function parse( html, callbacks ) { var match, nextIndex = 0, tagName, cdata; RE_PART.exec( "" ); while ( (match = RE_PART.exec( html )) ) { var tagIndex = match.index; if ( tagIndex > nextIndex ) { var text = html.slice( nextIndex, tagIndex ); if ( cdata ) { cdata.push( text ); } else { callbacks.onText( text ); } } nextIndex = RE_PART.lastIndex; if ( (tagName = match[1]) ) { tagName = tagName.toLowerCase(); if ( cdata && tagName == cdata._tag_name ) { callbacks.onCDATA( cdata.join( '' ) ); cdata = null; } if ( !cdata ) { callbacks.onTagClose( tagName ); continue; } } if ( cdata ) { cdata.push( match[0] ); continue; } if ( (tagName = match[3]) ) { if ( /="/.test( tagName ) ) { continue; } tagName = tagName.toLowerCase(); var attrPart = match[4], attrMatch, attrMap = {}, selfClosing = attrPart && attrPart.slice( -1 ) == '/'; if ( attrPart ) { RE_ATTR.exec( "" ); while ( (attrMatch = RE_ATTR.exec( attrPart )) ) { var attrName = attrMatch[1].toLowerCase(), attrValue = attrMatch[2] || attrMatch[3] || attrMatch[4] || ''; if ( !attrValue && EMPTY_ATTR[attrName] ) { attrValue = attrName; } if ( attrName == 'style' ) { if ( ie && version <= 6 ) { attrValue = attrValue.replace( /(?!;)\s*([\w-]+):/g, function ( m, p1 ) { return p1.toLowerCase() + ':'; } ); } } //没有值的属性不添加 if ( attrValue ) { attrMap[attrName] = attrValue.replace( /:\s*/g, ':' ) } } } callbacks.onTagOpen( tagName, attrMap, selfClosing ); if ( !cdata && CDATA_TAG[tagName] ) { cdata = []; cdata._tag_name = tagName; } continue; } if ( (tagName = match[2]) ) { callbacks.onComment( tagName ); } } if ( html.length > nextIndex ) { callbacks.onText( html.slice( nextIndex, html.length ) ); } } return function ( html, forceDtd ) { var fragment = { type: 'fragment', parent: null, children: [] }; var currentNode = fragment; function addChild( node ) { node.parent = currentNode; currentNode.children.push( node ); } function addElement( element, open ) { var node = element; // 遇到结构化标签的时候 if ( NEED_PARENT_TAG[node.tag] ) { // 考虑这种情况的时候, 结束之前的标签 // e.g. <table><tr><td>12312`<tr>`4566 while ( NEED_PARENT_TAG[currentNode.tag] && NEED_PARENT_TAG[currentNode.tag][node.tag] ) { currentNode = currentNode.parent; } // 如果前一个标签和这个标签是同一级, 结束之前的标签 // e.g. <ul><li>123<li> if ( currentNode.tag == node.tag ) { currentNode = currentNode.parent; } // 向上补齐父标签 while ( NEED_PARENT_TAG[node.tag] ) { if ( NEED_PARENT_TAG[node.tag][currentNode.tag] ) break; node = node.parent = { type: 'element', tag: NEED_PARENT_TAG[node.tag]['$'], attributes: {}, children: [node] }; } } if ( forceDtd ) { // 如果遇到这个标签不能放在前一个标签内部,则结束前一个标签,span单独处理 while ( dtd[node.tag] && !(currentNode.tag == 'span' ? utils.extend( dtd['strong'], {'a':1,'A':1} ) : (dtd[currentNode.tag] || dtd['div']))[node.tag] ) { if ( tagEnd( currentNode ) ) continue; if ( !currentNode.parent ) break; currentNode = currentNode.parent; } } node.parent = currentNode; currentNode.children.push( node ); if ( open ) { currentNode = element; } if ( element.attributes.style ) { element.attributes.style = element.attributes.style.toLowerCase(); } return element; } // 结束一个标签的时候,需要判断一下它是否缺少子标签 // e.g. <table></table> function tagEnd( node ) { var needTag; if ( !node.children.length && (needTag = NEED_CHILD_TAG[node.tag]) ) { addElement( { type: 'element', tag: needTag, attributes: {}, children: [] }, true ); return true; } return false; } parse( html, { onText: function ( text ) { while ( !(dtd[currentNode.tag] || dtd['div'])['#'] ) { //节点之间的空白不能当作节点处理 // if(/^[ \t\r\n]+$/.test( text )){ // return; // } if ( tagEnd( currentNode ) ) continue; currentNode = currentNode.parent; } //if(/^[ \t\n\r]*/.test(text)) addChild( { type: 'text', data: text } ); }, onComment: function ( text ) { addChild( { type: 'comment', data: text } ); }, onCDATA: function ( text ) { while ( !(dtd[currentNode.tag] || dtd['div'])['#'] ) { if ( tagEnd( currentNode ) ) continue; currentNode = currentNode.parent; } addChild( { type: 'cdata', data: text } ); }, onTagOpen: function ( tag, attrs, closed ) { closed = closed || EMPTY_TAG[tag] ; addElement( { type: 'element', tag: tag, attributes: attrs, closed: closed, children: [] }, !closed ); }, onTagClose: function ( tag ) { var node = currentNode; // 向上找匹配的标签, 这里不考虑dtd的情况是因为tagOpen的时候已经处理过了, 这里不会遇到 while ( node && tag != node.tag ) { node = node.parent; } if ( node ) { // 关闭中间的标签 for ( var tnode = currentNode; tnode !== node.parent; tnode = tnode.parent ) { tagEnd( tnode ); } //去掉空白的inline节点 //分页,锚点保留 //|| dtd.$removeEmptyBlock[node.tag]) // if ( !node.children.length && dtd.$removeEmpty[node.tag] && !node.attributes.anchorname && node.attributes['class'] != 'pagebreak' && node.tag != 'a') { // // node.parent.children.pop(); // } currentNode = node.parent; } else { // 如果没有找到开始标签, 则创建新标签 // eg. </div> => <div></div> //针对视屏网站embed会给结束符,这里特殊处理一下 if ( !(dtd.$removeEmpty[tag] || dtd.$removeEmptyBlock[tag] || tag == 'embed') ) { node = { type: 'element', tag: tag, attributes: {}, children: [] }; addElement( node, true ); tagEnd( node ); currentNode = node.parent; } } } } ); // 处理这种情况, 只有开始标签没有结束标签的情况, 需要关闭开始标签 // eg. <table> while ( currentNode !== fragment ) { tagEnd( currentNode ); currentNode = currentNode.parent; } return fragment; }; }(); var unhtml1 = function () { var map = { '<': '&lt;', '>': '&gt;', '"': '&quot;', "'": '&#39;' }; function rep( m ) { return map[m]; } return function ( str ) { str = str + ''; return str ? str.replace( /[<>"']/g, rep ) : ''; }; }(); var toHTML = function () { function printChildren( node, pasteplain ) { var children = node.children; var buff = []; for ( var i = 0,ci; ci = children[i]; i++ ) { buff.push( toHTML( ci, pasteplain ) ); } return buff.join( '' ); } function printAttrs( attrs ) { var buff = []; for ( var k in attrs ) { var value = attrs[k]; if(k == 'style'){ //pt==>px value = ptToPx(value); //color rgb ==> hex if(/rgba?\s*\([^)]*\)/.test(value)){ value = value.replace( /rgba?\s*\(([^)]*)\)/g, function( str ) { return utils.fixColor('color',str); } ) } attrs[k] = utils.optCss(value.replace(/windowtext/g,'#000')); } buff.push( k + '="' + unhtml1( attrs[k] ) + '"' ); } return buff.join( ' ' ) } function printData( node, notTrans ) { //trace:1399 输入html代码时空格转换成为&nbsp; //node.data.replace(/&nbsp;/g,' ') 针对pre中的空格和出现的&nbsp;把他们在得到的html代码中都转换成为空格,为了在源码模式下显示为空格而不是&nbsp; return notTrans ? node.data.replace(/&nbsp;/g,' ') : unhtml1( node.data ).replace(/ /g,'&nbsp;'); } //纯文本模式下标签转换 var transHtml = { 'div':'p', 'li':'p', 'tr':'p', 'br':'br', 'p':'p'//trace:1398 碰到p标签自己要加上p,否则transHtml[tag]是undefined }; function printElement( node, pasteplain ) { var tag = node.tag; if ( pasteplain && tag == 'td' ) { if ( !html ) html = ''; html += printChildren( node, pasteplain ) + '&nbsp;&nbsp;&nbsp;'; } else { var attrs = printAttrs( node.attributes ); var html = '<' + (pasteplain && transHtml[tag] ? transHtml[tag] : tag) + (attrs ? ' ' + attrs : '') + (EMPTY_TAG[tag] ? ' />' : '>'); if ( !EMPTY_TAG[tag] ) { //trace:1627 //p标签在ie下为空,将不占位这里占位符不起作用,用&nbsp; if(browser.ie && tag == 'p' && !node.children.length){ html += '&nbsp;'; } html += printChildren( node, pasteplain ); html += '</' + (pasteplain && transHtml[tag] ? transHtml[tag] : tag) + '>'; } } return html; } return function ( node, pasteplain ) { if ( node.type == 'fragment' ) { return printChildren( node, pasteplain ); } else if ( node.type == 'element' ) { return printElement( node, pasteplain ); } else if ( node.type == 'text' || node.type == 'cdata' ) { return printData( node, dtd.$notTransContent[node.parent.tag] ); } else if ( node.type == 'comment' ) { return '<!--' + node.data + '-->'; } return ''; }; }(); //过滤word var transformWordHtml = function () { function isWordDocument( strValue ) { var re = new RegExp( /(class="?Mso|style="[^"]*\bmso\-|w:WordDocument|<v:)/ig ); return re.test( strValue ); } function ensureUnits( v ) { v = v.replace( /([\d.]+)([\w]+)?/g, function ( m, p1, p2 ) { return (Math.round( parseFloat( p1 ) ) || 1) + (p2 || 'px'); } ); return v; } function filterPasteWord( str ) { str = str.replace( /<!--\s*EndFragment\s*-->[\s\S]*$/, '' ) //remove link break .replace( /^(\r\n|\n|\r)|(\r\n|\n|\r)$/ig, "" ) //remove &nbsp; entities at the start of contents .replace( /^\s*(&nbsp;)+/ig, "" ) //remove &nbsp; entities at the end of contents .replace( /(&nbsp;|<br[^>]*>)+\s*$/ig, "" ) // Word comments like conditional comments etc .replace( /<!--[\s\S]*?-->/ig, "" ) //转换图片 .replace(/<v:shape [^>]*>[\s\S]*?.<\/v:shape>/gi,function(str){ var width = str.match(/width:([ \d.]*p[tx])/i)[1], height = str.match(/height:([ \d.]*p[tx])/i)[1], src = str.match(/src=\s*"([^"]*)"/i)[1]; return '<img width="'+ptToPx(width)+'" height="'+ptToPx(height)+'" src="' + src + '" />' }) //去掉多余的属性 .replace( /v:\w+=["']?[^'"]+["']?/g, '' ) // Remove comments, scripts (e.g., msoShowComment), XML tag, VML content, MS Office namespaced tags, and a few other tags .replace( /<(!|script[^>]*>.*?<\/script(?=[>\s])|\/?(\?xml(:\w+)?|xml|meta|link|style|\w+:\w+)(?=[\s\/>]))[^>]*>/gi, "" ) //convert word headers to strong .replace( /<p [^>]*class="?MsoHeading"?[^>]*>(.*?)<\/p>/gi, "<p><strong>$1</strong></p>" ) //remove lang attribute .replace( /(lang)\s*=\s*([\'\"]?)[\w-]+\2/ig, "" ) //清除多余的font不能匹配&nbsp;有可能是空格 .replace( /<font[^>]*>\s*<\/font>/gi, '' ) //清除多余的class .replace( /class\s*=\s*["']?(?:(?:MsoTableGrid)|(?:MsoNormal(Table)?))\s*["']?/gi, '' ); // Examine all styles: delete junk, transform some, and keep the rest //修复了原有的问题, 比如style='fontsize:"宋体"'原来的匹配失效了 str = str.replace( /(<[a-z][^>]*)\sstyle=(["'])([^\2]*?)\2/gi, function( str, tag, tmp, style ) { var n = [], i = 0, s = style.replace( /^\s+|\s+$/, '' ).replace( /&quot;/gi, "'" ).split( /;\s*/g ); // Examine each style definition within the tag's style attribute for ( var i = 0; i < s.length; i++ ) { var v = s[i]; var name, value, parts = v.split( ":" ); if ( parts.length == 2 ) { name = parts[0].toLowerCase(); value = parts[1].toLowerCase(); // Translate certain MS Office styles into their CSS equivalents switch ( name ) { case "mso-padding-alt": case "mso-padding-top-alt": case "mso-padding-right-alt": case "mso-padding-bottom-alt": case "mso-padding-left-alt": case "mso-margin-alt": case "mso-margin-top-alt": case "mso-margin-right-alt": case "mso-margin-bottom-alt": case "mso-margin-left-alt": case "mso-table-layout-alt": case "mso-height": case "mso-width": case "mso-vertical-align-alt": //trace:1819 ff下会解析出padding在table上 if(!/<table/.test(tag)) n[i] = name.replace( /^mso-|-alt$/g, "" ) + ":" + ensureUnits( value ); continue; case "horiz-align": n[i] = "text-align:" + value; continue; case "vert-align": n[i] = "vertical-align:" + value; continue; case "font-color": case "mso-foreground": n[i] = "color:" + value; continue; case "mso-background": case "mso-highlight": n[i] = "background:" + value; continue; case "mso-default-height": n[i] = "min-height:" + ensureUnits( value ); continue; case "mso-default-width": n[i] = "min-width:" + ensureUnits( value ); continue; case "mso-padding-between-alt": n[i] = "border-collapse:separate;border-spacing:" + ensureUnits( value ); continue; case "text-line-through": if ( (value == "single") || (value == "double") ) { n[i] = "text-decoration:line-through"; } continue; //trace:1870 // //word里边的字体统一干掉 // case 'font-family': // continue; case "mso-zero-height": if ( value == "yes" ) { n[i] = "display:none"; } continue; case 'margin': if ( !/[1-9]/.test( parts[1] ) ) { continue; } } if ( /^(mso|column|font-emph|lang|layout|line-break|list-image|nav|panose|punct|row|ruby|sep|size|src|tab-|table-border|text-(?:decor|trans)|top-bar|version|vnd|word-break)/.test( name ) ) { if ( !/mso\-list/.test( name ) ) continue; } n[i] = name + ":" + parts[1]; // Lower-case name, but keep value case } } // If style attribute contained any valid styles the re-write it; otherwise delete style attribute. if ( i > 0 ) { return tag + ' style="' + n.join( ';' ) + '"'; } else { return tag; } } ); str = str.replace( /([ ]+)<\/span>/ig, function ( m, p ) { return new Array( p.length + 1 ).join( '&nbsp;' ) + '</span>'; } ); return str; } return function ( html ) { //过了word,才能转p->li first = null; parentTag = '',liStyle = '',firstTag = ''; if ( isWordDocument( html ) ) { html = filterPasteWord( html ); } return html.replace( />[ \t\r\n]*</g, '><' ); }; }(); var NODE_NAME_MAP = { 'text': '#text', 'comment': '#comment', 'cdata': '#cdata-section', 'fragment': '#document-fragment' }; function _likeLi( node ) { var a; if ( node && node.tag == 'p' ) { //office 2011下有效 if ( node.attributes['class'] == 'MsoListParagraph' || /mso-list/.test( node.attributes.style ) ) { a = 1; } else { var firstChild = node.children[0]; if ( firstChild && firstChild.tag == 'span' && /Wingdings/i.test( firstChild.attributes.style ) ) { a = 1; } } } return a; } //为p==>li 做个标志 var first, orderStyle = { 'decimal' : /\d+/, 'lower-roman': /^m{0,4}(cm|cd|d?c{0,3})(xc|xl|l?x{0,3})(ix|iv|v?i{0,3})$/, 'upper-roman': /^M{0,4}(CM|CD|D?C{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})$/, 'lower-alpha' : /^\(?[a-z]+\)?$/, 'upper-alpha': /^\(?[A-Z]+\)?$/ }, unorderStyle = { 'disc' : /^[l\u00B7\u2002]/, 'circle' : /^[\u006F\u00D8]/,'square' : /^[\u006E\u25C6]/}, parentTag = '',liStyle = '',firstTag; //写入编辑器时,调用,进行转换操作 function transNode( node, word_img_flag ) { //dtd.$removeEmptyBlock[node.tag] if ( node.type == 'element' && !node.children.length && (dtd.$removeEmpty[node.tag]) && node.tag != 'a' ) {// 锚点保留 return { type : 'fragment', children:[] } } var sizeMap = [0, 10, 12, 16, 18, 24, 32, 48], attr, indexOf = utils.indexOf; switch ( node.tag ) { case 'img': //todo base64暂时去掉,后边做远程图片上传后,干掉这个 if(node.attributes.src && /^data:/.test(node.attributes.src)){ return { type : 'fragment', children:[] } } if ( node.attributes.src && /^(?:file)/.test( node.attributes.src ) ) { if ( !/(gif|bmp|png|jpg|jpeg)$/.test( node.attributes.src ) ) { return { type : 'fragment', children:[] } } node.attributes.word_img = node.attributes.src; node.attributes.src = me.options.UEDITOR_HOME_URL + 'themes/default/images/spacer.gif'; var flag = parseInt(node.attributes.width)<128||parseInt(node.attributes.height)<43; node.attributes.style="background:url(" + me.options.UEDITOR_HOME_URL +"themes/default/images/"+(flag?"word.gif":"localimage.png")+") no-repeat center center;border:1px solid #ddd"; //node.attributes.style = 'width:395px;height:173px;'; word_img_flag && (word_img_flag.flag = 1); } if(browser.ie && browser.version < 7 && me.options.relativePath) node.attributes.orgSrc = node.attributes.src; node.attributes.data_ue_src = node.attributes.data_ue_src || node.attributes.src; break; case 'li': var child = node.children[0]; if ( !child || child.type != 'element' || child.tag != 'p' && dtd.p[child.tag] ) { var tmpPNode = { type: 'element', tag: 'p', attributes: {}, parent : node }; tmpPNode.children = child ? node.children :[ browser.ie ? { type:'text', data:domUtils.fillChar, parent : tmpPNode }: { type : 'element', tag : 'br', attributes:{}, closed: true, children: [], parent : tmpPNode } ]; node.children = [tmpPNode]; } break; case 'table': case 'td': optStyle( node ); break; case 'a'://锚点,a==>img if ( node.attributes['anchorname'] ) { node.tag = 'img'; node.attributes = { 'class' : 'anchorclass', 'anchorname':node.attributes['name'] }; node.closed = 1; } node.attributes.href && (node.attributes.data_ue_src = node.attributes.href); break; case 'b': node.tag = node.name = 'strong'; break; case 'i': node.tag = node.name = 'em'; break; case 'u': node.tag = node.name = 'span'; node.attributes.style = (node.attributes.style || '') + ';text-decoration:underline;'; break; case 's': case 'del': node.tag = node.name = 'span'; node.attributes.style = (node.attributes.style || '') + ';text-decoration:line-through;'; if ( node.children.length == 1 ) { child = node.children[0]; if ( child.tag == node.tag ) { node.attributes.style += ";" + child.attributes.style; node.children = child.children; } } break; case 'span': if ( /mso-list/.test( node.attributes.style ) ) { //判断了两次就不在判断了 if ( firstTag != 'end' ) { var ci = node.children[0],p; while ( ci.type == 'element' ) { ci = ci.children[0]; } for ( p in unorderStyle ) { if ( unorderStyle[p].test( ci.data ) ) { // ci.data = ci.data.replace(unorderStyle[p],''); parentTag = 'ul'; liStyle = p; break; } } if ( !parentTag ) { for ( p in orderStyle ) { if ( orderStyle[p].test( ci.data.replace( /\.$/, '' ) ) ) { // ci.data = ci.data.replace(orderStyle[p],''); parentTag = 'ol'; liStyle = p; break; } } } if ( firstTag ) { if ( ci.data == firstTag ) { if ( parentTag != 'ul' ) { liStyle = ''; } parentTag = 'ul' } else { if ( parentTag != 'ol' ) { liStyle = ''; } parentTag = 'ol' } firstTag = 'end' } else { firstTag = ci.data } if ( parentTag ) { var tmpNode = node; while ( tmpNode && tmpNode.tag != 'ul' && tmpNode.tag != 'ol' ) { tmpNode = tmpNode.parent; } if(tmpNode ){ tmpNode.tag = parentTag; tmpNode.attributes.style = 'list-style-type:' + liStyle; } } } node = { type : 'fragment', children : [] }; break; } var style = node.attributes.style; if ( style ) { //trace:1493 //ff3.6出来的是background: none repeat scroll %0 %0 颜色 style = style.match( /(?:\b(?:color|font-size|background(-color)?|font-family|text-decoration)\b\s*:\s*(&[^;]+;|[^;])+(?=;)?)/gi ); if ( style ) { node.attributes.style = style.join( ';' ); if ( !node.attributes.style ) { delete node.attributes.style; } } } //针对ff3.6span的样式不能正确继承的修复 if(browser.gecko && browser.version <= 10902 && node.parent){ var parent = node.parent; if(parent.tag == 'span' && parent.attributes && parent.attributes.style){ node.attributes.style = parent.attributes.style + ';' + node.attributes.style; } } if ( utils.isEmptyObject( node.attributes ) ) { node.type = 'fragment' } break; case 'font': node.tag = node.name = 'span'; attr = node.attributes; node.attributes = { 'style': (attr.size ? 'font-size:' + (sizeMap[attr.size] || 12) + 'px' : '') + ';' + (attr.color ? 'color:'+ attr.color : '') + ';' + (attr.face ? 'font-family:'+ attr.face : '') + ';' + (attr.style||'') }; while(node.parent.tag == node.tag && node.parent.children.length == 1){ node.attributes.style && (node.parent.attributes.style ? (node.parent.attributes.style += ";" + node.attributes.style) : (node.parent.attributes.style = node.attributes.style)); node.parent.children = node.children; node = node.parent; } break; case 'p': if ( node.attributes.align ) { node.attributes.style = (node.attributes.style || '') + ';text-align:' + node.attributes.align + ';'; delete node.attributes.align; } if ( _likeLi( node ) ) { if ( !first ) { var ulNode = { type: 'element', tag: 'ul', attributes: {}, children: [] }, index = indexOf( node.parent.children, node ); node.parent.children[index] = ulNode; ulNode.parent = node.parent; ulNode.children[0] = node; node.parent = ulNode; while ( 1 ) { node = ulNode.parent.children[index + 1]; if ( _likeLi( node ) ) { ulNode.children[ulNode.children.length] = node; node.parent = ulNode; ulNode.parent.children.splice( index + 1, 1 ); } else { break; } } return ulNode; } node.tag = node.name = 'li'; //为chrome能找到标号做的处理 if ( browser.webkit ) { var span = node.children[0]; while ( span && span.type == 'element' ) { span = span.children[0] } span && (span.parent.attributes.style = (span.parent.attributes.style || '') + ';mso-list:10'); } delete node.attributes['class']; delete node.attributes.style; } } return node; } function optStyle( node ) { if ( ie && node.attributes.style ) { var style = node.attributes.style; node.attributes.style = style.replace(/;\s*/g,';'); node.attributes.style = node.attributes.style.replace( /^\s*|\s*$/, '' ) } } function transOutNode( node ) { switch ( node.tag ) { case 'table': !node.attributes.style && delete node.attributes.style; if ( ie && node.attributes.style ) { optStyle( node ); } break; case 'td': case 'th': if ( /display\s*:\s*none/i.test( node.attributes.style ) ) { return { type: 'fragment', children: [] }; } if ( ie && !node.children.length ) { var txtNode = { type: 'text', data:domUtils.fillChar, parent : node }; node.children[0] = txtNode; } if ( ie && node.attributes.style ) { optStyle( node ); } break; case 'img'://锚点,img==>a if ( node.attributes.anchorname ) { node.tag = 'a'; node.attributes = { name : node.attributes.anchorname, anchorname : 1 }; node.closed = null; }else{ if(node.attributes.data_ue_src){ node.attributes.src = node.attributes.data_ue_src; delete node.attributes.data_ue_src; } } break; case 'a': if(node.attributes.data_ue_src){ node.attributes.href = node.attributes.data_ue_src; delete node.attributes.data_ue_src; } } return node; } function childrenAccept( node, visit, ctx ) { if ( !node.children || !node.children.length ) { return node; } var children = node.children; for ( var i = 0; i < children.length; i++ ) { var newNode = visit( children[i], ctx ); if ( newNode.type == 'fragment' ) { var args = [i, 1]; args.push.apply( args, newNode.children ); children.splice.apply( children, args ); //节点为空的就干掉,不然后边的补全操作会添加多余的节点 if ( !children.length ) { node = { type: 'fragment', children: [] } } i --; } else { children[i] = newNode; } } return node; } function Serialize( rules ) { this.rules = rules; } Serialize.prototype = { // NOTE: selector目前只支持tagName rules: null, // NOTE: node必须是fragment filter: function ( node, rules, modify ) { rules = rules || this.rules; var whiteList = rules && rules.whiteList; var blackList = rules && rules.blackList; function visitNode( node, parent ) { node.name = node.type == 'element' ? node.tag : NODE_NAME_MAP[node.type]; if ( parent == null ) { return childrenAccept( node, visitNode, node ); } if ( blackList && blackList[node.name] ) { modify && (modify.flag = 1); return { type: 'fragment', children: [] }; } if ( whiteList ) { if ( node.type == 'element' ) { if ( parent.type == 'fragment' ? whiteList[node.name] : whiteList[node.name] && whiteList[parent.name][node.name] ) { var props; if ( (props = whiteList[node.name].$) ) { var oldAttrs = node.attributes; var newAttrs = {}; for ( var k in props ) { if ( oldAttrs[k] ) { newAttrs[k] = oldAttrs[k]; } } node.attributes = newAttrs; } } else { modify && (modify.flag = 1); node.type = 'fragment'; // NOTE: 这里算是一个hack node.name = parent.name; } } else { // NOTE: 文本默认允许 } } if ( blackList || whiteList ) { childrenAccept( node, visitNode, node ); } return node; } return visitNode( node, null ); }, transformInput: function ( node, word_img_flag ) { function visitNode( node ) { node = transNode( node, word_img_flag ); if ( node.tag == 'ol' || node.tag == 'ul' ) { first = 1; } node = childrenAccept( node, visitNode, node ); if ( node.tag == 'ol' || node.tag == 'ul' ) { first = 0; parentTag = '',liStyle = '',firstTag = ''; } if ( node.type == 'text' && node.data.replace( /\s/g, '' ) == me.options.pageBreakTag ) { node.type = 'element'; node.name = node.tag = 'hr'; delete node.data; node.attributes = { 'class' : 'pagebreak', noshade:"noshade", size:"5", 'unselectable' : 'on', 'style' : 'moz-user-select:none;-khtml-user-select: none;' }; node.children = []; } //去掉多余的空格和换行 if(node.type == 'text' && !dtd.$notTransContent[node.parent.tag]){ node.data = node.data.replace(/[\r\t\n]*/g,'')//.replace(/[ ]*$/g,'') } return node; } return visitNode( node ); }, transformOutput: function ( node ) { function visitNode( node ) { if ( node.tag == 'hr' && node.attributes['class'] == 'pagebreak' ) { delete node.tag; node.type = 'text'; node.data = me.options.pageBreakTag; delete node.children; } node = transOutNode( node ); if ( node.tag == 'ol' || node.tag == 'ul' ) { first = 1; } node = childrenAccept( node, visitNode, node ); if ( node.tag == 'ol' || node.tag == 'ul' ) { first = 0; } return node; } return visitNode( node ); }, toHTML: toHTML, parseHTML: parseHTML, word: transformWordHtml }; me.serialize = new Serialize( me.options.serialize ); UE.serialize = new Serialize( {} ); }; ///import core ///import plugins/inserthtml.js ///commands 视频 ///commandsName InsertVideo ///commandsTitle 插入视频 ///commandsDialog dialogs\video\video.html UE.plugins['video'] = function (){ var me =this, div; /** * 创建插入视频字符窜 * @param url 视频地址 * @param width 视频宽度 * @param height 视频高度 * @param align 视频对齐 * @param toEmbed 是否以图片代替显示 * @param addParagraph 是否需要添加P 标签 */ function creatInsertStr(url,width,height,align,toEmbed,addParagraph){ return !toEmbed ? (addParagraph? ('<p '+ (align !="none" ? ( align == "center"? ' style="text-align:center;" ':' style="float:"'+ align ) : '') + '>'): '') + '<img align="'+align+'" width="'+ width +'" height="' + height + '" _url="'+url+'" class="edui-faked-video"' + ' src="'+me.options.UEDITOR_HOME_URL+'themes/default/images/spacer.gif" style="background:url('+me.options.UEDITOR_HOME_URL+'themes/default/images/videologo.gif) no-repeat center center; border:1px solid gray;" />' + (addParagraph?'</p>':'') : '<embed type="application/x-shockwave-flash" class="edui-faked-video" pluginspage="http://www.macromedia.com/go/getflashplayer"' + ' src="' + url + '" width="' + width + '" height="' + height + '" align="' + align + '"' + ( align !="none" ? ' style= "'+ ( align == "center"? "display:block;":" float: "+ align ) + '"' :'' ) + ' wmode="transparent" play="true" loop="false" menu="false" allowscriptaccess="never" allowfullscreen="true" >'; } function switchImgAndEmbed(img2embed){ var tmpdiv, nodes =domUtils.getElementsByTagName(me.document, !img2embed ? "embed" : "img"); for(var i=0,node;node = nodes[i++];){ if(node.className!="edui-faked-video")continue; tmpdiv = me.document.createElement("div"); //先看float在看align,浮动有的是时候是在float上定义的 var align = node.style.cssFloat; tmpdiv.innerHTML = creatInsertStr(img2embed ? node.getAttribute("_url"):node.getAttribute("src"),node.width,node.height,align || node.getAttribute("align"),img2embed); node.parentNode.replaceChild(tmpdiv.firstChild,node); } } me.addListener("beforegetcontent",function(){ switchImgAndEmbed(true); }); me.addListener('aftersetcontent',function(){ switchImgAndEmbed(false); }); me.addListener('aftergetcontent',function(cmdName){ if(cmdName == 'aftergetcontent' && me.queryCommandState('source')) return; switchImgAndEmbed(false); }); me.commands["insertvideo"] = { execCommand: function (cmd, videoObjs){ videoObjs = utils.isArray(videoObjs)?videoObjs:[videoObjs]; var html = []; for(var i=0,vi,len = videoObjs.length;i<len;i++){ vi = videoObjs[i]; html.push(creatInsertStr( vi.url, vi.width || 420, vi.height || 280, vi.align||"none",false,true)); } me.execCommand("inserthtml",html.join("")); }, queryCommandState : function(){ var img = me.selection.getRange().getClosedNode(), flag = img && (img.className == "edui-faked-video"); return this.highlight ? -1 :(flag?1:0); } } }; ///import core ///commands 表格 ///commandsName InsertTable,DeleteTable,InsertParagraphBeforeTable,InsertRow,DeleteRow,InsertCol,DeleteCol,MergeCells,MergeRight,MergeDown,SplittoCells,SplittoRows,SplittoCols ///commandsTitle 表格,删除表格,表格前插行,前插入行,删除行,前插入列,删除列,合并多个单元格,右合并单元格,下合并单元格,完全拆分单元格,拆分成行,拆分成列 ///commandsDialog dialogs\table\table.html /** * Created by . * User: taoqili * Date: 11-5-5 * Time: 下午2:06 * To change this template use File | Settings | File Templates. */ /** * table操作插件 */ UE.plugins['table'] = function() { var me = this, keys = domUtils.keys, clearSelectedTd = domUtils.clearSelectedArr; //框选时用到的几个全局变量 var anchorTd, tableOpt, _isEmpty = domUtils.isEmptyNode; function getIndex(cell) { var cells = cell.parentNode.cells; for (var i = 0,ci; ci = cells[i]; i++) { if (ci === cell) { return i; } } } function deleteTable(table,range){ var p = table.ownerDocument.createElement('p'); domUtils.fillNode(me.document,p); var pN = table.parentNode; if(pN && pN.getAttribute('dropdrag')){ table = pN; } table.parentNode.insertBefore(p, table); domUtils.remove(table); range.setStart(p, 0).setCursor(); } /** * 判断当前单元格是否处于隐藏状态 * @param cell 待判断的单元格 * @return {Boolean} 隐藏时返回true,否则返回false */ function _isHide(cell) { return cell.style.display == "none"; } function getCount(arr) { var count = 0; for (var i = 0,ti; ti = arr[i++];) { if (!_isHide(ti)) { count++ } } return count; } me.currentSelectedArr = []; me.addListener('mousedown', _mouseDownEvent); me.addListener('keydown', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (!keys[keyCode] && !evt.ctrlKey && !evt.metaKey && !evt.shiftKey && !evt.altKey) { clearSelectedTd(me.currentSelectedArr) } }); me.addListener('mouseup', function() { anchorTd = null; me.removeListener('mouseover', _mouseDownEvent); var td = me.currentSelectedArr[0]; if (td) { me.document.body.style.webkitUserSelect = ''; var range = new dom.Range(me.document); if (_isEmpty(td)) { range.setStart(me.currentSelectedArr[0], 0).setCursor(); } else { range.selectNodeContents(me.currentSelectedArr[0]).select(); } } else { //浏览器能从table外边选到里边导致currentSelectedArr为空,清掉当前选区回到选区的最开始 var range = me.selection.getRange().shrinkBoundary(); if (!range.collapsed) { var start = domUtils.findParentByTagName(range.startContainer, 'td', true), end = domUtils.findParentByTagName(range.endContainer, 'td', true); //在table里边的不能清除 if (start && !end || !start && end || start && end && start !== end) { range.collapse(true).select(true) } } } }); function reset() { me.currentSelectedArr = []; anchorTd = null; } /** * 插入表格 * @param numRows 行数 * @param numCols 列数 * @param height 列数 * @param width 列数 * @param heightUnit 列数 * @param widthUnit 列数 * @param bgColor 表格背景 * @param border 边框大小 * @param borderColor 边框颜色 * @param cellSpacing 单元格间距 * @param cellPadding 单元格边距 */ me.commands['inserttable'] = { queryCommandState: function () { if(this.highlight ){ return -1; } var range = this.selection.getRange(); return domUtils.findParentByTagName(range.startContainer, 'table', true) || domUtils.findParentByTagName(range.endContainer, 'table', true) || me.currentSelectedArr.length > 0 ? -1 : 0; }, execCommand: function (cmdName, opt) { opt = opt|| {numRows:5,numCols:5}; var html = ['<table _innerCreateTable = "true" ']; if(opt.cellSpacing && opt.cellSpacing != '0' || opt.cellPadding && opt.cellPadding != '0'){ html.push(' style="border-collapse:separate;" ') } opt.cellSpacing && opt.cellSpacing != '0' && html.push(' cellSpacing="' + opt.cellSpacing + '" '); opt.cellPadding && opt.cellPadding != '0' && html.push(' cellPadding="' + opt.cellPadding + '" '); html.push(' width="' + (opt.width||100) + (typeof opt.widthUnit == "undefined" ? '%' : opt.widthUnit)+'" '); opt.height && html.push(' height="' + opt.height + (typeof opt.heightUnit == "undefined" ? '%' : opt.heightUnit) +'" '); opt.align && (html.push(' align="' + opt.align + '" ')); html.push(' border="' + (opt.border||1) +'" borderColor="' + (opt.borderColor||'#000000') +'"'); opt.borderType == "1" && html.push(' borderType="1" '); opt.bgColor && html.push(' bgColor="' + opt.bgColor + '"'); html.push(' ><tbody>'); opt.width = Math.floor((opt.width||'100')/opt.numCols); for(var i=0;i<opt.numRows;i++){ html.push('<tr>') for(var j=0;j<opt.numCols;j++){ html.push('<td '+' style="width:' + opt.width + (typeof opt.widthUnit == "undefined"?'%':opt.widthUnit) +';' +(opt.borderType == '1'? 'border:'+opt.border+'px solid '+(opt.borderColor||'#000000'):'') +'">' +(browser.ie ? domUtils.fillChar : '<br/>')+'</td>') } html.push('</tr>') } me.execCommand('insertHtml', html.join('') + '</tbody></table>'); reset(); //如果表格的align不是默认,将不占位,给后边的block元素设置clear:both if(opt.align){ var range = me.selection.getRange(), bk = range.createBookmark(), start = range.startContainer; while(start && !domUtils.isBody(start)){ if(domUtils.isBlockElm(start)){ start.style.clear = 'both'; range.moveToBookmark(bk).select(); break; } start = start.parentNode; } } } }; me.commands['edittable'] = { queryCommandState: function () { var range = this.selection.getRange(); if(this.highlight ){return -1;} return domUtils.findParentByTagName(range.startContainer, 'table', true) || me.currentSelectedArr.length > 0 ? 0 : -1; }, execCommand: function (cmdName, opt) { var start = me.selection.getStart(), table = domUtils.findParentByTagName(start,'table',true); if(table){ table.style.cssText = table.style.cssText.replace(/border[^;]+/gi,''); table.style.borderCollapse = opt.cellSpacing && opt.cellSpacing != '0' || opt.cellPadding && opt.cellPadding != '0' ? 'separate' : 'collapse'; opt.cellSpacing && opt.cellSpacing != '0' ? table.setAttribute('cellSpacing',opt.cellSpacing) : table.removeAttribute('cellSpacing'); opt.cellPadding && opt.cellPadding != '0' ? table.setAttribute('cellPadding',opt.cellPadding): table.removeAttribute('cellPadding'); opt.height && table.setAttribute('height',opt.height+opt.heightUnit); opt.align && table.setAttribute('align',opt.align); opt.width && table.setAttribute('width',opt.width + opt.widthUnit); opt.bgColor && table.setAttribute('bgColor',opt.bgColor); opt.borderColor && table.setAttribute('borderColor',opt.borderColor); opt.border && table.setAttribute('border',opt.border); if(opt.borderType == "1"){ for(var i=0,ti,tds = table.getElementsByTagName('td');ti=tds[i++];){ ti.style.border = opt.border+'px solid '+(opt.borderColor||'#000000') } table.setAttribute('borderType','1') }else{ for(var i=0,ti,tds = table.getElementsByTagName('td');ti=tds[i++];){ if(browser.ie){ ti.style.cssText = ti.style.cssText.replace(/border[^;]+/gi,''); }else{ domUtils.removeStyle(ti,'border'); domUtils.removeStyle(ti,'border-image') } } table.removeAttribute('borderType') } } } }; me.commands['edittd'] ={ queryCommandState:function(){ if(this.highlight ){return -1;} var range = this.selection.getRange(); return (domUtils.findParentByTagName(range.startContainer, 'table', true) && domUtils.findParentByTagName(range.endContainer, 'table', true)) || me.currentSelectedArr.length > 0 ? 0 : -1; }, /** * 单元格属性编辑 * @param cmdName * @param tdItems */ execCommand:function(cmdName,tdItems){ var range = this.selection.getRange(), tds =!me.currentSelectedArr.length?[domUtils.findParentByTagName(range.startContainer, ['td','th'], true)]:me.currentSelectedArr; for(var i=0,td;td=tds[i++];){ domUtils.setAttributes(td,{ "bgColor":tdItems.bgColor, "align":tdItems.align, "vAlign":tdItems.vAlign }); } } }; /** * 删除表格 */ me.commands['deletetable'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(); return (domUtils.findParentByTagName(range.startContainer, 'table', true) && domUtils.findParentByTagName(range.endContainer, 'table', true)) || me.currentSelectedArr.length > 0 ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), table = domUtils.findParentByTagName(me.currentSelectedArr.length > 0 ? me.currentSelectedArr[0] : range.startContainer, 'table', true); deleteTable(table,range); reset(); } }; /** * 添加表格标题 */ me.commands['addcaption'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(); return (domUtils.findParentByTagName(range.startContainer, 'table', true) && domUtils.findParentByTagName(range.endContainer, 'table', true)) || me.currentSelectedArr.length > 0 ? 0 : -1; }, execCommand:function(cmdName, opt) { var range = this.selection.getRange(), table = domUtils.findParentByTagName(me.currentSelectedArr.length > 0 ? me.currentSelectedArr[0] : range.startContainer, 'table', true); if (opt == "on") { var c = table.createCaption(); c.innerHTML = "请在此输入表格标题"; } else { table.removeChild(table.caption); } } }; /** * 向右合并单元格 */ me.commands['mergeright'] = { queryCommandState : function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true); if (!td || this.currentSelectedArr.length > 1)return -1; var tr = td.parentNode; //最右边行不能向右合并 var rightCellIndex = getIndex(td) + td.colSpan; if (rightCellIndex >= tr.cells.length) { return -1; } //单元格不在同一行不能向右合并 var rightCell = tr.cells[rightCellIndex]; if (_isHide(rightCell)) { return -1; } return td.rowSpan == rightCell.rowSpan ? 0 : -1; }, execCommand : function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true) || me.currentSelectedArr[0], tr = td.parentNode, rows = tr.parentNode.parentNode.rows; //找到当前单元格右边的未隐藏单元格 var rightCellRowIndex = tr.rowIndex, rightCellCellIndex = getIndex(td) + td.colSpan, rightCell = rows[rightCellRowIndex].cells[rightCellCellIndex]; //在隐藏的原生td对象上增加两个属性,分别表示当前td对应的真实td坐标 for (var i = rightCellRowIndex; i < rightCellRowIndex + rightCell.rowSpan; i++) { for (var j = rightCellCellIndex; j < rightCellCellIndex + rightCell.colSpan; j++) { var tmpCell = rows[i].cells[j]; tmpCell.setAttribute('rootRowIndex', tr.rowIndex); tmpCell.setAttribute('rootCellIndex', getIndex(td)); } } //合并单元格 td.colSpan += rightCell.colSpan || 1; //合并内容 _moveContent(td, rightCell); //删除被合并的单元格,此处用隐藏方式实现来提升性能 rightCell.style.display = "none"; //重新让单元格获取焦点 //trace:1565 if(domUtils.isEmptyBlock(td)){ range.setStart(td,0).setCursor(); }else{ range.selectNodeContents(td).setCursor(true,true); } //处理有寛高,导致ie的文字不能输入占满 browser.ie && domUtils.removeAttributes(td,['width','height']); } }; /** * 向下合并单元格 */ me.commands['mergedown'] = { queryCommandState : function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, 'td', true); if (!td || getCount(me.currentSelectedArr) > 1)return -1; var tr = td.parentNode, table = tr.parentNode.parentNode, rows = table.rows; //已经是最底行,不能向下合并 var downCellRowIndex = tr.rowIndex + td.rowSpan; if (downCellRowIndex >= rows.length) { return -1; } //如果下一个单元格是隐藏的,表明他是由左边span过来的,不能向下合并 var downCell = rows[downCellRowIndex].cells[getIndex(td)]; if (_isHide(downCell)) { return -1; } //只有列span都相等时才能合并 return td.colSpan == downCell.colSpan ? 0 : -1; }, execCommand : function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true) || me.currentSelectedArr[0]; var tr = td.parentNode, rows = tr.parentNode.parentNode.rows; var downCellRowIndex = tr.rowIndex + td.rowSpan, downCellCellIndex = getIndex(td), downCell = rows[downCellRowIndex].cells[downCellCellIndex]; //找到当前列的下一个未被隐藏的单元格 for (var i = downCellRowIndex; i < downCellRowIndex + downCell.rowSpan; i++) { for (var j = downCellCellIndex; j < downCellCellIndex + downCell.colSpan; j++) { var tmpCell = rows[i].cells[j]; tmpCell.setAttribute('rootRowIndex', tr.rowIndex); tmpCell.setAttribute('rootCellIndex', getIndex(td)); } } //合并单元格 td.rowSpan += downCell.rowSpan || 1; //合并内容 _moveContent(td, downCell); //删除被合并的单元格,此处用隐藏方式实现来提升性能 downCell.style.display = "none"; //重新让单元格获取焦点 if(domUtils.isEmptyBlock(td)){ range.setStart(td,0).setCursor(); }else{ range.selectNodeContents(td).setCursor(true,true); } //处理有寛高,导致ie的文字不能输入占满 browser.ie && domUtils.removeAttributes(td,['width','height']); } }; /** * 删除行 */ me.commands['deleterow'] = { queryCommandState : function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true); if (!td && me.currentSelectedArr.length == 0)return -1; }, execCommand : function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true), tr, table, cells, rows , rowIndex , cellIndex; if (td && me.currentSelectedArr.length == 0) { var count = (td.rowSpan || 1) - 1; me.currentSelectedArr.push(td); tr = td.parentNode, table = tr.parentNode.parentNode; rows = table.rows, rowIndex = tr.rowIndex + 1, cellIndex = getIndex(td); while (count) { me.currentSelectedArr.push(rows[rowIndex].cells[cellIndex]); count--; rowIndex++ } } while (td = me.currentSelectedArr.pop()) { if (!domUtils.findParentByTagName(td, 'table')) {//|| _isHide(td) continue; } tr = td.parentNode, table = tr.parentNode.parentNode; cells = tr.cells, rows = table.rows, rowIndex = tr.rowIndex, cellIndex = getIndex(td); /* * 从最左边开始扫描并隐藏当前行的所有单元格 * 若当前单元格的display为none,往上找到它所在的真正单元格,获取colSpan和rowSpan, * 将rowspan减一,并跳转到cellIndex+colSpan列继续处理 * 若当前单元格的display不为none,分两种情况: * 1、rowspan == 1 ,直接设置display为none,跳转到cellIndex+colSpan列继续处理 * 2、rowspan > 1 , 修改当前单元格的下一个单元格的display为"", * 并将当前单元格的rowspan-1赋给下一个单元格的rowspan,当前单元格的colspan赋给下一个单元格的colspan, * 然后隐藏当前单元格,跳转到cellIndex+colSpan列继续处理 */ for (var currentCellIndex = 0; currentCellIndex < cells.length;) { var currentNode = cells[currentCellIndex]; if (_isHide(currentNode)) { var topNode = rows[currentNode.getAttribute('rootRowIndex')].cells[currentNode.getAttribute('rootCellIndex')]; topNode.rowSpan--; currentCellIndex += topNode.colSpan; } else { if (currentNode.rowSpan == 1) { currentCellIndex += currentNode.colSpan; } else { var downNode = rows[rowIndex + 1].cells[currentCellIndex]; downNode.style.display = ""; downNode.rowSpan = currentNode.rowSpan - 1; downNode.colSpan = currentNode.colSpan; currentCellIndex += currentNode.colSpan; } } } //完成更新后再删除外层包裹的tr domUtils.remove(tr); //重新定位焦点 var topRowTd, focusTd, downRowTd; if (rowIndex == rows.length) { //如果被删除的行是最后一行,这里之所以没有-1是因为已经删除了一行 //如果删除的行也是第一行,那么表格总共只有一行,删除整个表格 if (rowIndex == 0) { deleteTable(table,range); return; } //如果上一单元格未隐藏,则直接定位,否则定位到最近的上一个非隐藏单元格 var preRowIndex = rowIndex - 1; topRowTd = rows[preRowIndex].cells[ cellIndex]; focusTd = _isHide(topRowTd) ? rows[topRowTd.getAttribute('rootRowIndex')].cells[topRowTd.getAttribute('rootCellIndex')] : topRowTd; } else { //如果被删除的不是最后一行,则光标定位到下一行,此处未加1是因为已经删除了一行 downRowTd = rows[rowIndex].cells[cellIndex]; focusTd = _isHide(downRowTd) ? rows[downRowTd.getAttribute('rootRowIndex')].cells[downRowTd.getAttribute('rootCellIndex')] : downRowTd; } } range.setStart(focusTd, 0).setCursor(); update(table) } }; /** * 删除列 */ me.commands['deletecol'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true); if (!td && me.currentSelectedArr.length == 0)return -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true); if (td && me.currentSelectedArr.length == 0) { var count = (td.colSpan || 1) - 1; me.currentSelectedArr.push(td); while (count) { do{ td = td.nextSibling } while (td.nodeType == 3); me.currentSelectedArr.push(td); count--; } } while (td = me.currentSelectedArr.pop()) { if (!domUtils.findParentByTagName(td, 'table')) { //|| _isHide(td) continue; } var tr = td.parentNode, table = tr.parentNode.parentNode, cellIndex = getIndex(td), rows = table.rows, cells = tr.cells, rowIndex = tr.rowIndex; /* * 从第一行开始扫描并隐藏当前列的所有单元格 * 若当前单元格的display为none,表明它是由左边Span过来的, * 将左边第一个非none单元格的colSpan减去1并删去对应的单元格后跳转到rowIndex + rowspan行继续处理; * 若当前单元格的display不为none,分两种情况, * 1、当前单元格的colspan == 1 , 则直接删除该节点,跳转到rowIndex + rowspan行继续处理 * 2、当前单元格的colsapn > 1, 修改当前单元格右边单元格的display为"", * 并将当前单元格的colspan-1赋给它的colspan,当前单元格的rolspan赋给它的rolspan, * 然后删除当前单元格,跳转到rowIndex+rowSpan行继续处理 */ var rowSpan; for (var currentRowIndex = 0; currentRowIndex < rows.length;) { var currentNode = rows[currentRowIndex].cells[cellIndex]; if (_isHide(currentNode)) { var leftNode = rows[currentNode.getAttribute('rootRowIndex')].cells[currentNode.getAttribute('rootCellIndex')]; //依次删除对应的单元格 rowSpan = leftNode.rowSpan; for (var i = 0; i < leftNode.rowSpan; i++) { var delNode = rows[currentRowIndex + i].cells[cellIndex]; domUtils.remove(delNode); } //修正被删后的单元格信息 leftNode.colSpan--; currentRowIndex += rowSpan; } else { if (currentNode.colSpan == 1) { rowSpan = currentNode.rowSpan; for (var i = currentRowIndex,l = currentRowIndex + currentNode.rowSpan; i < l; i++) { domUtils.remove(rows[i].cells[cellIndex]); } currentRowIndex += rowSpan; } else { var rightNode = rows[currentRowIndex].cells[cellIndex + 1]; rightNode.style.display = ""; rightNode.rowSpan = currentNode.rowSpan; rightNode.colSpan = currentNode.colSpan - 1; currentRowIndex += currentNode.rowSpan; domUtils.remove(currentNode); } } } //重新定位焦点 var preColTd, focusTd, nextColTd; if (cellIndex == cells.length) { //如果当前列是最后一列,光标定位到当前列的前一列,同样,这里没有减去1是因为已经被删除了一列 //如果当前列也是第一列,则删除整个表格 if (cellIndex == 0) { deleteTable(table,range); return; } //找到当前单元格前一列中和本单元格最近的一个未隐藏单元格 var preCellIndex = cellIndex - 1; preColTd = rows[rowIndex].cells[preCellIndex]; focusTd = _isHide(preColTd) ? rows[preColTd.getAttribute('rootRowIndex')].cells[preColTd.getAttribute('rootCellIndex')] : preColTd; } else { //如果当前列不是最后一列,则光标定位到当前列的后一列 nextColTd = rows[rowIndex].cells[cellIndex]; focusTd = _isHide(nextColTd) ? rows[nextColTd.getAttribute('rootRowIndex')].cells[nextColTd.getAttribute('rootCellIndex')] : nextColTd; } } range.setStart(focusTd, 0).setCursor(); update(table) } }; /** * 完全拆分单元格 */ me.commands['splittocells'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true); return td && ( td.rowSpan > 1 || td.colSpan > 1 ) && (!me.currentSelectedArr.length || getCount(me.currentSelectedArr) == 1) ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true), tr = td.parentNode, table = tr.parentNode.parentNode; var rowIndex = tr.rowIndex, cellIndex = getIndex(td), rowSpan = td.rowSpan, colSpan = td.colSpan; for (var i = 0; i < rowSpan; i++) { for (var j = 0; j < colSpan; j++) { var cell = table.rows[rowIndex + i].cells[cellIndex + j]; cell.rowSpan = 1; cell.colSpan = 1; if (_isHide(cell)) { cell.style.display = ""; cell.innerHTML = browser.ie ? '' : "<br/>"; } } } } }; /** * 将单元格拆分成行 */ me.commands['splittorows'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, 'td', true) || me.currentSelectedArr[0]; return td && ( td.rowSpan > 1) && (!me.currentSelectedArr.length || getCount(me.currentSelectedArr) == 1) ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, 'td', true) || me.currentSelectedArr[0], tr = td.parentNode, rows = tr.parentNode.parentNode.rows; var rowIndex = tr.rowIndex, cellIndex = getIndex(td), rowSpan = td.rowSpan, colSpan = td.colSpan; for (var i = 0; i < rowSpan; i++) { var cells = rows[rowIndex + i], cell = cells.cells[cellIndex]; cell.rowSpan = 1; cell.colSpan = colSpan; if (_isHide(cell)) { cell.style.display = ""; //原有的内容要清除掉 cell.innerHTML = browser.ie ? '' : '<br/>' } //修正被隐藏单元格中存储的rootRowIndex和rootCellIndex信息 for (var j = cellIndex + 1; j < cellIndex + colSpan; j++) { cell = cells.cells[j]; cell.setAttribute('rootRowIndex', rowIndex + i) } } clearSelectedTd(me.currentSelectedArr); this.selection.getRange().setStart(td, 0).setCursor(); } }; /** * 在表格前插入行 */ me.commands['insertparagraphbeforetable'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, 'td', true) || me.currentSelectedArr[0]; return td && domUtils.findParentByTagName(td, 'table') ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, table = domUtils.findParentByTagName(start, 'table', true); start = me.document.createElement(me.options.enterTag); table.parentNode.insertBefore(start, table); clearSelectedTd(me.currentSelectedArr); if (start.tagName == 'P') { //trace:868 start.innerHTML = browser.ie ? '' : '<br/>'; range.setStart(start, 0) } else { range.setStartBefore(start) } range.setCursor(); } }; /** * 将单元格拆分成列 */ me.commands['splittocols'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true) || me.currentSelectedArr[0]; return td && ( td.colSpan > 1) && (!me.currentSelectedArr.length || getCount(me.currentSelectedArr) == 1) ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true) || me.currentSelectedArr[0], tr = td.parentNode, rows = tr.parentNode.parentNode.rows; var rowIndex = tr.rowIndex, cellIndex = getIndex(td), rowSpan = td.rowSpan, colSpan = td.colSpan; for (var i = 0; i < colSpan; i++) { var cell = rows[rowIndex].cells[cellIndex + i]; cell.rowSpan = rowSpan; cell.colSpan = 1; if (_isHide(cell)) { cell.style.display = ""; cell.innerHTML = browser.ie ? '' : '<br/>' } for (var j = rowIndex + 1; j < rowIndex + rowSpan; j++) { var tmpCell = rows[j].cells[cellIndex + i]; tmpCell.setAttribute('rootCellIndex', cellIndex + i); } } clearSelectedTd(me.currentSelectedArr); this.selection.getRange().setStart(td, 0).setCursor(); } }; /** * 插入行 */ me.commands['insertrow'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(); return domUtils.findParentByTagName(range.startContainer, 'table', true) || domUtils.findParentByTagName(range.endContainer, 'table', true) || me.currentSelectedArr.length != 0 ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, tr = domUtils.findParentByTagName(start, 'tr', true) || me.currentSelectedArr[0].parentNode, table = tr.parentNode.parentNode, rows = table.rows; //记录插入位置原来所有的单元格 var rowIndex = tr.rowIndex, cells = rows[rowIndex].cells; //插入新的一行 var newRow = table.insertRow(rowIndex); var newCell; //遍历表格中待插入位置中的所有单元格,检查其状态,并据此修正新插入行的单元格状态 for (var cellIndex = 0; cellIndex < cells.length;) { var tmpCell = cells[cellIndex]; if (_isHide(tmpCell)) { //如果当前单元格是隐藏的,表明当前单元格由其上部span过来,找到其上部单元格 //找到被隐藏单元格真正所属的单元格 var topCell = rows[tmpCell.getAttribute('rootRowIndex')].cells[tmpCell.getAttribute('rootCellIndex')]; //增加一行,并将所有新插入的单元格隐藏起来 topCell.rowSpan++; for (var i = 0; i < topCell.colSpan; i++) { newCell = tmpCell.cloneNode(false); domUtils.removeAttributes(newCell,["bgColor","valign","align"]); newCell.rowSpan = newCell.colSpan = 1; newCell.innerHTML = browser.ie ? '' : "<br/>"; newCell.className = ''; if (newRow.children[cellIndex + i]) { newRow.insertBefore(newCell, newRow.children[cellIndex + i]); } else { newRow.appendChild(newCell) } newCell.style.display = "none"; } cellIndex += topCell.colSpan; } else {//若当前单元格未隐藏,则在其上行插入colspan个单元格 for (var j = 0; j < tmpCell.colSpan; j++) { newCell = tmpCell.cloneNode(false); domUtils.removeAttributes(newCell,["bgColor","valign","align"]); newCell.rowSpan = newCell.colSpan = 1; newCell.innerHTML = browser.ie ? '' : "<br/>"; newCell.className = ''; if (newRow.children[cellIndex + j]) { newRow.insertBefore(newCell, newRow.children[cellIndex + j]); } else { newRow.appendChild(newCell) } } cellIndex += tmpCell.colSpan; } } update(table); range.setStart(newRow.cells[0], 0).setCursor(); clearSelectedTd(me.currentSelectedArr); } }; /** * 插入列 */ me.commands['insertcol'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var range = this.selection.getRange(); return domUtils.findParentByTagName(range.startContainer, 'table', true) || domUtils.findParentByTagName(range.endContainer, 'table', true) || me.currentSelectedArr.length != 0 ? 0 : -1; }, execCommand:function() { var range = this.selection.getRange(), start = range.startContainer, td = domUtils.findParentByTagName(start, ['td','th'], true) || me.currentSelectedArr[0], table = domUtils.findParentByTagName(td, 'table'), rows = table.rows; var cellIndex = getIndex(td), newCell; //遍历当前列中的所有单元格,检查其状态,并据此修正新插入列的单元格状态 for (var rowIndex = 0; rowIndex < rows.length;) { var tmpCell = rows[rowIndex].cells[cellIndex],tr; if (_isHide(tmpCell)) {//如果当前单元格是隐藏的,表明当前单元格由其左边span过来,找到其左边单元格 var leftCell = rows[tmpCell.getAttribute('rootRowIndex')].cells[tmpCell.getAttribute('rootCellIndex')]; leftCell.colSpan++; for (var i = 0; i < leftCell.rowSpan; i++) { newCell = td.cloneNode(false); domUtils.removeAttributes(newCell,["bgColor","valign","align"]); newCell.rowSpan = newCell.colSpan = 1; newCell.innerHTML = browser.ie ? '' : "<br/>"; newCell.className = ''; tr = rows[rowIndex + i]; if (tr.children[cellIndex]) { tr.insertBefore(newCell, tr.children[cellIndex]); } else { tr.appendChild(newCell) } newCell.style.display = "none"; } rowIndex += leftCell.rowSpan; } else { //若当前单元格未隐藏,则在其左边插入rowspan个单元格 for (var j = 0; j < tmpCell.rowSpan; j++) { newCell = td.cloneNode(false); domUtils.removeAttributes(newCell,["bgColor","valign","align"]); newCell.rowSpan = newCell.colSpan = 1; newCell.innerHTML = browser.ie ? '' : "<br/>"; newCell.className = ''; tr = rows[rowIndex + j]; if (tr.children[cellIndex]) { tr.insertBefore(newCell, tr.children[cellIndex]); } else { tr.appendChild(newCell) } newCell.innerHTML = browser.ie ? '' : "<br/>"; } rowIndex += tmpCell.rowSpan; } } update(table); range.setStart(rows[0].cells[cellIndex], 0).setCursor(); clearSelectedTd(me.currentSelectedArr); } }; /** * 合并多个单元格,通过两个cell将当前包含的所有横纵单元格进行合并 */ me.commands['mergecells'] = { queryCommandState:function() { if(this.highlight ){ return -1; } var count = 0; for (var i = 0,ti; ti = this.currentSelectedArr[i++];) { if (!_isHide(ti)) count++; } return count > 1 ? 0 : -1; }, execCommand:function() { var start = me.currentSelectedArr[0], end = me.currentSelectedArr[me.currentSelectedArr.length - 1], table = domUtils.findParentByTagName(start, 'table'), rows = table.rows, cellsRange = { beginRowIndex:start.parentNode.rowIndex, beginCellIndex:getIndex(start), endRowIndex:end.parentNode.rowIndex, endCellIndex:getIndex(end) }, beginRowIndex = cellsRange.beginRowIndex, beginCellIndex = cellsRange.beginCellIndex, rowsLength = cellsRange.endRowIndex - cellsRange.beginRowIndex + 1, cellLength = cellsRange.endCellIndex - cellsRange.beginCellIndex + 1, tmp = rows[beginRowIndex].cells[beginCellIndex]; for (var i = 0, ri; (ri = rows[beginRowIndex + i++]) && i <= rowsLength;) { for (var j = 0, ci; (ci = ri.cells[beginCellIndex + j++]) && j <= cellLength;) { if (i == 1 && j == 1) { ci.style.display = ""; ci.rowSpan = rowsLength; ci.colSpan = cellLength; } else { ci.style.display = "none"; ci.rowSpan = 1; ci.colSpan = 1; ci.setAttribute('rootRowIndex', beginRowIndex); ci.setAttribute('rootCellIndex', beginCellIndex); //传递内容 _moveContent(tmp, ci); } } } this.selection.getRange().setStart(tmp, 0).setCursor(); //处理有寛高,导致ie的文字不能输入占满 browser.ie && domUtils.removeAttributes(tmp,['width','height']); clearSelectedTd(me.currentSelectedArr); } }; /** * 将cellFrom单元格中的内容移动到cellTo中 * @param cellTo 目标单元格 * @param cellFrom 源单元格 */ function _moveContent(cellTo, cellFrom) { if (_isEmpty(cellFrom)) return; if (_isEmpty(cellTo)) { cellTo.innerHTML = cellFrom.innerHTML; return; } var child = cellTo.lastChild; if (child.nodeType != 1 || child.tagName != 'BR') { cellTo.appendChild(cellTo.ownerDocument.createElement('br')) } //依次移动内容 while (child = cellFrom.firstChild) { cellTo.appendChild(child); } } /** * 根据两个单元格来获取中间包含的所有单元格集合选区 * @param cellA * @param cellB * @return {Object} 选区的左上和右下坐标 */ function _getCellsRange(cellA, cellB) { var trA = cellA.parentNode, trB = cellB.parentNode, aRowIndex = trA.rowIndex, bRowIndex = trB.rowIndex, rows = trA.parentNode.parentNode.rows, rowsNum = rows.length, cellsNum = rows[0].cells.length, cellAIndex = getIndex(cellA), cellBIndex = getIndex(cellB); if (cellA == cellB) { return { beginRowIndex: aRowIndex, beginCellIndex: cellAIndex, endRowIndex: aRowIndex + cellA.rowSpan - 1, endCellIndex: cellBIndex + cellA.colSpan - 1 } } var beginRowIndex = Math.min(aRowIndex, bRowIndex), beginCellIndex = Math.min(cellAIndex, cellBIndex), endRowIndex = Math.max(aRowIndex + cellA.rowSpan - 1, bRowIndex + cellB.rowSpan - 1), endCellIndex = Math.max(cellAIndex + cellA.colSpan - 1, cellBIndex + cellB.colSpan - 1); while (1) { var tmpBeginRowIndex = beginRowIndex, tmpBeginCellIndex = beginCellIndex, tmpEndRowIndex = endRowIndex, tmpEndCellIndex = endCellIndex; // 检查是否有超出TableRange上边界的情况 if (beginRowIndex > 0) { for (cellIndex = beginCellIndex; cellIndex <= endCellIndex;) { var currentTopTd = rows[beginRowIndex].cells[cellIndex]; if (_isHide(currentTopTd)) { //overflowRowIndex = beginRowIndex == currentTopTd.rootRowIndex ? 1:0; beginRowIndex = currentTopTd.getAttribute('rootRowIndex'); currentTopTd = rows[currentTopTd.getAttribute('rootRowIndex')].cells[currentTopTd.getAttribute('rootCellIndex')]; } cellIndex = getIndex(currentTopTd) + (currentTopTd.colSpan || 1); } } //检查是否有超出左边界的情况 if (beginCellIndex > 0) { for (var rowIndex = beginRowIndex; rowIndex <= endRowIndex;) { var currentLeftTd = rows[rowIndex].cells[beginCellIndex]; if (_isHide(currentLeftTd)) { // overflowCellIndex = beginCellIndex== currentLeftTd.rootCellIndex ? 1:0; beginCellIndex = currentLeftTd.getAttribute('rootCellIndex'); currentLeftTd = rows[currentLeftTd.getAttribute('rootRowIndex')].cells[currentLeftTd.getAttribute('rootCellIndex')]; } rowIndex = currentLeftTd.parentNode.rowIndex + (currentLeftTd.rowSpan || 1); } } // 检查是否有超出TableRange下边界的情况 if (endRowIndex < rowsNum) { for (var cellIndex = beginCellIndex; cellIndex <= endCellIndex;) { var currentDownTd = rows[endRowIndex].cells[cellIndex]; if (_isHide(currentDownTd)) { currentDownTd = rows[currentDownTd.getAttribute('rootRowIndex')].cells[currentDownTd.getAttribute('rootCellIndex')]; } endRowIndex = currentDownTd.parentNode.rowIndex + currentDownTd.rowSpan - 1; cellIndex = getIndex(currentDownTd) + (currentDownTd.colSpan || 1); } } //检查是否有超出右边界的情况 if (endCellIndex < cellsNum) { for (rowIndex = beginRowIndex; rowIndex <= endRowIndex;) { var currentRightTd = rows[rowIndex].cells[endCellIndex]; if (_isHide(currentRightTd)) { currentRightTd = rows[currentRightTd.getAttribute('rootRowIndex')].cells[currentRightTd.getAttribute('rootCellIndex')]; } endCellIndex = getIndex(currentRightTd) + currentRightTd.colSpan - 1; rowIndex = currentRightTd.parentNode.rowIndex + (currentRightTd.rowSpan || 1); } } if (tmpBeginCellIndex == beginCellIndex && tmpEndCellIndex == endCellIndex && tmpEndRowIndex == endRowIndex && tmpBeginRowIndex == beginRowIndex) { break; } } //返回选区的起始和结束坐标 return { beginRowIndex: beginRowIndex, beginCellIndex: beginCellIndex, endRowIndex: endRowIndex, endCellIndex: endCellIndex } } /** * 鼠标按下事件 * @param type * @param evt */ function _mouseDownEvent(type, evt) { anchorTd = evt.target || evt.srcElement; if(me.queryCommandState('highlightcode')||domUtils.findParent(anchorTd,function(node){ return node.tagName == "DIV"&&/highlighter/.test(node.id); })){ return; } if (evt.button == 2)return; me.document.body.style.webkitUserSelect = ''; clearSelectedTd(me.currentSelectedArr); domUtils.clearSelectedArr(me.currentSelectedArr); //在td里边点击,anchorTd不是td if (anchorTd.tagName !== 'TD') { anchorTd = domUtils.findParentByTagName(anchorTd, 'td') || anchorTd; } if (anchorTd.tagName == 'TD') { me.addListener('mouseover', function(type, evt) { var tmpTd = evt.target || evt.srcElement; _mouseOverEvent.call(me, tmpTd); evt.preventDefault ? evt.preventDefault() : (evt.returnValue = false); }); } else { reset(); } } /** * 鼠标移动事件 * @param tmpTd */ function _mouseOverEvent(tmpTd) { if (anchorTd && tmpTd.tagName == "TD") { me.document.body.style.webkitUserSelect = 'none'; var table = tmpTd.parentNode.parentNode.parentNode; me.selection.getNative()[browser.ie ? 'empty' : 'removeAllRanges'](); var range = _getCellsRange(anchorTd, tmpTd); _toggleSelect(table, range); } } /** * 切换选区状态 * @param table * @param cellsRange */ function _toggleSelect(table, cellsRange) { var rows = table.rows; clearSelectedTd(me.currentSelectedArr); for (var i = cellsRange.beginRowIndex; i <= cellsRange.endRowIndex; i++) { for (var j = cellsRange.beginCellIndex; j <= cellsRange.endCellIndex; j++) { var td = rows[i].cells[j]; td.className = me.options.selectedTdClass; me.currentSelectedArr.push(td); } } } //更新rootRowIndxe,rootCellIndex function update(table) { var tds = table.getElementsByTagName('td'), rowIndex,cellIndex,rows = table.rows; for (var j = 0,tj; tj = tds[j++];) { if (!_isHide(tj)) { rowIndex = tj.parentNode.rowIndex; cellIndex = getIndex(tj); for (var r = 0; r < tj.rowSpan; r++) { var c = r == 0 ? 1 : 0; for (; c < tj.colSpan; c++) { var tmp = rows[rowIndex + r].children[cellIndex + c]; tmp.setAttribute('rootRowIndex', rowIndex); tmp.setAttribute('rootCellIndex', cellIndex); } } } if(!_isHide(tj)){ domUtils.removeAttributes(tj,['rootRowIndex','rootCellIndex']); } if(tj.colSpan && tj.colSpan == 1){ tj.removeAttribute('colSpan') } if(tj.rowSpan && tj.rowSpan == 1){ tj.removeAttribute('rowSpan') } var width; if(!_isHide(tj) && (width = tj.style.width) && /%/.test(width)){ tj.style.width = Math.floor(100/tj.parentNode.cells.length) + '%' } } } me.adjustTable = function(cont) { var table = cont.getElementsByTagName('table'); for (var i = 0,ti; ti = table[i++];) { //如果表格的align不是默认,将不占位,给后边的block元素设置clear:both if (ti.getAttribute('align')) { var next = ti.nextSibling; while(next){ if(domUtils.isBlockElm(next)){ break; } next = next.nextSibling; } if(next){ next.style.clear = 'both'; } } ti.removeAttribute('_innerCreateTable') var tds = domUtils.getElementsByTagName(ti, 'td'), td,tmpTd; for (var j = 0,tj; tj = tds[j++];) { if (domUtils.isEmptyNode(tj)) { tj.innerHTML = browser.ie ? domUtils.fillChar : '<br/>'; } var index = getIndex(tj), rowIndex = tj.parentNode.rowIndex, rows = domUtils.findParentByTagName(tj, 'table').rows; for (var r = 0; r < tj.rowSpan; r++) { var c = r == 0 ? 1 : 0; for (; c < tj.colSpan; c++) { if (!td) { td = tj.cloneNode(false); td.rowSpan = td.colSpan = 1; td.style.display = 'none'; td.innerHTML = browser.ie ? '' : '<br/>'; } else { td = td.cloneNode(true) } td.setAttribute('rootRowIndex', tj.parentNode.rowIndex); td.setAttribute('rootCellIndex', index); if (r == 0) { if (tj.nextSibling) { tj.parentNode.insertBefore(td, tj.nextSibling); } else { tj.parentNode.appendChild(td) } } else { tmpTd = rows[rowIndex + r].children[index]; if (tmpTd) { tmpTd.parentNode.insertBefore(td, tmpTd) } else { //trace:1032 rows[rowIndex + r].appendChild(td) } } } } } } me.fireEvent("afteradjusttable",cont); }; // me.addListener('beforegetcontent',function(){ // for(var i=0,ti,ts=me.document.getElementsByTagName('table');ti=ts[i++];){ // var pN = ti.parentNode; // if(pN && pN.getAttribute('dropdrag')){ // domUtils.remove(pN,true) // } // } // }); // // me.addListener('aftergetcontent',function(){ // if(!me.queryCommandState('source')) // me.fireEvent('afteradjusttable',me.document) // }); // //table拖拽 // me.addListener("afteradjusttable",function(type,cont){ // var table = cont.getElementsByTagName("table"), // dragCont = me.document.createElement("div"); // domUtils.setAttributes(dragCont,{ // style:'margin:0;padding:5px;border:0;', // dropdrag:true // }); // for (var i = 0,ti; ti = table[i++];) { // if(ti.parentNode && ti.parentNode.nodeType == 1){ // // // (function(ti){ // var div = dragCont.cloneNode(false); // ti.parentNode.insertBefore(div,ti); // div.appendChild(ti); // var borderStyle; // domUtils.on(div,'mousemove',function(evt){ // var tag = evt.srcElement || evt.target; // if(tag.tagName.toLowerCase()=="div"){ // if(ie && me.body.getAttribute("contentEditable") == 'true') // me.body.setAttribute("contentEditable","false"); // borderStyle = clickPosition(ti,this,evt) // // } // }); // if(ie){ // domUtils.on(div,'mouseleave',function(evt){ // // if(evt.srcElement.tagName.toLowerCase()=="div" && ie && me.body.getAttribute("contentEditable") == 'false'){ // // me.body.setAttribute("contentEditable","true"); // } // // // }); // } // // domUtils.on(div,"mousedown",function(evt){ // var tag = evt.srcElement || evt.target; // // if(tag.tagName.toLowerCase()=="div"){ // if(ie && me.body.getAttribute("contentEditable") == 'true') // me.body.setAttribute("contentEditable","false"); // var tWidth = ti.offsetWidth, // tHeight = ti.offsetHeight, // align = ti.getAttribute('align'); // // // try{ // baidu.editor.ui.uiUtils.startDrag(evt, { // ondragstart:function(){}, // ondragmove: function (x, y){ // // if(align && align!="left" && /\w?w-/.test(borderStyle)){ // x = -x; // } // if(/^s?[we]/.test(borderStyle)){ // ti.setAttribute("width",(tWidth+x)>0?tWidth+x: 0); // } // if(/^s/.test(borderStyle)){ // ti.setAttribute("height",(tHeight+y)>0?tHeight+y:0); // } // }, // ondragstop: function (){} // },me.document); // }catch(e){ // alert("您没有引入uiUtils,无法拖动table"); // } // // } // }); // // domUtils.on(ti,"mouseover",function(){ // var div = ti.parentNode; // if(div && div.parentNode && div.getAttribute('dropdrag')){ // domUtils.setStyle(div,"cursor","text"); // if(ie && me.body.getAttribute("contentEditable") == 'false') // me.body.setAttribute("contentEditable","true"); // } // // // }); // })(ti); // // } // } // }); // function clickPosition(table,div,evt){ // var pos = domUtils.getXY(table), // tWidth = table.offsetWidth, // tHeight = table.offsetHeight, // evtPos = { // top : evt.clientY, // left : evt.clientX // }, // borderStyle = ""; // // if(Math.abs(pos.x-evtPos.left)<15){ // // //左,左下 // borderStyle = Math.abs(evtPos.top-pos.y-tHeight)<15 ? "sw-resize" : "w-resize"; // }else if(Math.abs(evtPos.left-pos.x-tWidth)<15){ // //右,右下 // borderStyle = Math.abs(evtPos.top-pos.y-tHeight)<15 ? "se-resize" : "e-resize"; // }else if(Math.abs(evtPos.top-pos.y-tHeight)<15 && Math.abs(evtPos.left-pos.x)<tWidth){ // //下 // borderStyle = "s-resize"; // } // domUtils.setStyle(div,"cursor",borderStyle||'text'); // return borderStyle; // } }; ///import core ///commands 右键菜单 ///commandsName ContextMenu ///commandsTitle 右键菜单 /** * 右键菜单 * @function * @name baidu.editor.plugins.contextmenu * @author zhanyi */ UE.plugins['contextmenu'] = function () { var me = this, menu, items = me.options.contextMenu; if(!items || items.length==0) return; var uiUtils = UE.ui.uiUtils; me.addListener('contextmenu',function(type,evt){ var offset = uiUtils.getViewportOffsetByEvent(evt); me.fireEvent('beforeselectionchange'); if (menu) menu.destroy(); for (var i = 0,ti,contextItems = []; ti = items[i]; i++) { var last; (function(item) { if (item == '-') { if ((last = contextItems[contextItems.length - 1 ] ) && last !== '-') contextItems.push('-'); } else if (item.group) { for (var j = 0,cj,subMenu = []; cj = item.subMenu[j]; j++) { (function(subItem) { if (subItem == '-') { if ((last = subMenu[subMenu.length - 1 ] ) && last !== '-') subMenu.push('-'); } else { if (me.queryCommandState(subItem.cmdName) != -1) { subMenu.push({ 'label':subItem.label, className: 'edui-for-' + subItem.cmdName + (subItem.value || ''), onclick : subItem.exec ? function() { subItem.exec.call(me) } : function() { me.execCommand(subItem.cmdName, subItem.value) } }) } } })(cj) } if (subMenu.length) { contextItems.push({ 'label' : item.group, className: 'edui-for-' + item.icon, 'subMenu' : { items: subMenu, editor:me } }) } } else { if (me.queryCommandState(item.cmdName) != -1) { //highlight todo if(item.cmdName == 'highlightcode' && me.queryCommandState(item.cmdName) == 0) return; contextItems.push({ 'label':item.label, className: 'edui-for-' + (item.icon ? item.icon : item.cmdName + (item.value || '')), onclick : item.exec ? function() { item.exec.call(me) } : function() { me.execCommand(item.cmdName, item.value) } }) } } })(ti) } if (contextItems[contextItems.length - 1] == '-') contextItems.pop(); menu = new UE.ui.Menu({ items: contextItems, editor:me }); menu.render(); menu.showAt(offset); domUtils.preventDefault(evt); if(browser.ie){ var ieRange; try{ ieRange = me.selection.getNative().createRange(); }catch(e){ return; } if(ieRange.item){ var range = new dom.Range(me.document); range.selectNode(ieRange.item(0)).select(true,true); } } }) }; ///import core ///commands 加粗,斜体,上标,下标 ///commandsName Bold,Italic,Subscript,Superscript ///commandsTitle 加粗,加斜,下标,上标 /** * b u i等基础功能实现 * @function * @name baidu.editor.execCommands * @param {String} cmdName bold加粗。italic斜体。subscript上标。superscript下标。 */ UE.plugins['basestyle'] = function(){ var basestyles = { 'bold':['strong','b'], 'italic':['em','i'], 'subscript':['sub'], 'superscript':['sup'] }, getObj = function(editor,tagNames){ //var start = editor.selection.getStart(); var path = editor.selection.getStartElementPath(); // return domUtils.findParentByTagName( start, tagNames, true ) return utils.findNode(path,tagNames); }, me = this; for ( var style in basestyles ) { (function( cmd, tagNames ) { me.commands[cmd] = { execCommand : function( cmdName ) { var range = new dom.Range(me.document),obj = ''; //table的处理 if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ if(ci.style.display != 'none'){ range.selectNodeContents(ci).select(); //trace:943 !obj && (obj = getObj(this,tagNames)); if(cmdName == 'superscript' || cmdName == 'subscript'){ if(!obj || obj.tagName.toLowerCase() != cmdName) range.removeInlineStyle(['sub','sup']) } obj ? range.removeInlineStyle( tagNames ) : range.applyInlineStyle( tagNames[0] ) } } range.selectNodeContents(me.currentSelectedArr[0]).select(); }else{ range = me.selection.getRange(); obj = getObj(this,tagNames); if ( range.collapsed ) { if ( obj ) { var tmpText = me.document.createTextNode(''); range.insertNode( tmpText ).removeInlineStyle( tagNames ); range.setStartBefore(tmpText); domUtils.remove(tmpText); } else { var tmpNode = range.document.createElement( tagNames[0] ); if(cmdName == 'superscript' || cmdName == 'subscript'){ tmpText = me.document.createTextNode(''); range.insertNode(tmpText) .removeInlineStyle(['sub','sup']) .setStartBefore(tmpText) .collapse(true); } range.insertNode( tmpNode ).setStart( tmpNode, 0 ); } range.collapse( true ) } else { if(cmdName == 'superscript' || cmdName == 'subscript'){ if(!obj || obj.tagName.toLowerCase() != cmdName) range.removeInlineStyle(['sub','sup']) } obj ? range.removeInlineStyle( tagNames ) : range.applyInlineStyle( tagNames[0] ) } range.select(); } return true; }, queryCommandState : function() { if(this.highlight){ return -1; } return getObj(this,tagNames) ? 1 : 0; } } })( style, basestyles[style] ); } }; ///import core ///commands 选区路径 ///commandsName ElementPath,elementPathEnabled ///commandsTitle 选区路径 /** * 选区路径 * @function * @name baidu.editor.execCommand * @param {String} cmdName elementpath选区路径 */ UE.plugins['elementpath'] = function(){ var currentLevel, tagNames, me = this; me.commands['elementpath'] = { execCommand : function( cmdName, level ) { var start = tagNames[level], range = me.selection.getRange(); me.currentSelectedArr && domUtils.clearSelectedArr(me.currentSelectedArr); currentLevel = level*1; if(dtd.$tableContent[start.tagName]){ switch (start.tagName){ case 'TD':me.currentSelectedArr = [start]; start.className = me.options.selectedTdClass; break; case 'TR': var cells = start.cells; for(var i=0,ti;ti=cells[i++];){ me.currentSelectedArr.push(ti); ti.className = me.options.selectedTdClass; } break; case 'TABLE': case 'TBODY': var rows = start.rows; for(var i=0,ri;ri=rows[i++];){ cells = ri.cells; for(var j=0,tj;tj=cells[j++];){ me.currentSelectedArr.push(tj); tj.className = me.options.selectedTdClass; } } } start = me.currentSelectedArr[0]; if(domUtils.isEmptyNode(start)){ range.setStart(start,0).setCursor() }else{ range.selectNodeContents(start).select() } }else{ range.selectNode(start).select() } }, queryCommandValue : function() { //产生一个副本,不能修改原来的startElementPath; var parents = [].concat(this.selection.getStartElementPath()).reverse(), names = []; tagNames = parents; for(var i=0,ci;ci=parents[i];i++){ if(ci.nodeType == 3) continue; var name = ci.tagName.toLowerCase(); if(name == 'img' && ci.getAttribute('anchorname')){ name = 'anchor' } names[i] = name; if(currentLevel == i){ currentLevel = -1; break; } } return names; } } }; ///import core ///import plugins\removeformat.js ///commands 格式刷 ///commandsName FormatMatch ///commandsTitle 格式刷 /** * 格式刷,只格式inline的 * @function * @name baidu.editor.execCommand * @param {String} cmdName formatmatch执行格式刷 */ UE.plugins['formatmatch'] = function(){ var me = this, list = [],img, flag = 0; me.addListener('reset',function(){ list = []; flag = 0; }); function addList(type,evt){ if(browser.webkit){ var target = evt.target.tagName == 'IMG' ? evt.target : null; } function addFormat(range){ if(text && (!me.currentSelectedArr || !me.currentSelectedArr.length)){ range.selectNode(text); } return range.applyInlineStyle(list[list.length-1].tagName,null,list); } me.undoManger && me.undoManger.save(); var range = me.selection.getRange(), imgT = target || range.getClosedNode(); if(img && imgT && imgT.tagName == 'IMG'){ //trace:964 imgT.style.cssText += ';float:' + (img.style.cssFloat || img.style.styleFloat ||'none') + ';display:' + (img.style.display||'inline'); img = null; }else{ if(!img){ var collapsed = range.collapsed; if(collapsed){ var text = me.document.createTextNode('match'); range.insertNode(text).select(); } me.__hasEnterExecCommand = true; //不能把block上的属性干掉 //trace:1553 var removeFormatAttributes = me.options.removeFormatAttributes; me.options.removeFormatAttributes = ''; me.execCommand('removeformat'); me.options.removeFormatAttributes = removeFormatAttributes; me.__hasEnterExecCommand = false; //trace:969 range = me.selection.getRange(); if(list.length == 0){ if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ range.selectNodeContents(me.currentSelectedArr[0]).select(); } }else{ if(me.currentSelectedArr && me.currentSelectedArr.length > 0){ for(var i=0,ci;ci=me.currentSelectedArr[i++];){ range.selectNodeContents(ci); addFormat(range); } range.selectNodeContents(me.currentSelectedArr[0]).select(); }else{ addFormat(range) } } if(!me.currentSelectedArr || !me.currentSelectedArr.length){ if(text){ range.setStartBefore(text).collapse(true); } range.select() } text && domUtils.remove(text); } } me.undoManger && me.undoManger.save(); me.removeListener('mouseup',addList); flag = 0; } me.commands['formatmatch'] = { execCommand : function( cmdName ) { if(flag){ flag = 0; list = []; me.removeListener('mouseup',addList); return; } var range = me.selection.getRange(); img = range.getClosedNode(); if(!img || img.tagName != 'IMG'){ range.collapse(true).shrinkBoundary(); var start = range.startContainer; list = domUtils.findParents(start,true,function(node){ return !domUtils.isBlockElm(node) && node.nodeType == 1 }); //a不能加入格式刷, 并且克隆节点 for(var i=0,ci;ci=list[i];i++){ if(ci.tagName == 'A'){ list.splice(i,1); break; } } } me.addListener('mouseup',addList); flag = 1; }, queryCommandState : function() { if(this.highlight){ return -1; } return flag; }, notNeedUndo : 1 } }; ///import core ///commands 查找替换 ///commandsName SearchReplace ///commandsTitle 查询替换 ///commandsDialog dialogs\searchreplace\searchreplace.html /** * @description 查找替换 * @author zhanyi */ UE.plugins['searchreplace'] = function(){ var currentRange, first, me = this; me.addListener('reset',function(){ currentRange = null; first = null; }); me.commands['searchreplace'] = { execCommand : function(cmdName,opt){ var me = this, sel = me.selection, range, nativeRange, num = 0, opt = utils.extend(opt,{ all : false, casesensitive : false, dir : 1 },true); if(browser.ie){ while(1){ var tmpRange; nativeRange = me.document.selection.createRange(); tmpRange = nativeRange.duplicate(); tmpRange.moveToElementText(me.document.body); if(opt.all){ first = 0; opt.dir = 1; if(currentRange){ tmpRange.setEndPoint(opt.dir == -1 ? 'EndToStart' : 'StartToEnd',currentRange) } }else{ tmpRange.setEndPoint(opt.dir == -1 ? 'EndToStart' : 'StartToEnd',nativeRange); if(opt.hasOwnProperty("replaceStr")){ tmpRange.setEndPoint(opt.dir == -1 ? 'StartToEnd' : 'EndToStart',nativeRange); } } nativeRange = tmpRange.duplicate(); if(!tmpRange.findText(opt.searchStr,opt.dir,opt.casesensitive ? 4 : 0)){ currentRange = null; tmpRange = me.document.selection.createRange(); tmpRange.scrollIntoView(); return num; } tmpRange.select(); //替换 if(opt.hasOwnProperty("replaceStr")){ range = sel.getRange(); range.deleteContents().insertNode(range.document.createTextNode(opt.replaceStr)).select(); currentRange = sel.getNative().createRange(); } num++; if(!opt.all)break; } }else{ var w = me.window,nativeSel = sel.getNative(),tmpRange; while(1){ if(opt.all){ if(currentRange){ currentRange.collapse(false); nativeRange = currentRange; }else{ nativeRange = me.document.createRange(); nativeRange.setStart(me.document.body,0); } nativeSel.removeAllRanges(); nativeSel.addRange( nativeRange ); first = 0; opt.dir = 1; }else{ nativeRange = w.getSelection().getRangeAt(0); if(opt.hasOwnProperty("replaceStr")){ nativeRange.collapse(opt.dir == 1 ? true : false); } } //如果是第一次并且海选中了内容那就要清除,为find做准备 if(!first){ nativeRange.collapse( opt.dir <0 ? true : false); nativeSel.removeAllRanges(); nativeSel.addRange( nativeRange ); }else{ nativeSel.removeAllRanges(); } if(!w.find(opt.searchStr,opt.casesensitive,opt.dir < 0 ? true : false) ) { currentRange = null; nativeSel.removeAllRanges(); return num; } first = 0; range = w.getSelection().getRangeAt(0); if(!range.collapsed){ if(opt.hasOwnProperty("replaceStr")){ range.deleteContents(); var text = w.document.createTextNode(opt.replaceStr); range.insertNode(text); range.selectNode(text); nativeSel.addRange(range); currentRange = range.cloneRange(); } } num++; if(!opt.all)break; } } return true; } } }; ///import core ///commands 自定义样式 ///commandsName CustomStyle ///commandsTitle 自定义样式 UE.plugins['customstyle'] = function() { var me = this; me.commands['customstyle'] = { execCommand : function(cmdName, obj) { var me = this, tagName = obj.tag, node = domUtils.findParent(me.selection.getStart(), function(node) { return node.getAttribute('label') }, true), range,bk,tmpObj = {}; for (var p in obj) { tmpObj[p] = obj[p] } delete tmpObj.tag; if (node && node.getAttribute('label') == obj.label) { range = this.selection.getRange(); bk = range.createBookmark(); if (range.collapsed) { //trace:1732 删掉自定义标签,要有p来回填站位 if(dtd.$block[node.tagName]){ var fillNode = me.document.createElement('p'); domUtils.moveChild(node, fillNode); node.parentNode.insertBefore(fillNode, node); domUtils.remove(node) }else{ domUtils.remove(node,true) } } else { var common = domUtils.getCommonAncestor(bk.start, bk.end), nodes = domUtils.getElementsByTagName(common, tagName); if(new RegExp(tagName,'i').test(common.tagName)){ nodes.push(common); } for (var i = 0,ni; ni = nodes[i++];) { if (ni.getAttribute('label') == obj.label) { var ps = domUtils.getPosition(ni, bk.start),pe = domUtils.getPosition(ni, bk.end); if ((ps & domUtils.POSITION_FOLLOWING || ps & domUtils.POSITION_CONTAINS) && (pe & domUtils.POSITION_PRECEDING || pe & domUtils.POSITION_CONTAINS) ) if (dtd.$block[tagName]) { var fillNode = me.document.createElement('p'); domUtils.moveChild(ni, fillNode); ni.parentNode.insertBefore(fillNode, ni); } domUtils.remove(ni, true) } } node = domUtils.findParent(common, function(node) { return node.getAttribute('label') == obj.label }, true); if (node) { domUtils.remove(node, true) } } range.moveToBookmark(bk).select(); } else { if (dtd.$block[tagName]) { this.execCommand('paragraph', tagName, tmpObj,'customstyle'); range = me.selection.getRange(); if (!range.collapsed) { range.collapse(); node = domUtils.findParent(me.selection.getStart(), function(node) { return node.getAttribute('label') == obj.label }, true); var pNode = me.document.createElement('p'); domUtils.insertAfter(node, pNode); domUtils.fillNode(me.document, pNode); range.setStart(pNode, 0).setCursor() } } else { range = me.selection.getRange(); if (range.collapsed) { node = me.document.createElement(tagName); domUtils.setAttributes(node, tmpObj); range.insertNode(node).setStart(node, 0).setCursor(); return; } bk = range.createBookmark(); range.applyInlineStyle(tagName, tmpObj).moveToBookmark(bk).select() } } }, queryCommandValue : function() { var parent = utils.findNode(this.selection.getStartElementPath(),null,function(node){return node.getAttribute('label')}); return parent ? parent.getAttribute('label') : ''; }, queryCommandState : function() { return this.highlight ? -1 : 0; } }; //当去掉customstyle是,如果是块元素,用p代替 me.addListener('keyup', function(type, evt) { var keyCode = evt.keyCode || evt.which; if (keyCode == 32 || keyCode == 13) { var range = me.selection.getRange(); if (range.collapsed) { var node = domUtils.findParent(me.selection.getStart(), function(node) { return node.getAttribute('label') }, true); if (node && dtd.$block[node.tagName] && domUtils.isEmptyNode(node)) { var p = me.document.createElement('p'); domUtils.insertAfter(node, p); domUtils.fillNode(me.document, p); domUtils.remove(node); range.setStart(p, 0).setCursor(); } } } }) }; ///import core ///commandsName catchRemoteImage /** * 远程图片抓取,当开启本插件时所有不符合本地域名的图片都将被抓取成为本地服务器上的图片 * */ UE.plugins['catchremoteimage'] = function (){ if(!this.options.catchRemoteImageEnable)return; var ajax = UE.ajax, me = this, localDomain = me.options.localDomain, catcherUrl = me.options.catcherUrl, separater="ue_separate_ue"; function catchremoteimage(imgs,callbacks) { var submitStr = imgs.join(separater); ajax.request( catcherUrl, { content:submitStr, timeout:60000, //单位:毫秒,回调请求超时设置。目标用户如果网速不是很快的话此处建议设置一个较大的数值 onsuccess:callbacks["success"], onerror:callbacks["error"] } ) } me.addListener("afterpaste",function(){ me.fireEvent("catchRemoteImage"); }); me.addListener( "catchRemoteImage", function () { var remoteImages=[]; var imgs = domUtils.getElementsByTagName(me.document,"img"); for(var i = 0,ci;ci=imgs[i++];){ if(ci.getAttribute("word_img"))continue; var src = ci.getAttribute("data_ue_src") || ci.src||""; if(/^(https?|ftp):/i.test(src) && src.indexOf(localDomain)==-1 ) { remoteImages.push(src); } } if(remoteImages.length){ catchremoteimage(remoteImages,{ //成功抓取 success:function (xhr){ try{ var info = eval("("+xhr.responseText+")"); }catch(e){ return; } var srcUrls = info.srcUrl.split(separater), urls = info.url.split(separater); for(var i=0,ci;ci=imgs[i++];){ var src = ci.getAttribute("data_ue_src")||ci.src||""; for(var j=0,cj;cj=srcUrls[j++];){ var url = urls[j-1]; if(src == cj && url!="error"){ //抓取失败时不做替换处理 //地址修正 var newSrc = me.options.UEDITOR_HOME_URL +"server/"+url; domUtils.setAttributes(ci,{ "src":newSrc, "data_ue_src":newSrc }); break; } } } }, //回调失败,本次请求超时 error:function(){ me.fireEvent("catchremoteerror"); } }) } } ) }; ///import core ///commandsName snapscreen ///commandsTitle 截屏 /** * 截屏插件 */ UE.commands['snapscreen'] = { execCommand: function(){ var me = this, editorOptions = me.options; if(!browser.ie){ alert(editorOptions.messages.snapScreenNotIETip); return; } var onSuccess = function(rs){ try{ rs = eval("("+ rs +")"); }catch(e){ alert('截屏上传有误\n\n请检查editor_config.js中关于截屏的配置项\n\nsnapscreenHost 变量值 应该为屏幕截图的server端文件所在的网站地址或者ip'); return; } if(rs.state != 'SUCCESS'){ alert(rs.state); return; } me.execCommand('insertimage', { src: (editorOptions.snapscreenImgIsUseImagePath ? editorOptions.imagePath : '') + rs.url, floatStyle: editorOptions.snapscreenImgAlign, data_ue_src:(editorOptions.snapscreenImgIsUseImagePath ? editorOptions.imagePath : '') + rs.url }); }; var onStartUpload = function(){ //开始截图上传 }; var onError = function(){ alert(editorOptions.messages.snapScreenMsg); }; try{ var nativeObj = new ActiveXObject('Snapsie.CoSnapsie'); nativeObj.saveSnapshot(editorOptions.snapscreenHost, editorOptions.snapscreenServerFile, editorOptions.snapscreenServerPort, onStartUpload,onSuccess,onError); }catch(e){ me.snapscreenInstall.open(); } }, queryCommandState: function(){ return this.highlight ? -1 :0; } }; ///import core ///commandsName attachment ///commandsTitle 附件上传 UE.commands["attachment"] = { queryCommandState:function(){ return this.highlight ? -1 :0; } }; var baidu = baidu || {}; baidu.editor = baidu.editor || {}; baidu.editor.ui = {}; (function (){ var browser = baidu.editor.browser, domUtils = baidu.editor.dom.domUtils; var magic = '$EDITORUI'; var root = window[magic] = {}; var uidMagic = 'ID' + magic; var uidCount = 0; var uiUtils = baidu.editor.ui.uiUtils = { uid: function (obj){ return (obj ? obj[uidMagic] || (obj[uidMagic] = ++ uidCount) : ++ uidCount); }, hook: function ( fn, callback ) { var dg; if (fn && fn._callbacks) { dg = fn; } else { dg = function (){ var q; if (fn) { q = fn.apply(this, arguments); } var callbacks = dg._callbacks; var k = callbacks.length; while (k --) { var r = callbacks[k].apply(this, arguments); if (q === undefined) { q = r; } } return q; }; dg._callbacks = []; } dg._callbacks.push(callback); return dg; }, createElementByHtml: function (html){ var el = document.createElement('div'); el.innerHTML = html; el = el.firstChild; el.parentNode.removeChild(el); return el; }, getViewportElement: function (){ return (browser.ie && browser.quirks) ? document.body : document.documentElement; }, getClientRect: function (element){ var bcr = element.getBoundingClientRect(); var rect = { left: Math.round(bcr.left), top: Math.round(bcr.top), height: Math.round(bcr.bottom - bcr.top), width: Math.round(bcr.right - bcr.left) }; var doc; while ((doc = element.ownerDocument) !== document && (element = domUtils.getWindow(doc).frameElement)) { bcr = element.getBoundingClientRect(); rect.left += bcr.left; rect.top += bcr.top; } rect.bottom = rect.top + rect.height; rect.right = rect.left + rect.width; return rect; }, getViewportRect: function (){ var viewportEl = uiUtils.getViewportElement(); var width = (window.innerWidth || viewportEl.clientWidth) | 0; var height = (window.innerHeight ||viewportEl.clientHeight) | 0; return { left: 0, top: 0, height: height, width: width, bottom: height, right: width }; }, setViewportOffset: function (element, offset){ var rect; var fixedLayer = uiUtils.getFixedLayer(); if (element.parentNode === fixedLayer) { element.style.left = offset.left + 'px'; element.style.top = offset.top + 'px'; } else { domUtils.setViewportOffset(element, offset); } }, getEventOffset: function (evt){ var el = evt.target || evt.srcElement; var rect = uiUtils.getClientRect(el); var offset = uiUtils.getViewportOffsetByEvent(evt); return { left: offset.left - rect.left, top: offset.top - rect.top }; }, getViewportOffsetByEvent: function (evt){ var el = evt.target || evt.srcElement; var frameEl = domUtils.getWindow(el).frameElement; var offset = { left: evt.clientX, top: evt.clientY }; if (frameEl && el.ownerDocument !== document) { var rect = uiUtils.getClientRect(frameEl); offset.left += rect.left; offset.top += rect.top; } return offset; }, setGlobal: function (id, obj){ root[id] = obj; return magic + '["' + id + '"]'; }, unsetGlobal: function (id){ delete root[id]; }, copyAttributes: function (tgt, src){ var attributes = src.attributes; var k = attributes.length; while (k --) { var attrNode = attributes[k]; if ( attrNode.nodeName != 'style' && attrNode.nodeName != 'class' && (!browser.ie || attrNode.specified) ) { tgt.setAttribute(attrNode.nodeName, attrNode.nodeValue); } } if (src.className) { tgt.className += ' ' + src.className; } if (src.style.cssText) { tgt.style.cssText += ';' + src.style.cssText; } }, removeStyle: function (el, styleName){ if (el.style.removeProperty) { el.style.removeProperty(styleName); } else if (el.style.removeAttribute) { el.style.removeAttribute(styleName); } else throw ''; }, contains: function (elA, elB){ return elA && elB && (elA === elB ? false : ( elA.contains ? elA.contains(elB) : elA.compareDocumentPosition(elB) & 16 )); }, startDrag: function (evt, callbacks,doc){ var doc = doc || document; var startX = evt.clientX; var startY = evt.clientY; function handleMouseMove(evt){ var x = evt.clientX - startX; var y = evt.clientY - startY; callbacks.ondragmove(x, y); if (evt.stopPropagation) { evt.stopPropagation(); } else { evt.cancelBubble = true; } } if (doc.addEventListener) { function handleMouseUp(evt){ doc.removeEventListener('mousemove', handleMouseMove, true); doc.removeEventListener('mouseup', handleMouseMove, true); callbacks.ondragstop(); } doc.addEventListener('mousemove', handleMouseMove, true); doc.addEventListener('mouseup', handleMouseUp, true); evt.preventDefault(); } else { var elm = evt.srcElement; elm.setCapture(); function releaseCaptrue(){ elm.releaseCapture(); elm.detachEvent('onmousemove', handleMouseMove); elm.detachEvent('onmouseup', releaseCaptrue); elm.detachEvent('onlosecaptrue', releaseCaptrue); callbacks.ondragstop(); } elm.attachEvent('onmousemove', handleMouseMove); elm.attachEvent('onmouseup', releaseCaptrue); elm.attachEvent('onlosecaptrue', releaseCaptrue); evt.returnValue = false; } callbacks.ondragstart(); }, getFixedLayer: function (){ var layer = document.getElementById('edui_fixedlayer'); if (layer == null) { layer = document.createElement('div'); layer.id = 'edui_fixedlayer'; document.body.appendChild(layer); if (browser.ie && browser.version <= 8) { layer.style.position = 'absolute'; bindFixedLayer(); setTimeout(updateFixedOffset); } else { layer.style.position = 'fixed'; } layer.style.left = '0'; layer.style.top = '0'; layer.style.width = '0'; layer.style.height = '0'; } return layer; }, makeUnselectable: function (element){ if (browser.opera || (browser.ie && browser.version < 9)) { element.unselectable = 'on'; if (element.hasChildNodes()) { for (var i=0; i<element.childNodes.length; i++) { if (element.childNodes[i].nodeType == 1) { uiUtils.makeUnselectable(element.childNodes[i]); } } } } else { if (element.style.MozUserSelect !== undefined) { element.style.MozUserSelect = 'none'; } else if (element.style.WebkitUserSelect !== undefined) { element.style.WebkitUserSelect = 'none'; } else if (element.style.KhtmlUserSelect !== undefined) { element.style.KhtmlUserSelect = 'none'; } } } }; function updateFixedOffset(){ var layer = document.getElementById('edui_fixedlayer'); uiUtils.setViewportOffset(layer, { left: 0, top: 0 }); // layer.style.display = 'none'; // layer.style.display = 'block'; //#trace: 1354 // setTimeout(updateFixedOffset); } function bindFixedLayer(adjOffset){ domUtils.on(window, 'scroll', updateFixedOffset); domUtils.on(window, 'resize', baidu.editor.utils.defer(updateFixedOffset, 0, true)); } })(); (function (){ var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, EventBase = baidu.editor.EventBase, UIBase = baidu.editor.ui.UIBase = function (){}; UIBase.prototype = { className: '', uiName: '', initOptions: function (options){ var me = this; for (var k in options) { me[k] = options[k]; } this.id = this.id || 'edui' + uiUtils.uid(); }, initUIBase: function (){ this._globalKey = utils.unhtml( uiUtils.setGlobal(this.id, this) ); }, render: function (holder){ var html = this.renderHtml(); var el = uiUtils.createElementByHtml(html); var seatEl = this.getDom(); if (seatEl != null) { seatEl.parentNode.replaceChild(el, seatEl); uiUtils.copyAttributes(el, seatEl); } else { if (typeof holder == 'string') { holder = document.getElementById(holder); } holder = holder || uiUtils.getFixedLayer(); holder.appendChild(el); } this.postRender(); }, getDom: function (name){ if (!name) { return document.getElementById( this.id ); } else { return document.getElementById( this.id + '_' + name ); } }, postRender: function (){ this.fireEvent('postrender'); }, getHtmlTpl: function (){ return ''; }, formatHtml: function (tpl){ var prefix = 'edui-' + this.uiName; return (tpl .replace(/##/g, this.id) .replace(/%%-/g, this.uiName ? prefix + '-' : '') .replace(/%%/g, (this.uiName ? prefix : '') + ' ' + this.className) .replace(/\$\$/g, this._globalKey)); }, renderHtml: function (){ return this.formatHtml(this.getHtmlTpl()); }, dispose: function (){ var box = this.getDom(); if (box) baidu.editor.dom.domUtils.remove( box ); uiUtils.unsetGlobal(this.id); } }; utils.inherits(UIBase, EventBase); })(); (function (){ var utils = baidu.editor.utils, UIBase = baidu.editor.ui.UIBase, Separator = baidu.editor.ui.Separator = function (options){ this.initOptions(options); this.initSeparator(); }; Separator.prototype = { uiName: 'separator', initSeparator: function (){ this.initUIBase(); }, getHtmlTpl: function (){ return '<div id="##" class="edui-box %%"></div>'; } }; utils.inherits(Separator, UIBase); })(); ///import core ///import uicore (function (){ var utils = baidu.editor.utils, domUtils = baidu.editor.dom.domUtils, UIBase = baidu.editor.ui.UIBase, uiUtils = baidu.editor.ui.uiUtils; var Mask = baidu.editor.ui.Mask = function (options){ this.initOptions(options); this.initUIBase(); }; Mask.prototype = { getHtmlTpl: function (){ return '<div id="##" class="edui-mask %%" onmousedown="return $$._onMouseDown(event, this);"></div>'; }, postRender: function (){ var me = this; domUtils.on(window, 'resize', function (){ setTimeout(function (){ if (!me.isHidden()) { me._fill(); } }); }); }, show: function (zIndex){ this._fill(); this.getDom().style.display = ''; this.getDom().style.zIndex = zIndex; }, hide: function (){ this.getDom().style.display = 'none'; this.getDom().style.zIndex = ''; }, isHidden: function (){ return this.getDom().style.display == 'none'; }, _onMouseDown: function (){ return false; }, _fill: function (){ var el = this.getDom(); var vpRect = uiUtils.getViewportRect(); el.style.width = vpRect.width + 'px'; el.style.height = vpRect.height + 'px'; } }; utils.inherits(Mask, UIBase); })(); ///import core ///import uicore (function () { var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, domUtils = baidu.editor.dom.domUtils, UIBase = baidu.editor.ui.UIBase, Popup = baidu.editor.ui.Popup = function (options){ this.initOptions(options); this.initPopup(); }; var allPopups = []; function closeAllPopup( el ){ var newAll = []; for ( var i = 0; i < allPopups.length; i++ ) { var pop = allPopups[i]; if (!pop.isHidden()) { if (pop.queryAutoHide(el) !== false) { pop.hide(); } } } } Popup.postHide = closeAllPopup; var ANCHOR_CLASSES = ['edui-anchor-topleft','edui-anchor-topright', 'edui-anchor-bottomleft','edui-anchor-bottomright']; Popup.prototype = { SHADOW_RADIUS: 5, content: null, _hidden: false, autoRender: true, canSideLeft: true, canSideUp: true, initPopup: function (){ this.initUIBase(); allPopups.push( this ); }, getHtmlTpl: function (){ return '<div id="##" class="edui-popup %%">' + ' <div id="##_body" class="edui-popup-body">' + ' <iframe style="position:absolute;z-index:-1;left:0;top:0;background-color: white;" frameborder="0" width="100%" height="100%" src="javascript:"></iframe>' + ' <div class="edui-shadow"></div>' + ' <div id="##_content" class="edui-popup-content">' + this.getContentHtmlTpl() + ' </div>' + ' </div>' + '</div>'; }, getContentHtmlTpl: function (){ if (typeof this.content == 'string') { return this.content; } return this.content.renderHtml(); }, _UIBase_postRender: UIBase.prototype.postRender, postRender: function (){ if (this.content instanceof UIBase) { this.content.postRender(); } this.fireEvent('postRenderAfter'); this.hide(true); this._UIBase_postRender(); }, _doAutoRender: function (){ if (!this.getDom() && this.autoRender) { this.render(); } }, mesureSize: function (){ var box = this.getDom('content'); return uiUtils.getClientRect(box); }, fitSize: function (){ var popBodyEl = this.getDom('body'); popBodyEl.style.width = ''; popBodyEl.style.height = ''; var size = this.mesureSize(); popBodyEl.style.width = size.width + 'px'; popBodyEl.style.height = size.height + 'px'; return size; }, showAnchor: function ( element, hoz ){ this.showAnchorRect( uiUtils.getClientRect( element ), hoz ); }, showAnchorRect: function ( rect, hoz, adj ){ this._doAutoRender(); var vpRect = uiUtils.getViewportRect(); this._show(); var popSize = this.fitSize(); var sideLeft, sideUp, left, top; if (hoz) { sideLeft = this.canSideLeft && (rect.right + popSize.width > vpRect.right && rect.left > popSize.width); sideUp = this.canSideUp && (rect.top + popSize.height > vpRect.bottom && rect.bottom > popSize.height); left = (sideLeft ? rect.left - popSize.width : rect.right); top = (sideUp ? rect.bottom - popSize.height : rect.top); } else { sideLeft = this.canSideLeft && (rect.right + popSize.width > vpRect.right && rect.left > popSize.width); sideUp = this.canSideUp && (rect.top + popSize.height > vpRect.bottom && rect.bottom > popSize.height); left = (sideLeft ? rect.right - popSize.width : rect.left); top = (sideUp ? rect.top - popSize.height : rect.bottom); } var popEl = this.getDom(); uiUtils.setViewportOffset(popEl, { left: left, top: top }); domUtils.removeClasses(popEl, ANCHOR_CLASSES); popEl.className += ' ' + ANCHOR_CLASSES[(sideUp ? 1 : 0) * 2 + (sideLeft ? 1 : 0)]; if(this.editor){ popEl.style.zIndex = this.editor.container.style.zIndex * 1 + 10; baidu.editor.ui.uiUtils.getFixedLayer().style.zIndex = popEl.style.zIndex - 1; } }, showAt: function (offset) { var left = offset.left; var top = offset.top; var rect = { left: left, top: top, right: left, bottom: top, height: 0, width: 0 }; this.showAnchorRect(rect, false, true); }, _show: function (){ if (this._hidden) { var box = this.getDom(); box.style.display = ''; this._hidden = false; // if (box.setActive) { // box.setActive(); // } this.fireEvent('show'); } }, isHidden: function (){ return this._hidden; }, show: function (){ this._doAutoRender(); this._show(); }, hide: function (notNofity){ if (!this._hidden && this.getDom()) { // this.getDom().style.visibility = 'hidden'; this.getDom().style.display = 'none'; this._hidden = true; if (!notNofity) { this.fireEvent('hide'); } } }, queryAutoHide: function (el){ return !el || !uiUtils.contains(this.getDom(), el); } }; utils.inherits(Popup, UIBase); domUtils.on( document, 'mousedown', function ( evt ) { var el = evt.target || evt.srcElement; closeAllPopup( el ); } ); domUtils.on( window, 'scroll', function () { closeAllPopup(); } ); // var lastVpRect = uiUtils.getViewportRect(); // domUtils.on( window, 'resize', function () { // var vpRect = uiUtils.getViewportRect(); // if (vpRect.width != lastVpRect.width || vpRect.height != lastVpRect.height) { // closeAllPopup(); // } // } ); })(); ///import core ///import uicore (function (){ var utils = baidu.editor.utils, UIBase = baidu.editor.ui.UIBase, ColorPicker = baidu.editor.ui.ColorPicker = function (options){ this.initOptions(options); this.noColorText = this.noColorText || '不设置颜色'; this.initUIBase(); }; ColorPicker.prototype = { getHtmlTpl: function (){ return genColorPicker( this.noColorText ); }, _onTableClick: function (evt){ var tgt = evt.target || evt.srcElement; var color = tgt.getAttribute('data-color'); if (color) { this.fireEvent('pickcolor', color); } }, _onTableOver: function (evt){ var tgt = evt.target || evt.srcElement; var color = tgt.getAttribute('data-color'); if (color) { this.getDom('preview').style.backgroundColor = color; } }, _onTableOut: function (){ this.getDom('preview').style.backgroundColor = ''; }, _onPickNoColor: function (){ this.fireEvent('picknocolor'); } }; utils.inherits(ColorPicker, UIBase); var COLORS = ( 'ffffff,000000,eeece1,1f497d,4f81bd,c0504d,9bbb59,8064a2,4bacc6,f79646,' + 'f2f2f2,7f7f7f,ddd9c3,c6d9f0,dbe5f1,f2dcdb,ebf1dd,e5e0ec,dbeef3,fdeada,' + 'd8d8d8,595959,c4bd97,8db3e2,b8cce4,e5b9b7,d7e3bc,ccc1d9,b7dde8,fbd5b5,' + 'bfbfbf,3f3f3f,938953,548dd4,95b3d7,d99694,c3d69b,b2a2c7,92cddc,fac08f,' + 'a5a5a5,262626,494429,17365d,366092,953734,76923c,5f497a,31859b,e36c09,' + '7f7f7f,0c0c0c,1d1b10,0f243e,244061,632423,4f6128,3f3151,205867,974806,' + 'c00000,ff0000,ffc000,ffff00,92d050,00b050,00b0f0,0070c0,002060,7030a0,').split(','); function genColorPicker(noColorText){ var html = '<div id="##" class="edui-colorpicker %%">' + '<div class="edui-colorpicker-topbar edui-clearfix">' + '<div unselectable="on" id="##_preview" class="edui-colorpicker-preview"></div>' + '<div unselectable="on" class="edui-colorpicker-nocolor" onclick="$$._onPickNoColor(event, this);">'+ noColorText +'</div>' + '</div>' + '<table class="edui-box" style="border-collapse: collapse;" onmouseover="$$._onTableOver(event, this);" onmouseout="$$._onTableOut(event, this);" onclick="return $$._onTableClick(event, this);" cellspacing="0" cellpadding="0">' + '<tr style="border-bottom: 1px solid #ddd;font-size: 13px;line-height: 25px;color:#366092;padding-top: 2px"><td colspan="10">主题颜色</td> </tr>'+ '<tr class="edui-colorpicker-tablefirstrow" >'; for (var i=0; i<COLORS.length; i++) { if (i && i%10 === 0) { html += '</tr>'+(i==60?'<tr style="border-bottom: 1px solid #ddd;font-size: 13px;line-height: 25px;color:#366092;"><td colspan="10">标准颜色</td></tr>':'')+'<tr'+(i==60?' class="edui-colorpicker-tablefirstrow"':'')+'>'; } html += i<70 ? '<td style="padding: 0 2px;"><a hidefocus title="'+COLORS[i]+'" onclick="return false;" href="javascript:" unselectable="on" class="edui-box edui-colorpicker-colorcell"' + ' data-color="#'+ COLORS[i] +'"'+ ' style="background-color:#'+ COLORS[i] +';border:solid #ccc;'+ (i<10 || i>=60?'border-width:1px;': i>=10&&i<20?'border-width:1px 1px 0 1px;': 'border-width:0 1px 0 1px;')+ '"' + '></a></td>':''; } html += '</tr></table></div>'; return html; } })(); ///import core ///import uicore (function (){ var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, UIBase = baidu.editor.ui.UIBase; var TablePicker = baidu.editor.ui.TablePicker = function (options){ this.initOptions(options); this.initTablePicker(); }; TablePicker.prototype = { defaultNumRows: 10, defaultNumCols: 10, maxNumRows: 20, maxNumCols: 20, numRows: 10, numCols: 10, lengthOfCellSide: 22, initTablePicker: function (){ this.initUIBase(); }, getHtmlTpl: function (){ return '<div id="##" class="edui-tablepicker %%">' + '<div class="edui-tablepicker-body">' + '<div class="edui-infoarea">' + '<span id="##_label" class="edui-label"></span>' + '<span class="edui-clickable" onclick="$$._onMore();">更多</span>' + '</div>' + '<div class="edui-pickarea"' + ' onmousemove="$$._onMouseMove(event, this);"' + ' onmouseover="$$._onMouseOver(event, this);"' + ' onmouseout="$$._onMouseOut(event, this);"' + ' onclick="$$._onClick(event, this);"' + '>' + '<div id="##_overlay" class="edui-overlay"></div>' + '</div>' + '</div>' + '</div>'; }, _UIBase_render: UIBase.prototype.render, render: function (holder){ this._UIBase_render(holder); this.getDom('label').innerHTML = '0列 x 0行'; }, _track: function (numCols, numRows){ var style = this.getDom('overlay').style; var sideLen = this.lengthOfCellSide; style.width = numCols * sideLen + 'px'; style.height = numRows * sideLen + 'px'; var label = this.getDom('label'); label.innerHTML = numCols + '列 x ' + numRows + '行'; this.numCols = numCols; this.numRows = numRows; }, _onMouseOver: function (evt, el){ var rel = evt.relatedTarget || evt.fromElement; if (!uiUtils.contains(el, rel) && el !== rel) { this.getDom('label').innerHTML = '0列 x 0行'; this.getDom('overlay').style.visibility = ''; } }, _onMouseOut: function (evt, el){ var rel = evt.relatedTarget || evt.toElement; if (!uiUtils.contains(el, rel) && el !== rel) { this.getDom('label').innerHTML = '0列 x 0行'; this.getDom('overlay').style.visibility = 'hidden'; } }, _onMouseMove: function (evt, el){ var style = this.getDom('overlay').style; var offset = uiUtils.getEventOffset(evt); var sideLen = this.lengthOfCellSide; var numCols = Math.ceil(offset.left / sideLen); var numRows = Math.ceil(offset.top / sideLen); this._track(numCols, numRows); }, _onClick: function (){ this.fireEvent('picktable', this.numCols, this.numRows); }, _onMore: function (){ this.fireEvent('more'); } }; utils.inherits(TablePicker, UIBase); })(); (function (){ var browser = baidu.editor.browser, domUtils = baidu.editor.dom.domUtils, uiUtils = baidu.editor.ui.uiUtils; var TPL_STATEFUL = 'onmousedown="$$.Stateful_onMouseDown(event, this);"' + ' onmouseup="$$.Stateful_onMouseUp(event, this);"' + ( browser.ie ? ( ' onmouseenter="$$.Stateful_onMouseEnter(event, this);"' + ' onmouseleave="$$.Stateful_onMouseLeave(event, this);"' ) : ( ' onmouseover="$$.Stateful_onMouseOver(event, this);"' + ' onmouseout="$$.Stateful_onMouseOut(event, this);"' )); baidu.editor.ui.Stateful = { alwalysHoverable: false, Stateful_init: function (){ this._Stateful_dGetHtmlTpl = this.getHtmlTpl; this.getHtmlTpl = this.Stateful_getHtmlTpl; }, Stateful_getHtmlTpl: function (){ var tpl = this._Stateful_dGetHtmlTpl(); // 使用function避免$转义 return tpl.replace(/stateful/g, function (){ return TPL_STATEFUL; }); }, Stateful_onMouseEnter: function (evt, el){ if (!this.isDisabled() || this.alwalysHoverable) { this.addState('hover'); this.fireEvent('over'); } }, Stateful_onMouseLeave: function (evt, el){ if (!this.isDisabled() || this.alwalysHoverable) { this.removeState('hover'); this.removeState('active'); this.fireEvent('out'); } }, Stateful_onMouseOver: function (evt, el){ var rel = evt.relatedTarget; if (!uiUtils.contains(el, rel) && el !== rel) { this.Stateful_onMouseEnter(evt, el); } }, Stateful_onMouseOut: function (evt, el){ var rel = evt.relatedTarget; if (!uiUtils.contains(el, rel) && el !== rel) { this.Stateful_onMouseLeave(evt, el); } }, Stateful_onMouseDown: function (evt, el){ if (!this.isDisabled()) { this.addState('active'); } }, Stateful_onMouseUp: function (evt, el){ if (!this.isDisabled()) { this.removeState('active'); } }, Stateful_postRender: function (){ if (this.disabled && !this.hasState('disabled')) { this.addState('disabled'); } }, hasState: function (state){ return domUtils.hasClass(this.getStateDom(), 'edui-state-' + state); }, addState: function (state){ if (!this.hasState(state)) { this.getStateDom().className += ' edui-state-' + state; } }, removeState: function (state){ if (this.hasState(state)) { domUtils.removeClasses(this.getStateDom(), ['edui-state-' + state]); } }, getStateDom: function (){ return this.getDom('state'); }, isChecked: function (){ return this.hasState('checked'); }, setChecked: function (checked){ if (!this.isDisabled() && checked) { this.addState('checked'); } else { this.removeState('checked'); } }, isDisabled: function (){ return this.hasState('disabled'); }, setDisabled: function (disabled){ if (disabled) { this.removeState('hover'); this.removeState('checked'); this.removeState('active'); this.addState('disabled'); } else { this.removeState('disabled'); } } }; })(); ///import core ///import uicore ///import ui/stateful.js (function (){ var utils = baidu.editor.utils, UIBase = baidu.editor.ui.UIBase, Stateful = baidu.editor.ui.Stateful, Button = baidu.editor.ui.Button = function (options){ this.initOptions(options); this.initButton(); }; Button.prototype = { uiName: 'button', label: '', title: '', showIcon: true, showText: true, initButton: function (){ this.initUIBase(); this.Stateful_init(); }, getHtmlTpl: function (){ return '<div id="##" class="edui-box %%">' + '<div id="##_state" stateful>' + '<div class="%%-wrap"><div id="##_body" unselectable="on" ' + (this.title ? 'title="' + this.title + '"' : '') + ' class="%%-body" onmousedown="return false;" onclick="return $$._onClick();">' + (this.showIcon ? '<div class="edui-box edui-icon"></div>' : '') + (this.showText ? '<div class="edui-box edui-label">' + this.label + '</div>' : '') + '</div>' + '</div>' + '</div></div>'; }, postRender: function (){ this.Stateful_postRender(); }, _onClick: function (){ if (!this.isDisabled()) { this.fireEvent('click'); } } }; utils.inherits(Button, UIBase); utils.extend(Button.prototype, Stateful); })(); ///import core ///import uicore ///import ui/stateful.js (function (){ var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, domUtils = baidu.editor.dom.domUtils, UIBase = baidu.editor.ui.UIBase, Stateful = baidu.editor.ui.Stateful, SplitButton = baidu.editor.ui.SplitButton = function (options){ this.initOptions(options); this.initSplitButton(); }; SplitButton.prototype = { popup: null, uiName: 'splitbutton', title: '', initSplitButton: function (){ this.initUIBase(); this.Stateful_init(); var me = this; if (this.popup != null) { var popup = this.popup; this.popup = null; this.setPopup(popup); } }, _UIBase_postRender: UIBase.prototype.postRender, postRender: function (){ this.Stateful_postRender(); this._UIBase_postRender(); }, setPopup: function (popup){ if (this.popup === popup) return; if (this.popup != null) { this.popup.dispose(); } popup.addListener('show', utils.bind(this._onPopupShow, this)); popup.addListener('hide', utils.bind(this._onPopupHide, this)); popup.addListener('postrender', utils.bind(function (){ popup.getDom('body').appendChild( uiUtils.createElementByHtml('<div id="' + this.popup.id + '_bordereraser" class="edui-bordereraser edui-background" style="width:' + (uiUtils.getClientRect(this.getDom()).width - 2) + 'px"></div>') ); popup.getDom().className += ' ' + this.className; }, this)); this.popup = popup; }, _onPopupShow: function (){ this.addState('opened'); }, _onPopupHide: function (){ this.removeState('opened'); }, getHtmlTpl: function (){ return '<div id="##" class="edui-box %%">' + '<div '+ (this.title ? 'title="' + this.title + '"' : '') +' id="##_state" stateful><div class="%%-body">' + '<div id="##_button_body" class="edui-box edui-button-body" onclick="$$._onButtonClick(event, this);">' + '<div class="edui-box edui-icon"></div>' + '</div>' + '<div class="edui-box edui-splitborder"></div>' + '<div class="edui-box edui-arrow" onclick="$$._onArrowClick();"></div>' + '</div></div></div>'; }, showPopup: function (){ // 当popup往上弹出的时候,做特殊处理 var rect = uiUtils.getClientRect(this.getDom()); rect.top -= this.popup.SHADOW_RADIUS; rect.height += this.popup.SHADOW_RADIUS; this.popup.showAnchorRect(rect); }, _onArrowClick: function (event, el){ if (!this.isDisabled()) { this.showPopup(); } }, _onButtonClick: function (){ if (!this.isDisabled()) { this.fireEvent('buttonclick'); } } }; utils.inherits(SplitButton, UIBase); utils.extend(SplitButton.prototype, Stateful, true); })(); ///import core ///import uicore ///import ui/colorpicker.js ///import ui/popup.js ///import ui/splitbutton.js (function (){ var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, ColorPicker = baidu.editor.ui.ColorPicker, Popup = baidu.editor.ui.Popup, SplitButton = baidu.editor.ui.SplitButton, ColorButton = baidu.editor.ui.ColorButton = function (options){ this.initOptions(options); this.initColorButton(); }; ColorButton.prototype = { initColorButton: function (){ var me = this; this.popup = new Popup({ content: new ColorPicker({ noColorText: '清除颜色', onpickcolor: function (t, color){ me._onPickColor(color); }, onpicknocolor: function (t, color){ me._onPickNoColor(color); } }), editor:me.editor }); this.initSplitButton(); }, _SplitButton_postRender: SplitButton.prototype.postRender, postRender: function (){ this._SplitButton_postRender(); this.getDom('button_body').appendChild( uiUtils.createElementByHtml('<div id="' + this.id + '_colorlump" class="edui-colorlump"></div>') ); this.getDom().className += ' edui-colorbutton'; }, setColor: function (color){ this.getDom('colorlump').style.backgroundColor = color; this.color = color; }, _onPickColor: function (color){ if (this.fireEvent('pickcolor', color) !== false) { this.setColor(color); this.popup.hide(); } }, _onPickNoColor: function (color){ if (this.fireEvent('picknocolor') !== false) { this.popup.hide(); } } }; utils.inherits(ColorButton, SplitButton); })(); ///import core ///import uicore ///import ui/popup.js ///import ui/tablepicker.js ///import ui/splitbutton.js (function (){ var utils = baidu.editor.utils, Popup = baidu.editor.ui.Popup, TablePicker = baidu.editor.ui.TablePicker, SplitButton = baidu.editor.ui.SplitButton, TableButton = baidu.editor.ui.TableButton = function (options){ this.initOptions(options); this.initTableButton(); }; TableButton.prototype = { initTableButton: function (){ var me = this; this.popup = new Popup({ content: new TablePicker({ onpicktable: function (t, numCols, numRows){ me._onPickTable(numCols, numRows); }, onmore: function (){ me.popup.hide(); me.fireEvent('more'); } }), 'editor':me.editor }); this.initSplitButton(); }, _onPickTable: function (numCols, numRows){ if (this.fireEvent('picktable', numCols, numRows) !== false) { this.popup.hide(); } } }; utils.inherits(TableButton, SplitButton); })(); ///import core ///import uicore (function (){ var utils = baidu.editor.utils, UIBase = baidu.editor.ui.UIBase; var AutoTypeSetPicker = baidu.editor.ui.AutoTypeSetPicker = function (options){ this.initOptions(options); this.initAutoTypeSetPicker(); }; AutoTypeSetPicker.prototype = { initAutoTypeSetPicker: function (){ this.initUIBase(); }, getHtmlTpl: function (){ var options = this.editor.options, opt = options.autotypeset; for(var i = 0,lineStr = [],li,lis = options.listMap.lineheight;li=lis[i++];){ lineStr.push('<option value="'+li+'" '+(opt["lineHeight"] == li ? 'checked' : '')+'>'+li+'</option>'); } return '<div id="##" class="edui-autotypesetpicker %%">' + '<div class="edui-autotypesetpicker-body">' + '<table >' + '<tr><td colspan="2"><input type="checkbox" name="mergeEmptyline" '+ (opt["mergeEmptyline"] ? "checked" : "" )+'>合并空行</td><td colspan="2"><input type="checkbox" name="removeEmptyline" '+ (opt["removeEmptyline"] ? "checked" : "" )+'>删除空行</td></tr>'+ '<tr><td colspan="2"><input type="checkbox" name="removeClass" '+ (opt["removeClass"] ? "checked" : "" )+'>清除样式</td><td colspan="2"><input type="checkbox" name="indent" '+ (opt["indent"] ? "checked" : "" )+'>首行缩进2字</td></tr>'+ '<tr><td colspan="2"><input type="checkbox" name="textAlign" '+ (opt["textAlign"] ? "checked" : "" )+'>对齐方式:</td><td colspan="2" id="textAlignValue"><input type="radio" name="textAlignValue" value="left" '+((opt["textAlign"]&&opt["textAlign"]=="left") ? "checked" : "")+'>左对齐<input type="radio" name="textAlignValue" value="center" '+((opt["textAlign"]&&opt["textAlign"]=="center") ? "checked" : "")+'>居中对齐<input type="radio" name="textAlignValue" value="right" '+((opt["textAlign"]&&opt["textAlign"]=="right") ? "checked" : "")+'>右对齐 </tr>'+ '<tr><td colspan="2"><input type="checkbox" name="imageBlockLine" '+ (opt["imageBlockLine"] ? "checked" : "" )+'>图片浮动</td>' + '<td colspan="2" id="imageBlockLineValue">' + '<input type="radio" name="imageBlockLineValue" value="none" '+((opt["imageBlockLine"]&&opt["imageBlockLine"]=="none") ? "checked" : "")+'>默认' + '<input type="radio" name="imageBlockLineValue" value="left" '+((opt["imageBlockLine"]&&opt["imageBlockLine"]=="left") ? "checked" : "")+'>左浮动' + '<input type="radio" name="imageBlockLineValue" value="center" '+((opt["imageBlockLine"]&&opt["imageBlockLine"]=="center") ? "checked" : "")+'>独占行居中' + '<input type="radio" name="imageBlockLineValue" value="right" '+((opt["imageBlockLine"]&&opt["imageBlockLine"]=="right") ? "checked" : "")+'>右浮动</tr>'+ '<tr><td colspan="2"><input type="checkbox" name="clearFontSize" '+ (opt["clearFontSize"] ? "checked" : "" )+'>清除字号</td><td colspan="2"><input type="checkbox" name="clearFontFamily" '+ (opt["clearFontFamily"] ? "checked" : "" )+'>清除字体</td></tr>'+ '<tr><td colspan="4"><input type="checkbox" name="removeEmptyNode" '+ (opt["removeEmptyNode"] ? "checked" : "" )+'>去掉冗余的html代码</td></tr>'+ '<tr><td colspan="4"><input type="checkbox" name="pasteFilter" '+ (opt["pasteFilter"] ? "checked" : "" )+'>粘贴过滤 (对每次粘贴的内容应用以上过滤规则)</td></tr>'+ '<tr><td colspan="4" align="right"><button >执行</button></td></tr>'+ '</table>'+ '</div>' + '</div>'; }, _UIBase_render: UIBase.prototype.render }; utils.inherits(AutoTypeSetPicker, UIBase); })(); ///import core ///import uicore ///import ui/popup.js ///import ui/autotypesetpicker.js ///import ui/splitbutton.js (function (){ var utils = baidu.editor.utils, Popup = baidu.editor.ui.Popup, AutoTypeSetPicker = baidu.editor.ui.AutoTypeSetPicker, SplitButton = baidu.editor.ui.SplitButton, AutoTypeSetButton = baidu.editor.ui.AutoTypeSetButton = function (options){ this.initOptions(options); this.initAutoTypeSetButton(); }; function getPara(me){ var opt = me.editor.options.autotypeset, cont = me.getDom(), ipts = domUtils.getElementsByTagName(cont,"input"); for(var i=ipts.length-1,ipt;ipt=ipts[i--];){ if(ipt.getAttribute("type")=="checkbox"){ var attrName = ipt.getAttribute("name"); opt[attrName] && delete opt[attrName]; if(ipt.checked){ var attrValue = document.getElementById(attrName+"Value"); if(attrValue){ if(/input/ig.test(attrValue.tagName)){ opt[attrName] = attrValue.value; }else{ var iptChilds = attrValue.getElementsByTagName("input"); for(var j=iptChilds.length-1,iptchild;iptchild=iptChilds[j--];){ if(iptchild.checked){ opt[attrName] = iptchild.value; break; } } } }else{ opt[attrName] = true; } } } } var selects = domUtils.getElementsByTagName(cont,"select"); for(var i=0,si;si=selects[i++];){ var attr = si.getAttribute('name'); opt[attr] = opt[attr] ? si.value : ''; } me.editor.options.autotypeset = opt; } AutoTypeSetButton.prototype = { initAutoTypeSetButton: function (){ var me = this; this.popup = new Popup({ //传入配置参数 content: new AutoTypeSetPicker({editor:me.editor}), 'editor':me.editor, hide : function(){ if (!this._hidden && this.getDom()) { getPara(this); this.getDom().style.display = 'none'; this._hidden = true; this.fireEvent('hide'); } } }); var flag = 0; this.popup.addListener('postRenderAfter',function(){ var popupUI = this; if(flag)return; var cont = this.getDom(), btn = cont.getElementsByTagName('button')[0]; btn.onclick = function(){ getPara(popupUI); me.editor.execCommand('autotypeset') }; flag = 1; }); this.initSplitButton(); } }; utils.inherits(AutoTypeSetButton, SplitButton); })(); (function (){ var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, UIBase = baidu.editor.ui.UIBase, Toolbar = baidu.editor.ui.Toolbar = function (options){ this.initOptions(options); this.initToolbar(); }; Toolbar.prototype = { items: null, initToolbar: function (){ this.items = this.items || []; this.initUIBase(); }, add: function (item){ this.items.push(item); }, getHtmlTpl: function (){ var buff = []; for (var i=0; i<this.items.length; i++) { buff[i] = this.items[i].renderHtml(); } return '<div id="##" class="edui-toolbar %%" onselectstart="return false;" onmousedown="return $$._onMouseDown(event, this);">' + buff.join('') + '</div>' }, postRender: function (){ var box = this.getDom(); for (var i=0; i<this.items.length; i++) { this.items[i].postRender(); } uiUtils.makeUnselectable(box); }, _onMouseDown: function (){ return false; } }; utils.inherits(Toolbar, UIBase); })(); ///import core ///import uicore ///import ui\popup.js ///import ui\stateful.js (function (){ var utils = baidu.editor.utils, domUtils = baidu.editor.dom.domUtils, uiUtils = baidu.editor.ui.uiUtils, UIBase = baidu.editor.ui.UIBase, Popup = baidu.editor.ui.Popup, Stateful = baidu.editor.ui.Stateful, Menu = baidu.editor.ui.Menu = function (options){ this.initOptions(options); this.initMenu(); }; var menuSeparator = { renderHtml: function (){ return '<div class="edui-menuitem edui-menuseparator"><div class="edui-menuseparator-inner"></div></div>'; }, postRender: function (){}, queryAutoHide: function (){ return true; } }; Menu.prototype = { items: null, uiName: 'menu', initMenu: function (){ this.items = this.items || []; this.initPopup(); this.initItems(); }, initItems: function (){ for (var i=0; i<this.items.length; i++) { var item = this.items[i]; if (item == '-') { this.items[i] = this.getSeparator(); } else if (!(item instanceof MenuItem)) { this.items[i] = this.createItem(item); } } }, getSeparator: function (){ return menuSeparator; }, createItem: function (item){ return new MenuItem(item); }, _Popup_getContentHtmlTpl: Popup.prototype.getContentHtmlTpl, getContentHtmlTpl: function (){ if (this.items.length == 0) { return this._Popup_getContentHtmlTpl(); } var buff = []; for (var i=0; i<this.items.length; i++) { var item = this.items[i]; buff[i] = item.renderHtml(); } return ('<div class="%%-body">' + buff.join('') + '</div>'); }, _Popup_postRender: Popup.prototype.postRender, postRender: function (){ var me = this; for (var i=0; i<this.items.length; i++) { var item = this.items[i]; item.ownerMenu = this; item.postRender(); } domUtils.on(this.getDom(), 'mouseover', function (evt){ evt = evt || event; var rel = evt.relatedTarget || evt.fromElement; var el = me.getDom(); if (!uiUtils.contains(el, rel) && el !== rel) { me.fireEvent('over'); } }); this._Popup_postRender(); }, queryAutoHide: function (el){ if (el) { if (uiUtils.contains(this.getDom(), el)) { return false; } for (var i=0; i<this.items.length; i++) { var item = this.items[i]; if (item.queryAutoHide(el) === false) { return false; } } } }, clearItems: function (){ for (var i=0; i<this.items.length; i++) { var item = this.items[i]; clearTimeout(item._showingTimer); clearTimeout(item._closingTimer); if (item.subMenu) { item.subMenu.destroy(); } } this.items = []; }, destroy: function (){ if (this.getDom()) { domUtils.remove(this.getDom()); } this.clearItems(); }, dispose: function (){ this.destroy(); } }; utils.inherits(Menu, Popup); var MenuItem = baidu.editor.ui.MenuItem = function (options){ this.initOptions(options); this.initUIBase(); this.Stateful_init(); if (this.subMenu && !(this.subMenu instanceof Menu)) { this.subMenu = new Menu(this.subMenu); } }; MenuItem.prototype = { label: '', subMenu: null, ownerMenu: null, uiName: 'menuitem', alwalysHoverable: true, getHtmlTpl: function (){ return '<div id="##" class="%%" stateful onclick="$$._onClick(event, this);">' + '<div class="%%-body">' + this.renderLabelHtml() + '</div>' + '</div>'; }, postRender: function (){ var me = this; this.addListener('over', function (){ me.ownerMenu.fireEvent('submenuover', me); if (me.subMenu) { me.delayShowSubMenu(); } }); if (this.subMenu) { this.getDom().className += ' edui-hassubmenu'; this.subMenu.render(); this.addListener('out', function (){ me.delayHideSubMenu(); }); this.subMenu.addListener('over', function (){ clearTimeout(me._closingTimer); me._closingTimer = null; me.addState('opened'); }); this.ownerMenu.addListener('hide', function (){ me.hideSubMenu(); }); this.ownerMenu.addListener('submenuover', function (t, subMenu){ if (subMenu !== me) { me.delayHideSubMenu(); } }); this.subMenu._bakQueryAutoHide = this.subMenu.queryAutoHide; this.subMenu.queryAutoHide = function (el){ if (el && uiUtils.contains(me.getDom(), el)) { return false; } return this._bakQueryAutoHide(el); }; } this.getDom().style.tabIndex = '-1'; uiUtils.makeUnselectable(this.getDom()); this.Stateful_postRender(); }, delayShowSubMenu: function (){ var me = this; if (!me.isDisabled()) { me.addState('opened'); clearTimeout(me._showingTimer); clearTimeout(me._closingTimer); me._closingTimer = null; me._showingTimer = setTimeout(function (){ me.showSubMenu(); }, 250); } }, delayHideSubMenu: function (){ var me = this; if (!me.isDisabled()) { me.removeState('opened'); clearTimeout(me._showingTimer); if (!me._closingTimer) { me._closingTimer = setTimeout(function (){ if (!me.hasState('opened')) { me.hideSubMenu(); } me._closingTimer = null; }, 400); } } }, renderLabelHtml: function (){ return '<div class="edui-arrow"></div>' + '<div class="edui-box edui-icon"></div>' + '<div class="edui-box edui-label %%-label">' + (this.label || '') + '</div>'; }, getStateDom: function (){ return this.getDom(); }, queryAutoHide: function (el){ if (this.subMenu && this.hasState('opened')) { return this.subMenu.queryAutoHide(el); } }, _onClick: function (event, this_){ if (this.hasState('disabled')) return; if (this.fireEvent('click', event, this_) !== false) { if (this.subMenu) { this.showSubMenu(); } else { Popup.postHide(); } } }, showSubMenu: function (){ var rect = uiUtils.getClientRect(this.getDom()); rect.right -= 5; rect.left += 2; rect.width -= 7; rect.top -= 4; rect.bottom += 4; rect.height += 8; this.subMenu.showAnchorRect(rect, true, true); }, hideSubMenu: function (){ this.subMenu.hide(); } }; utils.inherits(MenuItem, UIBase); utils.extend(MenuItem.prototype, Stateful, true); })(); ///import core ///import uicore ///import ui/menu.js ///import ui/splitbutton.js (function (){ // todo: menu和item提成通用list var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, Menu = baidu.editor.ui.Menu, SplitButton = baidu.editor.ui.SplitButton, Combox = baidu.editor.ui.Combox = function (options){ this.initOptions(options); this.initCombox(); }; Combox.prototype = { uiName: 'combox', initCombox: function (){ var me = this; this.items = this.items || []; for (var i=0; i<this.items.length; i++) { var item = this.items[i]; item.uiName = 'listitem'; item.index = i; item.onclick = function (){ me.selectByIndex(this.index); }; } this.popup = new Menu({ items: this.items, uiName: 'list', editor:this.editor }); this.initSplitButton(); }, _SplitButton_postRender: SplitButton.prototype.postRender, postRender: function (){ this._SplitButton_postRender(); this.setLabel(this.label || ''); this.setValue(this.initValue || ''); }, showPopup: function (){ var rect = uiUtils.getClientRect(this.getDom()); rect.top += 1; rect.bottom -= 1; rect.height -= 2; this.popup.showAnchorRect(rect); }, getValue: function (){ return this.value; }, setValue: function (value){ var index = this.indexByValue(value); if (index != -1) { this.selectedIndex = index; this.setLabel(this.items[index].label); this.value = this.items[index].value; } else { this.selectedIndex = -1; this.setLabel(this.getLabelForUnknowValue(value)); this.value = value; } }, setLabel: function (label){ this.getDom('button_body').innerHTML = label; this.label = label; }, getLabelForUnknowValue: function (value){ return value; }, indexByValue: function (value){ for (var i=0; i<this.items.length; i++) { if (value == this.items[i].value) { return i; } } return -1; }, getItem: function (index){ return this.items[index]; }, selectByIndex: function (index){ if (index < this.items.length && this.fireEvent('select', index) !== false) { this.selectedIndex = index; this.value = this.items[index].value; this.setLabel(this.items[index].label); } } }; utils.inherits(Combox, SplitButton); })(); ///import core ///import uicore ///import ui/mask.js ///import ui/button.js (function (){ var utils = baidu.editor.utils, domUtils = baidu.editor.dom.domUtils, uiUtils = baidu.editor.ui.uiUtils, Mask = baidu.editor.ui.Mask, UIBase = baidu.editor.ui.UIBase, Button = baidu.editor.ui.Button, Dialog = baidu.editor.ui.Dialog = function (options){ this.initOptions(options); this.initDialog(); }; var modalMask; var dragMask; Dialog.prototype = { draggable: false, uiName: 'dialog', initDialog: function (){ var me = this; this.initUIBase(); this.modalMask = (modalMask || (modalMask = new Mask({ className: 'edui-dialog-modalmask' }))); this.dragMask = (dragMask || (dragMask = new Mask({ className: 'edui-dialog-dragmask' }))); this.closeButton = new Button({ className: 'edui-dialog-closebutton', title: '关闭对话框', onclick: function (){ me.close(false); } }); if (this.buttons) { for (var i=0; i<this.buttons.length; i++) { if (!(this.buttons[i] instanceof Button)) { this.buttons[i] = new Button(this.buttons[i]); } } } }, fitSize: function (){ var popBodyEl = this.getDom('body'); // if (!(baidu.editor.browser.ie && baidu.editor.browser.version == 7)) { // uiUtils.removeStyle(popBodyEl, 'width'); // uiUtils.removeStyle(popBodyEl, 'height'); // } var size = this.mesureSize(); popBodyEl.style.width = size.width + 'px'; popBodyEl.style.height = size.height + 'px'; return size; }, safeSetOffset: function (offset){ var me = this; var el = me.getDom(); var vpRect = uiUtils.getViewportRect(); var rect = uiUtils.getClientRect(el); var left = offset.left; if (left + rect.width > vpRect.right) { left = vpRect.right - rect.width; } var top = offset.top; if (top + rect.height > vpRect.bottom) { top = vpRect.bottom - rect.height; } el.style.left = Math.max(left, 0) + 'px'; el.style.top = Math.max(top, 0) + 'px'; }, showAtCenter: function (){ this.getDom().style.display = ''; var vpRect = uiUtils.getViewportRect(); var popSize = this.fitSize(); var titleHeight = this.getDom('titlebar').offsetHeight | 0; var left = vpRect.width / 2 - popSize.width / 2; var top = vpRect.height / 2 - (popSize.height - titleHeight) / 2 - titleHeight; var popEl = this.getDom(); this.safeSetOffset({ left: Math.max(left | 0, 0), top: Math.max(top | 0, 0) }); if (!domUtils.hasClass(popEl, 'edui-state-centered')) { popEl.className += ' edui-state-centered'; } this._show(); }, getContentHtml: function (){ var contentHtml = ''; if (typeof this.content == 'string') { contentHtml = this.content; } else if (this.iframeUrl) { contentHtml = '<iframe id="'+ this.id + '_iframe" class="%%-iframe" height="100%" width="100%" frameborder="0" src="'+ this.iframeUrl +'"></iframe>'; } return contentHtml; }, getHtmlTpl: function (){ var footHtml = ''; if (this.buttons) { var buff = []; for (var i=0; i<this.buttons.length; i++) { buff[i] = this.buttons[i].renderHtml(); } footHtml = '<div class="%%-foot">' + '<div id="##_buttons" class="%%-buttons">' + buff.join('') + '</div>' + '</div>'; } return '<div id="##" class="%%"><div class="%%-wrap"><div id="##_body" class="%%-body">' + '<div class="%%-shadow"></div>' + '<div id="##_titlebar" class="%%-titlebar">' + '<div class="%%-draghandle" onmousedown="$$._onTitlebarMouseDown(event, this);">' + '<span class="%%-caption">' + (this.title || '') + '</span>' + '</div>' + this.closeButton.renderHtml() + '</div>' + '<div id="##_content" class="%%-content">'+ ( this.autoReset ? '' : this.getContentHtml()) +'</div>' + footHtml + '</div></div></div>'; }, postRender: function (){ // todo: 保持居中/记住上次关闭位置选项 if (!this.modalMask.getDom()) { this.modalMask.render(); this.modalMask.hide(); } if (!this.dragMask.getDom()) { this.dragMask.render(); this.dragMask.hide(); } var me = this; this.addListener('show', function (){ me.modalMask.show(this.getDom().style.zIndex - 2); }); this.addListener('hide', function (){ me.modalMask.hide(); }); if (this.buttons) { for (var i=0; i<this.buttons.length; i++) { this.buttons[i].postRender(); } } domUtils.on(window, 'resize', function (){ setTimeout(function (){ if (!me.isHidden()) { me.safeSetOffset(uiUtils.getClientRect(me.getDom())); } }); }); this._hide(); }, mesureSize: function (){ var body = this.getDom('body'); var width = uiUtils.getClientRect(this.getDom('content')).width; var dialogBodyStyle = body.style; dialogBodyStyle.width = width; return uiUtils.getClientRect(body); }, _onTitlebarMouseDown: function (evt, el){ if (this.draggable) { var rect; var vpRect = uiUtils.getViewportRect(); var me = this; uiUtils.startDrag(evt, { ondragstart: function (){ rect = uiUtils.getClientRect(me.getDom()); me.dragMask.show(me.getDom().style.zIndex - 1); }, ondragmove: function (x, y){ var left = rect.left + x; var top = rect.top + y; me.safeSetOffset({ left: left, top: top }); }, ondragstop: function (){ domUtils.removeClasses(me.getDom(), ['edui-state-centered']); me.dragMask.hide(); } }); } }, reset: function (){ this.getDom('content').innerHTML = this.getContentHtml(); }, _show: function (){ if (this._hidden) { this.getDom().style.display = ''; //要高过编辑器的zindxe this.editor.container.style.zIndex && (this.getDom().style.zIndex = this.editor.container.style.zIndex * 1 + 10); this._hidden = false; this.fireEvent('show'); baidu.editor.ui.uiUtils.getFixedLayer().style.zIndex = this.getDom().style.zIndex - 4; } }, isHidden: function (){ return this._hidden; }, _hide: function (){ if (!this._hidden) { this.getDom().style.display = 'none'; this.getDom().style.zIndex = ''; this._hidden = true; this.fireEvent('hide'); } }, open: function (){ if (this.autoReset) { this.reset(); } this.showAtCenter(); if (this.iframeUrl) { try { this.getDom('iframe').focus(); } catch(ex){} } }, _onCloseButtonClick: function (evt, el){ this.close(false); }, close: function (ok){ if (this.fireEvent('close', ok) !== false) { this._hide(); } } }; utils.inherits(Dialog, UIBase); })(); ///import core ///import uicore ///import ui/menu.js ///import ui/splitbutton.js (function (){ var utils = baidu.editor.utils, Menu = baidu.editor.ui.Menu, SplitButton = baidu.editor.ui.SplitButton, MenuButton = baidu.editor.ui.MenuButton = function (options){ this.initOptions(options); this.initMenuButton(); }; MenuButton.prototype = { initMenuButton: function (){ var me = this; this.uiName = "menubutton"; this.popup = new Menu({ items: me.items, className: me.className, editor:me.editor }); this.popup.addListener('show', function (){ var list = this; for (var i=0; i<list.items.length; i++) { list.items[i].removeState('checked'); if (list.items[i].value == me._value) { list.items[i].addState('checked'); this.value = me._value; } } }); this.initSplitButton(); }, setValue : function(value){ this._value = value; } }; utils.inherits(MenuButton, SplitButton); })(); (function (){ var isIE = baidu.editor.browser.ie; var utils = baidu.editor.utils; var editorui = baidu.editor.ui; var _Dialog = editorui.Dialog; editorui.Dialog = function (options){ var dialog = new _Dialog(options); dialog.addListener('hide', function (){ if (dialog.editor) { var editor = dialog.editor; try { editor.focus() } catch(ex){} } }); return dialog; }; var k, cmd; var btnCmds = ['Undo', 'Redo','FormatMatch', 'Bold', 'Italic', 'Underline', 'StrikeThrough', 'Subscript', 'Superscript','Source','Indent','Outdent', 'BlockQuote','PastePlain','PageBreak', 'SelectAll', 'Print', 'Preview', 'Horizontal', 'RemoveFormat','Time','Date','Unlink', 'InsertParagraphBeforeTable','InsertRow','InsertCol','MergeRight','MergeDown','DeleteRow', 'DeleteCol','SplittoRows','SplittoCols','SplittoCells','MergeCells','DeleteTable']; k = btnCmds.length; while (k --) { cmd = btnCmds[k]; editorui[cmd] = function (cmd){ return function (editor, title){ title = title || editor.options.labelMap[cmd.toLowerCase()] || ''; var ui = new editorui.Button({ className: 'edui-for-' + cmd.toLowerCase(), title: title, onclick: function (){ editor.execCommand(cmd); }, showText: false }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ var state = editor.queryCommandState(cmd.toLowerCase()); if (state == -1) { ui.setDisabled(true); ui.setChecked(false); } else { if(!uiReady){ ui.setDisabled(false); ui.setChecked(state); } } }); return ui; }; }(cmd); } editorui.SnapScreen = function(editor, title){ var cmd = "SnapScreen"; title = title || editor.options.labelMap[cmd.toLowerCase()] || ''; var ui = new editorui.Button({ className: 'edui-for-' + cmd.toLowerCase(), title: title, onclick: function (){ editor.execCommand(cmd); } }); if(isIE){ var iframeUrl = editor.options.iframeUrlMap['snapscreen']; iframeUrl = editor.ui.mapUrl(iframeUrl); title = title || editor.options.labelMap['snapscreen'] || ''; var dialog = new editorui.Dialog({ iframeUrl: iframeUrl, autoReset: true, draggable: true, editor: editor, className: 'edui-for-snapscreen', title: title, buttons: [{ className: 'edui-okbutton', label: '确认', onclick: function (){ dialog.close(true); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function (){ dialog.close(false); } }], onok: function (){}, oncancel: function (){}, onclose: function (t, ok){ if (ok) { return this.onok(); } else { return this.oncancel(); } } }); dialog.render(); editor.snapscreenInstall = dialog; } editor.addListener('selectionchange',function(){ var state = editor.queryCommandState('snapscreen'); ui.setDisabled(state == -1); }); return ui; }; editorui.ClearDoc = function(editor, title){ var cmd = "ClearDoc"; title = title || editor.options.labelMap[cmd.toLowerCase()] || ''; var ui = new editorui.Button({ className: 'edui-for-' + cmd.toLowerCase(), title: title, onclick: function (){ if(confirm('确定清空文档吗?')){ editor.execCommand('cleardoc'); } } }); editor.addListener('selectionchange',function(){ var state = editor.queryCommandState('cleardoc'); ui.setDisabled(state == -1); }); return ui; }; editorui.Justify = function (editor, side, title){ side = (side || 'left').toLowerCase(); title = title || editor.options.labelMap['justify'+side.toLowerCase()] || ''; var ui = new editorui.Button({ className: 'edui-for-justify' + side.toLowerCase(), title: title, onclick: function (){ editor.execCommand('Justify', side); } }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ var state = editor.queryCommandState('Justify'); ui.setDisabled(state == -1); var value = editor.queryCommandValue('Justify'); ui.setChecked(value == side && !uiReady); }); return ui; }; editorui.JustifyLeft = function (editor, title){ return editorui.Justify(editor, 'left', title); }; editorui.JustifyCenter = function (editor, title){ return editorui.Justify(editor, 'center', title); }; editorui.JustifyRight = function (editor, title){ return editorui.Justify(editor, 'right', title); }; editorui.JustifyJustify = function (editor, title){ return editorui.Justify(editor, 'justify', title); }; editorui.ImageFloat = function(editor,side,title){ side = (side || 'none').toLowerCase(); title = title || editor.options.labelMap['image'+side.toLowerCase()] || ''; var ui = new editorui.Button({ className: 'edui-for-image' + side.toLowerCase(), title: title, onclick: function (){ editor.execCommand('imagefloat', side); } }); editor.addListener('selectionchange', function (type){ var state = editor.queryCommandState('imagefloat'); ui.setDisabled(state == -1); var state = editor.queryCommandValue('imagefloat'); ui.setChecked(state == side); }); return ui; }; editorui.ImageNone = function(editor,title){ return editorui.ImageFloat(editor, title); }; editorui.ImageLeft = function(editor,title){ return editorui.ImageFloat(editor,"left", title); }; editorui.ImageRight = function(editor,title){ return editorui.ImageFloat(editor,"right", title); }; editorui.ImageCenter = function(editor,title){ return editorui.ImageFloat(editor,"center", title); }; editorui.Directionality = function (editor, side, title){ side = (side || 'left').toLowerCase(); title = title || editor.options.labelMap['directionality'+side.toLowerCase()] || ''; var ui = new editorui.Button({ className: 'edui-for-directionality' + side.toLowerCase(), title: title, onclick: function (){ editor.execCommand('directionality', side); }, type : side }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ var state = editor.queryCommandState('directionality'); ui.setDisabled(state == -1); var value = editor.queryCommandValue('directionality'); ui.setChecked(value == ui.type && !uiReady); }); return ui; }; editorui.DirectionalityLtr = function (editor, title){ return new editorui.Directionality(editor, 'ltr', title); }; editorui.DirectionalityRtl = function (editor, title){ return new editorui.Directionality(editor, 'rtl', title); }; var colorCmds = ['BackColor', 'ForeColor']; k = colorCmds.length; while (k --) { cmd = colorCmds[k]; editorui[cmd] = function (cmd){ return function (editor, title){ title = title || editor.options.labelMap[cmd.toLowerCase()] || ''; var ui = new editorui.ColorButton({ className: 'edui-for-' + cmd.toLowerCase(), color: 'default', title: title, editor:editor, onpickcolor: function (t, color){ editor.execCommand(cmd, color); }, onpicknocolor: function (){ editor.execCommand(cmd, 'default'); this.setColor('transparent'); this.color = 'default'; }, onbuttonclick: function (){ editor.execCommand(cmd, this.color); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState(cmd); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); } }); return ui; }; }(cmd); } //不需要确定取消按钮的dialog var dialogNoButton = ['SearchReplace','Help','Spechars']; k = dialogNoButton.length; while(k --){ cmd = dialogNoButton[k]; editorui[cmd] = function (cmd){ cmd = cmd.toLowerCase(); return function (editor, iframeUrl, title){ iframeUrl = iframeUrl || editor.options.iframeUrlMap[cmd.toLowerCase()] || 'about:blank'; iframeUrl = editor.ui.mapUrl(iframeUrl); title = title || editor.options.labelMap[cmd.toLowerCase()] || ''; var dialog = new editorui.Dialog({ iframeUrl: iframeUrl, autoReset: true, draggable: true, editor: editor, className: 'edui-for-' + cmd, title: title, onok: function (){}, oncancel: function (){}, onclose: function (t, ok){ if (ok) { return this.onok(); } else { return this.oncancel(); } } }); dialog.render(); var ui = new editorui.Button({ className: 'edui-for-' + cmd, title: title, onclick: function (){ dialog.open(); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState(cmd); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); } }); return ui; }; }(cmd); } var dialogCmds = ['Attachment','Anchor','Link', 'InsertImage', 'Map', 'GMap', 'InsertVideo','TableSuper','HighlightCode','InsertFrame','EditTd']; k = dialogCmds.length; while (k --) { cmd = dialogCmds[k]; editorui[cmd] = function (cmd){ cmd = cmd.toLowerCase(); return function (editor, iframeUrl, title){ iframeUrl = iframeUrl || editor.options.iframeUrlMap[cmd.toLowerCase()] || 'about:blank'; iframeUrl = editor.ui.mapUrl(iframeUrl); title = title || editor.options.labelMap[cmd.toLowerCase()] || ''; var dialog = new editorui.Dialog({ iframeUrl: iframeUrl, autoReset: true, draggable: true, editor: editor, className: 'edui-for-' + cmd, title: title, buttons: [{ className: 'edui-okbutton', label: '确认', onclick: function (){ dialog.close(true); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function (){ dialog.close(false); } }], onok: function (){}, oncancel: function (){}, onclose: function (t, ok){ if (ok) { return this.onok(); } else { return this.oncancel(); } } }); dialog.render(); var ui = new editorui.Button({ className: 'edui-for-' + cmd, title: title, onclick: function (){ dialog.open(); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState(cmd); if (state == -1) { ui.setDisabled(true); } else { ui.setChecked(state); ui.setDisabled(false); } }); return ui; }; }(cmd); } editorui.WordImage = function(editor){ var ui = new editorui.Button({ className: 'edui-for-wordimage', title: "图片转存", onclick: function (){ editor.execCommand("wordimage","word_img"); editor.ui._dialogs['wordImageDialog'].open(); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState("wordimage","word_img"); //if(console)console.log(state); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); ui.setChecked(state); } }); return ui; }; editorui.FontFamily = function (editor, list, title){ list = list || editor.options.listMap['fontfamily'] || []; title = title || editor.options.labelMap['fontfamily'] || ''; var items = []; for (var i=0; i<list.length; i++) { var font = list[i]; var fonts = editor.options.fontMap[font]; var value = '"' + font + '"'; var regex = new RegExp(font, 'i'); if (fonts) { value = '"' + fonts.join('","') + '"'; regex = new RegExp('(?:\\|)' + fonts.join('|') + '(?:\\|)', 'i'); } items.push({ label: font, value: value, regex: regex, renderLabelHtml: function (){ return '<div class="edui-label %%-label" style="font-family:' + utils.unhtml(this.value) + '">' + (this.label || '') + '</div>'; } }); } var ui = new editorui.Combox({ editor:editor, items: items, onselect: function (t,index){ editor.execCommand('FontFamily', this.items[index].value); }, onbuttonclick: function (){ this.showPopup(); }, title: title, initValue: editor.options.ComboxInitial.FONT_FAMILY, className: 'edui-for-fontfamily', indexByValue: function (value){ if(value){ value = '|' + value.replace(/,/g, '|').replace(/"/g, '') + '|'; value.replace(/\s*|\s*/g, '|'); for (var i=0; i<this.items.length; i++) { var item = this.items[i]; if (item.regex.test(value)) { return i; } } } return -1; } }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ if(!uiReady){ var state = editor.queryCommandState('FontFamily'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('FontFamily'); //trace:1871 ie下从源码模式切换回来时,字体会带单引号,而且会有逗号 value && (value = value.replace(/['"]/g,'').split(',')[0]); ui.setValue( value); } } }); return ui; }; editorui.FontSize = function (editor, list, title){ list = list || editor.options.listMap['fontsize'] || []; title = title || editor.options.labelMap['fontsize'] || ''; var items = []; for (var i=0; i<list.length; i++) { var size = list[i] + 'px'; items.push({ label: size, value: size, renderLabelHtml: function (){ return '<div class="edui-label %%-label" style="font-size:' + this.value + '">' + (this.label || '') + '</div>'; } }); } var ui = new editorui.Combox({ editor:editor, items: items, title: title, initValue: editor.options.ComboxInitial.FONT_SIZE, onselect: function (t,index){ editor.execCommand('FontSize', this.items[index].value); }, onbuttonclick: function (){ this.showPopup(); }, className: 'edui-for-fontsize' }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ if(!uiReady){ var state = editor.queryCommandState('FontSize'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); ui.setValue(editor.queryCommandValue('FontSize')); } } }); return ui; }; // editorui.RowSpacing = function (editor, list, title){ // list = list || editor.options.listMap['rowspacing'] || []; // title = title || editor.options.labelMap['rowspacing'] || ''; // var items = []; // for (var i=0; i<list.length; i++) { // var tag = list[i] + 'px'; // var value = list[i]; // items.push({ // label: tag, // value: value, // renderLabelHtml: function (){ // return '<div class="edui-label %%-label" style="font-size:12px">' + (this.label || '') + '</div>'; // } // }); // } // var ui = new editorui.Combox({ // editor:editor, // items: items, // title: title, // initValue: editor.options.ComboxInitial.ROW_SPACING, // onselect: function (t,index){ // editor.execCommand('RowSpacing', this.items[index].value); // }, // onbuttonclick: function (){ // this.showPopup(); // }, // className: 'edui-for-rowspacing' // }); // editor.addListener('selectionchange', function (type, causeByUi, uiReady){ // if(!uiReady){ // var state = editor.queryCommandState('RowSpacing'); // if (state == -1) { // ui.setDisabled(true); // } else { // ui.setDisabled(false); // ui.setValue(editor.queryCommandValue('RowSpacing')); // } // } // // }); // return ui; // }; editorui.Paragraph = function (editor, list, title){ list = list || editor.options.listMap['paragraph'] || []; title = title || editor.options.labelMap['paragraph'] || ''; var items = []; for (var i=0; i<list.length; i++) { var item = list[i].split(':'); var tag = item[0]; var label = item[1]; items.push({ label: label, value: tag, renderLabelHtml: function (){ return '<div class="edui-label %%-label"><span class="edui-for-' + this.value + '">' + (this.label || '') + '</span></div>'; } }); } var ui = new editorui.Combox({ editor:editor, items: items, title: title, initValue: editor.options.ComboxInitial.PARAGRAPH, className: 'edui-for-paragraph', onselect: function (t,index){ editor.execCommand('Paragraph', this.items[index].value); }, onbuttonclick: function (){ this.showPopup(); } }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ if(!uiReady){ var state = editor.queryCommandState('Paragraph'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('Paragraph'); var index = ui.indexByValue(value); if (index != -1) { ui.setValue(value); } else { ui.setValue(ui.initValue); } } } }); return ui; }; //自定义标题 editorui.CustomStyle = function(editor,list,title){ list = list || editor.options.listMap['customstyle'] || []; title = title || editor.options.labelMap['customstyle'] || ''; for(var i=0,items = [],t;t=list[i++];){ (function(ti){ items.push({ label: ti.label, value: ti, renderLabelHtml: function (){ return '<div class="edui-label %%-label">' +'<'+ ti.tag +' ' + (ti.className?' class="'+ti.className+'"':"") + (ti.style ? ' style="' + ti.style+'"':"") + '>' + ti.label+"<\/"+ti.tag+">" + '</div>'; } }); })(t) } var ui = new editorui.Combox({ editor:editor, items: items, title: title, initValue:editor.options.ComboxInitial.CUSTOMSTYLE, className: 'edui-for-customstyle', onselect: function (t,index){ editor.execCommand('customstyle', this.items[index].value); }, onbuttonclick: function (){ this.showPopup(); }, indexByValue: function (value){ for(var i=0,ti;ti=this.items[i++];){ if(ti.label == value){ return i-1 } } return -1; } }); editor.addListener('selectionchange', function (type, causeByUi, uiReady){ if(!uiReady){ var state = editor.queryCommandState('customstyle'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('customstyle'); var index = ui.indexByValue(value); if (index != -1) { ui.setValue(value); } else { ui.setValue(ui.initValue); } } } }); return ui; }; editorui.InsertTable = function (editor, iframeUrl, title){ iframeUrl = iframeUrl || editor.options.iframeUrlMap['inserttable'] || 'about:blank'; iframeUrl = editor.ui.mapUrl(iframeUrl); title = title || editor.options.labelMap['inserttable'] || ''; var dialog = new editorui.Dialog({ iframeUrl: iframeUrl, autoReset: true, draggable: true, editor: editor, className: 'edui-for-inserttable', title: title, buttons: [{ className: 'edui-okbutton', label: '确认', onclick: function (){ dialog.close(true); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function (){ dialog.close(false); } }], onok: function (){}, oncancel: function (){}, onclose: function (t,ok){ if (ok) { return this.onok(); } else { return this.oncancel(); } } }); dialog.render(); editor.tableDialog = dialog; var ui = new editorui.TableButton({ editor:editor, title: title, className: 'edui-for-inserttable', onpicktable: function (t,numCols, numRows){ editor.execCommand('InsertTable', {numRows:numRows, numCols:numCols}); }, onmore: function (){ dialog.open(); }, onbuttonclick: function (){ dialog.open(); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('inserttable'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); } }); return ui; }; editorui.AutoTypeSet = function (editor, iframeUrl, title){ title = title || editor.options.labelMap['autotypeset'] || ''; var ui = new editorui.AutoTypeSetButton({ editor:editor, title: title, className: 'edui-for-autotypeset', onbuttonclick: function (){ editor.execCommand('autotypeset') } }); editor.addListener('selectionchange', function (){ ui.setDisabled(editor.queryCommandState('autotypeset') == -1); }); return ui; }; editorui.LineHeight = function (editor, title){ for(var i=0,ci,items=[];ci = editor.options.listMap.lineheight[i++];){ items.push({ //todo:写死了 label : ci == '1' ? '默认' : ci, value: ci, onclick:function(){ editor.execCommand("lineheight", this.value); } }) } var ui = new editorui.MenuButton({ editor:editor, className : 'edui-for-lineheight', title : title || editor.options.labelMap['lineheight'] || '', items :items, onbuttonclick: function (){ var value = editor.queryCommandValue('LineHeight') || this.value; editor.execCommand("LineHeight", value); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('LineHeight'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('LineHeight'); value && ui.setValue((value + '').replace(/cm/,'')); ui.setChecked(state) } }); return ui; }; editorui.RowSpacingTop = function (editor, title){ for(var i=0,ci,items=[];ci = editor.options.listMap.rowspacing[i++];){ items.push({ label : ci, value: ci, onclick:function(){ editor.execCommand("rowspacing", this.value,'top'); } }) } var ui = new editorui.MenuButton({ editor:editor, className : 'edui-for-rowspacingtop', title : title || editor.options.labelMap['rowspacingtop'] || '段前间距', items :items, onbuttonclick: function (){ var value = editor.queryCommandValue('rowspacing','top') || this.value; editor.execCommand("rowspacing", value,'top'); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('rowspacing','top'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('rowspacing','top'); value && ui.setValue((value + '').replace(/%/,'')); ui.setChecked(state) } }); return ui; }; editorui.RowSpacingBottom = function (editor, title){ for(var i=0,ci,items=[];ci = editor.options.listMap.rowspacing[i++];){ items.push({ label : ci, value: ci, onclick:function(){ editor.execCommand("rowspacing", this.value,'bottom'); } }) } var ui = new editorui.MenuButton({ editor:editor, className : 'edui-for-rowspacingbottom', title : title || editor.options.labelMap['rowspacingbottom'] || '段后间距', items :items, onbuttonclick: function (){ var value = editor.queryCommandValue('rowspacing','bottom') || this.value; editor.execCommand("rowspacing", value,'bottom'); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('rowspacing','bottom'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('rowspacing','bottom'); value && ui.setValue((value + '').replace(/%/,'')); ui.setChecked(state) } }); return ui; }; editorui.InsertOrderedList = function (editor, title){ title = title || editor.options.labelMap['insertorderedlist'] || ''; var _onMenuClick = function(){ editor.execCommand("InsertOrderedList", this.value); }; var ui = new editorui.MenuButton({ editor:editor, className : 'edui-for-insertorderedlist', title : title, items : [{ label: '1,2,3...', value: 'decimal', onclick : _onMenuClick },{ label: 'a,b,c ...', value: 'lower-alpha', onclick : _onMenuClick },{ label: 'i,ii,iii...', value: 'lower-roman', onclick : _onMenuClick },{ label: 'A,B,C', value: 'upper-alpha', onclick : _onMenuClick },{ label: 'I,II,III...', value: 'upper-roman', onclick : _onMenuClick }], onbuttonclick: function (){ var value = editor.queryCommandValue('InsertOrderedList') || this.value; editor.execCommand("InsertOrderedList", value); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('InsertOrderedList'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('InsertOrderedList'); ui.setValue(value); ui.setChecked(state) } }); return ui; }; editorui.InsertUnorderedList = function (editor, title){ title = title || editor.options.labelMap['insertunorderedlist'] || ''; var _onMenuClick = function(){ editor.execCommand("InsertUnorderedList", this.value); }; var ui = new editorui.MenuButton({ editor:editor, className : 'edui-for-insertunorderedlist', title: title, items: [{ label: '○ 小圆圈', value: 'circle', onclick : _onMenuClick },{ label: '● 小圆点', value: 'disc', onclick : _onMenuClick },{ label: '■ 小方块', value: 'square', onclick : _onMenuClick }], onbuttonclick: function (){ var value = editor.queryCommandValue('InsertUnorderedList') || this.value; editor.execCommand("InsertUnorderedList", value); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('InsertUnorderedList'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); var value = editor.queryCommandValue('InsertUnorderedList'); ui.setValue(value); ui.setChecked(state) } }); return ui; }; editorui.FullScreen = function (editor, title){ title = title || editor.options.labelMap['fullscreen'] || ''; var ui = new editorui.Button({ className: 'edui-for-fullscreen', title: title, onclick: function (){ if (editor.ui) { editor.ui.setFullScreen(!editor.ui.isFullScreen()); } this.setChecked(editor.ui.isFullScreen()); } }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('fullscreen'); ui.setDisabled(state == -1); ui.setChecked(editor.ui.isFullScreen()); }); return ui; }; editorui.Emotion = function(editor, iframeUrl, title){ title = title || editor.options.labelMap['emotion'] || ''; iframeUrl = iframeUrl || editor.options.iframeUrlMap['emotion'] || 'about:blank'; iframeUrl = editor.ui.mapUrl(iframeUrl); var ui = new editorui.MultiMenuPop({ title: title, editor: editor, className: 'edui-for-emotion', iframeUrl: iframeUrl }); editor.addListener('selectionchange', function (){ var state = editor.queryCommandState('emotion'); if (state == -1) { ui.setDisabled(true); } else { ui.setDisabled(false); } }); return ui; }; })(); ///import core ///commands 全屏 ///commandsName FullScreen ///commandsTitle 全屏 (function () { var utils = baidu.editor.utils, uiUtils = baidu.editor.ui.uiUtils, UIBase = baidu.editor.ui.UIBase; function EditorUI( options ) { this.initOptions( options ); this.initEditorUI(); } EditorUI.prototype = { uiName: 'editor', initEditorUI: function () { this.editor.ui = this; this._dialogs = {}; this.initUIBase(); this._initToolbars(); var editor = this.editor, iframeUrlMap = editor.options.iframeUrlMap; editor.addListener( 'ready', function () { baidu.editor.dom.domUtils.on( editor.window, 'scroll', function () { baidu.editor.ui.Popup.postHide(); } ); //display bottom-bar label based on config if ( editor.options.elementPathEnabled ) { editor.ui.getDom( 'elementpath' ).innerHTML = '<div class="edui-editor-breadcrumb">path:</div>'; } if ( editor.options.wordCount ) { editor.ui.getDom( 'wordcount' ).innerHTML = '字数统计'; } if(!editor.selection.isFocus())return; editor.fireEvent( 'selectionchange', false, true ); } ); editor.addListener( 'mousedown', function ( t, evt ) { var el = evt.target || evt.srcElement; baidu.editor.ui.Popup.postHide( el ); } ); editor.addListener( 'contextmenu', function ( t, evt ) { baidu.editor.ui.Popup.postHide(); } ); var me = this; editor.addListener( 'selectionchange', function () { if(!editor.selection.isFocus())return; me._updateElementPath(); //字数统计 me._wordCount(); } ); editor.addListener( 'sourcemodechanged', function ( t, mode ) { if ( editor.options.elementPathEnabled ) { if ( mode ) { me.disableElementPath(); } else { me.enableElementPath(); } } if ( editor.options.wordCount ) { if ( mode ) { me.disableWordCount(); } else { me.enableWordCount(); } } } ); // 超链接的编辑器浮层 var linkDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap ? editor.ui.mapUrl(iframeUrlMap.link ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-link', title: '超链接', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { linkDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { linkDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); linkDialog.render(); // 图片的编辑器浮层 var imgDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl(iframeUrlMap.insertimage ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-insertimage', title: '图片', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { imgDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { imgDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); imgDialog.render(); //锚点 var anchorDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl( iframeUrlMap.anchor ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-anchor', title: '锚点', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { anchorDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { anchorDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); anchorDialog.render(); // video var videoDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl( iframeUrlMap.insertvideo ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-insertvideo', title: '视频', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { videoDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { videoDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); videoDialog.render(); //本地word图片上传 var wordImageDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl( iframeUrlMap.wordimage ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-wordimage', title: '图片转存', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { wordImageDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { wordImageDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); wordImageDialog.render(); //挂载dialog框到ui实例 me._dialogs['wordImageDialog'] = wordImageDialog; var tdDialog = new baidu.editor.ui.Dialog({ iframeUrl: iframeUrlMap?me.mapUrl(iframeUrlMap['edittd']):'about:blank', autoReset: true, draggable: true, editor:editor, className: 'edui-for-edittd', title: "单元格", buttons: [{ className: 'edui-okbutton', label: '确认', onclick: function (){ tdDialog.close(true); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function (){ tdDialog.close(false); } }], onok: function (){}, oncancel: function (){}, onclose: function (t,ok){ if (ok) { return this.onok(); } else { return this.oncancel(); } } }); tdDialog.render(); me._dialogs['tdDialog'] = tdDialog; // map var mapDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl(iframeUrlMap.map ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-map', title: '地图', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { mapDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { mapDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); mapDialog.render(); // map var gmapDialog = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl( iframeUrlMap.gmap ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-gmap', title: 'Google地图', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { gmapDialog.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { gmapDialog.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); gmapDialog.render(); var popup = new baidu.editor.ui.Popup( { editor:editor, content: '', className: 'edui-bubble', _onEditButtonClick: function () { this.hide(); linkDialog.open(); }, _onImgEditButtonClick: function () { this.hide(); var nodeStart = editor.selection.getRange().getClosedNode(); var img = baidu.editor.dom.domUtils.findParentByTagName( nodeStart, "img", true ); if ( img && img.className.indexOf( "edui-faked-video" ) != -1 ) { videoDialog.open(); } else if ( img && img.src.indexOf( "http://api.map.baidu.com" ) != -1 ) { mapDialog.open(); } else if ( img && img.src.indexOf( "http://maps.google.com/maps/api/staticmap" ) != -1 ) { gmapDialog.open(); } else if ( img && img.getAttribute( "anchorname" ) ) { anchorDialog.open(); }else if(img && img.getAttribute("word_img")){ editor.word_img = [img.getAttribute("word_img")]; editor.ui._dialogs["wordImageDialog"].open(); } else { imgDialog.open(); } }, _getImg: function () { var img = editor.selection.getRange().getClosedNode(); if ( img && (img.nodeName == 'img' || img.nodeName == 'IMG') ) { return img; } return null; }, _onImgSetFloat: function( value ) { if ( this._getImg() ) { editor.execCommand( "imagefloat", value ); var img = this._getImg(); if ( img ) { this.showAnchor( img ); } } }, _setIframeAlign: function( value ) { var frame = popup.anchorEl; var newFrame = frame.cloneNode( true ); switch ( value ) { case -2: newFrame.setAttribute( "align", "" ); break; case -1: newFrame.setAttribute( "align", "left" ); break; case 1: newFrame.setAttribute( "align", "right" ); break; case 2: newFrame.setAttribute( "align", "middle" ); break; } frame.parentNode.insertBefore( newFrame, frame ); baidu.editor.dom.domUtils.remove( frame ); popup.anchorEl = newFrame; popup.showAnchor( popup.anchorEl ); }, _updateIframe: function() { editor._iframe = popup.anchorEl; insertframe.open(); popup.hide(); }, _onRemoveButtonClick: function () { var nodeStart = editor.selection.getRange().getClosedNode(); var img = baidu.editor.dom.domUtils.findParentByTagName( nodeStart, "img", true ); if ( img && img.getAttribute( "anchorname" ) ) { editor.execCommand( "anchor" ); } else { editor.execCommand( 'unlink' ); } this.hide(); }, queryAutoHide: function ( el ) { if ( el && el.ownerDocument == editor.document ) { if ( el.tagName.toLowerCase() == 'img' || baidu.editor.dom.domUtils.findParentByTagName( el, 'a', true ) ) { return el !== popup.anchorEl; } } return baidu.editor.ui.Popup.prototype.queryAutoHide.call( this, el ); } } ); popup.render(); //iframe var insertframe = new baidu.editor.ui.Dialog( { iframeUrl: iframeUrlMap?editor.ui.mapUrl( iframeUrlMap.insertframe ):"", autoReset: true, draggable: true, editor: editor, className: 'edui-for-insertframe', title: '插入iframe', buttons: [ { className: 'edui-okbutton', label: '确认', onclick: function () { insertframe.close( true ); } }, { className: 'edui-cancelbutton', label: '取消', onclick: function () { insertframe.close( false ); } } ], onok: function () { }, oncancel: function () { }, onclose: function ( t, ok ) { if ( ok ) { return this.onok(); } else { return this.oncancel(); } } } ); insertframe.render(); editor.addListener( 'mouseover', function( t, evt ) { evt = evt || window.event; var el = evt.target || evt.srcElement; if ( /iframe/ig.test( el.tagName ) && editor.options.imagePopup ) { var html = popup.formatHtml( '<nobr>属性: <span onclick=$$._setIframeAlign(-2) class="edui-clickable">默认</span>&nbsp;&nbsp;<span onclick=$$._setIframeAlign(-1) class="edui-clickable">左对齐</span>&nbsp;&nbsp;<span onclick=$$._setIframeAlign(1) class="edui-clickable">右对齐</span>&nbsp;&nbsp;' + '<span onclick=$$._setIframeAlign(2) class="edui-clickable">居中</span>' + ' <span onclick="$$._updateIframe( this);" class="edui-clickable">修改</span></nobr>' ); if ( html ) { popup.getDom( 'content' ).innerHTML = html; popup.anchorEl = el; popup.showAnchor( popup.anchorEl ); } else { popup.hide(); } } } ); editor.addListener( 'selectionchange', function ( t, causeByUi ) { if ( !causeByUi ) return; var html = ''; var img = editor.selection.getRange().getClosedNode(); if ( img != null && img.tagName.toLowerCase() == 'img' ) { if ( img.getAttribute( 'anchorname' ) ) { //锚点处理 html += popup.formatHtml( '<nobr>属性: <span onclick=$$._onImgEditButtonClick(event) class="edui-clickable">修改</span>&nbsp;&nbsp;<span onclick=$$._onRemoveButtonClick(event) class="edui-clickable">删除</span></nobr>' ); } else if ( editor.options.imagePopup ) { html += popup.formatHtml( '<nobr>属性: <span onclick=$$._onImgSetFloat("none") class="edui-clickable">默认</span>&nbsp;&nbsp;<span onclick=$$._onImgSetFloat("left") class="edui-clickable">居左</span>&nbsp;&nbsp;<span onclick=$$._onImgSetFloat("right") class="edui-clickable">居右</span>&nbsp;&nbsp;' + '<span onclick=$$._onImgSetFloat("center") class="edui-clickable">居中</span>' + ' <span onclick="$$._onImgEditButtonClick(event, this);" class="edui-clickable">修改</span></nobr>' ); } } var link; if ( editor.selection.getRange().collapsed ) { link = editor.queryCommandValue( "link" ); } else { link = editor.selection.getStart(); } link = baidu.editor.dom.domUtils.findParentByTagName( link, "a", true ); var url; if ( link != null && (url = (link.getAttribute( 'data_ue_src' ) || link.getAttribute( 'href', 2 ))) != null ) { var txt = url; if ( url.length > 30 ) { txt = url.substring( 0, 20 ) + "..."; } if ( html ) { html += '<div style="height:5px;"></div>' } html += popup.formatHtml( '<nobr>链接: <a target="_blank" href="' + url + '" title="' + url + '" >' + txt + '</a>' + ' <span class="edui-clickable" onclick="$$._onEditButtonClick(event, this);">修改</span>' + ' <span class="edui-clickable" onclick="$$._onRemoveButtonClick(event, this);"> 清除</span></nobr>' ); popup.showAnchor( link ); } if ( html ) { popup.getDom( 'content' ).innerHTML = html; popup.anchorEl = img || link; popup.showAnchor( popup.anchorEl ); } else { popup.hide(); } } ); }, _initToolbars: function () { var editor = this.editor; var toolbars = this.toolbars || []; var toolbarUis = []; for ( var i = 0; i < toolbars.length; i++ ) { var toolbar = toolbars[i]; var toolbarUi = new baidu.editor.ui.Toolbar(); for ( var j = 0; j < toolbar.length; j++ ) { var toolbarItem = toolbar[j]; var toolbarItemUi = null; if ( typeof toolbarItem == 'string' ) { if ( toolbarItem == '|' ) { toolbarItem = 'Separator'; } if ( baidu.editor.ui[toolbarItem] ) { toolbarItemUi = new baidu.editor.ui[toolbarItem]( editor ); } //todo fullscreen这里单独处理一下,放到首行去 if ( toolbarItem == 'FullScreen' ) { if ( toolbarUis && toolbarUis[0] ) { toolbarUis[0].items.splice( 0, 0, toolbarItemUi ); } else { toolbarUi.items.splice( 0, 0, toolbarItemUi ); } continue; } } else { toolbarItemUi = toolbarItem; } if ( toolbarItemUi ) { toolbarUi.add( toolbarItemUi ); } } toolbarUis[i] = toolbarUi; } this.toolbars = toolbarUis; }, getHtmlTpl: function () { return '<div id="##" class="%%">' + '<div id="##_toolbarbox" class="%%-toolbarbox">' + '<div id="##_toolbarboxouter" class="%%-toolbarboxouter"><div class="%%-toolbarboxinner">' + this.renderToolbarBoxHtml() + '</div></div>' + '<div id="##_toolbarmsg" class="%%-toolbarmsg" style="display:none;">' + '<div id = "##_upload_dialog" class="%%-toolbarmsg-upload" onclick="$$.showWordImageDialog();">点此上传</div>' + '<div class="%%-toolbarmsg-close" onclick="$$.hideToolbarMsg();">x</div>' + '<div id="##_toolbarmsg_label" class="%%-toolbarmsg-label"></div>' + '<div style="height:0;overflow:hidden;clear:both;"></div>' + '</div>' + '</div>' + '<div id="##_iframeholder" class="%%-iframeholder"></div>' + //modify wdcount by matao '<div id="##_bottombar" class="%%-bottomContainer"><table><tr>' + '<td id="##_elementpath" class="%%-bottombar"></td>' + '<td id="##_wordcount" class="%%-wordcount"></td>' + '</tr></table></div>' + '</div>'; }, showWordImageDialog:function() { this.editor.execCommand( "wordimage", "word_img" ); this._dialogs['wordImageDialog'].open(); }, renderToolbarBoxHtml: function () { var buff = []; for ( var i = 0; i < this.toolbars.length; i++ ) { buff.push( this.toolbars[i].renderHtml() ); } return buff.join( '' ); }, setFullScreen: function ( fullscreen ) { if ( this._fullscreen != fullscreen ) { this._fullscreen = fullscreen; this.editor.fireEvent( 'beforefullscreenchange', fullscreen ); var editor = this.editor; if ( baidu.editor.browser.gecko ) { var bk = editor.selection.getRange().createBookmark(); } if ( fullscreen ) { this._bakHtmlOverflow = document.documentElement.style.overflow; this._bakBodyOverflow = document.body.style.overflow; this._bakAutoHeight = this.editor.autoHeightEnabled; this._bakScrollTop = Math.max( document.documentElement.scrollTop, document.body.scrollTop ); if ( this._bakAutoHeight ) { //当全屏时不能执行自动长高 editor.autoHeightEnabled = false; this.editor.disableAutoHeight(); } document.documentElement.style.overflow = 'hidden'; document.body.style.overflow = 'hidden'; this._bakCssText = this.getDom().style.cssText; this._bakCssText1 = this.getDom( 'iframeholder' ).style.cssText; this._updateFullScreen(); } else { this.getDom().style.cssText = this._bakCssText; this.getDom( 'iframeholder' ).style.cssText = this._bakCssText1; if ( this._bakAutoHeight ) { editor.autoHeightEnabled = true; this.editor.enableAutoHeight(); } document.documentElement.style.overflow = this._bakHtmlOverflow; document.body.style.overflow = this._bakBodyOverflow; window.scrollTo( 0, this._bakScrollTop ); } if ( baidu.editor.browser.gecko ) { var input = document.createElement( 'input' ); document.body.appendChild( input ); editor.body.contentEditable = false; setTimeout( function() { input.focus(); setTimeout( function() { editor.body.contentEditable = true; editor.selection.getRange().moveToBookmark( bk ).select( true ); baidu.editor.dom.domUtils.remove( input ); fullscreen && window.scroll( 0, 0 ); } ) } ) } this.editor.fireEvent( 'fullscreenchanged', fullscreen ); this.triggerLayout(); } }, _wordCount:function() { var wdcount = this.getDom( 'wordcount' ); if ( !this.editor.options.wordCount ) { wdcount.style.display = "none"; return; } wdcount.innerHTML = this.editor.queryCommandValue( "wordcount" ); }, disableWordCount: function () { var w = this.getDom( 'wordcount' ); w.innerHTML = ''; w.style.display = 'none'; this.wordcount = false; }, enableWordCount: function () { var w = this.getDom( 'wordcount' ); w.style.display = ''; this.wordcount = true; this._wordCount(); }, _updateFullScreen: function () { if ( this._fullscreen ) { var vpRect = uiUtils.getViewportRect(); this.getDom().style.cssText = 'border:0;position:absolute;left:0;top:0;width:' + vpRect.width + 'px;height:' + vpRect.height + 'px;z-index:' + (this.getDom().style.zIndex * 1 + 100); uiUtils.setViewportOffset( this.getDom(), { left: 0, top: 0 } ); this.editor.setHeight( vpRect.height - this.getDom( 'toolbarbox' ).offsetHeight - this.getDom( 'bottombar' ).offsetHeight ); } }, _updateElementPath: function () { var bottom = this.getDom( 'elementpath' ),list; if ( this.elementPathEnabled && (list = this.editor.queryCommandValue( 'elementpath' ))) { var buff = []; for ( var i = 0,ci; ci = list[i]; i++ ) { buff[i] = this.formatHtml( '<span unselectable="on" onclick="$$.editor.execCommand(&quot;elementpath&quot;, &quot;' + i + '&quot;);">' + ci + '</span>' ); } bottom.innerHTML = '<div class="edui-editor-breadcrumb" onmousedown="return false;">path: ' + buff.join( ' &gt; ' ) + '</div>'; } else { bottom.style.display = 'none' } }, disableElementPath: function () { var bottom = this.getDom( 'elementpath' ); bottom.innerHTML = ''; bottom.style.display = 'none'; this.elementPathEnabled = false; }, enableElementPath: function () { var bottom = this.getDom( 'elementpath' ); bottom.style.display = ''; this.elementPathEnabled = true; this._updateElementPath(); }, isFullScreen: function () { return this._fullscreen; }, postRender: function () { UIBase.prototype.postRender.call( this ); for ( var i = 0; i < this.toolbars.length; i++ ) { this.toolbars[i].postRender(); } var me = this; var timerId, domUtils = baidu.editor.dom.domUtils, updateFullScreenTime = function() { clearTimeout( timerId ); timerId = setTimeout( function () { me._updateFullScreen(); } ); }; domUtils.on( window, 'resize', updateFullScreenTime ); me.addListener( 'destroy', function() { domUtils.un( window, 'resize', updateFullScreenTime ); clearTimeout( timerId ); } ) }, showToolbarMsg: function ( msg, flag ) { this.getDom( 'toolbarmsg_label' ).innerHTML = msg; this.getDom( 'toolbarmsg' ).style.display = ''; // if ( !flag ) { var w = this.getDom( 'upload_dialog' ); w.style.display = 'none'; } }, hideToolbarMsg: function () { this.getDom( 'toolbarmsg' ).style.display = 'none'; }, mapUrl: function ( url ) { return url.replace( '~/', this.editor.options.UEDITOR_HOME_URL || '' ); }, triggerLayout: function () { var dom = this.getDom(); if ( dom.style.zoom == '1' ) { dom.style.zoom = '100%'; } else { dom.style.zoom = '1'; } } }; utils.inherits( EditorUI, baidu.editor.ui.UIBase ); baidu.editor.ui.Editor = function ( options ) { var editor = new baidu.editor.Editor( options ); editor.options.editor = editor; new EditorUI( editor.options ); var oldRender = editor.render; editor.render = function ( holder ) { if ( holder ) { if ( holder.constructor === String ) { holder = document.getElementById( holder ); } holder && holder.getAttribute( 'name' ) && ( editor.options.textarea = holder.getAttribute( 'name' )); if ( holder && /script|textarea/ig.test( holder.tagName ) ) { var newDiv = document.createElement( 'div' ); holder.parentNode.insertBefore( newDiv, holder ); editor.options.initialContent = holder.value || holder.innerHTML; holder.id && (newDiv.id = holder.id); holder.className && (newDiv.className = holder.className); holder.style.cssText && (newDiv.style.cssText = holder.style.cssText); holder.parentNode.removeChild( holder ); holder = newDiv; holder.innerHTML = ''; } } editor.ui.render( holder ); var iframeholder = editor.ui.getDom( 'iframeholder' ); //给实例添加一个编辑器的容器引用 editor.container = editor.ui.getDom(); editor.container.style.zIndex = editor.options.zIndex; oldRender.call( editor, iframeholder ); }; return editor; }; })(); ///import core ///import uicore ///commands 表情 (function(){ var utils = baidu.editor.utils, Popup = baidu.editor.ui.Popup, SplitButton = baidu.editor.ui.SplitButton, MultiMenuPop = baidu.editor.ui.MultiMenuPop = function(options){ this.initOptions(options); this.initMultiMenu(); }; MultiMenuPop.prototype = { initMultiMenu: function (){ var me = this; this.popup = new Popup({ content: '', editor : me.editor, iframe_rendered: false, onshow: function (){ if (!this.iframe_rendered) { this.iframe_rendered = true; this.getDom('content').innerHTML = '<iframe id="'+me.id+'_iframe" src="'+ me.iframeUrl +'" frameborder="0"></iframe>'; me.editor.container.style.zIndex && (this.getDom().style.zIndex = me.editor.container.style.zIndex * 1 + 1); } } // canSideUp:false, // canSideLeft:false }); this.onbuttonclick = function(){ this.showPopup(); }; this.initSplitButton(); } }; utils.inherits(MultiMenuPop, SplitButton); })(); })();
JavaScript
/** * ueditor完整配置项 * 可以在这里配置整个编辑器的特性 */ (function () { //这里你可以配置成ueditor目录在您网站中与根目录之间的相对路径或者绝对路径(指以http开头的绝对路径) //window.UEDITOR_HOME_URL可以在外部配置,这里就不用配置了 //场景:如果你有多个页面使用同一目录下的editor,因为路径不同,所以在使用editor的页面上配置这个路径写在这个js外边 //var URL = window.UEDITOR_HOME_URL || '../'; var tmp = window.location.pathname, URL = window.UEDITOR_HOME_URL||tmp.substr(0,tmp.lastIndexOf("\/")+1).replace("_examples/","").replace("website/","");//这里你可以配置成ueditor目录在您网站的相对路径或者绝对路径(指以http开头的绝对路径) UEDITOR_CONFIG = { imagePath:"", //图片文件夹所在的路径,用于显示时修正后台返回的图片url!具体图片保存路径需要在后台设置。!important compressSide:0, //等比压缩的基准,确定maxImageSideLength参数的参照对象。0为按照最长边,1为按照宽度,2为按照高度 maxImageSideLength:900, //上传图片最大允许的边长,超过会自动等比缩放,不缩放就设置一个比较大的值 relativePath:true, //是否开启相对路径。开启状态下所有本地图片的路径都将以相对路径形式进行保存.强烈建议开启! filePath:"", //附件文件夹保存路径 catchRemoteImageEnable:true, //是否开启远程图片抓取 catcherUrl:URL +"server/submit/php/getRemoteImage.php", //处理远程图片抓取的地址 localDomain:"baidu.com", //本地顶级域名,当开启远程图片抓取时,除此之外的所有其它域名下的图片都将被抓取到本地 imageManagerPath:URL + "server/submit/php/imageManager.php", //图片在线浏览的处理地址 UEDITOR_HOME_URL:URL, //为editor添加一个全局路径 //工具栏上的所有的功能按钮和下拉框,可以在new编辑器的实例时选择自己需要的从新定义 toolbars:[ ['FullScreen', 'Source', '|', 'Undo', 'Redo', '|', 'Bold', 'Italic', 'Underline', 'StrikeThrough', 'Superscript', 'Subscript', 'RemoveFormat', 'FormatMatch','AutoTypeSet', '|', 'BlockQuote', '|', 'PastePlain', '|', 'ForeColor', 'BackColor', 'InsertOrderedList', 'InsertUnorderedList','SelectAll', 'ClearDoc', '|', 'CustomStyle', 'Paragraph', '|','RowSpacingTop', 'RowSpacingBottom','LineHeight', '|','FontFamily', 'FontSize', '|', 'DirectionalityLtr', 'DirectionalityRtl', '|', '', 'Indent', '|', 'JustifyLeft', 'JustifyCenter', 'JustifyRight', 'JustifyJustify', '|', 'Link', 'Unlink', 'Anchor', '|', 'ImageNone', 'ImageLeft', 'ImageRight', 'ImageCenter', '|', 'InsertImage', 'Emotion', 'InsertVideo', 'Attachment', 'Map', 'GMap', 'InsertFrame', 'PageBreak', 'HighlightCode', '|', 'Horizontal', 'Date', 'Time', 'Spechars','SnapScreen', 'WordImage', '|', 'InsertTable', 'DeleteTable', 'InsertParagraphBeforeTable', 'InsertRow', 'DeleteRow', 'InsertCol', 'DeleteCol', 'MergeCells', 'MergeRight', 'MergeDown', 'SplittoCells', 'SplittoRows', 'SplittoCols', '|', 'Print', 'Preview', 'SearchReplace','Help'] ], //当鼠标放在工具栏上时显示的tooltip提示 labelMap:{ 'anchor':'锚点', 'undo':'撤销', 'redo':'重做', 'bold':'加粗', 'indent':'首行缩进','snapscreen': '截图', 'italic':'斜体', 'underline':'下划线', 'strikethrough':'删除线', 'subscript':'下标', 'superscript':'上标', 'formatmatch':'格式刷', 'source':'源代码', 'blockquote':'引用', 'pasteplain':'纯文本粘贴模式', 'selectall':'全选', 'print':'打印', 'preview':'预览', 'horizontal':'分隔线', 'removeformat':'清除格式', 'time':'时间', 'date':'日期', 'unlink':'取消链接', 'insertrow':'前插入行', 'insertcol':'前插入列', 'mergeright':'右合并单元格', 'mergedown':'下合并单元格', 'deleterow':'删除行', 'deletecol':'删除列', 'splittorows':'拆分成行', 'splittocols':'拆分成列', 'splittocells':'完全拆分单元格', 'mergecells':'合并多个单元格', 'deletetable':'删除表格', 'insertparagraphbeforetable':'表格前插行', 'cleardoc':'清空文档', 'fontfamily':'字体', 'fontsize':'字号', 'paragraph':'段落格式', 'insertimage':'图片', 'inserttable':'表格', 'link':'超链接', 'emotion':'表情', 'spechars':'特殊字符', 'searchreplace':'查询替换', 'map':'Baidu地图', 'gmap':'Google地图', 'insertvideo':'视频', 'help':'帮助', 'justifyleft':'居左对齐', 'justifyright':'居右对齐', 'justifycenter':'居中对齐', 'justifyjustify':'两端对齐', 'forecolor':'字体颜色', 'backcolor':'背景色', 'insertorderedlist':'有序列表', 'insertunorderedlist':'无序列表', 'fullscreen':'全屏', 'directionalityltr':'从左向右输入', 'directionalityrtl':'从右向左输入', 'RowSpacingTop':'段前距', 'RowSpacingBottom':'段后距','highlightcode':'插入代码', 'pagebreak':'分页', 'insertframe':'插入Iframe', 'imagenone':'默认', 'imageleft':'左浮动', 'imageright':'右浮动','attachment':'附件', 'imagecenter':'居中', 'wordimage':'图片转存', 'lineheight':'行间距', 'customstyle':'自定义标题','autotypeset': '自动排版' }, //dialog内容的路径 ~会被替换成URL iframeUrlMap:{ 'anchor':'~/dialogs/anchor/anchor.html', 'insertimage':'~/dialogs/image/image.html', 'inserttable':'~/dialogs/table/table.html', 'link':'~/dialogs/link/link.html', 'spechars':'~/dialogs/spechars/spechars.html', 'searchreplace':'~/dialogs/searchreplace/searchreplace.html', 'map':'~/dialogs/map/map.html', 'gmap':'~/dialogs/gmap/gmap.html', 'insertvideo':'~/dialogs/video/video.html', 'help':'~/dialogs/help/help.html', 'highlightcode':'~/dialogs/code/code.html', 'emotion':'~/dialogs/emotion/emotion.html', 'wordimage':'~/dialogs/wordimage/wordimage.html', 'attachment':'~/dialogs/attachment/attachment.html', 'insertframe':'~/dialogs/insertframe/insertframe.html', 'edittd':'~/dialogs/table/edittd.html', 'snapscreen': '~/dialogs/snapscreen/snapscreen.html' }, //所有的的下拉框显示的内容 listMap:{ //字体 'fontfamily':['宋体', '楷体', '隶书', '黑体', 'andale mono', 'arial', 'arial black', 'comic sans ms', 'impact', 'times new roman'], //字号 'fontsize':[10, 11, 12, 14, 16, 18, 20, 24, 36], //段落格式 值:显示的名字 'paragraph':['p:段落', 'h1:标题 1', 'h2:标题 2', 'h3:标题 3', 'h4:标题 4', 'h5:标题 5', 'h6:标题 6'], //段间距 值和显示的名字相同 'rowspacing':['5', '10', '15', '20', '25'], //行内间距 值和显示的名字相同 'lineheight':['1', '1.5','1.75','2', '3', '4', '5'], //block的元素是依据设置段落的逻辑设置的,inline的元素依据BIU的逻辑设置 //尽量使用一些常用的标签 //参数说明 //tag 使用的标签名字 //label 显示的名字也是用来标识不同类型的标识符,注意这个值每个要不同, //style 添加的样式 //每一个对象就是一个自定义的样式 'customstyle':[ {tag:'h1', label:'居中标题', style:'border-bottom:#ccc 2px solid;padding:0 4px 0 0;text-align:center;margin:0 0 20px 0;'}, {tag:'h1', label:'居左标题', style:'border-bottom:#ccc 2px solid;padding:0 4px 0 0;margin:0 0 10px 0;'}, {tag:'span', label:'强调', style:'font-style:italic;font-weight:bold;color:#000'}, {tag:'span', label:'明显强调', style:'font-style:italic;font-weight:bold;color:rgb(51, 153, 204)'} ] }, //字体对应的style值 fontMap:{ '宋体':['宋体', 'SimSun'], '楷体':['楷体', '楷体_GB2312', 'SimKai'], '黑体':['黑体', 'SimHei'], '隶书':['隶书', 'SimLi'], 'andale mono':['andale mono'], 'arial':['arial', 'helvetica', 'sans-serif'], 'arial black':['arial black', 'avant garde'], 'comic sans ms':['comic sans ms'], 'impact':['impact', 'chicago'], 'times new roman':['times new roman'] }, //定义了右键菜单的内容 contextMenu:[ { label:'删除', cmdName:'delete' }, { label:'全选', cmdName:'selectall' }, { label:'删除代码', cmdName:'highlightcode', icon:'deletehighlightcode' }, { label:'清空文档', cmdName:'cleardoc', exec:function () { if ( confirm( '确定清空文档吗?' ) ) { this.execCommand( 'cleardoc' ); } } }, '-', { label:'取消链接', cmdName:'unlink' }, '-', { group:'段落格式', icon:'justifyjustify', subMenu:[ { label:'居左对齐', cmdName:'justify', value:'left' }, { label:'居右对齐', cmdName:'justify', value:'right' }, { label:'居中对齐', cmdName:'justify', value:'center' }, { label:'两端对齐', cmdName:'justify', value:'justify' } ] }, '-', { label:'表格属性', cmdName:'edittable', exec:function () { this.tableDialog.open(); } }, { label:'单元格属性', cmdName:'edittd', exec:function () { this.ui._dialogs['tdDialog'].open(); } }, { group:'表格', icon:'table', subMenu:[ { label:'删除表格', cmdName:'deletetable' }, { label:'表格前插行', cmdName:'insertparagraphbeforetable' }, '-', { label:'删除行', cmdName:'deleterow' }, { label:'删除列', cmdName:'deletecol' }, '-', { label:'前插入行', cmdName:'insertrow' }, { label:'前插入列', cmdName:'insertcol' }, '-', { label:'右合并单元格', cmdName:'mergeright' }, { label:'下合并单元格', cmdName:'mergedown' }, '-', { label:'拆分成行', cmdName:'splittorows' }, { label:'拆分成列', cmdName:'splittocols' }, { label:'合并多个单元格', cmdName:'mergecells' }, { label:'完全拆分单元格', cmdName:'splittocells' } ] }, { label:'复制(ctrl+c)', cmdName:'copy', exec:function () { alert( "请使用ctrl+c进行复制" ); } }, { label:'粘贴(ctrl+v)', cmdName:'paste', exec:function () { alert( "请使用ctrl+v进行粘贴" ); } } ], initialStyle://编辑器内部样式 //选中的td上的样式 '.selectTdClass{background-color:#3399FF !important}' + //插入的表格的默认样式 'table{clear:both;margin-bottom:10px;border-collapse:collapse;word-break:break-all;}' + //分页符的样式 '.pagebreak{display:block;clear:both !important;cursor:default !important;width: 100% !important;margin:0;}' + //锚点的样式,注意这里背景图的路径 '.anchorclass{background: url("' + URL + 'themes/default/images/anchor.gif") no-repeat scroll left center transparent;border: 1px dotted #0000FF;cursor: auto;display: inline-block;height: 16px;width: 15px;}' + //设置四周的留边 '.view{padding:0;word-wrap:break-word;word-break:break-all;cursor:text;height:100%;}\n' + 'body{margin:8px;font-family:"宋体";font-size:16px;}' + //针对li的处理 'li{clear:both}' + //设置段落间距 'p{margin:5px 0;}', //初始化编辑器的内容,也可以通过textarea/script给值,看官网例子 initialContent:'', autoClearinitialContent:false, //是否自动清除编辑器初始内容,注意:如果focus属性设置为true,这个也为真,那么编辑器一上来就会触发导致初始化的内容看不到了 iframeCssUrl:'themes/default/iframe.css', //要引入css的url removeFormatTags:'b,big,code,del,dfn,em,font,i,ins,kbd,q,samp,small,span,strike,strong,sub,sup,tt,u,var', //清除格式删除的标签 removeFormatAttributes:'class,style,lang,width,height,align,hspace,valign', //清除格式删除的属性 enterTag:'p', //编辑器回车标签。p或br maxUndoCount:20, //最多可以回退的次数 maxInputCount:20, //当输入的字符数超过该值时,保存一次现场 selectedTdClass:'selectTdClass', //设定选中td的样式名称 pasteplain:false, //是否纯文本粘贴。false为不使用纯文本粘贴,true为使用纯文本粘贴 //提交表单时,服务器获取编辑器提交内容的所用的参数,多实例时可以给容器name属性,会将name给定的值最为每个实例的键值,不用每次实例化的时候都设置这个值 textarea:'editorValue', focus:false, //初始化时,是否让编辑器获得焦点true或false indentValue:'2em', //初始化时,首行缩进距离 pageBreakTag:'_baidu_page_break_tag_', //分页符 minFrameHeight:320, //最小高度 autoHeightEnabled:true, //是否自动长高 autoFloatEnabled:false, //是否保持toolbar的位置不动 浮动 elementPathEnabled:true, //是否启用elementPath wordCount:true, //是否开启字数统计 maximumWords:10000, //允许的最大字符数 tabSize:4, //tab的宽度 tabNode:'&nbsp;', //tab时的单一字符 imagePopup:true, //图片操作的浮层开关,默认打开 emotionLocalization:false, //是否开启表情本地化,默认关闭。若要开启请确保emotion文件夹下包含官网提供的images表情文件夹 sourceEditor:"codemirror", //源码的查看方式,codemirror 是代码高亮,textarea是文本框 tdHeight:'20', //单元格的默认高度 highlightJsUrl:URL + "third-party/SyntaxHighlighter/shCore.js", highlightCssUrl:URL + "third-party/SyntaxHighlighter/shCoreDefault.css", codeMirrorJsUrl:URL + "third-party/codemirror2.15/codemirror.js", codeMirrorCssUrl:URL + "third-party/codemirror2.15/codemirror.css", zIndex : 999, //编辑器z-index的基数 fullscreen : false, //是否上来就是全屏 snapscreenHost: '127.0.0.1', //屏幕截图的server端文件所在的网站地址或者ip,请不要加http:// snapscreenServerFile: URL +"server/upload/php/snapImgUp.php", //屏幕截图的server端保存程序,UEditor的范例代码为“URL +"server/upload/php/snapImgUp.php"” snapscreenServerPort: 80,//屏幕截图的server端端口 snapscreenImgAlign: 'center', //截图的图片默认的排版方式 snapscreenImgIsUseImagePath: 1, //是否使用上面定义的imagepath,如果为否,那么server端需要直接返回图片的完整路径 messages:{ pasteMsg:'编辑器已过滤掉您粘贴内容中不支持的格式!', //粘贴提示 wordCountMsg:'当前已输入 {#count} 个字符,您还可以输入{#leave} 个字符 ', //字数统计提示,{#count}代表当前字数,{#leave}代表还可以输入多少字符数。 wordOverFlowMsg:'你输入的字符个数已经超出最大允许值,服务器可能会拒绝保存!', //超出字数限制 pasteWordImgMsg:'您粘贴的内容中包含本地图片,需要转存后才能正确显示!', snapScreenNotIETip: '截图功能需要在ie浏览器下使用', snapScreenMsg:'截图上传失败,请检查你的PHP环境。 ' }, serialize:function () { //配置过滤标签 // var X = baidu.editor.utils.extend; // var inline = {strong:1,em:1,b:1,i:1,u:1,span:1,a:1,img:1}; // var block = X(inline, {p:1,div:1,blockquote:1,$:{style:1,dir:1}}); return { //编辑器中不能够插入的标签,如果想插入那些标签可以去掉相应的标签名 blackList:{style:1, link:1, object:1, applet:1, input:1, meta:1, base:1, button:1, select:1, textarea:1, '#comment':1, 'map':1, 'area':1} // whiteList: { // div: X(block,{$:{style:1,'class':1}}), // img: {$:{style:1,src:1,title:1,'data-imgref':1, 'data-refid':1, 'class':1}}, // a: X(inline, {$:{href:1}, a:0, sup:0}), // strong: inline, em: inline, b: inline, i: inline, // p: block, // span: X(inline, {br:1,$:{style:1,id:1,highlight:1}} // } }; }(), //下来框默认显示的内容 ComboxInitial:{ FONT_FAMILY:'字体', FONT_SIZE:'字号', PARAGRAPH:'段落格式', CUSTOMSTYLE:'自定义样式' }, //自动排版参数 autotypeset:{ mergeEmptyline : true, //合并空行 removeClass : true, //去掉冗余的class removeEmptyline : false, //去掉空行 textAlign : "left", //段落的排版方式,可以是 left,right,center,justify 去掉这个属性表示不执行排版 imageBlockLine : 'center', //图片的浮动方式,独占一行剧中,左右浮动,默认: center,left,right,none 去掉这个属性表示不执行排版 pasteFilter : false, //根据规则过滤没事粘贴进来的内容 clearFontSize : false, //去掉所有的内嵌字号,使用编辑器默认的字号 clearFontFamily : false, //去掉所有的内嵌字体,使用编辑器默认的字体 removeEmptyNode : false, // 去掉空节点 //可以去掉的标签 removeTagNames : {div:1,a:1,abbr:1,acronym:1,address:1,b:1,bdo:1,big:1,cite:1,code:1,del:1,dfn:1,em:1,font:1,i:1,ins:1,label:1,kbd:1,q:1,s:1,samp:1,small:1,span:1,strike:1,strong:1,sub:1,sup:1,tt:1,u:1,'var':1}, indent : false, // 行首缩进 indentValue : '2em' //行首缩进的大小 } }; })();
JavaScript
/** * Created by JetBrains PhpStorm. * User: taoqili * Date: 12-2-20 * Time: 上午11:19 * To change this template use File | Settings | File Templates. */ var video = {}; (function(){ video.init = function(){ switchTab("videoTab"); createAlignButton( ["videoFloat"] ); addUrlChangeListener($G("videoUrl")); addOkListener(); addSearchListener(); //编辑视频时初始化相关信息 (function(){ var img = editor.selection.getRange().getClosedNode(),url; if(img && img.className == "edui-faked-video"){ $G("videoUrl").value = url = img.getAttribute("_url"); $G("videoWidth").value = img.width; $G("videoHeight").value = img.height; updateAlignButton(img.getAttribute("align")); } createPreviewVideo(url); })(); }; /** * 监听确认和取消两个按钮事件,用户执行插入或者清空正在播放的视频实例操作 */ function addOkListener(){ dialog.onok = function(){ $G("preview").innerHTML = ""; var currentTab = findFocus("tabHeads","tabSrc"); switch(currentTab){ case "video": return insertSingle(); break; case "videoSearch": return insertSearch("searchList"); break; } }; dialog.oncancel = function(){ $G("preview").innerHTML = ""; }; } function selectTxt(node){ if(node.select){ node.select(); }else{ var r = node.createTextRange && node.createTextRange(); r.select(); } } /** * 依据传入的align值更新按钮信息 * @param align */ function updateAlignButton( align ) { var aligns = $G( "videoFloat" ).children; for ( var i = 0, ci; ci = aligns[i++]; ) { if ( ci.getAttribute( "name" ) == align ) { if ( ci.className !="focus" ) { ci.className = "focus"; } } else { if ( ci.className =="focus" ) { ci.className = ""; } } } } /** * 将单个视频信息插入编辑器中 */ function insertSingle(){ var width = $G("videoWidth"), height = $G("videoHeight"), url=$G('videoUrl').value, align = findFocus("videoFloat","name"); if(!url) return false; if ( !checkNum( [width, height] ) ) return false; editor.execCommand('insertvideo', { url: convert_url(url), width: width.value, height: height.value, align: align }); } /** * 将元素id下的所有代表视频的图片插入编辑器中 * @param id */ function insertSearch(id){ var imgs = domUtils.getElementsByTagName($G(id),"img"), videoObjs=[]; for(var i=0,img; img=imgs[i++];){ if(img.getAttribute("selected")){ videoObjs.push({ url:img.getAttribute("ue_video_url"), width:420, height:280, align:"none" }); } } editor.execCommand('insertvideo',videoObjs); } /** * 找到id下具有focus类的节点并返回该节点下的某个属性 * @param id * @param returnProperty */ function findFocus( id, returnProperty ) { var tabs = $G( id ).children, property; for ( var i = 0, ci; ci = tabs[i++]; ) { if ( ci.className=="focus" ) { property = ci.getAttribute( returnProperty ); break; } } return property; } function convert_url(s){ return s.replace(/http:\/\/www\.tudou\.com\/programs\/view\/([\w\-]+)\/?/i,"http://www.tudou.com/v/$1") .replace(/http:\/\/www\.youtube\.com\/watch\?v=([\w\-]+)/i,"http://www.youtube.com/v/$1") .replace(/http:\/\/v\.youku\.com\/v_show\/id_([\w\-=]+)\.html/i,"http://player.youku.com/player.php/sid/$1") .replace(/http:\/\/www\.56\.com\/u\d+\/v_([\w\-]+)\.html/i, "http://player.56.com/v_$1.swf") .replace(/http:\/\/www.56.com\/w\d+\/play_album\-aid\-\d+_vid\-([^.]+)\.html/i, "http://player.56.com/v_$1.swf") .replace(/http:\/\/v\.ku6\.com\/.+\/([^.]+)\.html/i, "http://player.ku6.com/refer/$1/v.swf"); } /** * 检测传入的所有input框中输入的长宽是否是正数 * @param nodes input框集合, */ function checkNum( nodes ) { for ( var i = 0, ci; ci = nodes[i++]; ) { var value = ci.value; if ( !isNumber( value ) && value) { alert( "请输入正确的长度或者宽度值!例如:123,400" ); ci.value = ""; ci.focus(); return false; } } return true; } /** * 数字判断 * @param value */ function isNumber( value ) { return /(0|^[1-9]\d*$)/.test( value ); } /** * tab切换 * @param tabParentId * @param keepFocus 当此值为真时,切换按钮上会保留focus的样式 */ function switchTab( tabParentId,keepFocus ) { var tabElements = $G( tabParentId ).children, tabHeads = tabElements[0].children, tabBodys = tabElements[1].children; for ( var i = 0, length = tabHeads.length; i < length; i++ ) { var head = tabHeads[i]; domUtils.on( head, "click", function () { //head样式更改 for ( var k = 0, len = tabHeads.length; k < len; k++ ) { if(!keepFocus)tabHeads[k].className = ""; } this.className = "focus"; //body显隐 var tabSrc = this.getAttribute( "tabSrc" ); for ( var j = 0, length = tabBodys.length; j < length; j++ ) { var body = tabBodys[j], id = body.getAttribute( "id" ); if ( id == tabSrc ) { body.style.display = ""; if(id=="videoSearch"){ selectTxt($G("videoSearchTxt")); } if(id=="video"){ selectTxt($G("videoUrl")); } } else { body.style.display = "none"; } } } ); } } /** * 创建图片浮动选择按钮 * @param ids */ function createAlignButton( ids ) { for ( var i = 0, ci; ci = ids[i++]; ) { var floatContainer = $G( ci ), nameMaps = {"none":"默认", "left":"左浮动", "right":"右浮动", "center":"独占一行"}; for ( var j in nameMaps ) { var div = document.createElement( "div" ); div.setAttribute( "name", j ); if ( j == "none" ) div.className="focus"; div.style.cssText = "background:url(../../themes/default/images/" + j + "_focus.jpg);"; div.setAttribute( "title", nameMaps[j] ); floatContainer.appendChild( div ); } switchSelect( ci ); } } /** * 选择切换 * @param selectParentId */ function switchSelect( selectParentId ) { var selects = $G( selectParentId ).children; for ( var i = 0, ci; ci = selects[i++]; ) { domUtils.on( ci, "click", function () { for ( var j = 0, cj; cj = selects[j++]; ) { cj.className = ""; cj.removeAttribute && cj.removeAttribute( "class" ); } this.className = "focus"; } ) } } /** * 监听url改变事件 * @param url */ function addUrlChangeListener(url){ if (browser.ie) { url.onpropertychange = function () { createPreviewVideo( this.value ); } } else { url.addEventListener( "input", function () { createPreviewVideo( this.value ); }, false ); } } /** * 根据url生成视频预览 * @param url */ function createPreviewVideo(url){ if ( !url )return; if(!endWith(url,[".swf",".flv",".wmv"])){ $G("preview").innerHTML = "您输入的视频地址有误,请检查后确认!"; return; } $G("preview").innerHTML = '<embed type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer"' + ' src="' + url + '"' + ' width="' + 420 + '"' + ' height="' + 280 + '"' + ' wmode="transparent" play="true" loop="false" menu="false" allowscriptaccess="never" allowfullscreen="true" ></embed>'; } /** * 末尾字符检测 * @param str * @param endStrArr */ function endWith(str,endStrArr){ for(var i=0,len = endStrArr.length;i<len;i++){ var tmp = endStrArr[i]; if(str.length - tmp.length<0) return false; if(str.substring(str.length-tmp.length)==tmp){ return true; } } return false; } /** * ajax获取视频信息 */ function getMovie(){ var keywordInput = $G("videoSearchTxt"); if(!keywordInput.getAttribute("hasClick") ||!keywordInput.value){ selectTxt(keywordInput); return; } $G( "searchList" ).innerHTML = " &nbsp;视频加载中,请稍后……"; var keyword = keywordInput.value, type = $G("videoType").value, str=""; ajax.request(editor.options.UEDITOR_HOME_URL +"server/submit/php/getMovie.php",{ searchKey:keyword, videoType:type, onsuccess:function(xhr){ try{ var info = eval("("+xhr.responseText+")"); }catch(e){ return; } var videos = info.multiPageResult.results; var html=["<table width='530'>"]; for(var i=0,ci;ci = videos[i++];){ html.push( "<tr>" + "<td><img title='单击选中视频' ue_video_url='"+ci.outerPlayerUrl+"' alt='"+ci.tags+"' width='106' height='80' src='"+ci.picUrl+"' /> </td>" + "<td>" + "<p><a target='_blank' title='访问源视频' href='"+ci.itemUrl+"'>"+ci.title.substr(0,30)+"</a></p>" + "<p style='height: 62px;line-height: 20px' title='"+ci.description+"'> "+ ci.description.substr(0,95) +" </p>" + "</td>" + "</tr>" ); } html.push("</table>"); $G("searchList").innerHTML = str = html.length ==2 ?" &nbsp; &nbsp;抱歉,未搜到任何相关视频!" : html.join(""); var imgs = domUtils.getElementsByTagName($G("searchList"),"img"); if(!imgs)return; for(var i=0,img;img = imgs[i++];){ domUtils.on(img,"click",function(){ changeSelected(this); }) } } }); } /** * 改变对象o的选中状态 * @param o */ function changeSelected(o){ if ( o.getAttribute( "selected" ) ) { o.removeAttribute( "selected" ); o.style.cssText = "filter:alpha(Opacity=100);-moz-opacity:1;opacity: 1;border: 2px solid #fff"; } else { o.setAttribute( "selected", "true" ); o.style.cssText = "filter:alpha(Opacity=50);-moz-opacity:0.5;opacity: 0.5;border:2px solid blue;"; } } /** * 视频搜索相关注册事件 */ function addSearchListener(){ domUtils.on($G("videoSearchBtn"),"click",getMovie); domUtils.on($G( "videoSearchTxt" ),"click",function () { if ( this.value == "请输入搜索关键词" ) { this.value = ""; } this.setAttribute("hasClick","true"); selectTxt(this); }); $G( "videoSearchTxt" ).onkeyup = function(){ this.setAttribute("hasClick","true"); this.onkeyup = null; }; domUtils.on($G( "videoSearchReset" ),"click",function () { var txt = $G( "videoSearchTxt" ); txt.value = ""; selectTxt(txt); $G( "searchList" ).innerHTML = ""; }); domUtils.on($G( "videoType" ),"change", getMovie); domUtils.on($G( "videoSearchTxt" ), "keyup", function ( evt ) { if ( evt.keyCode == 13 ) { getMovie(); } } ) } })();
JavaScript
// Copyright (c) 2009, Baidu Inc. All rights reserved. // // Licensed under the BSD License // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http:// tangram.baidu.com/license.html // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @namespace T Tangram七巧板 * @name T * @version 1.6.0 */ /** * 声明baidu包 * @author: allstar, erik, meizz, berg */ var T, baidu = T = baidu || {version: "1.5.0"}; baidu.guid = "$BAIDU$"; baidu.$$ = window[baidu.guid] = window[baidu.guid] || {global:{}}; /** * 使用flash资源封装的一些功能 * @namespace baidu.flash */ baidu.flash = baidu.flash || {}; /** * 操作dom的方法 * @namespace baidu.dom */ baidu.dom = baidu.dom || {}; /** * 从文档中获取指定的DOM元素 * @name baidu.dom.g * @function * @grammar baidu.dom.g(id) * @param {string|HTMLElement} id 元素的id或DOM元素. * @shortcut g,T.G * @meta standard * @see baidu.dom.q * * @return {HTMLElement|null} 获取的元素,查找不到时返回null,如果参数不合法,直接返回参数. */ baidu.dom.g = function(id) { if (!id) return null; if ('string' == typeof id || id instanceof String) { return document.getElementById(id); } else if (id.nodeName && (id.nodeType == 1 || id.nodeType == 9)) { return id; } return null; }; baidu.g = baidu.G = baidu.dom.g; /** * 操作数组的方法 * @namespace baidu.array */ baidu.array = baidu.array || {}; /** * 遍历数组中所有元素 * @name baidu.array.each * @function * @grammar baidu.array.each(source, iterator[, thisObject]) * @param {Array} source 需要遍历的数组 * @param {Function} iterator 对每个数组元素进行调用的函数,该函数有两个参数,第一个为数组元素,第二个为数组索引值,function (item, index)。 * @param {Object} [thisObject] 函数调用时的this指针,如果没有此参数,默认是当前遍历的数组 * @remark * each方法不支持对Object的遍历,对Object的遍历使用baidu.object.each 。 * @shortcut each * @meta standard * * @returns {Array} 遍历的数组 */ baidu.each = baidu.array.forEach = baidu.array.each = function (source, iterator, thisObject) { var returnValue, item, i, len = source.length; if ('function' == typeof iterator) { for (i = 0; i < len; i++) { item = source[i]; returnValue = iterator.call(thisObject || source, item, i); if (returnValue === false) { break; } } } return source; }; /** * 对语言层面的封装,包括类型判断、模块扩展、继承基类以及对象自定义事件的支持。 * @namespace baidu.lang */ baidu.lang = baidu.lang || {}; /** * 判断目标参数是否为function或Function实例 * @name baidu.lang.isFunction * @function * @grammar baidu.lang.isFunction(source) * @param {Any} source 目标参数 * @version 1.2 * @see baidu.lang.isString,baidu.lang.isObject,baidu.lang.isNumber,baidu.lang.isArray,baidu.lang.isElement,baidu.lang.isBoolean,baidu.lang.isDate * @meta standard * @returns {boolean} 类型判断结果 */ baidu.lang.isFunction = function (source) { return '[object Function]' == Object.prototype.toString.call(source); }; /** * 判断目标参数是否string类型或String对象 * @name baidu.lang.isString * @function * @grammar baidu.lang.isString(source) * @param {Any} source 目标参数 * @shortcut isString * @meta standard * @see baidu.lang.isObject,baidu.lang.isNumber,baidu.lang.isArray,baidu.lang.isElement,baidu.lang.isBoolean,baidu.lang.isDate * * @returns {boolean} 类型判断结果 */ baidu.lang.isString = function (source) { return '[object String]' == Object.prototype.toString.call(source); }; baidu.isString = baidu.lang.isString; /** * 判断浏览器类型和特性的属性 * @namespace baidu.browser */ baidu.browser = baidu.browser || {}; /** * 判断是否为opera浏览器 * @property opera opera版本号 * @grammar baidu.browser.opera * @meta standard * @see baidu.browser.ie,baidu.browser.firefox,baidu.browser.safari,baidu.browser.chrome * @returns {Number} opera版本号 */ /** * opera 从10开始不是用opera后面的字符串进行版本的判断 * 在Browser identification最后添加Version + 数字进行版本标识 * opera后面的数字保持在9.80不变 */ baidu.browser.opera = /opera(\/| )(\d+(\.\d+)?)(.+?(version\/(\d+(\.\d+)?)))?/i.test(navigator.userAgent) ? + ( RegExp["\x246"] || RegExp["\x242"] ) : undefined; /** * 在目标元素的指定位置插入HTML代码 * @name baidu.dom.insertHTML * @function * @grammar baidu.dom.insertHTML(element, position, html) * @param {HTMLElement|string} element 目标元素或目标元素的id * @param {string} position 插入html的位置信息,取值为beforeBegin,afterBegin,beforeEnd,afterEnd * @param {string} html 要插入的html * @remark * * 对于position参数,大小写不敏感<br> * 参数的意思:beforeBegin&lt;span&gt;afterBegin this is span! beforeEnd&lt;/span&gt; afterEnd <br /> * 此外,如果使用本函数插入带有script标签的HTML字符串,script标签对应的脚本将不会被执行。 * * @shortcut insertHTML * @meta standard * * @returns {HTMLElement} 目标元素 */ baidu.dom.insertHTML = function (element, position, html) { element = baidu.dom.g(element); var range,begin; if (element.insertAdjacentHTML && !baidu.browser.opera) { element.insertAdjacentHTML(position, html); } else { range = element.ownerDocument.createRange(); position = position.toUpperCase(); if (position == 'AFTERBEGIN' || position == 'BEFOREEND') { range.selectNodeContents(element); range.collapse(position == 'AFTERBEGIN'); } else { begin = position == 'BEFOREBEGIN'; range[begin ? 'setStartBefore' : 'setEndAfter'](element); range.collapse(begin); } range.insertNode(range.createContextualFragment(html)); } return element; }; baidu.insertHTML = baidu.dom.insertHTML; /** * 操作flash对象的方法,包括创建flash对象、获取flash对象以及判断flash插件的版本号 * @namespace baidu.swf */ baidu.swf = baidu.swf || {}; /** * 浏览器支持的flash插件版本 * @property version 浏览器支持的flash插件版本 * @grammar baidu.swf.version * @return {String} 版本号 * @meta standard */ baidu.swf.version = (function () { var n = navigator; if (n.plugins && n.mimeTypes.length) { var plugin = n.plugins["Shockwave Flash"]; if (plugin && plugin.description) { return plugin.description .replace(/([a-zA-Z]|\s)+/, "") .replace(/(\s)+r/, ".") + ".0"; } } else if (window.ActiveXObject && !window.opera) { for (var i = 12; i >= 2; i--) { try { var c = new ActiveXObject('ShockwaveFlash.ShockwaveFlash.' + i); if (c) { var version = c.GetVariable("$version"); return version.replace(/WIN/g,'').replace(/,/g,'.'); } } catch(e) {} } } })(); /** * 操作字符串的方法 * @namespace baidu.string */ baidu.string = baidu.string || {}; /** * 对目标字符串进行html编码 * @name baidu.string.encodeHTML * @function * @grammar baidu.string.encodeHTML(source) * @param {string} source 目标字符串 * @remark * 编码字符有5个:&<>"' * @shortcut encodeHTML * @meta standard * @see baidu.string.decodeHTML * * @returns {string} html编码后的字符串 */ baidu.string.encodeHTML = function (source) { return String(source) .replace(/&/g,'&amp;') .replace(/</g,'&lt;') .replace(/>/g,'&gt;') .replace(/"/g, "&quot;") .replace(/'/g, "&#39;"); }; baidu.encodeHTML = baidu.string.encodeHTML; /** * 创建flash对象的html字符串 * @name baidu.swf.createHTML * @function * @grammar baidu.swf.createHTML(options) * * @param {Object} options 创建flash的选项参数 * @param {string} options.id 要创建的flash的标识 * @param {string} options.url flash文件的url * @param {String} options.errorMessage 未安装flash player或flash player版本号过低时的提示 * @param {string} options.ver 最低需要的flash player版本号 * @param {string} options.width flash的宽度 * @param {string} options.height flash的高度 * @param {string} options.align flash的对齐方式,允许值:middle/left/right/top/bottom * @param {string} options.base 设置用于解析swf文件中的所有相对路径语句的基本目录或URL * @param {string} options.bgcolor swf文件的背景色 * @param {string} options.salign 设置缩放的swf文件在由width和height设置定义的区域内的位置。允许值:l/r/t/b/tl/tr/bl/br * @param {boolean} options.menu 是否显示右键菜单,允许值:true/false * @param {boolean} options.loop 播放到最后一帧时是否重新播放,允许值: true/false * @param {boolean} options.play flash是否在浏览器加载时就开始播放。允许值:true/false * @param {string} options.quality 设置flash播放的画质,允许值:low/medium/high/autolow/autohigh/best * @param {string} options.scale 设置flash内容如何缩放来适应设置的宽高。允许值:showall/noborder/exactfit * @param {string} options.wmode 设置flash的显示模式。允许值:window/opaque/transparent * @param {string} options.allowscriptaccess 设置flash与页面的通信权限。允许值:always/never/sameDomain * @param {string} options.allownetworking 设置swf文件中允许使用的网络API。允许值:all/internal/none * @param {boolean} options.allowfullscreen 是否允许flash全屏。允许值:true/false * @param {boolean} options.seamlesstabbing 允许设置执行无缝跳格,从而使用户能跳出flash应用程序。该参数只能在安装Flash7及更高版本的Windows中使用。允许值:true/false * @param {boolean} options.devicefont 设置静态文本对象是否以设备字体呈现。允许值:true/false * @param {boolean} options.swliveconnect 第一次加载flash时浏览器是否应启动Java。允许值:true/false * @param {Object} options.vars 要传递给flash的参数,支持JSON或string类型。 * * @see baidu.swf.create * @meta standard * @returns {string} flash对象的html字符串 */ baidu.swf.createHTML = function (options) { options = options || {}; var version = baidu.swf.version, needVersion = options['ver'] || '6.0.0', vUnit1, vUnit2, i, k, len, item, tmpOpt = {}, encodeHTML = baidu.string.encodeHTML; for (k in options) { tmpOpt[k] = options[k]; } options = tmpOpt; if (version) { version = version.split('.'); needVersion = needVersion.split('.'); for (i = 0; i < 3; i++) { vUnit1 = parseInt(version[i], 10); vUnit2 = parseInt(needVersion[i], 10); if (vUnit2 < vUnit1) { break; } else if (vUnit2 > vUnit1) { return ''; } } } else { return ''; } var vars = options['vars'], objProperties = ['classid', 'codebase', 'id', 'width', 'height', 'align']; options['align'] = options['align'] || 'middle'; options['classid'] = 'clsid:d27cdb6e-ae6d-11cf-96b8-444553540000'; options['codebase'] = 'http://fpdownload.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0'; options['movie'] = options['url'] || ''; delete options['vars']; delete options['url']; if ('string' == typeof vars) { options['flashvars'] = vars; } else { var fvars = []; for (k in vars) { item = vars[k]; fvars.push(k + "=" + encodeURIComponent(item)); } options['flashvars'] = fvars.join('&'); } var str = ['<object ']; for (i = 0, len = objProperties.length; i < len; i++) { item = objProperties[i]; str.push(' ', item, '="', encodeHTML(options[item]), '"'); } str.push('>'); var params = { 'wmode' : 1, 'scale' : 1, 'quality' : 1, 'play' : 1, 'loop' : 1, 'menu' : 1, 'salign' : 1, 'bgcolor' : 1, 'base' : 1, 'allowscriptaccess' : 1, 'allownetworking' : 1, 'allowfullscreen' : 1, 'seamlesstabbing' : 1, 'devicefont' : 1, 'swliveconnect' : 1, 'flashvars' : 1, 'movie' : 1 }; for (k in options) { item = options[k]; k = k.toLowerCase(); if (params[k] && (item || item === false || item === 0)) { str.push('<param name="' + k + '" value="' + encodeHTML(item) + '" />'); } } options['src'] = options['movie']; options['name'] = options['id']; delete options['id']; delete options['movie']; delete options['classid']; delete options['codebase']; options['type'] = 'application/x-shockwave-flash'; options['pluginspage'] = 'http://www.macromedia.com/go/getflashplayer'; str.push('<embed'); var salign; for (k in options) { item = options[k]; if (item || item === false || item === 0) { if ((new RegExp("^salign\x24", "i")).test(k)) { salign = item; continue; } str.push(' ', k, '="', encodeHTML(item), '"'); } } if (salign) { str.push(' salign="', encodeHTML(salign), '"'); } str.push('></embed></object>'); return str.join(''); }; /** * 在页面中创建一个flash对象 * @name baidu.swf.create * @function * @grammar baidu.swf.create(options[, container]) * * @param {Object} options 创建flash的选项参数 * @param {string} options.id 要创建的flash的标识 * @param {string} options.url flash文件的url * @param {String} options.errorMessage 未安装flash player或flash player版本号过低时的提示 * @param {string} options.ver 最低需要的flash player版本号 * @param {string} options.width flash的宽度 * @param {string} options.height flash的高度 * @param {string} options.align flash的对齐方式,允许值:middle/left/right/top/bottom * @param {string} options.base 设置用于解析swf文件中的所有相对路径语句的基本目录或URL * @param {string} options.bgcolor swf文件的背景色 * @param {string} options.salign 设置缩放的swf文件在由width和height设置定义的区域内的位置。允许值:l/r/t/b/tl/tr/bl/br * @param {boolean} options.menu 是否显示右键菜单,允许值:true/false * @param {boolean} options.loop 播放到最后一帧时是否重新播放,允许值: true/false * @param {boolean} options.play flash是否在浏览器加载时就开始播放。允许值:true/false * @param {string} options.quality 设置flash播放的画质,允许值:low/medium/high/autolow/autohigh/best * @param {string} options.scale 设置flash内容如何缩放来适应设置的宽高。允许值:showall/noborder/exactfit * @param {string} options.wmode 设置flash的显示模式。允许值:window/opaque/transparent * @param {string} options.allowscriptaccess 设置flash与页面的通信权限。允许值:always/never/sameDomain * @param {string} options.allownetworking 设置swf文件中允许使用的网络API。允许值:all/internal/none * @param {boolean} options.allowfullscreen 是否允许flash全屏。允许值:true/false * @param {boolean} options.seamlesstabbing 允许设置执行无缝跳格,从而使用户能跳出flash应用程序。该参数只能在安装Flash7及更高版本的Windows中使用。允许值:true/false * @param {boolean} options.devicefont 设置静态文本对象是否以设备字体呈现。允许值:true/false * @param {boolean} options.swliveconnect 第一次加载flash时浏览器是否应启动Java。允许值:true/false * @param {Object} options.vars 要传递给flash的参数,支持JSON或string类型。 * * @param {HTMLElement|string} [container] flash对象的父容器元素,不传递该参数时在当前代码位置创建flash对象。 * @meta standard * @see baidu.swf.createHTML,baidu.swf.getMovie */ baidu.swf.create = function (options, target) { options = options || {}; var html = baidu.swf.createHTML(options) || options['errorMessage'] || ''; if (target && 'string' == typeof target) { target = document.getElementById(target); } baidu.dom.insertHTML( target || document.body ,'beforeEnd',html ); }; /** * 判断是否为ie浏览器 * @name baidu.browser.ie * @field * @grammar baidu.browser.ie * @returns {Number} IE版本号 */ baidu.browser.ie = baidu.ie = /msie (\d+\.\d+)/i.test(navigator.userAgent) ? (document.documentMode || + RegExp['\x241']) : undefined; /** * 移除数组中的项 * @name baidu.array.remove * @function * @grammar baidu.array.remove(source, match) * @param {Array} source 需要移除项的数组 * @param {Any} match 要移除的项 * @meta standard * @see baidu.array.removeAt * * @returns {Array} 移除后的数组 */ baidu.array.remove = function (source, match) { var len = source.length; while (len--) { if (len in source && source[len] === match) { source.splice(len, 1); } } return source; }; /** * 判断目标参数是否Array对象 * @name baidu.lang.isArray * @function * @grammar baidu.lang.isArray(source) * @param {Any} source 目标参数 * @meta standard * @see baidu.lang.isString,baidu.lang.isObject,baidu.lang.isNumber,baidu.lang.isElement,baidu.lang.isBoolean,baidu.lang.isDate * * @returns {boolean} 类型判断结果 */ baidu.lang.isArray = function (source) { return '[object Array]' == Object.prototype.toString.call(source); }; /** * 将一个变量转换成array * @name baidu.lang.toArray * @function * @grammar baidu.lang.toArray(source) * @param {mix} source 需要转换成array的变量 * @version 1.3 * @meta standard * @returns {array} 转换后的array */ baidu.lang.toArray = function (source) { if (source === null || source === undefined) return []; if (baidu.lang.isArray(source)) return source; if (typeof source.length !== 'number' || typeof source === 'string' || baidu.lang.isFunction(source)) { return [source]; } if (source.item) { var l = source.length, array = new Array(l); while (l--) array[l] = source[l]; return array; } return [].slice.call(source); }; /** * 获得flash对象的实例 * @name baidu.swf.getMovie * @function * @grammar baidu.swf.getMovie(name) * @param {string} name flash对象的名称 * @see baidu.swf.create * @meta standard * @returns {HTMLElement} flash对象的实例 */ baidu.swf.getMovie = function (name) { var movie = document[name], ret; return baidu.browser.ie == 9 ? movie && movie.length ? (ret = baidu.array.remove(baidu.lang.toArray(movie),function(item){ return item.tagName.toLowerCase() != "embed"; })).length == 1 ? ret[0] : ret : movie : movie || window[name]; }; baidu.flash._Base = (function(){ var prefix = 'bd__flash__'; /** * 创建一个随机的字符串 * @private * @return {String} */ function _createString(){ return prefix + Math.floor(Math.random() * 2147483648).toString(36); }; /** * 检查flash状态 * @private * @param {Object} target flash对象 * @return {Boolean} */ function _checkReady(target){ if(typeof target !== 'undefined' && typeof target.flashInit !== 'undefined' && target.flashInit()){ return true; }else{ return false; } }; /** * 调用之前进行压栈的函数 * @private * @param {Array} callQueue 调用队列 * @param {Object} target flash对象 * @return {Null} */ function _callFn(callQueue, target){ var result = null; callQueue = callQueue.reverse(); baidu.each(callQueue, function(item){ result = target.call(item.fnName, item.params); item.callBack(result); }); }; /** * 为传入的匿名函数创建函数名 * @private * @param {String|Function} fun 传入的匿名函数或者函数名 * @return {String} */ function _createFunName(fun){ var name = ''; if(baidu.lang.isFunction(fun)){ name = _createString(); window[name] = function(){ fun.apply(window, arguments); }; return name; }else if(baidu.lang.isString){ return fun; } }; /** * 绘制flash * @private * @param {Object} options 创建参数 * @return {Object} */ function _render(options){ if(!options.id){ options.id = _createString(); } var container = options.container || ''; delete(options.container); baidu.swf.create(options, container); return baidu.swf.getMovie(options.id); }; return function(options, callBack){ var me = this, autoRender = (typeof options.autoRender !== 'undefined' ? options.autoRender : true), createOptions = options.createOptions || {}, target = null, isReady = false, callQueue = [], timeHandle = null, callBack = callBack || []; /** * 将flash文件绘制到页面上 * @public * @return {Null} */ me.render = function(){ target = _render(createOptions); if(callBack.length > 0){ baidu.each(callBack, function(funName, index){ callBack[index] = _createFunName(options[funName] || new Function()); }); } me.call('setJSFuncName', [callBack]); }; /** * 返回flash状态 * @return {Boolean} */ me.isReady = function(){ return isReady; }; /** * 调用flash接口的统一入口 * @param {String} fnName 调用的函数名 * @param {Array} params 传入的参数组成的数组,若不许要参数,需传入空数组 * @param {Function} [callBack] 异步调用后将返回值作为参数的调用回调函数,如无返回值,可以不传入此参数 * @return {Null} */ me.call = function(fnName, params, callBack){ if(!fnName) return null; callBack = callBack || new Function(); var result = null; if(isReady){ result = target.call(fnName, params); callBack(result); }else{ callQueue.push({ fnName: fnName, params: params, callBack: callBack }); (!timeHandle) && (timeHandle = setInterval(_check, 200)); } }; /** * 为传入的匿名函数创建函数名 * @public * @param {String|Function} fun 传入的匿名函数或者函数名 * @return {String} */ me.createFunName = function(fun){ return _createFunName(fun); }; /** * 检查flash是否ready, 并进行调用 * @private * @return {Null} */ function _check(){ if(_checkReady(target)){ clearInterval(timeHandle); timeHandle = null; _call(); isReady = true; } }; /** * 调用之前进行压栈的函数 * @private * @return {Null} */ function _call(){ _callFn(callQueue, target); callQueue = []; } autoRender && me.render(); }; })(); /** * 创建flash based imageUploader * @class * @grammar baidu.flash.imageUploader(options) * @param {Object} createOptions 创建flash时需要的参数,请参照baidu.swf.create文档 * @config {Object} vars 创建imageUploader时所需要的参数 * @config {Number} vars.gridWidth 每一个预览图片所占的宽度,应该为flash寛的整除 * @config {Number} vars.gridHeight 每一个预览图片所占的高度,应该为flash高的整除 * @config {Number} vars.picWidth 单张预览图片的宽度 * @config {Number} vars.picHeight 单张预览图片的高度 * @config {String} vars.uploadDataFieldName POST请求中图片数据的key,默认值'picdata' * @config {String} vars.picDescFieldName POST请求中图片描述的key,默认值'picDesc' * @config {Number} vars.maxSize 文件的最大体积,单位'MB' * @config {Number} vars.compressSize 上传前如果图片体积超过该值,会先压缩 * @config {Number} vars.maxNum:32 最大上传多少个文件 * @config {Number} vars.compressLength 能接受的最大边长,超过该值会等比压缩 * @config {String} vars.url 上传的url地址 * @config {Number} vars.mode mode == 0时,是使用滚动条,mode == 1时,拉伸flash, 默认值为0 * @see baidu.swf.createHTML * @param {String} backgroundUrl 背景图片路径 * @param {String} listBacgroundkUrl 布局控件背景 * @param {String} buttonUrl 按钮图片不背景 * @param {String|Function} selectFileCallback 选择文件的回调 * @param {String|Function} exceedFileCallback文件超出限制的最大体积时的回调 * @param {String|Function} deleteFileCallback 删除文件的回调 * @param {String|Function} startUploadCallback 开始上传某个文件时的回调 * @param {String|Function} uploadCompleteCallback 某个文件上传完成的回调 * @param {String|Function} uploadErrorCallback 某个文件上传失败的回调 * @param {String|Function} allCompleteCallback 全部上传完成时的回调 * @param {String|Function} changeFlashHeight 改变Flash的高度,mode==1的时候才有用 */ baidu.flash.imageUploader = baidu.flash.imageUploader || function(options){ var me = this, options = options || {}, _flash = new baidu.flash._Base(options, [ 'selectFileCallback', 'exceedFileCallback', 'deleteFileCallback', 'startUploadCallback', 'uploadCompleteCallback', 'uploadErrorCallback', 'allCompleteCallback', 'changeFlashHeight' ]); /** * 开始或回复上传图片 * @public * @return {Null} */ me.upload = function(){ _flash.call('upload'); }; /** * 暂停上传图片 * @public * @return {Null} */ me.pause = function(){ _flash.call('pause'); }; }; /** * 操作原生对象的方法 * @namespace baidu.object */ baidu.object = baidu.object || {}; /** * 将源对象的所有属性拷贝到目标对象中 * @author erik * @name baidu.object.extend * @function * @grammar baidu.object.extend(target, source) * @param {Object} target 目标对象 * @param {Object} source 源对象 * @see baidu.array.merge * @remark * 1.目标对象中,与源对象key相同的成员将会被覆盖。<br> 2.源对象的prototype成员不会拷贝。 * @shortcut extend * @meta standard * * @returns {Object} 目标对象 */ baidu.extend = baidu.object.extend = function (target, source) { for (var p in source) { if (source.hasOwnProperty(p)) { target[p] = source[p]; } } return target; }; /** * 创建flash based fileUploader * @class * @grammar baidu.flash.fileUploader(options) * @param {Object} options * @config {Object} createOptions 创建flash时需要的参数,请参照baidu.swf.create文档 * @config {String} createOptions.width * @config {String} createOptions.height * @config {Number} maxNum 最大可选文件数 * @config {Function|String} selectFile * @config {Function|String} exceedMaxSize * @config {Function|String} deleteFile * @config {Function|String} uploadStart * @config {Function|String} uploadComplete * @config {Function|String} uploadError * @config {Function|String} uploadProgress */ baidu.flash.fileUploader = baidu.flash.fileUploader || function(options){ var me = this, options = options || {}; options.createOptions = baidu.extend({ wmod: 'transparent' },options.createOptions || {}); var _flash = new baidu.flash._Base(options, [ 'selectFile', 'exceedMaxSize', 'deleteFile', 'uploadStart', 'uploadComplete', 'uploadError', 'uploadProgress' ]); _flash.call('setMaxNum', options.maxNum ? [options.maxNum] : [1]); /** * 设置当鼠标移动到flash上时,是否变成手型 * @public * @param {Boolean} isCursor * @return {Null} */ me.setHandCursor = function(isCursor){ _flash.call('setHandCursor', [isCursor || false]); }; /** * 设置鼠标相应函数名 * @param {String|Function} fun */ me.setMSFunName = function(fun){ _flash.call('setMSFunName',[_flash.createFunName(fun)]); }; /** * 执行上传操作 * @param {String} url 上传的url * @param {String} fieldName 上传的表单字段名 * @param {Object} postData 键值对,上传的POST数据 * @param {Number|Array|null|-1} [index]上传的文件序列 * Int值上传该文件 * Array一次串行上传该序列文件 * -1/null上传所有文件 * @return {Null} */ me.upload = function(url, fieldName, postData, index){ if(typeof url !== 'string' || typeof fieldName !== 'string') return null; if(typeof index === 'undefined') index = -1; _flash.call('upload', [url, fieldName, postData, index]); }; /** * 取消上传操作 * @public * @param {Number|-1} index */ me.cancel = function(index){ if(typeof index === 'undefined') index = -1; _flash.call('cancel', [index]); }; /** * 删除文件 * @public * @param {Number|Array} [index] 要删除的index,不传则全部删除 * @param {Function} callBack * @param * */ me.deleteFile = function(index, callBack){ var callBackAll = function(list){ callBack && callBack(list); }; if(typeof index === 'undefined'){ _flash.call('deleteFilesAll', [], callBackAll); return; }; if(typeof index === 'Number') index = [index]; index.sort(function(a,b){ return b-a; }); baidu.each(index, function(item){ _flash.call('deleteFileBy', item, callBackAll); }); }; /** * 添加文件类型,支持macType * @public * @param {Object|Array[Object]} type {description:String, extention:String} * @return {Null}; */ me.addFileType = function(type){ var type = type || [[]]; if(type instanceof Array) type = [type]; else type = [[type]]; _flash.call('addFileTypes', type); }; /** * 设置文件类型,支持macType * @public * @param {Object|Array[Object]} type {description:String, extention:String} * @return {Null}; */ me.setFileType = function(type){ var type = type || [[]]; if(type instanceof Array) type = [type]; else type = [[type]]; _flash.call('setFileTypes', type); }; /** * 设置可选文件的数量限制 * @public * @param {Number} num * @return {Null} */ me.setMaxNum = function(num){ _flash.call('setMaxNum', [num]); }; /** * 设置可选文件大小限制,以兆M为单位 * @public * @param {Number} num,0为无限制 * @return {Null} */ me.setMaxSize = function(num){ _flash.call('setMaxSize', [num]); }; /** * @public */ me.getFileAll = function(callBack){ _flash.call('getFileAll', [], callBack); }; /** * @public * @param {Number} index * @param {Function} [callBack] */ me.getFileByIndex = function(index, callBack){ _flash.call('getFileByIndex', [], callBack); }; /** * @public * @param {Number} index * @param {function} [callBack] */ me.getStatusByIndex = function(index, callBack){ _flash.call('getStatusByIndex', [], callBack); }; }; /** * 使用动态script标签请求服务器资源,包括由服务器端的回调和浏览器端的回调 * @namespace baidu.sio */ baidu.sio = baidu.sio || {}; /** * * @param {HTMLElement} src script节点 * @param {String} url script节点的地址 * @param {String} [charset] 编码 */ baidu.sio._createScriptTag = function(scr, url, charset){ scr.setAttribute('type', 'text/javascript'); charset && scr.setAttribute('charset', charset); scr.setAttribute('src', url); document.getElementsByTagName('head')[0].appendChild(scr); }; /** * 删除script的属性,再删除script标签,以解决修复内存泄漏的问题 * * @param {HTMLElement} src script节点 */ baidu.sio._removeScriptTag = function(scr){ if (scr.clearAttributes) { scr.clearAttributes(); } else { for (var attr in scr) { if (scr.hasOwnProperty(attr)) { delete scr[attr]; } } } if(scr && scr.parentNode){ scr.parentNode.removeChild(scr); } scr = null; }; /** * 通过script标签加载数据,加载完成由浏览器端触发回调 * @name baidu.sio.callByBrowser * @function * @grammar baidu.sio.callByBrowser(url, opt_callback, opt_options) * @param {string} url 加载数据的url * @param {Function|string} opt_callback 数据加载结束时调用的函数或函数名 * @param {Object} opt_options 其他可选项 * @config {String} [charset] script的字符集 * @config {Integer} [timeOut] 超时时间,超过这个时间将不再响应本请求,并触发onfailure函数 * @config {Function} [onfailure] timeOut设定后才生效,到达超时时间时触发本函数 * @remark * 1、与callByServer不同,callback参数只支持Function类型,不支持string。 * 2、如果请求了一个不存在的页面,callback函数在IE/opera下也会被调用,因此使用者需要在onsuccess函数中判断数据是否正确加载。 * @meta standard * @see baidu.sio.callByServer */ baidu.sio.callByBrowser = function (url, opt_callback, opt_options) { var scr = document.createElement("SCRIPT"), scriptLoaded = 0, options = opt_options || {}, charset = options['charset'], callback = opt_callback || function(){}, timeOut = options['timeOut'] || 0, timer; scr.onload = scr.onreadystatechange = function () { if (scriptLoaded) { return; } var readyState = scr.readyState; if ('undefined' == typeof readyState || readyState == "loaded" || readyState == "complete") { scriptLoaded = 1; try { callback(); clearTimeout(timer); } finally { scr.onload = scr.onreadystatechange = null; baidu.sio._removeScriptTag(scr); } } }; if( timeOut ){ timer = setTimeout(function(){ scr.onload = scr.onreadystatechange = null; baidu.sio._removeScriptTag(scr); options.onfailure && options.onfailure(); }, timeOut); } baidu.sio._createScriptTag(scr, url, charset); }; /** * 通过script标签加载数据,加载完成由服务器端触发回调 * @name baidu.sio.callByServer * @function * @grammar baidu.sio.callByServer(url, callback[, opt_options]) * @param {string} url 加载数据的url. * @param {Function|string} callback 服务器端调用的函数或函数名。如果没有指定本参数,将在URL中寻找options['queryField']做为callback的方法名. * @param {Object} opt_options 加载数据时的选项. * @config {string} [charset] script的字符集 * @config {string} [queryField] 服务器端callback请求字段名,默认为callback * @config {Integer} [timeOut] 超时时间(单位:ms),超过这个时间将不再响应本请求,并触发onfailure函数 * @config {Function} [onfailure] timeOut设定后才生效,到达超时时间时触发本函数 * @remark * 如果url中已经包含key为“options['queryField']”的query项,将会被替换成callback中参数传递或自动生成的函数名。 * @meta standard * @see baidu.sio.callByBrowser */ baidu.sio.callByServer = /**@function*/function(url, callback, opt_options) { var scr = document.createElement('SCRIPT'), prefix = 'bd__cbs__', callbackName, callbackImpl, options = opt_options || {}, charset = options['charset'], queryField = options['queryField'] || 'callback', timeOut = options['timeOut'] || 0, timer, reg = new RegExp('(\\?|&)' + queryField + '=([^&]*)'), matches; if (baidu.lang.isFunction(callback)) { callbackName = prefix + Math.floor(Math.random() * 2147483648).toString(36); window[callbackName] = getCallBack(0); } else if(baidu.lang.isString(callback)){ callbackName = callback; } else { if (matches = reg.exec(url)) { callbackName = matches[2]; } } if( timeOut ){ timer = setTimeout(getCallBack(1), timeOut); } url = url.replace(reg, '\x241' + queryField + '=' + callbackName); if (url.search(reg) < 0) { url += (url.indexOf('?') < 0 ? '?' : '&') + queryField + '=' + callbackName; } baidu.sio._createScriptTag(scr, url, charset); /* * 返回一个函数,用于立即(挂在window上)或者超时(挂在setTimeout中)时执行 */ function getCallBack(onTimeOut){ /*global callbackName, callback, scr, options;*/ return function(){ try { if( onTimeOut ){ options.onfailure && options.onfailure(); }else{ callback.apply(window, arguments); clearTimeout(timer); } window[callbackName] = null; delete window[callbackName]; } catch (exception) { } finally { baidu.sio._removeScriptTag(scr); } } } }; /** * 通过请求一个图片的方式令服务器存储一条日志 * @function * @grammar baidu.sio.log(url) * @param {string} url 要发送的地址. * @author: int08h,leeight */ baidu.sio.log = function(url) { var img = new Image(), key = 'tangram_sio_log_' + Math.floor(Math.random() * 2147483648).toString(36); window[key] = img; img.onload = img.onerror = img.onabort = function() { img.onload = img.onerror = img.onabort = null; window[key] = null; img = null; }; img.src = url; };
JavaScript
/** * Created by JetBrains PhpStorm. * User: taoqili * Date: 12-2-10 * Time: 下午3:50 * To change this template use File | Settings | File Templates. */ //文件类型图标索引 var fileTypeMaps = { ".rar":"icon_rar.gif", ".zip":"icon_rar.gif", ".doc":"icon_doc.gif", ".docx":"icon_doc.gif", ".pdf":"icon_pdf.gif", ".mp3":"icon_mp3.gif", ".xls":"icon_xls.gif", ".chm":"icon_chm.gif", ".ppt":"icon_ppt.gif", ".pptx":"icon_ppt.gif", ".avi":"icon_mv.gif", ".rmvb":"icon_mv.gif", ".wmv":"icon_mv.gif", ".flv":"icon_mv.gif", ".swf":"icon_mv.gif", ".rm":"icon_mv.gif", ".exe":"icon_exe.gif", ".psd":"icon_psd.gif", ".txt":"icon_txt.gif" };
JavaScript
/* Demo Note: This demo uses a FileProgress class that handles the UI for displaying the file name and percent complete. The FileProgress class is not part of SWFUpload. */ /* ********************** Event Handlers These are my custom event handlers to make my web application behave the way I went when SWFUpload completes different tasks. These aren't part of the SWFUpload package. They are part of my application. Without these none of the actions SWFUpload makes will show up in my application. ********************** */ function preLoad() { if (!this.support.loading) { alert("当前Flash版本过低,请更新FlashPlayer后重试!"); return false; } return true; } function loadFailed() { alert("SWFUpload加载失败!请检查路径或网络状态"); } function fileQueued(file) { try { var progress = new FileProgress(file, this.customSettings.progressTarget); progress.setStatus("等待上传……"); progress.toggleCancel(true, this,"从上传队列中移除"); } catch (ex) { this.debug(ex); } } function fileQueueError(file, errorCode, message) { try { if (errorCode === SWFUpload.QUEUE_ERROR.QUEUE_LIMIT_EXCEEDED) { alert("单次不能选择超过"+ message + "个文件!请重新选择!"); return; } var progress = new FileProgress(file, this.customSettings.progressTarget); progress.setError(); progress.toggleCancel(true, this,"移除失败文件"); switch (errorCode) { case SWFUpload.QUEUE_ERROR.FILE_EXCEEDS_SIZE_LIMIT: progress.setStatus("文件大小超出限制!"); this.debug("Error Code: File too big, File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; case SWFUpload.QUEUE_ERROR.ZERO_BYTE_FILE: progress.setStatus("空文件无法上传!"); this.debug("Error Code: Zero byte file, File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; case SWFUpload.QUEUE_ERROR.INVALID_FILETYPE: progress.setStatus("文件类型错误!"); this.debug("Error Code: Invalid File Type, File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; default: if (file !== null) { progress.setStatus("未知错误!"); } this.debug("Error Code: " + errorCode + ", File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; } } catch (ex) { this.debug(ex); } } function uploadStart(file) { try { /* I don't want to do any file validation or anything, I'll just update the UI and return true to indicate that the upload should start. It's important to update the UI here because in Linux no uploadProgress events are called. The best we can do is say we are uploading. */ var progress = new FileProgress(file, this.customSettings.progressTarget); progress.setStatus("上传中,请等待……"); progress.toggleCancel(true, this,"取消上传"); }catch (ex) {} return true; } function uploadProgress(file, bytesLoaded, bytesTotal) { try { var percent = Math.ceil((bytesLoaded / bytesTotal) * 100); var progress = new FileProgress(file, this.customSettings.progressTarget); progress.setProgress(percent); progress.setStatus("上传中,请等待……"); } catch (ex) { this.debug(ex); } } function uploadError(file, errorCode, message) { try { var progress = new FileProgress(file, this.customSettings.progressTarget); progress.setError(); //progress.toggleCancel(false); switch (errorCode) { case SWFUpload.UPLOAD_ERROR.HTTP_ERROR: progress.setStatus("网络错误: " + message); this.debug("Error Code: HTTP Error, File name: " + file.name + ", Message: " + message); break; case SWFUpload.UPLOAD_ERROR.UPLOAD_FAILED: progress.setStatus("上传失败!"); this.debug("Error Code: Upload Failed, File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; case SWFUpload.UPLOAD_ERROR.IO_ERROR: progress.setStatus("服务器IO错误!"); this.debug("Error Code: IO Error, File name: " + file.name + ", Message: " + message); break; case SWFUpload.UPLOAD_ERROR.SECURITY_ERROR: progress.setStatus("无权限!"); this.debug("Error Code: Security Error, File name: " + file.name + ", Message: " + message); break; case SWFUpload.UPLOAD_ERROR.UPLOAD_LIMIT_EXCEEDED: progress.setStatus("上传个数限制"); this.debug("Error Code: Upload Limit Exceeded, File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; case SWFUpload.UPLOAD_ERROR.FILE_VALIDATION_FAILED: progress.setStatus("验证失败,本次上传被跳过!"); this.debug("Error Code: File Validation Failed, File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; case SWFUpload.UPLOAD_ERROR.FILE_CANCELLED: // If there aren't any files left (they were all cancelled) disable the cancel button // if (this.getStats().files_queued === 0) { // document.getElementById(this.customSettings.cancelButtonId).disabled = true; // } progress.setStatus("取消中,请等待……"); progress.setCancelled(); break; case SWFUpload.UPLOAD_ERROR.UPLOAD_STOPPED: progress.setStatus("上传已停止……"); break; default: progress.setStatus("未知错误!" + errorCode); this.debug("Error Code: " + errorCode + ", File name: " + file.name + ", File size: " + file.size + ", Message: " + message); break; } } catch (ex) { this.debug(ex); } } function uploadComplete(file) { //alert(file); // if (this.getStats().files_queued === 0) { // document.getElementById(this.customSettings.cancelButtonId).disabled = true; // } } // This event comes from the Queue Plugin function queueComplete(numFilesUploaded) { var status = document.getElementById("divStatus"); var num = status.innerHTML.match(/\d+/g); status.innerHTML = "本次共成功上传 "+((num && num[0] ?parseInt(num[0]):0) + numFilesUploaded) +" 个文件" ; }
JavaScript
(function(){ var parent = window.parent; //dialog对象 dialog = parent.$EDITORUI[window.frameElement.id.replace(/_iframe$/, '')]; //当前打开dialog的编辑器实例 editor = dialog.editor; UE = parent.UE; domUtils = UE.dom.domUtils; utils = UE.utils; browser = UE.browser; ajax = UE.ajax; $G = function(id){return document.getElementById(id)}; //focus元素 $focus = function(node){ setTimeout(function(){ if(browser.ie){ var r = node.createTextRange(); r.collapse(false); r.select(); }else{ node.focus() } },0) } })();
JavaScript
/** * Created by JetBrains PhpStorm. * User: taoqili * Date: 12-1-30 * Time: 下午12:50 * To change this template use File | Settings | File Templates. */ var wordImage = {}; //(function(){ var g = baidu.g, flashObj; wordImage.init = function(opt, callbacks) { showLocalPath("localPath"); //createCopyButton("clipboard","localPath"); createFlashUploader(opt, callbacks); addUploadListener(); addOkListener(); }; function addOkListener() { dialog.onok = function() { if (!imageUrls.length) return; var images = domUtils.getElementsByTagName(editor.document,"img"); for (var i = 0,img; img = images[i++];) { var src = img.getAttribute("word_img"); if (!src) continue; for (var j = 0,url; url = imageUrls[j++];) { if (src.indexOf(url.title) != -1) { img.src = editor.options.imagePath + url.url; img.setAttribute("data_ue_src", editor.options.imagePath + url.url); //同时修改"data_ue_src"属性 parent.baidu.editor.dom.domUtils.removeAttributes(img, ["word_img","style","width","height"]); editor.fireEvent("selectionchange"); break; } } } }; } /** * 绑定开始上传事件 */ function addUploadListener() { g("upload").onclick = function () { flashObj.upload(); this.style.display = "none"; }; } function showLocalPath(id) { //单张编辑 if(editor.word_img.length==1){ g(id).value = editor.word_img[0]; return; } var path = editor.word_img[0]; var leftSlashIndex = path.lastIndexOf("/")||0, //不同版本的doc和浏览器都可能影响到这个符号,故直接判断两种 rightSlashIndex = path.lastIndexOf("\\")||0, separater = leftSlashIndex > rightSlashIndex ? "/":"\\" ; path = path.substring(0, path.lastIndexOf(separater)+1); g(id).value = path; } function createFlashUploader(opt, callbacks) { var option = { createOptions:{ id:'flash', url:opt.flashUrl, width:opt.width, height:opt.height, errorMessage:'Flash插件初始化失败,请更新您的FlashPlayer版本之后重试!', wmode:browser.safari ? 'transparent' : 'window', ver:'10.0.0', vars:opt, container:opt.container } }; option = extendProperty(callbacks, option); flashObj = new baidu.flash.imageUploader(option); } function extendProperty(fromObj, toObj) { for (var i in fromObj) { if (!toObj[i]) { toObj[i] = fromObj[i]; } } return toObj; } //})(); function getPasteData(id) { baidu.g("msg").innerHTML = " 图片地址已复制成功!</br>"; setTimeout(function() { baidu.g("msg").innerHTML = ""; }, 5000); return baidu.g(id).value; } function createCopyButton(id, dataFrom) { baidu.swf.create({ id:"copyFlash", url:"fClipboard_ueditor.swf", width:"58", height:"25", errorMessage:"", bgColor:"#CBCBCB", wmode:"transparent", ver:"10.0.0", vars:{ tid:dataFrom } }, id ); var clipboard = baidu.swf.getMovie("copyFlash"); var clipinterval = setInterval(function() { if (clipboard && clipboard.flashInit) { clearInterval(clipinterval); clipboard.setHandCursor(true); clipboard.setContentFuncName("getPasteData"); //clipboard.setMEFuncName("mouseEventHandler"); } }, 500); } createCopyButton("clipboard", "localPath");
JavaScript
function initImgBox(box, str, len) { if (box.length)return; var tmpStr = "",i = 1; for (; i <= len; i++) { tmpStr = str; if (i < 10)tmpStr = tmpStr + '0'; tmpStr = tmpStr + i + '.gif'; box.push(tmpStr); } } function $G(id) { return document.getElementById(id) } function InsertSmiley(url) { var obj = { src:editor.options.emotionLocalization ? editor.options.UEDITOR_HOME_URL + "dialogs/emotion/" + url : url }; obj.data_ue_src = obj.src; editor.execCommand('insertimage', obj); dialog.popup.hide(); } function over(td, srcPath, posFlag) { td.style.backgroundColor = "#ACCD3C"; $G('faceReview').style.backgroundImage = "url(" + srcPath + ")"; if (posFlag == 1) $G("tabIconReview").className = "show"; $G("tabIconReview").style.display = 'block'; } function out(td) { td.style.backgroundColor = "#FFFFFF"; var tabIconRevew = $G("tabIconReview"); tabIconRevew.className = ""; tabIconRevew.style.display = 'none'; } var emotion = {}; emotion.SmileyPath = editor.options.emotionLocalization ? 'images/' : "http://img.baidu.com/hi/"; emotion.SmileyBox = {tab0:[],tab1:[],tab2:[],tab3:[],tab4:[],tab5:[],tab6:[]}; emotion.SmileyInfor = {tab0:[],tab1:[],tab2:[],tab3:[],tab4:[],tab5:[],tab6:[]}; var faceBox = emotion.SmileyBox; var inforBox = emotion.SmileyInfor; var sBasePath = emotion.SmileyPath; if (editor.options.emotionLocalization) { initImgBox(faceBox['tab0'], 'j_00', 84); initImgBox(faceBox['tab1'], 't_00', 40); initImgBox(faceBox['tab2'], 'l_00', 52); initImgBox(faceBox['tab3'], 'b_00', 63); initImgBox(faceBox['tab4'], 'bc_00', 20); initImgBox(faceBox['tab5'], 'f_00', 50); initImgBox(faceBox['tab6'], 'y_00', 40); } else { initImgBox(faceBox['tab0'], 'j_00', 84); initImgBox(faceBox['tab1'], 't_00', 40); initImgBox(faceBox['tab2'], 'w_00', 52); initImgBox(faceBox['tab3'], 'B_00', 63); initImgBox(faceBox['tab4'], 'C_00', 20); initImgBox(faceBox['tab5'], 'i_f', 50); initImgBox(faceBox['tab6'], 'y_00', 40); } inforBox['tab0'] = ['Kiss','Love','Yeah','啊!','背扭','顶','抖胸','88','汗','瞌睡','鲁拉','拍砖','揉脸','生日快乐','大笑','瀑布汗~','惊讶','臭美','傻笑','抛媚眼','发怒','打酱油','俯卧撑','气愤','?','吻','怒','胜利','HI','KISS','不说','不要','扯花','大心','顶','大惊','飞吻','鬼脸','害羞','口水','狂哭','来','发财了', '吃西瓜', '套牢', '害羞', '庆祝', '我来了', '敲打', '晕了', '胜利', '臭美', '被打了', '贪吃', '迎接', '酷', '微笑','亲吻','调皮','惊恐','耍酷','发火','害羞','汗水','大哭','','加油','困','你NB','晕倒','开心','偷笑','大哭','滴汗','叹气','超赞','??','飞吻','天使','撒花','生气','被砸','吓傻','随意吐']; inforBox['tab1'] = ['Kiss','Love','Yeah','啊!','背扭','顶','抖胸','88','汗','瞌睡','鲁拉','拍砖','揉脸','生日快乐','摊手','睡觉','瘫坐','无聊','星星闪','旋转','也不行','郁闷','正Music','抓墙','撞墙至死','歪头','戳眼','飘过','互相拍砖','砍死你','扔桌子','少林寺','什么?','转头','我爱牛奶','我踢','摇晃','晕厥','在笼子里','震荡']; inforBox['tab2'] = ['大笑','瀑布汗~','惊讶','臭美','傻笑','抛媚眼','发怒','我错了','money','气愤','挑逗','吻','怒','胜利','委屈','受伤','说啥呢?','闭嘴','不','逗你玩儿','飞吻','眩晕','魔法','我来了','睡了','我打','闭嘴','打','打晕了','刷牙','爆揍','炸弹','倒立','刮胡子','邪恶的笑','不要不要','爱恋中','放大仔细看','偷窥','超高兴','晕','松口气','我跑','享受','修养','哭','汗','啊~','热烈欢迎','打酱油','俯卧撑','?']; inforBox['tab3'] = ['HI','KISS','不说','不要','扯花','大心','顶','大惊','飞吻','鬼脸','害羞','口水','狂哭','来','泪眼','流泪','生气','吐舌','喜欢','旋转','再见','抓狂','汗','鄙视','拜','吐血','嘘','打人','蹦跳','变脸','扯肉','吃To','吃花','吹泡泡糖','大变身','飞天舞','回眸','可怜','猛抽','泡泡','苹果','亲','','骚舞','烧香','睡','套娃娃','捅捅','舞倒','西红柿','爱慕','摇','摇摆','杂耍','招财','被殴','被球闷','大惊','理想','欧打','呕吐','碎','吐痰']; inforBox['tab4'] = ['发财了', '吃西瓜', '套牢', '害羞', '庆祝', '我来了', '敲打', '晕了', '胜利', '臭美', '被打了', '贪吃', '迎接', '酷', '顶', '幸运', '爱心', '躲', '送花', '选择']; inforBox['tab5'] = ['微笑','亲吻','调皮','惊讶','耍酷','发火','害羞','汗水','大哭','得意','鄙视','困','夸奖','晕倒','疑问','媒婆','狂吐','青蛙','发愁','亲吻','','爱心','心碎','玫瑰','礼物','哭','奸笑','可爱','得意','呲牙','暴汗','楚楚可怜','困','哭','生气','惊讶','口水','彩虹','夜空','太阳','钱钱','灯泡','咖啡','蛋糕','音乐','爱','胜利','赞','鄙视','OK']; inforBox['tab6'] = ['男兜','女兜','开心','乖乖','偷笑','大笑','抽泣','大哭','无奈','滴汗','叹气','狂晕','委屈','超赞','??','疑问','飞吻','天使','撒花','生气','被砸','口水','泪奔','吓傻','吐舌头','点头','随意吐','旋转','困困','鄙视','狂顶','篮球','再见','欢迎光临','恭喜发财','稍等','我在线','恕不议价','库房有货','货在路上']; //大对象 FaceHandler = { imageFolders:{ tab0:'jx2/',tab1:'tsj/',tab2:'ldw/',tab3:'bobo/',tab4:'babycat/',tab5:'face/',tab6:'youa/'}, imageWidth:{tab0:35,tab1:35,tab2:35,tab3:35,tab4:35,tab5:35,tab6:35}, imageCols:{tab0:11,tab1:11,tab2:11,tab3:11,tab4:11,tab5:11,tab6:11}, imageColWidth:{tab0:3,tab1:3,tab2:3,tab3:3,tab4:3,tab5:3,tab6:3}, imageCss:{tab0:'jd',tab1:'tsj',tab2:'ldw',tab3:'bb',tab4:'cat',tab5:'pp',tab6:'youa'}, imageCssOffset:{tab0:35,tab1:35,tab2:35,tab3:35,tab4:35,tab5:25,tab6:35}, tabExist:[0,0,0,0,0,0,0] }; function switchTab(index) { if (FaceHandler.tabExist[index] == 0) { FaceHandler.tabExist[index] = 1; createTab('tab' + index); } //获取呈现元素句柄数组 var tabMenu = $G("tabMenu").getElementsByTagName("div"), tabContent = $G("tabContent").getElementsByTagName("div"), i = 0,L = tabMenu.length; //隐藏所有呈现元素 for (; i < L; i++) { tabMenu[i].className = ""; tabContent[i].style.display = "none"; } //显示对应呈现元素 tabMenu[index].className = "on"; tabContent[index].style.display = "block"; } function createTab(tabName) { var faceVersion = "?v=1.1",//版本号 tab = $G(tabName),//获取将要生成的Div句柄 imagePath = sBasePath + FaceHandler.imageFolders[tabName],//获取显示表情和预览表情的路径 imageColsNum = FaceHandler.imageCols[tabName],//每行显示的表情个数 positionLine = imageColsNum / 2,//中间数 iWidth = iHeight = FaceHandler.imageWidth[tabName],//图片长宽 iColWidth = FaceHandler.imageColWidth[tabName],//表格剩余空间的显示比例 tableCss = FaceHandler.imageCss[tabName], cssOffset = FaceHandler.imageCssOffset[tabName], textHTML = ['<table class="smileytable" cellpadding="1" cellspacing="0" align="center" style="border-collapse:collapse;" border="1" bordercolor="#BAC498" width="100%">'], i = 0,imgNum = faceBox[tabName].length,imgColNum = FaceHandler.imageCols[tabName],faceImage, sUrl,realUrl,posflag,offset,infor; for (; i < imgNum;) { textHTML.push('<tr>'); for (var j = 0; j < imgColNum; j++,i++) { faceImage = faceBox[tabName][i]; if (faceImage) { sUrl = imagePath + faceImage + faceVersion; realUrl = imagePath + faceImage; posflag = j < positionLine ? 0 : 1; offset = cssOffset * i * (-1) - 1; infor = inforBox[tabName][i]; textHTML.push('<td class="' + tableCss + '" border="1" width="' + iColWidth + '%" style="border-collapse:collapse;" align="center" bgcolor="#FFFFFF" onclick="InsertSmiley(\'' + realUrl.replace(/'/g, "\\'") + '\')" onmouseover="over(this,\'' + sUrl + '\',\'' + posflag + '\')" onmouseout="out(this)">'); textHTML.push('<span style="display:block;">'); textHTML.push('<img style="background-position:left ' + offset + 'px;" title="' + infor + '" src="' + sBasePath + (editor.options.emotionLocalization ? '0.gif" width="' : 'default/0.gif" width="') + iWidth + '" height="' + iHeight + '"></img>'); textHTML.push('</span>'); } else { textHTML.push('<td width="' + iColWidth + '%" bgcolor="#FFFFFF">'); } textHTML.push('</td>'); } textHTML.push('</tr>'); } textHTML.push('</table>'); textHTML = textHTML.join(""); tab.innerHTML = textHTML; } var tabIndex = 0;//getDialogInstance()?(getDialogInstance().smileyTabId?getDialogInstance().smileyTabId:0):0; switchTab(tabIndex); $G("tabIconReview").style.display = 'none';
JavaScript
/** * Created by JetBrains PhpStorm. * User: taoqili * Date: 12-2-23 * Time: 上午11:32 * To change this template use File | Settings | File Templates. */ var init = function(){ addColorPickListener(); addPxChangeListener(); addFloatListener(); addBorderTypeChangeListener(); }; function addBorderTypeChangeListener(){ domUtils.on($G("borderType"),"change",createTable); } function addFloatListener(){ domUtils.on($G("align"),"change",function(){ setTablePosition(this.value); }) } /** * 根据传入的value值变更table的位置 * @param value */ function setTablePosition(value){ var table = $G("preview").children[0], margin = (table.parentNode.offsetWidth - table.offsetWidth)/2; if(value=="center"){ table.style.marginLeft = margin +"px"; }else if(value=="right"){ table.style.marginLeft = 2*margin +"px"; }else{ table.style.marginLeft = "5px"; } } /** * 绑定border、spaceing等更改事件 */ function addPxChangeListener(){ var ids = ["border","cellPadding","cellSpacing"]; for(var i=0,ci;ci=$G(ids[i++]);){ domUtils.on(ci,"keyup",function(){ $G("message").style.display="none"; switch(this.id){ case "border": $G("border").value = filter(this.value,"border","边框"); break; case "cellPadding": $G("cellPadding").value = filter(this.value,"cellPadding","边距"); break; case "cellSpacing": $G("cellSpacing").value = filter(this.value,"cellSpacing","间距"); break; default: } createTable(); //setTablePosition($G("align").value); }); } } function isNum(str){ return /^(0|[1-9][0-9]*)$/.test( str ); } /** * 依据属性框中的属性值创建table对象 */ function createTable(){ var border=$G("border").value || 1, borderColor=$G("borderColor").value || "#000000", cellPadding=$G("cellPadding").value || 0, cellSpacing=$G("cellSpacing").value || 0, bgColor=$G("bgColor").value || "#FFFFFF", align=$G("align").value || "", borderType=$G("borderType").value || 0; border = setMax(border,5); cellPadding = setMax(cellPadding,5); cellSpacing = setMax(cellSpacing,5); var html = ["<table "]; if(cellSpacing>0){ html.push(' style="border-collapse:separate;" ') }else{ html.push(' style="border-collapse:collapse;" ') } cellSpacing>0 && html.push(' cellSpacing="' + cellSpacing + '" '); html.push(' border="' + (border||1) +'" borderColor="' + (borderColor||'#000000') +'"'); bgColor && html.push(' bgColor="' + bgColor + '"'); html.push(' ><tr><td>这</td><td>是</td><td>用</td></tr><tr><td>来</td><td>预</td><td>览</td></tr><tr><td>的</td><td></td><td></td></tr></table>'); var preview = $G("preview"); preview.innerHTML = html.join(""); //如果针对每个单元格 var table = preview.firstChild; if(borderType=="1"){ for(var i =0,td,tds = domUtils.getElementsByTagName(table,"td");td = tds[i++];){ td.style.border = border + "px solid " + borderColor; } } for(var i =0,td,tds = domUtils.getElementsByTagName(table,"td");td = tds[i++];){ td.style.padding = cellPadding + "px"; } } function setMax(value,max){ return value>max? max:value; } function filter(value,property,des){ var maxPreviewValue = 5, maxValue = 10; if(!isNum(value) && value!=""){ $G(property).value = ""; $G("message").style.display =""; $G("messageContent").innerHTML= "请输入正确的数值!"; return property=="border"?1:0; } if(value > maxPreviewValue){ $G("message").style.display =""; $G("messageContent").innerHTML= des+"超过" + maxPreviewValue+"px时不再提供实时预览!"; if(value>maxValue){ $G("messageContent").innerHTML = des+"最大值不能超过"+maxValue+"px!"; $G(property).value = maxValue; return maxValue; } } return value; } /** * 绑定取色器监听事件 */ function addColorPickListener(){ var colorPicker = getColorPicker(), ids = ["bgColor","borderColor"]; for(var i=0,ci;ci = $G(ids[i++]); ){ domUtils.on(ci,"click",function(){ var me = this; showColorPicker(colorPicker,me); colorPicker.content.onpickcolor = function(t, color){ me.value = color.toUpperCase(); colorPicker.hide(); createTable(); }; colorPicker.content.onpicknocolor = function(){ me.value = ''; colorPicker.hide(); createTable(); }; }); domUtils.on(ci,"keyup",function(){ colorPicker.hide(); createTable(); }); } domUtils.on(document, 'mousedown', function (){ UE.ui.Popup.postHide(this); }); } /** * 实例化一个colorpicker对象 */ function getColorPicker(){ return new UE.ui.Popup({ content: new UE.ui.ColorPicker({ noColorText: '清除颜色' }) }); } /** * 在anchorObj上显示colorpicker * @param anchorObj */ function showColorPicker(colorPicker,anchorObj){ colorPicker.showAnchor(anchorObj); }
JavaScript
/** * 开发版本的文件导入 */ (function (){ var paths = [ 'editor.js', 'core/browser.js', 'core/utils.js', 'core/EventBase.js', 'core/dom/dtd.js', 'core/dom/domUtils.js', 'core/dom/Range.js', 'core/dom/Selection.js', 'core/Editor.js', 'core/ajax.js', 'plugins/inserthtml.js', 'plugins/autotypeset.js', 'plugins/image.js', 'plugins/justify.js', 'plugins/font.js', 'plugins/link.js', 'plugins/map.js', 'plugins/iframe.js', 'plugins/removeformat.js', 'plugins/blockquote.js', 'plugins/indent.js', 'plugins/print.js', 'plugins/preview.js', 'plugins/spechars.js', 'plugins/emotion.js', 'plugins/selectall.js', 'plugins/paragraph.js', 'plugins/directionality.js', 'plugins/horizontal.js', 'plugins/time.js', 'plugins/rowspacing.js', 'plugins/lineheight.js', 'plugins/cleardoc.js', 'plugins/anchor.js', 'plugins/delete.js', 'plugins/wordcount.js', 'plugins/pagebreak.js', 'plugins/wordimage.js', 'plugins/undo.js', 'plugins/paste.js', //粘贴时候的提示依赖了UI 'plugins/list.js', 'plugins/source.js', 'plugins/shortcutkeys.js', 'plugins/enterkey.js', 'plugins/keystrokes.js', 'plugins/fiximgclick.js', 'plugins/autolink.js', 'plugins/autoheight.js', 'plugins/autofloat.js', //依赖UEditor UI,在IE6中,会覆盖掉body的背景图属性 'plugins/highlight.js', 'plugins/serialize.js', 'plugins/video.js', 'plugins/table.js', 'plugins/contextmenu.js', 'plugins/basestyle.js', 'plugins/elementpath.js', 'plugins/formatmatch.js', 'plugins/searchreplace.js', 'plugins/customstyle.js', 'plugins/catchremoteimage.js', 'plugins/snapscreen.js', 'plugins/attachment.js', 'ui/ui.js', 'ui/uiutils.js', 'ui/uibase.js', 'ui/separator.js', 'ui/mask.js', 'ui/popup.js', 'ui/colorpicker.js', 'ui/tablepicker.js', 'ui/stateful.js', 'ui/button.js', 'ui/splitbutton.js', 'ui/colorbutton.js', 'ui/tablebutton.js', 'ui/autotypesetpicker.js', 'ui/autotypesetbutton.js', 'ui/toolbar.js', 'ui/menu.js', 'ui/combox.js', 'ui/dialog.js', 'ui/menubutton.js', 'ui/editorui.js', 'ui/editor.js', 'ui/multiMenu.js' ], baseURL = '../_src/'; for (var i=0,pi;pi = paths[i++];) { document.write('<script type="text/javascript" src="'+ baseURL + pi +'"></script>'); } })();
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines some constants used by the editor. These constants are also * globally available in the page where the editor is placed. */ // Editor Instance Status. var FCK_STATUS_NOTLOADED = window.parent.FCK_STATUS_NOTLOADED = 0 ; var FCK_STATUS_ACTIVE = window.parent.FCK_STATUS_ACTIVE = 1 ; var FCK_STATUS_COMPLETE = window.parent.FCK_STATUS_COMPLETE = 2 ; // Tristate Operations. var FCK_TRISTATE_OFF = window.parent.FCK_TRISTATE_OFF = 0 ; var FCK_TRISTATE_ON = window.parent.FCK_TRISTATE_ON = 1 ; var FCK_TRISTATE_DISABLED = window.parent.FCK_TRISTATE_DISABLED = -1 ; // For unknown values. var FCK_UNKNOWN = window.parent.FCK_UNKNOWN = -9 ; // Toolbar Items Style. var FCK_TOOLBARITEM_ONLYICON = window.parent.FCK_TOOLBARITEM_ONLYICON = 0 ; var FCK_TOOLBARITEM_ONLYTEXT = window.parent.FCK_TOOLBARITEM_ONLYTEXT = 1 ; var FCK_TOOLBARITEM_ICONTEXT = window.parent.FCK_TOOLBARITEM_ICONTEXT = 2 ; // Edit Mode var FCK_EDITMODE_WYSIWYG = window.parent.FCK_EDITMODE_WYSIWYG = 0 ; var FCK_EDITMODE_SOURCE = window.parent.FCK_EDITMODE_SOURCE = 1 ; var FCK_IMAGES_PATH = 'images/' ; // Check usage. var FCK_SPACER_PATH = 'images/spacer.gif' ; var CTRL = 1000 ; var SHIFT = 2000 ; var ALT = 4000 ; var FCK_STYLE_BLOCK = 0 ; var FCK_STYLE_INLINE = 1 ; var FCK_STYLE_OBJECT = 2 ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Creation and initialization of the "FCK" object. This is the main * object that represents an editor instance. * (Gecko specific implementations) */ FCK.Description = "FCKeditor for Gecko Browsers" ; FCK.InitializeBehaviors = function() { // When calling "SetData", the editing area IFRAME gets a fixed height. So we must recalculate it. if ( window.onresize ) // Not for Safari/Opera. window.onresize() ; FCKFocusManager.AddWindow( this.EditorWindow ) ; this.ExecOnSelectionChange = function() { FCK.Events.FireEvent( "OnSelectionChange" ) ; } this._ExecDrop = function( evt ) { if ( FCK.MouseDownFlag ) { FCK.MouseDownFlag = false ; return ; } if ( FCKConfig.ForcePasteAsPlainText ) { if ( evt.dataTransfer ) { var text = evt.dataTransfer.getData( 'Text' ) ; text = FCKTools.HTMLEncode( text ) ; text = FCKTools.ProcessLineBreaks( window, FCKConfig, text ) ; FCK.InsertHtml( text ) ; } else if ( FCKConfig.ShowDropDialog ) FCK.PasteAsPlainText() ; evt.preventDefault() ; evt.stopPropagation() ; } } this._ExecCheckCaret = function( evt ) { if ( FCK.EditMode != FCK_EDITMODE_WYSIWYG ) return ; if ( evt.type == 'keypress' ) { var keyCode = evt.keyCode ; // ignore if positioning key is not pressed. // left or up arrow keys need to be processed as well, since <a> links can be expanded in Gecko's editor // when the caret moved left or up from another block element below. if ( keyCode < 33 || keyCode > 40 ) return ; } var blockEmptyStop = function( node ) { if ( node.nodeType != 1 ) return false ; var tag = node.tagName.toLowerCase() ; return ( FCKListsLib.BlockElements[tag] || FCKListsLib.EmptyElements[tag] ) ; } var moveCursor = function() { var selection = FCKSelection.GetSelection() ; var range = selection.getRangeAt(0) ; if ( ! range || ! range.collapsed ) return ; var node = range.endContainer ; // only perform the patched behavior if we're at the end of a text node. if ( node.nodeType != 3 ) return ; if ( node.nodeValue.length != range.endOffset ) return ; // only perform the patched behavior if we're in an <a> tag, or the End key is pressed. var parentTag = node.parentNode.tagName.toLowerCase() ; if ( ! ( parentTag == 'a' || ( !FCKBrowserInfo.IsOpera && String(node.parentNode.contentEditable) == 'false' ) || ( ! ( FCKListsLib.BlockElements[parentTag] || FCKListsLib.NonEmptyBlockElements[parentTag] ) && keyCode == 35 ) ) ) return ; // our caret has moved to just after the last character of a text node under an unknown tag, how to proceed? // first, see if there are other text nodes by DFS walking from this text node. // - if the DFS has scanned all nodes under my parent, then go the next step. // - if there is a text node after me but still under my parent, then do nothing and return. var nextTextNode = FCKTools.GetNextTextNode( node, node.parentNode, blockEmptyStop ) ; if ( nextTextNode ) return ; // we're pretty sure we need to move the caret forcefully from here. range = FCK.EditorDocument.createRange() ; nextTextNode = FCKTools.GetNextTextNode( node, node.parentNode.parentNode, blockEmptyStop ) ; if ( nextTextNode ) { // Opera thinks the dummy empty text node we append beyond the end of <a> nodes occupies a caret // position. So if the user presses the left key and we reset the caret position here, the user // wouldn't be able to go back. if ( FCKBrowserInfo.IsOpera && keyCode == 37 ) return ; // now we want to get out of our current parent node, adopt the next parent, and move the caret to // the appropriate text node under our new parent. // our new parent might be our current parent's siblings if we are lucky. range.setStart( nextTextNode, 0 ) ; range.setEnd( nextTextNode, 0 ) ; } else { // no suitable next siblings under our grandparent! what to do next? while ( node.parentNode && node.parentNode != FCK.EditorDocument.body && node.parentNode != FCK.EditorDocument.documentElement && node == node.parentNode.lastChild && ( ! FCKListsLib.BlockElements[node.parentNode.tagName.toLowerCase()] && ! FCKListsLib.NonEmptyBlockElements[node.parentNode.tagName.toLowerCase()] ) ) node = node.parentNode ; if ( FCKListsLib.BlockElements[ parentTag ] || FCKListsLib.EmptyElements[ parentTag ] || node == FCK.EditorDocument.body ) { // if our parent is a block node, move to the end of our parent. range.setStart( node, node.childNodes.length ) ; range.setEnd( node, node.childNodes.length ) ; } else { // things are a little bit more interesting if our parent is not a block node // due to the weired ways how Gecko's caret acts... var stopNode = node.nextSibling ; // find out the next block/empty element at our grandparent, we'll // move the caret just before it. while ( stopNode ) { if ( stopNode.nodeType != 1 ) { stopNode = stopNode.nextSibling ; continue ; } var stopTag = stopNode.tagName.toLowerCase() ; if ( FCKListsLib.BlockElements[stopTag] || FCKListsLib.EmptyElements[stopTag] || FCKListsLib.NonEmptyBlockElements[stopTag] ) break ; stopNode = stopNode.nextSibling ; } // note that the dummy marker below is NEEDED, otherwise the caret's behavior will // be broken in Gecko. var marker = FCK.EditorDocument.createTextNode( '' ) ; if ( stopNode ) node.parentNode.insertBefore( marker, stopNode ) ; else node.parentNode.appendChild( marker ) ; range.setStart( marker, 0 ) ; range.setEnd( marker, 0 ) ; } } selection.removeAllRanges() ; selection.addRange( range ) ; FCK.Events.FireEvent( "OnSelectionChange" ) ; } setTimeout( moveCursor, 1 ) ; } this.ExecOnSelectionChangeTimer = function() { if ( FCK.LastOnChangeTimer ) window.clearTimeout( FCK.LastOnChangeTimer ) ; FCK.LastOnChangeTimer = window.setTimeout( FCK.ExecOnSelectionChange, 100 ) ; } this.EditorDocument.addEventListener( 'mouseup', this.ExecOnSelectionChange, false ) ; // On Gecko, firing the "OnSelectionChange" event on every key press started to be too much // slow. So, a timer has been implemented to solve performance issues when typing to quickly. this.EditorDocument.addEventListener( 'keyup', this.ExecOnSelectionChangeTimer, false ) ; this._DblClickListener = function( e ) { FCK.OnDoubleClick( e.target ) ; e.stopPropagation() ; } this.EditorDocument.addEventListener( 'dblclick', this._DblClickListener, true ) ; // Record changes for the undo system when there are key down events. this.EditorDocument.addEventListener( 'keydown', this._KeyDownListener, false ) ; // Hooks for data object drops if ( FCKBrowserInfo.IsGecko ) { this.EditorWindow.addEventListener( 'dragdrop', this._ExecDrop, true ) ; } else if ( FCKBrowserInfo.IsSafari ) { this.EditorDocument.addEventListener( 'dragover', function ( evt ) { if ( !FCK.MouseDownFlag && FCK.Config.ForcePasteAsPlainText ) evt.returnValue = false ; }, true ) ; this.EditorDocument.addEventListener( 'drop', this._ExecDrop, true ) ; this.EditorDocument.addEventListener( 'mousedown', function( ev ) { var element = ev.srcElement ; if ( element.nodeName.IEquals( 'IMG', 'HR', 'INPUT', 'TEXTAREA', 'SELECT' ) ) { FCKSelection.SelectNode( element ) ; } }, true ) ; this.EditorDocument.addEventListener( 'mouseup', function( ev ) { if ( ev.srcElement.nodeName.IEquals( 'INPUT', 'TEXTAREA', 'SELECT' ) ) ev.preventDefault() }, true ) ; this.EditorDocument.addEventListener( 'click', function( ev ) { if ( ev.srcElement.nodeName.IEquals( 'INPUT', 'TEXTAREA', 'SELECT' ) ) ev.preventDefault() }, true ) ; } // Kludge for buggy Gecko caret positioning logic (Bug #393 and #1056) if ( FCKBrowserInfo.IsGecko || FCKBrowserInfo.IsOpera ) { this.EditorDocument.addEventListener( 'keypress', this._ExecCheckCaret, false ) ; this.EditorDocument.addEventListener( 'click', this._ExecCheckCaret, false ) ; } // Reset the context menu. FCK.ContextMenu._InnerContextMenu.SetMouseClickWindow( FCK.EditorWindow ) ; FCK.ContextMenu._InnerContextMenu.AttachToElement( FCK.EditorDocument ) ; } FCK.MakeEditable = function() { this.EditingArea.MakeEditable() ; } // Disable the context menu in the editor (outside the editing area). function Document_OnContextMenu( e ) { if ( !e.target._FCKShowContextMenu ) e.preventDefault() ; } document.oncontextmenu = Document_OnContextMenu ; // GetNamedCommandState overload for Gecko. FCK._BaseGetNamedCommandState = FCK.GetNamedCommandState ; FCK.GetNamedCommandState = function( commandName ) { switch ( commandName ) { case 'Unlink' : return FCKSelection.HasAncestorNode('A') ? FCK_TRISTATE_OFF : FCK_TRISTATE_DISABLED ; default : return FCK._BaseGetNamedCommandState( commandName ) ; } } // Named commands to be handled by this browsers specific implementation. FCK.RedirectNamedCommands = { Print : true, Paste : true } ; // ExecuteNamedCommand overload for Gecko. FCK.ExecuteRedirectedNamedCommand = function( commandName, commandParameter ) { switch ( commandName ) { case 'Print' : FCK.EditorWindow.print() ; break ; case 'Paste' : try { // Force the paste dialog for Safari (#50). if ( FCKBrowserInfo.IsSafari ) throw '' ; if ( FCK.Paste() ) FCK.ExecuteNamedCommand( 'Paste', null, true ) ; } catch (e) { if ( FCKConfig.ForcePasteAsPlainText ) FCK.PasteAsPlainText() ; else FCKDialog.OpenDialog( 'FCKDialog_Paste', FCKLang.Paste, 'dialog/fck_paste.html', 400, 330, 'Security' ) ; } break ; default : FCK.ExecuteNamedCommand( commandName, commandParameter ) ; } } FCK._ExecPaste = function() { // Save a snapshot for undo before actually paste the text FCKUndo.SaveUndoStep() ; if ( FCKConfig.ForcePasteAsPlainText ) { FCK.PasteAsPlainText() ; return false ; } /* For now, the AutoDetectPasteFromWord feature is IE only. */ return true ; } //** // FCK.InsertHtml: Inserts HTML at the current cursor location. Deletes the // selected content if any. FCK.InsertHtml = function( html ) { var doc = FCK.EditorDocument, range; html = FCKConfig.ProtectedSource.Protect( html ) ; html = FCK.ProtectEvents( html ) ; html = FCK.ProtectUrls( html ) ; html = FCK.ProtectTags( html ) ; // Save an undo snapshot first. FCKUndo.SaveUndoStep() ; if ( FCKBrowserInfo.IsGecko ) { html = html.replace( /&nbsp;$/, '$&<span _fcktemp="1"/>' ) ; var docFrag = new FCKDocumentFragment( this.EditorDocument ) ; docFrag.AppendHtml( html ) ; var lastNode = docFrag.RootNode.lastChild ; range = new FCKDomRange( this.EditorWindow ) ; range.MoveToSelection() ; // If the first element (if exists) of the document fragment is a block // element, then split the current block. (#1537) var currentNode = docFrag.RootNode.firstChild ; while ( currentNode && currentNode.nodeType != 1 ) currentNode = currentNode.nextSibling ; if ( currentNode && FCKListsLib.BlockElements[ currentNode.nodeName.toLowerCase() ] ) range.SplitBlock() ; range.DeleteContents() ; range.InsertNode( docFrag.RootNode ) ; range.MoveToPosition( lastNode, 4 ) ; } else doc.execCommand( 'inserthtml', false, html ) ; this.Focus() ; // Save the caret position before calling document processor. if ( !range ) { range = new FCKDomRange( this.EditorWindow ) ; range.MoveToSelection() ; } var bookmark = range.CreateBookmark() ; FCKDocumentProcessor.Process( doc ) ; // Restore caret position, ignore any errors in case the document // processor removed the bookmark <span>s for some reason. try { range.MoveToBookmark( bookmark ) ; range.Select() ; } catch ( e ) {} // For some strange reason the SaveUndoStep() call doesn't activate the undo button at the first InsertHtml() call. this.Events.FireEvent( "OnSelectionChange" ) ; } FCK.PasteAsPlainText = function() { // TODO: Implement the "Paste as Plain Text" code. // If the function is called immediately Firefox 2 does automatically paste the contents as soon as the new dialog is created // so we run it in a Timeout and the paste event can be cancelled FCKTools.RunFunction( FCKDialog.OpenDialog, FCKDialog, ['FCKDialog_Paste', FCKLang.PasteAsText, 'dialog/fck_paste.html', 400, 330, 'PlainText'] ) ; /* var sText = FCKTools.HTMLEncode( clipboardData.getData("Text") ) ; sText = sText.replace( /\n/g, '<BR>' ) ; this.InsertHtml( sText ) ; */ } /* FCK.PasteFromWord = function() { // TODO: Implement the "Paste as Plain Text" code. FCKDialog.OpenDialog( 'FCKDialog_Paste', FCKLang.PasteFromWord, 'dialog/fck_paste.html', 400, 330, 'Word' ) ; // FCK.CleanAndPaste( FCK.GetClipboardHTML() ) ; } */ FCK.GetClipboardHTML = function() { return '' ; } FCK.CreateLink = function( url, noUndo ) { // Creates the array that will be returned. It contains one or more created links (see #220). var aCreatedLinks = new Array() ; // Only for Safari, a collapsed selection may create a link. All other // browser will have no links created. So, we check it here and return // immediatelly, having the same cross browser behavior. if ( FCKSelection.GetSelection().isCollapsed ) return aCreatedLinks ; FCK.ExecuteNamedCommand( 'Unlink', null, false, !!noUndo ) ; if ( url.length > 0 ) { // Generate a temporary name for the link. var sTempUrl = 'javascript:void(0);/*' + ( new Date().getTime() ) + '*/' ; // Use the internal "CreateLink" command to create the link. FCK.ExecuteNamedCommand( 'CreateLink', sTempUrl, false, !!noUndo ) ; // Retrieve the just created links using XPath. var oLinksInteractor = this.EditorDocument.evaluate("//a[@href='" + sTempUrl + "']", this.EditorDocument.body, null, XPathResult.UNORDERED_NODE_SNAPSHOT_TYPE, null) ; // Add all links to the returning array. for ( var i = 0 ; i < oLinksInteractor.snapshotLength ; i++ ) { var oLink = oLinksInteractor.snapshotItem( i ) ; oLink.href = url ; aCreatedLinks.push( oLink ) ; } } return aCreatedLinks ; } FCK._FillEmptyBlock = function( emptyBlockNode ) { if ( ! emptyBlockNode || emptyBlockNode.nodeType != 1 ) return ; var nodeTag = emptyBlockNode.tagName.toLowerCase() ; if ( nodeTag != 'p' && nodeTag != 'div' ) return ; if ( emptyBlockNode.firstChild ) return ; FCKTools.AppendBogusBr( emptyBlockNode ) ; } FCK._ExecCheckEmptyBlock = function() { FCK._FillEmptyBlock( FCK.EditorDocument.body.firstChild ) ; var sel = FCKSelection.GetSelection() ; if ( !sel || sel.rangeCount < 1 ) return ; var range = sel.getRangeAt( 0 ); FCK._FillEmptyBlock( range.startContainer ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Toolbar items definitions. */ var FCKToolbarItems = new Object() ; FCKToolbarItems.LoadedItems = new Object() ; FCKToolbarItems.RegisterItem = function( itemName, item ) { this.LoadedItems[ itemName ] = item ; } FCKToolbarItems.GetItem = function( itemName ) { var oItem = FCKToolbarItems.LoadedItems[ itemName ] ; if ( oItem ) return oItem ; switch ( itemName ) { case 'Source' : oItem = new FCKToolbarButton( 'Source' , FCKLang.Source, null, FCK_TOOLBARITEM_ICONTEXT, true, true, 1 ) ; break ; case 'DocProps' : oItem = new FCKToolbarButton( 'DocProps' , FCKLang.DocProps, null, null, null, null, 2 ) ; break ; case 'Save' : oItem = new FCKToolbarButton( 'Save' , FCKLang.Save, null, null, true, null, 3 ) ; break ; case 'NewPage' : oItem = new FCKToolbarButton( 'NewPage' , FCKLang.NewPage, null, null, true, null, 4 ) ; break ; case 'Preview' : oItem = new FCKToolbarButton( 'Preview' , FCKLang.Preview, null, null, true, null, 5 ) ; break ; case 'Templates' : oItem = new FCKToolbarButton( 'Templates' , FCKLang.Templates, null, null, null, null, 6 ) ; break ; case 'About' : oItem = new FCKToolbarButton( 'About' , FCKLang.About, null, null, true, null, 47 ) ; break ; case 'Cut' : oItem = new FCKToolbarButton( 'Cut' , FCKLang.Cut, null, null, false, true, 7 ) ; break ; case 'Copy' : oItem = new FCKToolbarButton( 'Copy' , FCKLang.Copy, null, null, false, true, 8 ) ; break ; case 'Paste' : oItem = new FCKToolbarButton( 'Paste' , FCKLang.Paste, null, null, false, true, 9 ) ; break ; case 'PasteText' : oItem = new FCKToolbarButton( 'PasteText' , FCKLang.PasteText, null, null, false, true, 10 ) ; break ; case 'PasteWord' : oItem = new FCKToolbarButton( 'PasteWord' , FCKLang.PasteWord, null, null, false, true, 11 ) ; break ; case 'Print' : oItem = new FCKToolbarButton( 'Print' , FCKLang.Print, null, null, false, true, 12 ) ; break ; case 'Undo' : oItem = new FCKToolbarButton( 'Undo' , FCKLang.Undo, null, null, false, true, 14 ) ; break ; case 'Redo' : oItem = new FCKToolbarButton( 'Redo' , FCKLang.Redo, null, null, false, true, 15 ) ; break ; case 'SelectAll' : oItem = new FCKToolbarButton( 'SelectAll' , FCKLang.SelectAll, null, null, true, null, 18 ) ; break ; case 'RemoveFormat' : oItem = new FCKToolbarButton( 'RemoveFormat', FCKLang.RemoveFormat, null, null, false, true, 19 ) ; break ; case 'FitWindow' : oItem = new FCKToolbarButton( 'FitWindow' , FCKLang.FitWindow, null, null, true, true, 66 ) ; break ; case 'Bold' : oItem = new FCKToolbarButton( 'Bold' , FCKLang.Bold, null, null, false, true, 20 ) ; break ; case 'Italic' : oItem = new FCKToolbarButton( 'Italic' , FCKLang.Italic, null, null, false, true, 21 ) ; break ; case 'Underline' : oItem = new FCKToolbarButton( 'Underline' , FCKLang.Underline, null, null, false, true, 22 ) ; break ; case 'StrikeThrough' : oItem = new FCKToolbarButton( 'StrikeThrough' , FCKLang.StrikeThrough, null, null, false, true, 23 ) ; break ; case 'Subscript' : oItem = new FCKToolbarButton( 'Subscript' , FCKLang.Subscript, null, null, false, true, 24 ) ; break ; case 'Superscript' : oItem = new FCKToolbarButton( 'Superscript' , FCKLang.Superscript, null, null, false, true, 25 ) ; break ; case 'OrderedList' : oItem = new FCKToolbarButton( 'InsertOrderedList' , FCKLang.NumberedListLbl, FCKLang.NumberedList, null, false, true, 26 ) ; break ; case 'UnorderedList' : oItem = new FCKToolbarButton( 'InsertUnorderedList' , FCKLang.BulletedListLbl, FCKLang.BulletedList, null, false, true, 27 ) ; break ; case 'Outdent' : oItem = new FCKToolbarButton( 'Outdent' , FCKLang.DecreaseIndent, null, null, false, true, 28 ) ; break ; case 'Indent' : oItem = new FCKToolbarButton( 'Indent' , FCKLang.IncreaseIndent, null, null, false, true, 29 ) ; break ; case 'Blockquote' : oItem = new FCKToolbarButton( 'Blockquote' , FCKLang.Blockquote, null, null, false, true, 73 ) ; break ; case 'CreateDiv' : oItem = new FCKToolbarButton( 'CreateDiv' , FCKLang.CreateDiv, null, null, false, true, 74 ) ; break ; case 'Link' : oItem = new FCKToolbarButton( 'Link' , FCKLang.InsertLinkLbl, FCKLang.InsertLink, null, false, true, 34 ) ; break ; case 'Unlink' : oItem = new FCKToolbarButton( 'Unlink' , FCKLang.RemoveLink, null, null, false, true, 35 ) ; break ; case 'Anchor' : oItem = new FCKToolbarButton( 'Anchor' , FCKLang.Anchor, null, null, null, null, 36 ) ; break ; case 'Image' : oItem = new FCKToolbarButton( 'Image' , FCKLang.InsertImageLbl, FCKLang.InsertImage, null, false, true, 37 ) ; break ; case 'Flash' : oItem = new FCKToolbarButton( 'Flash' , FCKLang.InsertFlashLbl, FCKLang.InsertFlash, null, false, true, 38 ) ; break ; case 'Table' : oItem = new FCKToolbarButton( 'Table' , FCKLang.InsertTableLbl, FCKLang.InsertTable, null, false, true, 39 ) ; break ; case 'SpecialChar' : oItem = new FCKToolbarButton( 'SpecialChar' , FCKLang.InsertSpecialCharLbl, FCKLang.InsertSpecialChar, null, false, true, 42 ) ; break ; case 'Smiley' : oItem = new FCKToolbarButton( 'Smiley' , FCKLang.InsertSmileyLbl, FCKLang.InsertSmiley, null, false, true, 41 ) ; break ; case 'PageBreak' : oItem = new FCKToolbarButton( 'PageBreak' , FCKLang.PageBreakLbl, FCKLang.PageBreak, null, false, true, 43 ) ; break ; case 'Rule' : oItem = new FCKToolbarButton( 'Rule' , FCKLang.InsertLineLbl, FCKLang.InsertLine, null, false, true, 40 ) ; break ; case 'JustifyLeft' : oItem = new FCKToolbarButton( 'JustifyLeft' , FCKLang.LeftJustify, null, null, false, true, 30 ) ; break ; case 'JustifyCenter' : oItem = new FCKToolbarButton( 'JustifyCenter' , FCKLang.CenterJustify, null, null, false, true, 31 ) ; break ; case 'JustifyRight' : oItem = new FCKToolbarButton( 'JustifyRight' , FCKLang.RightJustify, null, null, false, true, 32 ) ; break ; case 'JustifyFull' : oItem = new FCKToolbarButton( 'JustifyFull' , FCKLang.BlockJustify, null, null, false, true, 33 ) ; break ; case 'Style' : oItem = new FCKToolbarStyleCombo() ; break ; case 'FontName' : oItem = new FCKToolbarFontsCombo() ; break ; case 'FontSize' : oItem = new FCKToolbarFontSizeCombo() ; break ; case 'FontFormat' : oItem = new FCKToolbarFontFormatCombo() ; break ; case 'TextColor' : oItem = new FCKToolbarPanelButton( 'TextColor', FCKLang.TextColor, null, null, 45 ) ; break ; case 'BGColor' : oItem = new FCKToolbarPanelButton( 'BGColor' , FCKLang.BGColor, null, null, 46 ) ; break ; case 'Find' : oItem = new FCKToolbarButton( 'Find' , FCKLang.Find, null, null, null, null, 16 ) ; break ; case 'Replace' : oItem = new FCKToolbarButton( 'Replace' , FCKLang.Replace, null, null, null, null, 17 ) ; break ; case 'Form' : oItem = new FCKToolbarButton( 'Form' , FCKLang.Form, null, null, null, null, 48 ) ; break ; case 'Checkbox' : oItem = new FCKToolbarButton( 'Checkbox' , FCKLang.Checkbox, null, null, null, null, 49 ) ; break ; case 'Radio' : oItem = new FCKToolbarButton( 'Radio' , FCKLang.RadioButton, null, null, null, null, 50 ) ; break ; case 'TextField' : oItem = new FCKToolbarButton( 'TextField' , FCKLang.TextField, null, null, null, null, 51 ) ; break ; case 'Textarea' : oItem = new FCKToolbarButton( 'Textarea' , FCKLang.Textarea, null, null, null, null, 52 ) ; break ; case 'HiddenField' : oItem = new FCKToolbarButton( 'HiddenField' , FCKLang.HiddenField, null, null, null, null, 56 ) ; break ; case 'Button' : oItem = new FCKToolbarButton( 'Button' , FCKLang.Button, null, null, null, null, 54 ) ; break ; case 'Select' : oItem = new FCKToolbarButton( 'Select' , FCKLang.SelectionField, null, null, null, null, 53 ) ; break ; case 'ImageButton' : oItem = new FCKToolbarButton( 'ImageButton' , FCKLang.ImageButton, null, null, null, null, 55 ) ; break ; case 'ShowBlocks' : oItem = new FCKToolbarButton( 'ShowBlocks' , FCKLang.ShowBlocks, null, null, null, true, 72 ) ; break ; case 'SpellCheck' : if ( FCKConfig.SpellChecker == 'SCAYT' ) oItem = FCKScayt.CreateToolbarItem() ; else oItem = new FCKToolbarButton( 'SpellCheck', FCKLang.SpellCheck, null, null, null, null, 13 ) ; break ; default: alert( FCKLang.UnknownToolbarItem.replace( /%1/g, itemName ) ) ; return null ; } FCKToolbarItems.LoadedItems[ itemName ] = oItem ; return oItem ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Utility functions. */ var FCKTools = new Object() ; FCKTools.CreateBogusBR = function( targetDocument ) { var eBR = targetDocument.createElement( 'br' ) ; // eBR.setAttribute( '_moz_editor_bogus_node', 'TRUE' ) ; eBR.setAttribute( 'type', '_moz' ) ; return eBR ; } /** * Fixes relative URL entries defined inside CSS styles by appending a prefix * to them. * @param (String) cssStyles The CSS styles definition possibly containing url() * paths. * @param (String) urlFixPrefix The prefix to append to relative URLs. */ FCKTools.FixCssUrls = function( urlFixPrefix, cssStyles ) { if ( !urlFixPrefix || urlFixPrefix.length == 0 ) return cssStyles ; return cssStyles.replace( /url\s*\(([\s'"]*)(.*?)([\s"']*)\)/g, function( match, opener, path, closer ) { if ( /^\/|^\w?:/.test( path ) ) return match ; else return 'url(' + opener + urlFixPrefix + path + closer + ')' ; } ) ; } FCKTools._GetUrlFixedCss = function( cssStyles, urlFixPrefix ) { var match = cssStyles.match( /^([^|]+)\|([\s\S]*)/ ) ; if ( match ) return FCKTools.FixCssUrls( match[1], match[2] ) ; else return cssStyles ; } /** * Appends a <link css> or <style> element to the document. * @param (Object) documentElement The DOM document object to which append the * stylesheet. * @param (Variant) cssFileOrDef A String pointing to the CSS file URL or an * Array with many CSS file URLs or the CSS definitions for the <style> * element. * @return {Array} An array containing all elements created in the target * document. It may include <link> or <style> elements, depending on the * value passed with cssFileOrDef. */ FCKTools.AppendStyleSheet = function( domDocument, cssFileOrArrayOrDef ) { if ( !cssFileOrArrayOrDef ) return [] ; if ( typeof( cssFileOrArrayOrDef ) == 'string' ) { // Test if the passed argument is an URL. if ( /[\\\/\.][^{}]*$/.test( cssFileOrArrayOrDef ) ) { // The string may have several URLs separated by comma. return this.AppendStyleSheet( domDocument, cssFileOrArrayOrDef.split(',') ) ; } else return [ this.AppendStyleString( domDocument, FCKTools._GetUrlFixedCss( cssFileOrArrayOrDef ) ) ] ; } else { var styles = [] ; for ( var i = 0 ; i < cssFileOrArrayOrDef.length ; i++ ) styles.push( this._AppendStyleSheet( domDocument, cssFileOrArrayOrDef[i] ) ) ; return styles ; } } FCKTools.GetStyleHtml = (function() { var getStyle = function( styleDef, markTemp ) { if ( styleDef.length == 0 ) return '' ; var temp = markTemp ? ' _fcktemp="true"' : '' ; return '<' + 'style type="text/css"' + temp + '>' + styleDef + '<' + '/style>' ; } var getLink = function( cssFileUrl, markTemp ) { if ( cssFileUrl.length == 0 ) return '' ; var temp = markTemp ? ' _fcktemp="true"' : '' ; return '<' + 'link href="' + cssFileUrl + '" type="text/css" rel="stylesheet" ' + temp + '/>' ; } return function( cssFileOrArrayOrDef, markTemp ) { if ( !cssFileOrArrayOrDef ) return '' ; if ( typeof( cssFileOrArrayOrDef ) == 'string' ) { // Test if the passed argument is an URL. if ( /[\\\/\.][^{}]*$/.test( cssFileOrArrayOrDef ) ) { // The string may have several URLs separated by comma. return this.GetStyleHtml( cssFileOrArrayOrDef.split(','), markTemp ) ; } else return getStyle( this._GetUrlFixedCss( cssFileOrArrayOrDef ), markTemp ) ; } else { var html = '' ; for ( var i = 0 ; i < cssFileOrArrayOrDef.length ; i++ ) html += getLink( cssFileOrArrayOrDef[i], markTemp ) ; return html ; } } })() ; FCKTools.GetElementDocument = function ( element ) { return element.ownerDocument || element.document ; } // Get the window object where the element is placed in. FCKTools.GetElementWindow = function( element ) { return this.GetDocumentWindow( this.GetElementDocument( element ) ) ; } FCKTools.GetDocumentWindow = function( document ) { // With Safari, there is not way to retrieve the window from the document, so we must fix it. if ( FCKBrowserInfo.IsSafari && !document.parentWindow ) this.FixDocumentParentWindow( window.top ) ; return document.parentWindow || document.defaultView ; } /* This is a Safari specific function that fix the reference to the parent window from the document object. */ FCKTools.FixDocumentParentWindow = function( targetWindow ) { if ( targetWindow.document ) targetWindow.document.parentWindow = targetWindow ; for ( var i = 0 ; i < targetWindow.frames.length ; i++ ) FCKTools.FixDocumentParentWindow( targetWindow.frames[i] ) ; } FCKTools.HTMLEncode = function( text ) { if ( !text ) return '' ; text = text.replace( /&/g, '&amp;' ) ; text = text.replace( /</g, '&lt;' ) ; text = text.replace( />/g, '&gt;' ) ; return text ; } FCKTools.HTMLDecode = function( text ) { if ( !text ) return '' ; text = text.replace( /&gt;/g, '>' ) ; text = text.replace( /&lt;/g, '<' ) ; text = text.replace( /&amp;/g, '&' ) ; return text ; } FCKTools._ProcessLineBreaksForPMode = function( oEditor, text, liState, node, strArray ) { var closeState = 0 ; var blockStartTag = "<p>" ; var blockEndTag = "</p>" ; var lineBreakTag = "<br />" ; if ( liState ) { blockStartTag = "<li>" ; blockEndTag = "</li>" ; closeState = 1 ; } // Are we currently inside a <p> tag now? // If yes, close it at the next double line break. while ( node && node != oEditor.FCK.EditorDocument.body ) { if ( node.tagName.toLowerCase() == 'p' ) { closeState = 1 ; break; } node = node.parentNode ; } for ( var i = 0 ; i < text.length ; i++ ) { var c = text.charAt( i ) ; if ( c == '\r' ) continue ; if ( c != '\n' ) { strArray.push( c ) ; continue ; } // Now we have encountered a line break. // Check if the next character is also a line break. var n = text.charAt( i + 1 ) ; if ( n == '\r' ) { i++ ; n = text.charAt( i + 1 ) ; } if ( n == '\n' ) { i++ ; // ignore next character - we have already processed it. if ( closeState ) strArray.push( blockEndTag ) ; strArray.push( blockStartTag ) ; closeState = 1 ; } else strArray.push( lineBreakTag ) ; } } FCKTools._ProcessLineBreaksForDivMode = function( oEditor, text, liState, node, strArray ) { var closeState = 0 ; var blockStartTag = "<div>" ; var blockEndTag = "</div>" ; if ( liState ) { blockStartTag = "<li>" ; blockEndTag = "</li>" ; closeState = 1 ; } // Are we currently inside a <div> tag now? // If yes, close it at the next double line break. while ( node && node != oEditor.FCK.EditorDocument.body ) { if ( node.tagName.toLowerCase() == 'div' ) { closeState = 1 ; break ; } node = node.parentNode ; } for ( var i = 0 ; i < text.length ; i++ ) { var c = text.charAt( i ) ; if ( c == '\r' ) continue ; if ( c != '\n' ) { strArray.push( c ) ; continue ; } if ( closeState ) { if ( strArray[ strArray.length - 1 ] == blockStartTag ) { // A div tag must have some contents inside for it to be visible. strArray.push( "&nbsp;" ) ; } strArray.push( blockEndTag ) ; } strArray.push( blockStartTag ) ; closeState = 1 ; } if ( closeState ) strArray.push( blockEndTag ) ; } FCKTools._ProcessLineBreaksForBrMode = function( oEditor, text, liState, node, strArray ) { var closeState = 0 ; var blockStartTag = "<br />" ; var blockEndTag = "" ; if ( liState ) { blockStartTag = "<li>" ; blockEndTag = "</li>" ; closeState = 1 ; } for ( var i = 0 ; i < text.length ; i++ ) { var c = text.charAt( i ) ; if ( c == '\r' ) continue ; if ( c != '\n' ) { strArray.push( c ) ; continue ; } if ( closeState && blockEndTag.length ) strArray.push ( blockEndTag ) ; strArray.push( blockStartTag ) ; closeState = 1 ; } } FCKTools.ProcessLineBreaks = function( oEditor, oConfig, text ) { var enterMode = oConfig.EnterMode.toLowerCase() ; var strArray = [] ; // Is the caret or selection inside an <li> tag now? var liState = 0 ; var range = new oEditor.FCKDomRange( oEditor.FCK.EditorWindow ) ; range.MoveToSelection() ; var node = range._Range.startContainer ; while ( node && node.nodeType != 1 ) node = node.parentNode ; if ( node && node.tagName.toLowerCase() == 'li' ) liState = 1 ; if ( enterMode == 'p' ) this._ProcessLineBreaksForPMode( oEditor, text, liState, node, strArray ) ; else if ( enterMode == 'div' ) this._ProcessLineBreaksForDivMode( oEditor, text, liState, node, strArray ) ; else if ( enterMode == 'br' ) this._ProcessLineBreaksForBrMode( oEditor, text, liState, node, strArray ) ; return strArray.join( "" ) ; } /** * Adds an option to a SELECT element. */ FCKTools.AddSelectOption = function( selectElement, optionText, optionValue ) { var oOption = FCKTools.GetElementDocument( selectElement ).createElement( "OPTION" ) ; oOption.text = optionText ; oOption.value = optionValue ; selectElement.options.add(oOption) ; return oOption ; } FCKTools.RunFunction = function( func, thisObject, paramsArray, timerWindow ) { if ( func ) this.SetTimeout( func, 0, thisObject, paramsArray, timerWindow ) ; } FCKTools.SetTimeout = function( func, milliseconds, thisObject, paramsArray, timerWindow ) { return ( timerWindow || window ).setTimeout( function() { if ( paramsArray ) func.apply( thisObject, [].concat( paramsArray ) ) ; else func.apply( thisObject ) ; }, milliseconds ) ; } FCKTools.SetInterval = function( func, milliseconds, thisObject, paramsArray, timerWindow ) { return ( timerWindow || window ).setInterval( function() { func.apply( thisObject, paramsArray || [] ) ; }, milliseconds ) ; } FCKTools.ConvertStyleSizeToHtml = function( size ) { return size.EndsWith( '%' ) ? size : parseInt( size, 10 ) ; } FCKTools.ConvertHtmlSizeToStyle = function( size ) { return size.EndsWith( '%' ) ? size : ( size + 'px' ) ; } // START iCM MODIFICATIONS // Amended to accept a list of one or more ascensor tag names // Amended to check the element itself before working back up through the parent hierarchy FCKTools.GetElementAscensor = function( element, ascensorTagNames ) { // var e = element.parentNode ; var e = element ; var lstTags = "," + ascensorTagNames.toUpperCase() + "," ; while ( e ) { if ( lstTags.indexOf( "," + e.nodeName.toUpperCase() + "," ) != -1 ) return e ; e = e.parentNode ; } return null ; } // END iCM MODIFICATIONS FCKTools.CreateEventListener = function( func, params ) { var f = function() { var aAllParams = [] ; for ( var i = 0 ; i < arguments.length ; i++ ) aAllParams.push( arguments[i] ) ; func.apply( this, aAllParams.concat( params ) ) ; } return f ; } FCKTools.IsStrictMode = function( document ) { // There is no compatMode in Safari, but it seams that it always behave as // CSS1Compat, so let's assume it as the default for that browser. return ( 'CSS1Compat' == ( document.compatMode || ( FCKBrowserInfo.IsSafari ? 'CSS1Compat' : null ) ) ) ; } // Transforms a "arguments" object to an array. FCKTools.ArgumentsToArray = function( args, startIndex, maxLength ) { startIndex = startIndex || 0 ; maxLength = maxLength || args.length ; var argsArray = new Array() ; for ( var i = startIndex ; i < startIndex + maxLength && i < args.length ; i++ ) argsArray.push( args[i] ) ; return argsArray ; } FCKTools.CloneObject = function( sourceObject ) { var fCloneCreator = function() {} ; fCloneCreator.prototype = sourceObject ; return new fCloneCreator ; } // Appends a bogus <br> at the end of the element, if not yet available. FCKTools.AppendBogusBr = function( element ) { if ( !element ) return ; var eLastChild = this.GetLastItem( element.getElementsByTagName('br') ) ; if ( !eLastChild || ( eLastChild.getAttribute( 'type', 2 ) != '_moz' && eLastChild.getAttribute( '_moz_dirty' ) == null ) ) { var doc = this.GetElementDocument( element ) ; if ( FCKBrowserInfo.IsOpera ) element.appendChild( doc.createTextNode('') ) ; else element.appendChild( this.CreateBogusBR( doc ) ) ; } } FCKTools.GetLastItem = function( list ) { if ( list.length > 0 ) return list[ list.length - 1 ] ; return null ; } FCKTools.GetDocumentPosition = function( w, node ) { var x = 0 ; var y = 0 ; var curNode = node ; var prevNode = null ; var curWindow = FCKTools.GetElementWindow( curNode ) ; while ( curNode && !( curWindow == w && ( curNode == w.document.body || curNode == w.document.documentElement ) ) ) { x += curNode.offsetLeft - curNode.scrollLeft ; y += curNode.offsetTop - curNode.scrollTop ; if ( ! FCKBrowserInfo.IsOpera ) { var scrollNode = prevNode ; while ( scrollNode && scrollNode != curNode ) { x -= scrollNode.scrollLeft ; y -= scrollNode.scrollTop ; scrollNode = scrollNode.parentNode ; } } prevNode = curNode ; if ( curNode.offsetParent ) curNode = curNode.offsetParent ; else { if ( curWindow != w ) { curNode = curWindow.frameElement ; prevNode = null ; if ( curNode ) curWindow = curNode.contentWindow.parent ; } else curNode = null ; } } // document.body is a special case when it comes to offsetTop and offsetLeft values. // 1. It matters if document.body itself is a positioned element; // 2. It matters is when we're in IE and the element has no positioned ancestor. // Otherwise the values should be ignored. if ( FCKDomTools.GetCurrentElementStyle( w.document.body, 'position') != 'static' || ( FCKBrowserInfo.IsIE && FCKDomTools.GetPositionedAncestor( node ) == null ) ) { x += w.document.body.offsetLeft ; y += w.document.body.offsetTop ; } return { "x" : x, "y" : y } ; } FCKTools.GetWindowPosition = function( w, node ) { var pos = this.GetDocumentPosition( w, node ) ; var scroll = FCKTools.GetScrollPosition( w ) ; pos.x -= scroll.X ; pos.y -= scroll.Y ; return pos ; } FCKTools.ProtectFormStyles = function( formNode ) { if ( !formNode || formNode.nodeType != 1 || formNode.tagName.toLowerCase() != 'form' ) return [] ; var hijackRecord = [] ; var hijackNames = [ 'style', 'className' ] ; for ( var i = 0 ; i < hijackNames.length ; i++ ) { var name = hijackNames[i] ; if ( formNode.elements.namedItem( name ) ) { var hijackNode = formNode.elements.namedItem( name ) ; hijackRecord.push( [ hijackNode, hijackNode.nextSibling ] ) ; formNode.removeChild( hijackNode ) ; } } return hijackRecord ; } FCKTools.RestoreFormStyles = function( formNode, hijackRecord ) { if ( !formNode || formNode.nodeType != 1 || formNode.tagName.toLowerCase() != 'form' ) return ; if ( hijackRecord.length > 0 ) { for ( var i = hijackRecord.length - 1 ; i >= 0 ; i-- ) { var node = hijackRecord[i][0] ; var sibling = hijackRecord[i][1] ; if ( sibling ) formNode.insertBefore( node, sibling ) ; else formNode.appendChild( node ) ; } } } // Perform a one-step DFS walk. FCKTools.GetNextNode = function( node, limitNode ) { if ( node.firstChild ) return node.firstChild ; else if ( node.nextSibling ) return node.nextSibling ; else { var ancestor = node.parentNode ; while ( ancestor ) { if ( ancestor == limitNode ) return null ; if ( ancestor.nextSibling ) return ancestor.nextSibling ; else ancestor = ancestor.parentNode ; } } return null ; } FCKTools.GetNextTextNode = function( textnode, limitNode, checkStop ) { node = this.GetNextNode( textnode, limitNode ) ; if ( checkStop && node && checkStop( node ) ) return null ; while ( node && node.nodeType != 3 ) { node = this.GetNextNode( node, limitNode ) ; if ( checkStop && node && checkStop( node ) ) return null ; } return node ; } /** * Merge all objects passed by argument into a single object. */ FCKTools.Merge = function() { var args = arguments ; var o = args[0] ; for ( var i = 1 ; i < args.length ; i++ ) { var arg = args[i] ; for ( var p in arg ) o[p] = arg[p] ; } return o ; } /** * Check if the passed argument is a real Array. It may not working when * calling it cross windows. */ FCKTools.IsArray = function( it ) { return ( it instanceof Array ) ; } /** * Appends a "length" property to an object, containing the number of * properties available on it, excluded the append property itself. */ FCKTools.AppendLengthProperty = function( targetObject, propertyName ) { var counter = 0 ; for ( var n in targetObject ) counter++ ; return targetObject[ propertyName || 'length' ] = counter ; } /** * Gets the browser parsed version of a css text (style attribute value). On * some cases, the browser makes changes to the css text, returning a different * value. For example, hexadecimal colors get transformed to rgb(). */ FCKTools.NormalizeCssText = function( unparsedCssText ) { // Injects the style in a temporary span object, so the browser parses it, // retrieving its final format. var tempSpan = document.createElement( 'span' ) ; tempSpan.style.cssText = unparsedCssText ; return tempSpan.style.cssText ; } /** * Binding the "this" reference to an object for a function. */ FCKTools.Bind = function( subject, func ) { return function(){ return func.apply( subject, arguments ) ; } ; } /** * Retrieve the correct "empty iframe" URL for the current browser, which * causes the minimum fuzz (e.g. security warnings in HTTPS, DNS error in * IE5.5, etc.) for that browser, making the iframe ready to DOM use whithout * having to loading an external file. */ FCKTools.GetVoidUrl = function() { if ( FCK_IS_CUSTOM_DOMAIN ) return "javascript: void( function(){" + "document.open();" + "document.write('<html><head><title></title></head><body></body></html>');" + "document.domain = '" + FCK_RUNTIME_DOMAIN + "';" + "document.close();" + "}() ) ;"; if ( FCKBrowserInfo.IsIE ) { if ( FCKBrowserInfo.IsIE7 || !FCKBrowserInfo.IsIE6 ) return "" ; // IE7+ / IE5.5 else return "javascript: '';" ; // IE6+ } return "javascript: void(0);" ; // All other browsers. } FCKTools.ResetStyles = function( element ) { element.style.cssText = 'margin:0;' + 'padding:0;' + 'border:0;' + 'background-color:transparent;' + 'background-image:none;' ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKPlugins object that is responsible for loading the Plugins. */ var FCKPlugins = FCK.Plugins = new Object() ; FCKPlugins.ItemsCount = 0 ; FCKPlugins.Items = new Object() ; FCKPlugins.Load = function() { var oItems = FCKPlugins.Items ; // build the plugins collection. for ( var i = 0 ; i < FCKConfig.Plugins.Items.length ; i++ ) { var oItem = FCKConfig.Plugins.Items[i] ; var oPlugin = oItems[ oItem[0] ] = new FCKPlugin( oItem[0], oItem[1], oItem[2] ) ; FCKPlugins.ItemsCount++ ; } // Load all items in the plugins collection. for ( var s in oItems ) oItems[s].Load() ; // This is a self destroyable function (must be called once). FCKPlugins.Load = null ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Debug window control and operations (empty for the compressed files - #2043). */ var FCKDebug = { Output : function() {}, OutputObject : function() {} } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Manage table operations. */ var FCKTableHandler = new Object() ; FCKTableHandler.InsertRow = function( insertBefore ) { // Get the row where the selection is placed in. var oRow = FCKSelection.MoveToAncestorNode( 'TR' ) ; if ( !oRow ) return ; // Create a clone of the row. var oNewRow = oRow.cloneNode( true ) ; // Insert the new row (copy) before of it. oRow.parentNode.insertBefore( oNewRow, oRow ) ; // Clean one of the rows to produce the illusion of inserting an empty row before or after. FCKTableHandler.ClearRow( insertBefore ? oNewRow : oRow ) ; } FCKTableHandler.DeleteRows = function( row ) { // If no row has been passed as a parameter, // then get the row( s ) containing the cells where the selection is placed in. // If user selected multiple rows ( by selecting multiple cells ), walk // the selected cell list and delete the rows containing the selected cells if ( ! row ) { var aCells = FCKTableHandler.GetSelectedCells() ; var aRowsToDelete = new Array() ; //queue up the rows -- it's possible ( and likely ) that we may get duplicates for ( var i = 0; i < aCells.length; i++ ) { var oRow = aCells[i].parentNode ; aRowsToDelete[oRow.rowIndex] = oRow ; } for ( var i = aRowsToDelete.length; i >= 0; i-- ) { if ( aRowsToDelete[i] ) FCKTableHandler.DeleteRows( aRowsToDelete[i] ); } return ; } // Get the row's table. var oTable = FCKTools.GetElementAscensor( row, 'TABLE' ) ; // If just one row is available then delete the entire table. if ( oTable.rows.length == 1 ) { FCKTableHandler.DeleteTable( oTable ) ; return ; } // Delete the row. row.parentNode.removeChild( row ) ; } FCKTableHandler.DeleteTable = function( table ) { // If no table has been passed as a parameter, // then get the table where the selection is placed in. if ( !table ) { table = FCKSelection.GetSelectedElement() ; if ( !table || table.tagName != 'TABLE' ) table = FCKSelection.MoveToAncestorNode( 'TABLE' ) ; } if ( !table ) return ; // Delete the table. FCKSelection.SelectNode( table ) ; FCKSelection.Collapse(); // if the table is wrapped with a singleton <p> ( or something similar ), remove // the surrounding tag -- which likely won't show after deletion anyway if ( table.parentNode.childNodes.length == 1 ) table.parentNode.parentNode.removeChild( table.parentNode ); else table.parentNode.removeChild( table ) ; } FCKTableHandler.InsertColumn = function( insertBefore ) { // Get the cell where the selection is placed in. var oCell = null ; var nodes = this.GetSelectedCells() ; if ( nodes && nodes.length ) oCell = nodes[ insertBefore ? 0 : ( nodes.length - 1 ) ] ; if ( ! oCell ) return ; // Get the cell's table. var oTable = FCKTools.GetElementAscensor( oCell, 'TABLE' ) ; var iIndex = oCell.cellIndex ; // Loop through all rows available in the table. for ( var i = 0 ; i < oTable.rows.length ; i++ ) { // Get the row. var oRow = oTable.rows[i] ; // If the row doesn't have enough cells, ignore it. if ( oRow.cells.length < ( iIndex + 1 ) ) continue ; oCell = oRow.cells[iIndex].cloneNode(false) ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( oCell ) ; // Get back the currently selected cell. var oBaseCell = oRow.cells[iIndex] ; oRow.insertBefore( oCell, ( insertBefore ? oBaseCell : oBaseCell.nextSibling ) ) ; } } FCKTableHandler.DeleteColumns = function( oCell ) { // if user selected multiple cols ( by selecting multiple cells ), walk // the selected cell list and delete the rows containing the selected cells if ( !oCell ) { var aColsToDelete = FCKTableHandler.GetSelectedCells(); for ( var i = aColsToDelete.length; i >= 0; i-- ) { if ( aColsToDelete[i] ) FCKTableHandler.DeleteColumns( aColsToDelete[i] ); } return; } if ( !oCell ) return ; // Get the cell's table. var oTable = FCKTools.GetElementAscensor( oCell, 'TABLE' ) ; // Get the cell index. var iIndex = oCell.cellIndex ; // Loop throw all rows (from down to up, because it's possible that some // rows will be deleted). for ( var i = oTable.rows.length - 1 ; i >= 0 ; i-- ) { // Get the row. var oRow = oTable.rows[i] ; // If the cell to be removed is the first one and the row has just one cell. if ( iIndex == 0 && oRow.cells.length == 1 ) { // Remove the entire row. FCKTableHandler.DeleteRows( oRow ) ; continue ; } // If the cell to be removed exists the delete it. if ( oRow.cells[iIndex] ) oRow.removeChild( oRow.cells[iIndex] ) ; } } FCKTableHandler.InsertCell = function( cell, insertBefore ) { // Get the cell where the selection is placed in. var oCell = null ; var nodes = this.GetSelectedCells() ; if ( nodes && nodes.length ) oCell = nodes[ insertBefore ? 0 : ( nodes.length - 1 ) ] ; if ( ! oCell ) return null ; // Create the new cell element to be added. var oNewCell = FCK.EditorDocument.createElement( 'TD' ) ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( oNewCell ) ; if ( !insertBefore && oCell.cellIndex == oCell.parentNode.cells.length - 1 ) oCell.parentNode.appendChild( oNewCell ) ; else oCell.parentNode.insertBefore( oNewCell, insertBefore ? oCell : oCell.nextSibling ) ; return oNewCell ; } FCKTableHandler.DeleteCell = function( cell ) { // If this is the last cell in the row. if ( cell.parentNode.cells.length == 1 ) { // Delete the entire row. FCKTableHandler.DeleteRows( cell.parentNode ) ; return ; } // Delete the cell from the row. cell.parentNode.removeChild( cell ) ; } FCKTableHandler.DeleteCells = function() { var aCells = FCKTableHandler.GetSelectedCells() ; for ( var i = aCells.length - 1 ; i >= 0 ; i-- ) { FCKTableHandler.DeleteCell( aCells[i] ) ; } } FCKTableHandler._MarkCells = function( cells, label ) { for ( var i = 0 ; i < cells.length ; i++ ) cells[i][label] = true ; } FCKTableHandler._UnmarkCells = function( cells, label ) { for ( var i = 0 ; i < cells.length ; i++ ) { FCKDomTools.ClearElementJSProperty(cells[i], label ) ; } } FCKTableHandler._ReplaceCellsByMarker = function( tableMap, marker, substitute ) { for ( var i = 0 ; i < tableMap.length ; i++ ) { for ( var j = 0 ; j < tableMap[i].length ; j++ ) { if ( tableMap[i][j][marker] ) tableMap[i][j] = substitute ; } } } FCKTableHandler._GetMarkerGeometry = function( tableMap, rowIdx, colIdx, markerName ) { var selectionWidth = 0 ; var selectionHeight = 0 ; var cellsLeft = 0 ; var cellsUp = 0 ; for ( var i = colIdx ; tableMap[rowIdx][i] && tableMap[rowIdx][i][markerName] ; i++ ) selectionWidth++ ; for ( var i = colIdx - 1 ; tableMap[rowIdx][i] && tableMap[rowIdx][i][markerName] ; i-- ) { selectionWidth++ ; cellsLeft++ ; } for ( var i = rowIdx ; tableMap[i] && tableMap[i][colIdx] && tableMap[i][colIdx][markerName] ; i++ ) selectionHeight++ ; for ( var i = rowIdx - 1 ; tableMap[i] && tableMap[i][colIdx] && tableMap[i][colIdx][markerName] ; i-- ) { selectionHeight++ ; cellsUp++ ; } return { 'width' : selectionWidth, 'height' : selectionHeight, 'x' : cellsLeft, 'y' : cellsUp } ; } FCKTableHandler.CheckIsSelectionRectangular = function() { // If every row and column in an area on a plane are of the same width and height, // Then the area is a rectangle. var cells = FCKTableHandler.GetSelectedCells() ; if ( cells.length < 1 ) return false ; // Check if the selected cells are all in the same table section (thead, tfoot or tbody) for (var i = 0; i < cells.length; i++) { if ( cells[i].parentNode.parentNode != cells[0].parentNode.parentNode ) return false ; } this._MarkCells( cells, '_CellSelected' ) ; var tableMap = this._CreateTableMap( cells[0] ) ; var rowIdx = cells[0].parentNode.rowIndex ; var colIdx = this._GetCellIndexSpan( tableMap, rowIdx, cells[0] ) ; var geometry = this._GetMarkerGeometry( tableMap, rowIdx, colIdx, '_CellSelected' ) ; var baseColIdx = colIdx - geometry.x ; var baseRowIdx = rowIdx - geometry.y ; if ( geometry.width >= geometry.height ) { for ( colIdx = baseColIdx ; colIdx < baseColIdx + geometry.width ; colIdx++ ) { rowIdx = baseRowIdx + ( colIdx - baseColIdx ) % geometry.height ; if ( ! tableMap[rowIdx] || ! tableMap[rowIdx][colIdx] ) { this._UnmarkCells( cells, '_CellSelected' ) ; return false ; } var g = this._GetMarkerGeometry( tableMap, rowIdx, colIdx, '_CellSelected' ) ; if ( g.width != geometry.width || g.height != geometry.height ) { this._UnmarkCells( cells, '_CellSelected' ) ; return false ; } } } else { for ( rowIdx = baseRowIdx ; rowIdx < baseRowIdx + geometry.height ; rowIdx++ ) { colIdx = baseColIdx + ( rowIdx - baseRowIdx ) % geometry.width ; if ( ! tableMap[rowIdx] || ! tableMap[rowIdx][colIdx] ) { this._UnmarkCells( cells, '_CellSelected' ) ; return false ; } var g = this._GetMarkerGeometry( tableMap, rowIdx, colIdx, '_CellSelected' ) ; if ( g.width != geometry.width || g.height != geometry.height ) { this._UnmarkCells( cells, '_CellSelected' ) ; return false ; } } } this._UnmarkCells( cells, '_CellSelected' ) ; return true ; } FCKTableHandler.MergeCells = function() { // Get all selected cells. var cells = this.GetSelectedCells() ; if ( cells.length < 2 ) return ; // Assume the selected cells are already in a rectangular geometry. // Because the checking is already done by FCKTableCommand. var refCell = cells[0] ; var tableMap = this._CreateTableMap( refCell ) ; var rowIdx = refCell.parentNode.rowIndex ; var colIdx = this._GetCellIndexSpan( tableMap, rowIdx, refCell ) ; this._MarkCells( cells, '_SelectedCells' ) ; var selectionGeometry = this._GetMarkerGeometry( tableMap, rowIdx, colIdx, '_SelectedCells' ) ; var baseColIdx = colIdx - selectionGeometry.x ; var baseRowIdx = rowIdx - selectionGeometry.y ; var cellContents = FCKTools.GetElementDocument( refCell ).createDocumentFragment() ; for ( var i = 0 ; i < selectionGeometry.height ; i++ ) { var rowChildNodesCount = 0 ; for ( var j = 0 ; j < selectionGeometry.width ; j++ ) { var currentCell = tableMap[baseRowIdx + i][baseColIdx + j] ; while ( currentCell.childNodes.length > 0 ) { var node = currentCell.removeChild( currentCell.firstChild ) ; if ( node.nodeType != 1 || ( node.getAttribute( 'type', 2 ) != '_moz' && node.getAttribute( '_moz_dirty' ) != null ) ) { cellContents.appendChild( node ) ; rowChildNodesCount++ ; } } } if ( rowChildNodesCount > 0 ) cellContents.appendChild( FCK.EditorDocument.createElement( 'br' ) ) ; } this._ReplaceCellsByMarker( tableMap, '_SelectedCells', refCell ) ; this._UnmarkCells( cells, '_SelectedCells' ) ; this._InstallTableMap( tableMap, refCell.parentNode.parentNode.parentNode ) ; refCell.appendChild( cellContents ) ; if ( FCKBrowserInfo.IsGeckoLike && ( ! refCell.firstChild ) ) FCKTools.AppendBogusBr( refCell ) ; this._MoveCaretToCell( refCell, false ) ; } FCKTableHandler.MergeRight = function() { var target = this.GetMergeRightTarget() ; if ( target == null ) return ; var refCell = target.refCell ; var tableMap = target.tableMap ; var nextCell = target.nextCell ; var cellContents = FCK.EditorDocument.createDocumentFragment() ; while ( nextCell && nextCell.childNodes && nextCell.childNodes.length > 0 ) cellContents.appendChild( nextCell.removeChild( nextCell.firstChild ) ) ; nextCell.parentNode.removeChild( nextCell ) ; refCell.appendChild( cellContents ) ; this._MarkCells( [nextCell], '_Replace' ) ; this._ReplaceCellsByMarker( tableMap, '_Replace', refCell ) ; this._InstallTableMap( tableMap, refCell.parentNode.parentNode.parentNode ) ; this._MoveCaretToCell( refCell, false ) ; } FCKTableHandler.MergeDown = function() { var target = this.GetMergeDownTarget() ; if ( target == null ) return ; var refCell = target.refCell ; var tableMap = target.tableMap ; var nextCell = target.nextCell ; var cellContents = FCKTools.GetElementDocument( refCell ).createDocumentFragment() ; while ( nextCell && nextCell.childNodes && nextCell.childNodes.length > 0 ) cellContents.appendChild( nextCell.removeChild( nextCell.firstChild ) ) ; if ( cellContents.firstChild ) cellContents.insertBefore( FCK.EditorDocument.createElement( 'br' ), cellContents.firstChild ) ; refCell.appendChild( cellContents ) ; this._MarkCells( [nextCell], '_Replace' ) ; this._ReplaceCellsByMarker( tableMap, '_Replace', refCell ) ; this._InstallTableMap( tableMap, refCell.parentNode.parentNode.parentNode ) ; this._MoveCaretToCell( refCell, false ) ; } FCKTableHandler.HorizontalSplitCell = function() { var cells = FCKTableHandler.GetSelectedCells() ; if ( cells.length != 1 ) return ; var refCell = cells[0] ; var tableMap = this._CreateTableMap( refCell ) ; var rowIdx = refCell.parentNode.rowIndex ; var colIdx = FCKTableHandler._GetCellIndexSpan( tableMap, rowIdx, refCell ) ; var cellSpan = isNaN( refCell.colSpan ) ? 1 : refCell.colSpan ; if ( cellSpan > 1 ) { // Splitting a multi-column cell - original cell gets ceil(colSpan/2) columns, // new cell gets floor(colSpan/2). var newCellSpan = Math.ceil( cellSpan / 2 ) ; var newCell = FCK.EditorDocument.createElement( refCell.nodeName ) ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( newCell ) ; var startIdx = colIdx + newCellSpan ; var endIdx = colIdx + cellSpan ; var rowSpan = isNaN( refCell.rowSpan ) ? 1 : refCell.rowSpan ; for ( var r = rowIdx ; r < rowIdx + rowSpan ; r++ ) { for ( var i = startIdx ; i < endIdx ; i++ ) tableMap[r][i] = newCell ; } } else { // Splitting a single-column cell - add a new cell, and expand // cells crossing the same column. var newTableMap = [] ; for ( var i = 0 ; i < tableMap.length ; i++ ) { var newRow = tableMap[i].slice( 0, colIdx ) ; if ( tableMap[i].length <= colIdx ) { newTableMap.push( newRow ) ; continue ; } if ( tableMap[i][colIdx] == refCell ) { newRow.push( refCell ) ; newRow.push( FCK.EditorDocument.createElement( refCell.nodeName ) ) ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( newRow[newRow.length - 1] ) ; } else { newRow.push( tableMap[i][colIdx] ) ; newRow.push( tableMap[i][colIdx] ) ; } for ( var j = colIdx + 1 ; j < tableMap[i].length ; j++ ) newRow.push( tableMap[i][j] ) ; newTableMap.push( newRow ) ; } tableMap = newTableMap ; } this._InstallTableMap( tableMap, refCell.parentNode.parentNode.parentNode ) ; } FCKTableHandler.VerticalSplitCell = function() { var cells = FCKTableHandler.GetSelectedCells() ; if ( cells.length != 1 ) return ; var currentCell = cells[0] ; var tableMap = this._CreateTableMap( currentCell ) ; var currentRowIndex = currentCell.parentNode.rowIndex ; var cellIndex = FCKTableHandler._GetCellIndexSpan( tableMap, currentRowIndex, currentCell ) ; // Save current cell colSpan var currentColSpan = isNaN( currentCell.colSpan ) ? 1 : currentCell.colSpan ; var currentRowSpan = currentCell.rowSpan ; if ( isNaN( currentRowSpan ) ) currentRowSpan = 1 ; if ( currentRowSpan > 1 ) { // 1. Set the current cell's rowSpan to 1. currentCell.rowSpan = Math.ceil( currentRowSpan / 2 ) ; // 2. Find the appropriate place to insert a new cell at the next row. var newCellRowIndex = currentRowIndex + Math.ceil( currentRowSpan / 2 ) ; var oRow = tableMap[newCellRowIndex] ; var insertMarker = null ; for ( var i = cellIndex+1 ; i < oRow.length ; i++ ) { if ( oRow[i].parentNode.rowIndex == newCellRowIndex ) { insertMarker = oRow[i] ; break ; } } // 3. Insert the new cell to the indicated place, with the appropriate rowSpan and colSpan, next row. var newCell = FCK.EditorDocument.createElement( currentCell.nodeName ) ; newCell.rowSpan = Math.floor( currentRowSpan / 2 ) ; if ( currentColSpan > 1 ) newCell.colSpan = currentColSpan ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( newCell ) ; currentCell.parentNode.parentNode.parentNode.rows[newCellRowIndex].insertBefore( newCell, insertMarker ) ; } else { // 1. Insert a new row. var newSectionRowIdx = currentCell.parentNode.sectionRowIndex + 1 ; var newRow = FCK.EditorDocument.createElement( 'tr' ) ; var tSection = currentCell.parentNode.parentNode ; if ( tSection.rows.length > newSectionRowIdx ) tSection.insertBefore( newRow, tSection.rows[newSectionRowIdx] ) ; else tSection.appendChild( newRow ) ; // 2. +1 to rowSpan for all cells crossing currentCell's row. for ( var i = 0 ; i < tableMap[currentRowIndex].length ; ) { var colSpan = tableMap[currentRowIndex][i].colSpan ; if ( isNaN( colSpan ) || colSpan < 1 ) colSpan = 1 ; if ( i == cellIndex ) { i += colSpan ; continue ; } var rowSpan = tableMap[currentRowIndex][i].rowSpan ; if ( isNaN( rowSpan ) ) rowSpan = 1 ; tableMap[currentRowIndex][i].rowSpan = rowSpan + 1 ; i += colSpan ; } // 3. Insert a new cell to new row. Set colSpan on the new cell. var newCell = FCK.EditorDocument.createElement( currentCell.nodeName ) ; if ( currentColSpan > 1 ) newCell.colSpan = currentColSpan ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( newCell ) ; newRow.appendChild( newCell ) ; } } // Get the cell index from a TableMap. FCKTableHandler._GetCellIndexSpan = function( tableMap, rowIndex, cell ) { if ( tableMap.length < rowIndex + 1 ) return null ; var oRow = tableMap[ rowIndex ] ; for ( var c = 0 ; c < oRow.length ; c++ ) { if ( oRow[c] == cell ) return c ; } return null ; } // Get the cell location from a TableMap. Returns an array with an [x,y] location FCKTableHandler._GetCellLocation = function( tableMap, cell ) { for ( var i = 0 ; i < tableMap.length; i++ ) { for ( var c = 0 ; c < tableMap[i].length ; c++ ) { if ( tableMap[i][c] == cell ) return [i,c]; } } return null ; } // This function is quite hard to explain. It creates a matrix representing all cells in a table. // The difference here is that the "spanned" cells (colSpan and rowSpan) are duplicated on the matrix // cells that are "spanned". For example, a row with 3 cells where the second cell has colSpan=2 and rowSpan=3 // will produce a bi-dimensional matrix with the following values (representing the cells): // Cell1, Cell2, Cell2, Cell3 // Cell4, Cell2, Cell2, Cell5 // Cell6, Cell2, Cell2, Cell7 FCKTableHandler._CreateTableMap = function( refCell ) { var table = (refCell.nodeName == 'TABLE' ? refCell : refCell.parentNode.parentNode.parentNode ) ; var aRows = table.rows ; // Row and Column counters. var r = -1 ; var aMap = new Array() ; for ( var i = 0 ; i < aRows.length ; i++ ) { r++ ; if ( !aMap[r] ) aMap[r] = new Array() ; var c = -1 ; for ( var j = 0 ; j < aRows[i].cells.length ; j++ ) { var oCell = aRows[i].cells[j] ; c++ ; while ( aMap[r][c] ) c++ ; var iColSpan = isNaN( oCell.colSpan ) ? 1 : oCell.colSpan ; var iRowSpan = isNaN( oCell.rowSpan ) ? 1 : oCell.rowSpan ; for ( var rs = 0 ; rs < iRowSpan ; rs++ ) { if ( !aMap[r + rs] ) aMap[r + rs] = new Array() ; for ( var cs = 0 ; cs < iColSpan ; cs++ ) { aMap[r + rs][c + cs] = aRows[i].cells[j] ; } } c += iColSpan - 1 ; } } return aMap ; } // This function is the inverse of _CreateTableMap - it takes in a table map and converts it to an HTML table. FCKTableHandler._InstallTableMap = function( tableMap, table ) { // Workaround for #1917 : MSIE will always report a cell's rowSpan as 1 as long // as the cell is not attached to a row. So we'll need an alternative attribute // for storing the calculated rowSpan in IE. var rowSpanAttr = FCKBrowserInfo.IsIE ? "_fckrowspan" : "rowSpan" ; // Disconnect all the cells in tableMap from their parents, set all colSpan and rowSpan attributes to 1. for ( var i = 0 ; i < tableMap.length ; i++ ) { for ( var j = 0 ; j < tableMap[i].length ; j++ ) { var cell = tableMap[i][j] ; if ( cell.parentNode ) cell.parentNode.removeChild( cell ) ; cell.colSpan = cell[rowSpanAttr] = 1 ; } } // Scan by rows and set colSpan. var maxCol = 0 ; for ( var i = 0 ; i < tableMap.length ; i++ ) { for ( var j = 0 ; j < tableMap[i].length ; j++ ) { var cell = tableMap[i][j] ; if ( ! cell) continue ; if ( j > maxCol ) maxCol = j ; if ( cell._colScanned === true ) continue ; if ( tableMap[i][j-1] == cell ) cell.colSpan++ ; if ( tableMap[i][j+1] != cell ) cell._colScanned = true ; } } // Scan by columns and set rowSpan. for ( var i = 0 ; i <= maxCol ; i++ ) { for ( var j = 0 ; j < tableMap.length ; j++ ) { if ( ! tableMap[j] ) continue ; var cell = tableMap[j][i] ; if ( ! cell || cell._rowScanned === true ) continue ; if ( tableMap[j-1] && tableMap[j-1][i] == cell ) cell[rowSpanAttr]++ ; if ( ! tableMap[j+1] || tableMap[j+1][i] != cell ) cell._rowScanned = true ; } } // Clear all temporary flags. for ( var i = 0 ; i < tableMap.length ; i++ ) { for ( var j = 0 ; j < tableMap[i].length ; j++) { var cell = tableMap[i][j] ; FCKDomTools.ClearElementJSProperty(cell, '_colScanned' ) ; FCKDomTools.ClearElementJSProperty(cell, '_rowScanned' ) ; } } // Insert physical rows and columns to the table. for ( var i = 0 ; i < tableMap.length ; i++ ) { var rowObj = FCK.EditorDocument.createElement( 'tr' ) ; for ( var j = 0 ; j < tableMap[i].length ; ) { var cell = tableMap[i][j] ; if ( tableMap[i-1] && tableMap[i-1][j] == cell ) { j += cell.colSpan ; continue ; } rowObj.appendChild( cell ) ; if ( rowSpanAttr != 'rowSpan' ) { cell.rowSpan = cell[rowSpanAttr] ; cell.removeAttribute( rowSpanAttr ) ; } j += cell.colSpan ; if ( cell.colSpan == 1 ) cell.removeAttribute( 'colspan' ) ; if ( cell.rowSpan == 1 ) cell.removeAttribute( 'rowspan' ) ; } if ( FCKBrowserInfo.IsIE ) { table.rows[i].replaceNode( rowObj ) ; } else { table.rows[i].innerHTML = '' ; FCKDomTools.MoveChildren( rowObj, table.rows[i] ) ; } } } FCKTableHandler._MoveCaretToCell = function ( refCell, toStart ) { var range = new FCKDomRange( FCK.EditorWindow ) ; range.MoveToNodeContents( refCell ) ; range.Collapse( toStart ) ; range.Select() ; } FCKTableHandler.ClearRow = function( tr ) { // Get the array of row's cells. var aCells = tr.cells ; // Replace the contents of each cell with "nothing". for ( var i = 0 ; i < aCells.length ; i++ ) { aCells[i].innerHTML = '' ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( aCells[i] ) ; } } FCKTableHandler.GetMergeRightTarget = function() { var cells = this.GetSelectedCells() ; if ( cells.length != 1 ) return null ; var refCell = cells[0] ; var tableMap = this._CreateTableMap( refCell ) ; var rowIdx = refCell.parentNode.rowIndex ; var colIdx = this._GetCellIndexSpan( tableMap, rowIdx, refCell ) ; var nextColIdx = colIdx + ( isNaN( refCell.colSpan ) ? 1 : refCell.colSpan ) ; var nextCell = tableMap[rowIdx][nextColIdx] ; if ( ! nextCell ) return null ; // The two cells must have the same vertical geometry, otherwise merging does not make sense. this._MarkCells( [refCell, nextCell], '_SizeTest' ) ; var refGeometry = this._GetMarkerGeometry( tableMap, rowIdx, colIdx, '_SizeTest' ) ; var nextGeometry = this._GetMarkerGeometry( tableMap, rowIdx, nextColIdx, '_SizeTest' ) ; this._UnmarkCells( [refCell, nextCell], '_SizeTest' ) ; if ( refGeometry.height != nextGeometry.height || refGeometry.y != nextGeometry.y ) return null ; return { 'refCell' : refCell, 'nextCell' : nextCell, 'tableMap' : tableMap } ; } FCKTableHandler.GetMergeDownTarget = function() { var cells = this.GetSelectedCells() ; if ( cells.length != 1 ) return null ; var refCell = cells[0] ; var tableMap = this._CreateTableMap( refCell ) ; var rowIdx = refCell.parentNode.rowIndex ; var colIdx = this._GetCellIndexSpan( tableMap, rowIdx, refCell ) ; var newRowIdx = rowIdx + ( isNaN( refCell.rowSpan ) ? 1 : refCell.rowSpan ) ; if ( ! tableMap[newRowIdx] ) return null ; var nextCell = tableMap[newRowIdx][colIdx] ; if ( ! nextCell ) return null ; // Check if the selected cells are both in the same table section (thead, tfoot or tbody). if ( refCell.parentNode.parentNode != nextCell.parentNode.parentNode ) return null ; // The two cells must have the same horizontal geometry, otherwise merging does not makes sense. this._MarkCells( [refCell, nextCell], '_SizeTest' ) ; var refGeometry = this._GetMarkerGeometry( tableMap, rowIdx, colIdx, '_SizeTest' ) ; var nextGeometry = this._GetMarkerGeometry( tableMap, newRowIdx, colIdx, '_SizeTest' ) ; this._UnmarkCells( [refCell, nextCell], '_SizeTest' ) ; if ( refGeometry.width != nextGeometry.width || refGeometry.x != nextGeometry.x ) return null ; return { 'refCell' : refCell, 'nextCell' : nextCell, 'tableMap' : tableMap } ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Contains browser detection information. */ var s = navigator.userAgent.toLowerCase() ; var FCKBrowserInfo = { IsIE : /*@cc_on!@*/false, IsIE7 : /*@cc_on!@*/false && ( parseInt( s.match( /msie (\d+)/ )[1], 10 ) >= 7 ), IsIE6 : /*@cc_on!@*/false && ( parseInt( s.match( /msie (\d+)/ )[1], 10 ) >= 6 ), IsSafari : s.Contains(' applewebkit/'), // Read "IsWebKit" IsOpera : !!window.opera, IsAIR : s.Contains(' adobeair/'), IsMac : s.Contains('macintosh') } ; // Completes the browser info with further Gecko information. (function( browserInfo ) { browserInfo.IsGecko = ( navigator.product == 'Gecko' ) && !browserInfo.IsSafari && !browserInfo.IsOpera ; browserInfo.IsGeckoLike = ( browserInfo.IsGecko || browserInfo.IsSafari || browserInfo.IsOpera ) ; if ( browserInfo.IsGecko ) { var geckoMatch = s.match( /rv:(\d+\.\d+)/ ) ; var geckoVersion = geckoMatch && parseFloat( geckoMatch[1] ) ; // Actually "10" refers to Gecko versions before Firefox 1.5, when // Gecko 1.8 (build 20051111) has been released. // Some browser (like Mozilla 1.7.13) may have a Gecko build greater // than 20051111, so we must also check for the revision number not to // be 1.7 (we are assuming that rv < 1.7 will not have build > 20051111). if ( geckoVersion ) { browserInfo.IsGecko10 = ( geckoVersion < 1.8 ) ; browserInfo.IsGecko19 = ( geckoVersion > 1.8 ) ; } } })(FCKBrowserInfo) ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKXHtml object, responsible for the XHTML operations. * IE specific. */ FCKXHtml._GetMainXmlString = function() { return this.MainNode.xml ; } FCKXHtml._AppendAttributes = function( xmlNode, htmlNode, node, nodeName ) { var aAttributes = htmlNode.attributes, bHasStyle ; for ( var n = 0 ; n < aAttributes.length ; n++ ) { var oAttribute = aAttributes[n] ; if ( oAttribute.specified ) { var sAttName = oAttribute.nodeName.toLowerCase() ; var sAttValue ; // Ignore any attribute starting with "_fck". if ( sAttName.StartsWith( '_fck' ) ) continue ; // The following must be done because of a bug on IE regarding the style // attribute. It returns "null" for the nodeValue. else if ( sAttName == 'style' ) { // Just mark it to do it later in this function. bHasStyle = true ; continue ; } // There are two cases when the oAttribute.nodeValue must be used: // - for the "class" attribute // - for events attributes (on IE only). else if ( sAttName == 'class' ) { sAttValue = oAttribute.nodeValue.replace( FCKRegexLib.FCK_Class, '' ) ; if ( sAttValue.length == 0 ) continue ; } else if ( sAttName.indexOf('on') == 0 ) sAttValue = oAttribute.nodeValue ; else if ( nodeName == 'body' && sAttName == 'contenteditable' ) continue ; // XHTML doens't support attribute minimization like "CHECKED". It must be transformed to checked="checked". else if ( oAttribute.nodeValue === true ) sAttValue = sAttName ; else { // We must use getAttribute to get it exactly as it is defined. // There are some rare cases that IE throws an error here, so we must try/catch. try { sAttValue = htmlNode.getAttribute( sAttName, 2 ) ; } catch (e) {} } this._AppendAttribute( node, sAttName, sAttValue || oAttribute.nodeValue ) ; } } // IE loses the style attribute in JavaScript-created elements tags. (#2390) if ( bHasStyle || htmlNode.style.cssText.length > 0 ) { var data = FCKTools.ProtectFormStyles( htmlNode ) ; var sStyleValue = htmlNode.style.cssText.replace( FCKRegexLib.StyleProperties, FCKTools.ToLowerCase ) ; FCKTools.RestoreFormStyles( htmlNode, data ) ; this._AppendAttribute( node, 'style', sStyleValue ) ; } } /** * Used to clean up HTML that has been processed FCKXHtml._AppendNode(). * * For objects corresponding to HTML elements, Internet Explorer will * treat a property as if it were an attribute set on that element. * * http://msdn.microsoft.com/en-us/library/ms533026(VS.85).aspx#Accessing_Element_Pr * * FCKXHtml._AppendNode() sets the property _fckxhtmljob on node objects * corresponding HTML elements to mark them as having been processed. * Counting these properties as attributes will cripple style removal * because FCK.Styles.RemoveFromSelection() will not remove an element * as long as it still has attributes. * * refs #2156 and #2834 */ FCKXHtml._RemoveXHtmlJobProperties = function ( node ) { // Select only nodes of type ELEMENT_NODE if (!node || !node.nodeType || node.nodeType != 1) return ; // Clear the _fckhtmljob attribute. if ( typeof node._fckxhtmljob !== 'undefined' ) node.removeAttribute('_fckxhtmljob') ; // Recurse upon child nodes. if ( node.hasChildNodes() ) { var childNodes = node.childNodes ; for ( var i = childNodes.length - 1 ; i >= 0 ; i-- ) FCKXHtml._RemoveXHtmlJobProperties( childNodes.item(i) ) ; } } // On very rare cases, IE is loosing the "align" attribute for DIV. (right align and apply bulleted list) FCKXHtml.TagProcessors['div'] = function( node, htmlNode ) { if ( htmlNode.align.length > 0 ) FCKXHtml._AppendAttribute( node, 'align', htmlNode.align ) ; node = FCKXHtml._AppendChildNodes( node, htmlNode, true ) ; return node ; } // IE automatically changes <FONT> tags to <FONT size=+0>. FCKXHtml.TagProcessors['font'] = function( node, htmlNode ) { if ( node.attributes.length == 0 ) node = FCKXHtml.XML.createDocumentFragment() ; node = FCKXHtml._AppendChildNodes( node, htmlNode ) ; return node ; } FCKXHtml.TagProcessors['form'] = function( node, htmlNode ) { if ( htmlNode.acceptCharset && htmlNode.acceptCharset.length > 0 && htmlNode.acceptCharset != 'UNKNOWN' ) FCKXHtml._AppendAttribute( node, 'accept-charset', htmlNode.acceptCharset ) ; // IE has a bug and htmlNode.attributes['name'].specified=false if there is // no element with id="name" inside the form (#360 and SF-BUG-1155726). var nameAtt = htmlNode.attributes['name'] ; if ( nameAtt && nameAtt.value.length > 0 ) FCKXHtml._AppendAttribute( node, 'name', nameAtt.value ) ; node = FCKXHtml._AppendChildNodes( node, htmlNode, true ) ; return node ; } // IE doens't see the value attribute as an attribute for the <INPUT> tag. FCKXHtml.TagProcessors['input'] = function( node, htmlNode ) { if ( htmlNode.name ) FCKXHtml._AppendAttribute( node, 'name', htmlNode.name ) ; if ( htmlNode.value && !node.attributes.getNamedItem( 'value' ) ) FCKXHtml._AppendAttribute( node, 'value', htmlNode.value ) ; if ( !node.attributes.getNamedItem( 'type' ) ) FCKXHtml._AppendAttribute( node, 'type', 'text' ) ; return node ; } FCKXHtml.TagProcessors['label'] = function( node, htmlNode ) { if ( htmlNode.htmlFor.length > 0 ) FCKXHtml._AppendAttribute( node, 'for', htmlNode.htmlFor ) ; node = FCKXHtml._AppendChildNodes( node, htmlNode ) ; return node ; } // Fix behavior for IE, it doesn't read back the .name on newly created maps FCKXHtml.TagProcessors['map'] = function( node, htmlNode ) { if ( ! node.attributes.getNamedItem( 'name' ) ) { var name = htmlNode.name ; if ( name ) FCKXHtml._AppendAttribute( node, 'name', name ) ; } node = FCKXHtml._AppendChildNodes( node, htmlNode, true ) ; return node ; } FCKXHtml.TagProcessors['meta'] = function( node, htmlNode ) { var oHttpEquiv = node.attributes.getNamedItem( 'http-equiv' ) ; if ( oHttpEquiv == null || oHttpEquiv.value.length == 0 ) { // Get the http-equiv value from the outerHTML. var sHttpEquiv = htmlNode.outerHTML.match( FCKRegexLib.MetaHttpEquiv ) ; if ( sHttpEquiv ) { sHttpEquiv = sHttpEquiv[1] ; FCKXHtml._AppendAttribute( node, 'http-equiv', sHttpEquiv ) ; } } return node ; } // IE ignores the "SELECTED" attribute so we must add it manually. FCKXHtml.TagProcessors['option'] = function( node, htmlNode ) { if ( htmlNode.selected && !node.attributes.getNamedItem( 'selected' ) ) FCKXHtml._AppendAttribute( node, 'selected', 'selected' ) ; node = FCKXHtml._AppendChildNodes( node, htmlNode ) ; return node ; } // IE doens't hold the name attribute as an attribute for the <TEXTAREA> and <SELECT> tags. FCKXHtml.TagProcessors['textarea'] = FCKXHtml.TagProcessors['select'] = function( node, htmlNode ) { if ( htmlNode.name ) FCKXHtml._AppendAttribute( node, 'name', htmlNode.name ) ; node = FCKXHtml._AppendChildNodes( node, htmlNode ) ; return node ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Utility functions to work with the DOM. */ var FCKDomTools = { /** * Move all child nodes from one node to another. */ MoveChildren : function( source, target, toTargetStart ) { if ( source == target ) return ; var eChild ; if ( toTargetStart ) { while ( (eChild = source.lastChild) ) target.insertBefore( source.removeChild( eChild ), target.firstChild ) ; } else { while ( (eChild = source.firstChild) ) target.appendChild( source.removeChild( eChild ) ) ; } }, MoveNode : function( source, target, toTargetStart ) { if ( toTargetStart ) target.insertBefore( FCKDomTools.RemoveNode( source ), target.firstChild ) ; else target.appendChild( FCKDomTools.RemoveNode( source ) ) ; }, // Remove blank spaces from the beginning and the end of the contents of a node. TrimNode : function( node ) { this.LTrimNode( node ) ; this.RTrimNode( node ) ; }, LTrimNode : function( node ) { var eChildNode ; while ( (eChildNode = node.firstChild) ) { if ( eChildNode.nodeType == 3 ) { var sTrimmed = eChildNode.nodeValue.LTrim() ; var iOriginalLength = eChildNode.nodeValue.length ; if ( sTrimmed.length == 0 ) { node.removeChild( eChildNode ) ; continue ; } else if ( sTrimmed.length < iOriginalLength ) { eChildNode.splitText( iOriginalLength - sTrimmed.length ) ; node.removeChild( node.firstChild ) ; } } break ; } }, RTrimNode : function( node ) { var eChildNode ; while ( (eChildNode = node.lastChild) ) { if ( eChildNode.nodeType == 3 ) { var sTrimmed = eChildNode.nodeValue.RTrim() ; var iOriginalLength = eChildNode.nodeValue.length ; if ( sTrimmed.length == 0 ) { // If the trimmed text node is empty, just remove it. // Use "eChildNode.parentNode" instead of "node" to avoid IE bug (#81). eChildNode.parentNode.removeChild( eChildNode ) ; continue ; } else if ( sTrimmed.length < iOriginalLength ) { // If the trimmed text length is less than the original // length, strip all spaces from the end by splitting // the text and removing the resulting useless node. eChildNode.splitText( sTrimmed.length ) ; // Use "node.lastChild.parentNode" instead of "node" to avoid IE bug (#81). node.lastChild.parentNode.removeChild( node.lastChild ) ; } } break ; } if ( !FCKBrowserInfo.IsIE && !FCKBrowserInfo.IsOpera ) { eChildNode = node.lastChild ; if ( eChildNode && eChildNode.nodeType == 1 && eChildNode.nodeName.toLowerCase() == 'br' ) { // Use "eChildNode.parentNode" instead of "node" to avoid IE bug (#324). eChildNode.parentNode.removeChild( eChildNode ) ; } } }, RemoveNode : function( node, excludeChildren ) { if ( excludeChildren ) { // Move all children before the node. var eChild ; while ( (eChild = node.firstChild) ) node.parentNode.insertBefore( node.removeChild( eChild ), node ) ; } return node.parentNode.removeChild( node ) ; }, GetFirstChild : function( node, childNames ) { // If childNames is a string, transform it in a Array. if ( typeof ( childNames ) == 'string' ) childNames = [ childNames ] ; var eChild = node.firstChild ; while( eChild ) { if ( eChild.nodeType == 1 && eChild.tagName.Equals.apply( eChild.tagName, childNames ) ) return eChild ; eChild = eChild.nextSibling ; } return null ; }, GetLastChild : function( node, childNames ) { // If childNames is a string, transform it in a Array. if ( typeof ( childNames ) == 'string' ) childNames = [ childNames ] ; var eChild = node.lastChild ; while( eChild ) { if ( eChild.nodeType == 1 && ( !childNames || eChild.tagName.Equals( childNames ) ) ) return eChild ; eChild = eChild.previousSibling ; } return null ; }, /* * Gets the previous element (nodeType=1) in the source order. Returns * "null" If no element is found. * @param {Object} currentNode The node to start searching from. * @param {Boolean} ignoreSpaceTextOnly Sets how text nodes will be * handled. If set to "true", only white spaces text nodes * will be ignored, while non white space text nodes will stop * the search, returning null. If "false" or omitted, all * text nodes are ignored. * @param {string[]} stopSearchElements An array of element names that * will cause the search to stop when found, returning null. * May be omitted (or null). * @param {string[]} ignoreElements An array of element names that * must be ignored during the search. */ GetPreviousSourceElement : function( currentNode, ignoreSpaceTextOnly, stopSearchElements, ignoreElements ) { if ( !currentNode ) return null ; if ( stopSearchElements && currentNode.nodeType == 1 && currentNode.nodeName.IEquals( stopSearchElements ) ) return null ; if ( currentNode.previousSibling ) currentNode = currentNode.previousSibling ; else return this.GetPreviousSourceElement( currentNode.parentNode, ignoreSpaceTextOnly, stopSearchElements, ignoreElements ) ; while ( currentNode ) { if ( currentNode.nodeType == 1 ) { if ( stopSearchElements && currentNode.nodeName.IEquals( stopSearchElements ) ) break ; if ( !ignoreElements || !currentNode.nodeName.IEquals( ignoreElements ) ) return currentNode ; } else if ( ignoreSpaceTextOnly && currentNode.nodeType == 3 && currentNode.nodeValue.RTrim().length > 0 ) break ; if ( currentNode.lastChild ) currentNode = currentNode.lastChild ; else return this.GetPreviousSourceElement( currentNode, ignoreSpaceTextOnly, stopSearchElements, ignoreElements ) ; } return null ; }, /* * Gets the next element (nodeType=1) in the source order. Returns * "null" If no element is found. * @param {Object} currentNode The node to start searching from. * @param {Boolean} ignoreSpaceTextOnly Sets how text nodes will be * handled. If set to "true", only white spaces text nodes * will be ignored, while non white space text nodes will stop * the search, returning null. If "false" or omitted, all * text nodes are ignored. * @param {string[]} stopSearchElements An array of element names that * will cause the search to stop when found, returning null. * May be omitted (or null). * @param {string[]} ignoreElements An array of element names that * must be ignored during the search. */ GetNextSourceElement : function( currentNode, ignoreSpaceTextOnly, stopSearchElements, ignoreElements, startFromSibling ) { while( ( currentNode = this.GetNextSourceNode( currentNode, startFromSibling ) ) ) // Only one "=". { if ( currentNode.nodeType == 1 ) { if ( stopSearchElements && currentNode.nodeName.IEquals( stopSearchElements ) ) break ; if ( ignoreElements && currentNode.nodeName.IEquals( ignoreElements ) ) return this.GetNextSourceElement( currentNode, ignoreSpaceTextOnly, stopSearchElements, ignoreElements ) ; return currentNode ; } else if ( ignoreSpaceTextOnly && currentNode.nodeType == 3 && currentNode.nodeValue.RTrim().length > 0 ) break ; } return null ; }, /* * Get the next DOM node available in source order. */ GetNextSourceNode : function( currentNode, startFromSibling, nodeType, stopSearchNode ) { if ( !currentNode ) return null ; var node ; if ( !startFromSibling && currentNode.firstChild ) node = currentNode.firstChild ; else { if ( stopSearchNode && currentNode == stopSearchNode ) return null ; node = currentNode.nextSibling ; if ( !node && ( !stopSearchNode || stopSearchNode != currentNode.parentNode ) ) return this.GetNextSourceNode( currentNode.parentNode, true, nodeType, stopSearchNode ) ; } if ( nodeType && node && node.nodeType != nodeType ) return this.GetNextSourceNode( node, false, nodeType, stopSearchNode ) ; return node ; }, /* * Get the next DOM node available in source order. */ GetPreviousSourceNode : function( currentNode, startFromSibling, nodeType, stopSearchNode ) { if ( !currentNode ) return null ; var node ; if ( !startFromSibling && currentNode.lastChild ) node = currentNode.lastChild ; else { if ( stopSearchNode && currentNode == stopSearchNode ) return null ; node = currentNode.previousSibling ; if ( !node && ( !stopSearchNode || stopSearchNode != currentNode.parentNode ) ) return this.GetPreviousSourceNode( currentNode.parentNode, true, nodeType, stopSearchNode ) ; } if ( nodeType && node && node.nodeType != nodeType ) return this.GetPreviousSourceNode( node, false, nodeType, stopSearchNode ) ; return node ; }, // Inserts a element after a existing one. InsertAfterNode : function( existingNode, newNode ) { return existingNode.parentNode.insertBefore( newNode, existingNode.nextSibling ) ; }, GetParents : function( node ) { var parents = new Array() ; while ( node ) { parents.unshift( node ) ; node = node.parentNode ; } return parents ; }, GetCommonParents : function( node1, node2 ) { var p1 = this.GetParents( node1 ) ; var p2 = this.GetParents( node2 ) ; var retval = [] ; for ( var i = 0 ; i < p1.length ; i++ ) { if ( p1[i] == p2[i] ) retval.push( p1[i] ) ; } return retval ; }, GetCommonParentNode : function( node1, node2, tagList ) { var tagMap = {} ; if ( ! tagList.pop ) tagList = [ tagList ] ; while ( tagList.length > 0 ) tagMap[tagList.pop().toLowerCase()] = 1 ; var commonParents = this.GetCommonParents( node1, node2 ) ; var currentParent = null ; while ( ( currentParent = commonParents.pop() ) ) { if ( tagMap[currentParent.nodeName.toLowerCase()] ) return currentParent ; } return null ; }, GetIndexOf : function( node ) { var currentNode = node.parentNode ? node.parentNode.firstChild : null ; var currentIndex = -1 ; while ( currentNode ) { currentIndex++ ; if ( currentNode == node ) return currentIndex ; currentNode = currentNode.nextSibling ; } return -1 ; }, PaddingNode : null, EnforcePaddingNode : function( doc, tagName ) { // In IE it can happen when the page is reloaded that doc or doc.body is null, so exit here try { if ( !doc || !doc.body ) return ; } catch (e) { return ; } this.CheckAndRemovePaddingNode( doc, tagName, true ) ; try { if ( doc.body.lastChild && ( doc.body.lastChild.nodeType != 1 || doc.body.lastChild.tagName.toLowerCase() == tagName.toLowerCase() ) ) return ; } catch (e) { return ; } var node = doc.createElement( tagName ) ; if ( FCKBrowserInfo.IsGecko && FCKListsLib.NonEmptyBlockElements[ tagName ] ) FCKTools.AppendBogusBr( node ) ; this.PaddingNode = node ; if ( doc.body.childNodes.length == 1 && doc.body.firstChild.nodeType == 1 && doc.body.firstChild.tagName.toLowerCase() == 'br' && ( doc.body.firstChild.getAttribute( '_moz_dirty' ) != null || doc.body.firstChild.getAttribute( 'type' ) == '_moz' ) ) doc.body.replaceChild( node, doc.body.firstChild ) ; else doc.body.appendChild( node ) ; }, CheckAndRemovePaddingNode : function( doc, tagName, dontRemove ) { var paddingNode = this.PaddingNode ; if ( ! paddingNode ) return ; // If the padding node is changed, remove its status as a padding node. try { if ( paddingNode.parentNode != doc.body || paddingNode.tagName.toLowerCase() != tagName || ( paddingNode.childNodes.length > 1 ) || ( paddingNode.firstChild && paddingNode.firstChild.nodeValue != '\xa0' && String(paddingNode.firstChild.tagName).toLowerCase() != 'br' ) ) { this.PaddingNode = null ; return ; } } catch (e) { this.PaddingNode = null ; return ; } // Now we're sure the padding node exists, and it is unchanged, and it // isn't the only node in doc.body, remove it. if ( !dontRemove ) { if ( paddingNode.parentNode.childNodes.length > 1 ) paddingNode.parentNode.removeChild( paddingNode ) ; this.PaddingNode = null ; } }, HasAttribute : function( element, attributeName ) { if ( element.hasAttribute ) return element.hasAttribute( attributeName ) ; else { var att = element.attributes[ attributeName ] ; return ( att != undefined && att.specified ) ; } }, /** * Checks if an element has "specified" attributes. */ HasAttributes : function( element ) { var attributes = element.attributes ; for ( var i = 0 ; i < attributes.length ; i++ ) { if ( FCKBrowserInfo.IsIE ) { var attributeNodeName = attributes[i].nodeName ; if ( attributeNodeName.StartsWith( '_fck' ) ) { /** * There are places in the FCKeditor code where HTML element objects * get values stored as properties (e.g. _fckxhtmljob). In Internet * Explorer, these are interpreted as attempts to set attributes on * the element. * * http://msdn.microsoft.com/en-us/library/ms533026(VS.85).aspx#Accessing_Element_Pr * * Counting these as HTML attributes cripples * FCK.Style.RemoveFromRange() once FCK.GetData() has been called. * * The above conditional prevents these internal properties being * counted as attributes. * * refs #2156 and #2834 */ continue ; } if ( attributeNodeName == 'class' ) { // IE has a strange bug. If calling removeAttribute('className'), // the attributes collection will still contain the "class" // attribute, which will be marked as "specified", even if the // outerHTML of the element is not displaying the class attribute. // Note : I was not able to reproduce it outside the editor, // but I've faced it while working on the TC of #1391. if ( element.className.length > 0 ) return true ; continue ; } } if ( attributes[i].specified ) return true ; } return false ; }, /** * Remove an attribute from an element. */ RemoveAttribute : function( element, attributeName ) { if ( FCKBrowserInfo.IsIE && attributeName.toLowerCase() == 'class' ) attributeName = 'className' ; return element.removeAttribute( attributeName, 0 ) ; }, /** * Removes an array of attributes from an element */ RemoveAttributes : function (element, aAttributes ) { for ( var i = 0 ; i < aAttributes.length ; i++ ) this.RemoveAttribute( element, aAttributes[i] ); }, GetAttributeValue : function( element, att ) { var attName = att ; if ( typeof att == 'string' ) att = element.attributes[ att ] ; else attName = att.nodeName ; if ( att && att.specified ) { // IE returns "null" for the nodeValue of a "style" attribute. if ( attName == 'style' ) return element.style.cssText ; // There are two cases when the nodeValue must be used: // - for the "class" attribute (all browsers). // - for events attributes (IE only). else if ( attName == 'class' || attName.indexOf('on') == 0 ) return att.nodeValue ; else { // Use getAttribute to get its value exactly as it is // defined. return element.getAttribute( attName, 2 ) ; } } return null ; }, /** * Checks whether one element contains the other. */ Contains : function( mainElement, otherElement ) { // IE supports contains, but only for element nodes. if ( mainElement.contains && otherElement.nodeType == 1 ) return mainElement.contains( otherElement ) ; while ( ( otherElement = otherElement.parentNode ) ) // Only one "=" { if ( otherElement == mainElement ) return true ; } return false ; }, /** * Breaks a parent element in the position of one of its contained elements. * For example, in the following case: * <b>This <i>is some<span /> sample</i> test text</b> * If element = <span />, we have these results: * <b>This <i>is some</i><span /><i> sample</i> test text</b> (If parent = <i>) * <b>This <i>is some</i></b><span /><b><i> sample</i> test text</b> (If parent = <b>) */ BreakParent : function( element, parent, reusableRange ) { var range = reusableRange || new FCKDomRange( FCKTools.GetElementWindow( element ) ) ; // We'll be extracting part of this element, so let's use our // range to get the correct piece. range.SetStart( element, 4 ) ; range.SetEnd( parent, 4 ) ; // Extract it. var docFrag = range.ExtractContents() ; // Move the element outside the broken element. range.InsertNode( element.parentNode.removeChild( element ) ) ; // Re-insert the extracted piece after the element. docFrag.InsertAfterNode( element ) ; range.Release( !!reusableRange ) ; }, /** * Retrieves a uniquely identifiable tree address of a DOM tree node. * The tree address returns is an array of integers, with each integer * indicating a child index from a DOM tree node, starting from * document.documentElement. * * For example, assuming <body> is the second child from <html> (<head> * being the first), and we'd like to address the third child under the * fourth child of body, the tree address returned would be: * [1, 3, 2] * * The tree address cannot be used for finding back the DOM tree node once * the DOM tree structure has been modified. */ GetNodeAddress : function( node, normalized ) { var retval = [] ; while ( node && node != FCKTools.GetElementDocument( node ).documentElement ) { var parentNode = node.parentNode ; var currentIndex = -1 ; for( var i = 0 ; i < parentNode.childNodes.length ; i++ ) { var candidate = parentNode.childNodes[i] ; if ( normalized === true && candidate.nodeType == 3 && candidate.previousSibling && candidate.previousSibling.nodeType == 3 ) continue; currentIndex++ ; if ( parentNode.childNodes[i] == node ) break ; } retval.unshift( currentIndex ) ; node = node.parentNode ; } return retval ; }, /** * The reverse transformation of FCKDomTools.GetNodeAddress(). This * function returns the DOM node pointed to by its index address. */ GetNodeFromAddress : function( doc, addr, normalized ) { var cursor = doc.documentElement ; for ( var i = 0 ; i < addr.length ; i++ ) { var target = addr[i] ; if ( ! normalized ) { cursor = cursor.childNodes[target] ; continue ; } var currentIndex = -1 ; for (var j = 0 ; j < cursor.childNodes.length ; j++ ) { var candidate = cursor.childNodes[j] ; if ( normalized === true && candidate.nodeType == 3 && candidate.previousSibling && candidate.previousSibling.nodeType == 3 ) continue ; currentIndex++ ; if ( currentIndex == target ) { cursor = candidate ; break ; } } } return cursor ; }, CloneElement : function( element ) { element = element.cloneNode( false ) ; // The "id" attribute should never be cloned to avoid duplication. element.removeAttribute( 'id', false ) ; return element ; }, ClearElementJSProperty : function( element, attrName ) { if ( FCKBrowserInfo.IsIE ) element.removeAttribute( attrName ) ; else delete element[attrName] ; }, SetElementMarker : function ( markerObj, element, attrName, value) { var id = String( parseInt( Math.random() * 0xffffffff, 10 ) ) ; element._FCKMarkerId = id ; element[attrName] = value ; if ( ! markerObj[id] ) markerObj[id] = { 'element' : element, 'markers' : {} } ; markerObj[id]['markers'][attrName] = value ; }, ClearElementMarkers : function( markerObj, element, clearMarkerObj ) { var id = element._FCKMarkerId ; if ( ! id ) return ; this.ClearElementJSProperty( element, '_FCKMarkerId' ) ; for ( var j in markerObj[id]['markers'] ) this.ClearElementJSProperty( element, j ) ; if ( clearMarkerObj ) delete markerObj[id] ; }, ClearAllMarkers : function( markerObj ) { for ( var i in markerObj ) this.ClearElementMarkers( markerObj, markerObj[i]['element'], true ) ; }, /** * Convert a DOM list tree into a data structure that is easier to * manipulate. This operation should be non-intrusive in the sense that it * does not change the DOM tree, with the exception that it may add some * markers to the list item nodes when markerObj is specified. */ ListToArray : function( listNode, markerObj, baseArray, baseIndentLevel, grandparentNode ) { if ( ! listNode.nodeName.IEquals( ['ul', 'ol'] ) ) return [] ; if ( ! baseIndentLevel ) baseIndentLevel = 0 ; if ( ! baseArray ) baseArray = [] ; // Iterate over all list items to get their contents and look for inner lists. for ( var i = 0 ; i < listNode.childNodes.length ; i++ ) { var listItem = listNode.childNodes[i] ; if ( ! listItem.nodeName.IEquals( 'li' ) ) continue ; var itemObj = { 'parent' : listNode, 'indent' : baseIndentLevel, 'contents' : [] } ; if ( ! grandparentNode ) { itemObj.grandparent = listNode.parentNode ; if ( itemObj.grandparent && itemObj.grandparent.nodeName.IEquals( 'li' ) ) itemObj.grandparent = itemObj.grandparent.parentNode ; } else itemObj.grandparent = grandparentNode ; if ( markerObj ) this.SetElementMarker( markerObj, listItem, '_FCK_ListArray_Index', baseArray.length ) ; baseArray.push( itemObj ) ; for ( var j = 0 ; j < listItem.childNodes.length ; j++ ) { var child = listItem.childNodes[j] ; if ( child.nodeName.IEquals( ['ul', 'ol'] ) ) // Note the recursion here, it pushes inner list items with // +1 indentation in the correct order. this.ListToArray( child, markerObj, baseArray, baseIndentLevel + 1, itemObj.grandparent ) ; else itemObj.contents.push( child ) ; } } return baseArray ; }, // Convert our internal representation of a list back to a DOM forest. ArrayToList : function( listArray, markerObj, baseIndex ) { if ( baseIndex == undefined ) baseIndex = 0 ; if ( ! listArray || listArray.length < baseIndex + 1 ) return null ; var doc = FCKTools.GetElementDocument( listArray[baseIndex].parent ) ; var retval = doc.createDocumentFragment() ; var rootNode = null ; var currentIndex = baseIndex ; var indentLevel = Math.max( listArray[baseIndex].indent, 0 ) ; var currentListItem = null ; while ( true ) { var item = listArray[currentIndex] ; if ( item.indent == indentLevel ) { if ( ! rootNode || listArray[currentIndex].parent.nodeName != rootNode.nodeName ) { rootNode = listArray[currentIndex].parent.cloneNode( false ) ; retval.appendChild( rootNode ) ; } currentListItem = doc.createElement( 'li' ) ; rootNode.appendChild( currentListItem ) ; for ( var i = 0 ; i < item.contents.length ; i++ ) currentListItem.appendChild( item.contents[i].cloneNode( true ) ) ; currentIndex++ ; } else if ( item.indent == Math.max( indentLevel, 0 ) + 1 ) { var listData = this.ArrayToList( listArray, null, currentIndex ) ; currentListItem.appendChild( listData.listNode ) ; currentIndex = listData.nextIndex ; } else if ( item.indent == -1 && baseIndex == 0 && item.grandparent ) { var currentListItem ; if ( item.grandparent.nodeName.IEquals( ['ul', 'ol'] ) ) currentListItem = doc.createElement( 'li' ) ; else { if ( FCKConfig.EnterMode.IEquals( ['div', 'p'] ) && ! item.grandparent.nodeName.IEquals( 'td' ) ) currentListItem = doc.createElement( FCKConfig.EnterMode ) ; else currentListItem = doc.createDocumentFragment() ; } for ( var i = 0 ; i < item.contents.length ; i++ ) currentListItem.appendChild( item.contents[i].cloneNode( true ) ) ; if ( currentListItem.nodeType == 11 ) { if ( currentListItem.lastChild && currentListItem.lastChild.getAttribute && currentListItem.lastChild.getAttribute( 'type' ) == '_moz' ) currentListItem.removeChild( currentListItem.lastChild ); currentListItem.appendChild( doc.createElement( 'br' ) ) ; } if ( currentListItem.nodeName.IEquals( FCKConfig.EnterMode ) && currentListItem.firstChild ) { this.TrimNode( currentListItem ) ; if ( FCKListsLib.BlockBoundaries[currentListItem.firstChild.nodeName.toLowerCase()] ) { var tmp = doc.createDocumentFragment() ; while ( currentListItem.firstChild ) tmp.appendChild( currentListItem.removeChild( currentListItem.firstChild ) ) ; currentListItem = tmp ; } } if ( FCKBrowserInfo.IsGeckoLike && currentListItem.nodeName.IEquals( ['div', 'p'] ) ) FCKTools.AppendBogusBr( currentListItem ) ; retval.appendChild( currentListItem ) ; rootNode = null ; currentIndex++ ; } else return null ; if ( listArray.length <= currentIndex || Math.max( listArray[currentIndex].indent, 0 ) < indentLevel ) { break ; } } // Clear marker attributes for the new list tree made of cloned nodes, if any. if ( markerObj ) { var currentNode = retval.firstChild ; while ( currentNode ) { if ( currentNode.nodeType == 1 ) this.ClearElementMarkers( markerObj, currentNode ) ; currentNode = this.GetNextSourceNode( currentNode ) ; } } return { 'listNode' : retval, 'nextIndex' : currentIndex } ; }, /** * Get the next sibling node for a node. If "includeEmpties" is false, * only element or non empty text nodes are returned. */ GetNextSibling : function( node, includeEmpties ) { node = node.nextSibling ; while ( node && !includeEmpties && node.nodeType != 1 && ( node.nodeType != 3 || node.nodeValue.length == 0 ) ) node = node.nextSibling ; return node ; }, /** * Get the previous sibling node for a node. If "includeEmpties" is false, * only element or non empty text nodes are returned. */ GetPreviousSibling : function( node, includeEmpties ) { node = node.previousSibling ; while ( node && !includeEmpties && node.nodeType != 1 && ( node.nodeType != 3 || node.nodeValue.length == 0 ) ) node = node.previousSibling ; return node ; }, /** * Checks if an element has no "useful" content inside of it * node tree. No "useful" content means empty text node or a signle empty * inline node. * elementCheckCallback may point to a function that returns a boolean * indicating that a child element must be considered in the element check. */ CheckIsEmptyElement : function( element, elementCheckCallback ) { var child = element.firstChild ; var elementChild ; while ( child ) { if ( child.nodeType == 1 ) { if ( elementChild || !FCKListsLib.InlineNonEmptyElements[ child.nodeName.toLowerCase() ] ) return false ; if ( !elementCheckCallback || elementCheckCallback( child ) === true ) elementChild = child ; } else if ( child.nodeType == 3 && child.nodeValue.length > 0 ) return false ; child = child.nextSibling ; } return elementChild ? this.CheckIsEmptyElement( elementChild, elementCheckCallback ) : true ; }, SetElementStyles : function( element, styleDict ) { var style = element.style ; for ( var styleName in styleDict ) style[ styleName ] = styleDict[ styleName ] ; }, SetOpacity : function( element, opacity ) { if ( FCKBrowserInfo.IsIE ) { opacity = Math.round( opacity * 100 ) ; element.style.filter = ( opacity > 100 ? '' : 'progid:DXImageTransform.Microsoft.Alpha(opacity=' + opacity + ')' ) ; } else element.style.opacity = opacity ; }, GetCurrentElementStyle : function( element, propertyName ) { if ( FCKBrowserInfo.IsIE ) return element.currentStyle[ propertyName ] ; else return element.ownerDocument.defaultView.getComputedStyle( element, '' ).getPropertyValue( propertyName ) ; }, GetPositionedAncestor : function( element ) { var currentElement = element ; while ( currentElement != FCKTools.GetElementDocument( currentElement ).documentElement ) { if ( this.GetCurrentElementStyle( currentElement, 'position' ) != 'static' ) return currentElement ; if ( currentElement == FCKTools.GetElementDocument( currentElement ).documentElement && currentWindow != w ) currentElement = currentWindow.frameElement ; else currentElement = currentElement.parentNode ; } return null ; }, /** * Current implementation for ScrollIntoView (due to #1462 and #2279). We * don't have a complete implementation here, just the things that fit our * needs. */ ScrollIntoView : function( element, alignTop ) { // Get the element window. var window = FCKTools.GetElementWindow( element ) ; var windowHeight = FCKTools.GetViewPaneSize( window ).Height ; // Starts the offset that will be scrolled with the negative value of // the visible window height. var offset = windowHeight * -1 ; // Appends the height it we are about to align the bottoms. if ( alignTop === false ) { offset += element.offsetHeight || 0 ; // Consider the margin in the scroll, which is ok for our current // needs, but needs investigation if we will be using this function // in other places. offset += parseInt( this.GetCurrentElementStyle( element, 'marginBottom' ) || 0, 10 ) || 0 ; } // Appends the offsets for the entire element hierarchy. var elementPosition = FCKTools.GetDocumentPosition( window, element ) ; offset += elementPosition.y ; // Scroll the window to the desired position, if not already visible. var currentScroll = FCKTools.GetScrollPosition( window ).Y ; if ( offset > 0 && ( offset > currentScroll || offset < currentScroll - windowHeight ) ) window.scrollTo( 0, offset ) ; }, /** * Check if the element can be edited inside the browser. */ CheckIsEditable : function( element ) { // Get the element name. var nodeName = element.nodeName.toLowerCase() ; // Get the element DTD (defaults to span for unknown elements). var childDTD = FCK.DTD[ nodeName ] || FCK.DTD.span ; // In the DTD # == text node. return ( childDTD['#'] && !FCKListsLib.NonEditableElements[ nodeName ] ) ; }, GetSelectedDivContainers : function() { var currentBlocks = [] ; var range = new FCKDomRange( FCK.EditorWindow ) ; range.MoveToSelection() ; var startNode = range.GetTouchedStartNode() ; var endNode = range.GetTouchedEndNode() ; var currentNode = startNode ; if ( startNode == endNode ) { while ( endNode.nodeType == 1 && endNode.lastChild ) endNode = endNode.lastChild ; endNode = FCKDomTools.GetNextSourceNode( endNode ) ; } while ( currentNode && currentNode != endNode ) { if ( currentNode.nodeType != 3 || !/^[ \t\n]*$/.test( currentNode.nodeValue ) ) { var path = new FCKElementPath( currentNode ) ; var blockLimit = path.BlockLimit ; if ( blockLimit && blockLimit.nodeName.IEquals( 'div' ) && currentBlocks.IndexOf( blockLimit ) == -1 ) currentBlocks.push( blockLimit ) ; } currentNode = FCKDomTools.GetNextSourceNode( currentNode ) ; } return currentBlocks ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKURLParams object that is used to get all parameters * passed by the URL QueryString (after the "?"). */ // #### URLParams: holds all URL passed parameters (like ?Param1=Value1&Param2=Value2) var FCKURLParams = new Object() ; (function() { var aParams = document.location.search.substr(1).split('&') ; for ( var i = 0 ; i < aParams.length ; i++ ) { var aParam = aParams[i].split('=') ; var sParamName = decodeURIComponent( aParam[0] ) ; var sParamValue = decodeURIComponent( aParam[1] ) ; FCKURLParams[ sParamName ] = sParamValue ; } })();
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * This file define the HTML entities handled by the editor. */ var FCKXHtmlEntities = new Object() ; FCKXHtmlEntities.Initialize = function() { if ( FCKXHtmlEntities.Entities ) return ; var sChars = '' ; var oEntities, e ; if ( FCKConfig.ProcessHTMLEntities ) { FCKXHtmlEntities.Entities = { // Latin-1 Entities ' ':'nbsp', '¡':'iexcl', '¢':'cent', '£':'pound', '¤':'curren', '¥':'yen', '¦':'brvbar', '§':'sect', '¨':'uml', '©':'copy', 'ª':'ordf', '«':'laquo', '¬':'not', '­':'shy', '®':'reg', '¯':'macr', '°':'deg', '±':'plusmn', '²':'sup2', '³':'sup3', '´':'acute', 'µ':'micro', '¶':'para', '·':'middot', '¸':'cedil', '¹':'sup1', 'º':'ordm', '»':'raquo', '¼':'frac14', '½':'frac12', '¾':'frac34', '¿':'iquest', '×':'times', '÷':'divide', // Symbols 'ƒ':'fnof', '•':'bull', '…':'hellip', '′':'prime', '″':'Prime', '‾':'oline', '⁄':'frasl', '℘':'weierp', 'ℑ':'image', 'ℜ':'real', '™':'trade', 'ℵ':'alefsym', '←':'larr', '↑':'uarr', '→':'rarr', '↓':'darr', '↔':'harr', '↵':'crarr', '⇐':'lArr', '⇑':'uArr', '⇒':'rArr', '⇓':'dArr', '⇔':'hArr', '∀':'forall', '∂':'part', '∃':'exist', '∅':'empty', '∇':'nabla', '∈':'isin', '∉':'notin', '∋':'ni', '∏':'prod', '∑':'sum', '−':'minus', '∗':'lowast', '√':'radic', '∝':'prop', '∞':'infin', '∠':'ang', '∧':'and', '∨':'or', '∩':'cap', '∪':'cup', '∫':'int', '∴':'there4', '∼':'sim', '≅':'cong', '≈':'asymp', '≠':'ne', '≡':'equiv', '≤':'le', '≥':'ge', '⊂':'sub', '⊃':'sup', '⊄':'nsub', '⊆':'sube', '⊇':'supe', '⊕':'oplus', '⊗':'otimes', '⊥':'perp', '⋅':'sdot', '\u2308':'lceil', '\u2309':'rceil', '\u230a':'lfloor', '\u230b':'rfloor', '\u2329':'lang', '\u232a':'rang', '◊':'loz', '♠':'spades', '♣':'clubs', '♥':'hearts', '♦':'diams', // Other Special Characters '"':'quot', // '&':'amp', // This entity is automatically handled by the XHTML parser. // '<':'lt', // This entity is automatically handled by the XHTML parser. '>':'gt', // Opera and Safari don't encode it in their implementation 'ˆ':'circ', '˜':'tilde', ' ':'ensp', ' ':'emsp', ' ':'thinsp', '‌':'zwnj', '‍':'zwj', '‎':'lrm', '‏':'rlm', '–':'ndash', '—':'mdash', '‘':'lsquo', '’':'rsquo', '‚':'sbquo', '“':'ldquo', '”':'rdquo', '„':'bdquo', '†':'dagger', '‡':'Dagger', '‰':'permil', '‹':'lsaquo', '›':'rsaquo', '€':'euro' } ; // Process Base Entities. for ( e in FCKXHtmlEntities.Entities ) sChars += e ; // Include Latin Letters Entities. if ( FCKConfig.IncludeLatinEntities ) { oEntities = { 'À':'Agrave', 'Á':'Aacute', 'Â':'Acirc', 'Ã':'Atilde', 'Ä':'Auml', 'Å':'Aring', 'Æ':'AElig', 'Ç':'Ccedil', 'È':'Egrave', 'É':'Eacute', 'Ê':'Ecirc', 'Ë':'Euml', 'Ì':'Igrave', 'Í':'Iacute', 'Î':'Icirc', 'Ï':'Iuml', 'Ð':'ETH', 'Ñ':'Ntilde', 'Ò':'Ograve', 'Ó':'Oacute', 'Ô':'Ocirc', 'Õ':'Otilde', 'Ö':'Ouml', 'Ø':'Oslash', 'Ù':'Ugrave', 'Ú':'Uacute', 'Û':'Ucirc', 'Ü':'Uuml', 'Ý':'Yacute', 'Þ':'THORN', 'ß':'szlig', 'à':'agrave', 'á':'aacute', 'â':'acirc', 'ã':'atilde', 'ä':'auml', 'å':'aring', 'æ':'aelig', 'ç':'ccedil', 'è':'egrave', 'é':'eacute', 'ê':'ecirc', 'ë':'euml', 'ì':'igrave', 'í':'iacute', 'î':'icirc', 'ï':'iuml', 'ð':'eth', 'ñ':'ntilde', 'ò':'ograve', 'ó':'oacute', 'ô':'ocirc', 'õ':'otilde', 'ö':'ouml', 'ø':'oslash', 'ù':'ugrave', 'ú':'uacute', 'û':'ucirc', 'ü':'uuml', 'ý':'yacute', 'þ':'thorn', 'ÿ':'yuml', 'Œ':'OElig', 'œ':'oelig', 'Š':'Scaron', 'š':'scaron', 'Ÿ':'Yuml' } ; for ( e in oEntities ) { FCKXHtmlEntities.Entities[ e ] = oEntities[ e ] ; sChars += e ; } oEntities = null ; } // Include Greek Letters Entities. if ( FCKConfig.IncludeGreekEntities ) { oEntities = { 'Α':'Alpha', 'Β':'Beta', 'Γ':'Gamma', 'Δ':'Delta', 'Ε':'Epsilon', 'Ζ':'Zeta', 'Η':'Eta', 'Θ':'Theta', 'Ι':'Iota', 'Κ':'Kappa', 'Λ':'Lambda', 'Μ':'Mu', 'Ν':'Nu', 'Ξ':'Xi', 'Ο':'Omicron', 'Π':'Pi', 'Ρ':'Rho', 'Σ':'Sigma', 'Τ':'Tau', 'Υ':'Upsilon', 'Φ':'Phi', 'Χ':'Chi', 'Ψ':'Psi', 'Ω':'Omega', 'α':'alpha', 'β':'beta', 'γ':'gamma', 'δ':'delta', 'ε':'epsilon', 'ζ':'zeta', 'η':'eta', 'θ':'theta', 'ι':'iota', 'κ':'kappa', 'λ':'lambda', 'μ':'mu', 'ν':'nu', 'ξ':'xi', 'ο':'omicron', 'π':'pi', 'ρ':'rho', 'ς':'sigmaf', 'σ':'sigma', 'τ':'tau', 'υ':'upsilon', 'φ':'phi', 'χ':'chi', 'ψ':'psi', 'ω':'omega', '\u03d1':'thetasym', '\u03d2':'upsih', '\u03d6':'piv' } ; for ( e in oEntities ) { FCKXHtmlEntities.Entities[ e ] = oEntities[ e ] ; sChars += e ; } oEntities = null ; } } else { FCKXHtmlEntities.Entities = { '>':'gt' // Opera and Safari don't encode it in their implementation } ; sChars = '>'; // Even if we are not processing the entities, we must render the &nbsp; // correctly. As we don't want HTML entities, let's use its numeric // representation (&#160). sChars += ' ' ; } // Create the Regex used to find entities in the text. var sRegexPattern = '[' + sChars + ']' ; if ( FCKConfig.ProcessNumericEntities ) sRegexPattern = '[^ -~]|' + sRegexPattern ; var sAdditional = FCKConfig.AdditionalNumericEntities ; if ( sAdditional && sAdditional.length > 0 ) sRegexPattern += '|' + FCKConfig.AdditionalNumericEntities ; FCKXHtmlEntities.EntitiesRegex = new RegExp( sRegexPattern, 'g' ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Active selection functions. (IE specific implementation) */ // Get the selection type. FCKSelection.GetType = function() { // It is possible that we can still get a text range object even when type=='None' is returned by IE. // So we'd better check the object returned by createRange() rather than by looking at the type. try { var ieType = FCKSelection.GetSelection().type ; if ( ieType == 'Control' || ieType == 'Text' ) return ieType ; if ( this.GetSelection().createRange().parentElement ) return 'Text' ; } catch(e) { // Nothing to do, it will return None properly. } return 'None' ; } ; // Retrieves the selected element (if any), just in the case that a single // element (object like and image or a table) is selected. FCKSelection.GetSelectedElement = function() { if ( this.GetType() == 'Control' ) { var oRange = this.GetSelection().createRange() ; if ( oRange && oRange.item ) return this.GetSelection().createRange().item(0) ; } return null ; } ; FCKSelection.GetParentElement = function() { switch ( this.GetType() ) { case 'Control' : var el = FCKSelection.GetSelectedElement() ; return el ? el.parentElement : null ; case 'None' : return null ; default : return this.GetSelection().createRange().parentElement() ; } } ; FCKSelection.GetBoundaryParentElement = function( startBoundary ) { switch ( this.GetType() ) { case 'Control' : var el = FCKSelection.GetSelectedElement() ; return el ? el.parentElement : null ; case 'None' : return null ; default : var doc = FCK.EditorDocument ; var range = doc.selection.createRange() ; range.collapse( startBoundary !== false ) ; var el = range.parentElement() ; // It may happen that range is comming from outside "doc", so we // must check it (#1204). return FCKTools.GetElementDocument( el ) == doc ? el : null ; } } ; FCKSelection.SelectNode = function( node ) { FCK.Focus() ; this.GetSelection().empty() ; var oRange ; try { // Try to select the node as a control. oRange = FCK.EditorDocument.body.createControlRange() ; oRange.addElement( node ) ; oRange.select() ; } catch(e) { // If failed, select it as a text range. oRange = FCK.EditorDocument.body.createTextRange() ; oRange.moveToElementText( node ) ; oRange.select() ; } } ; FCKSelection.Collapse = function( toStart ) { FCK.Focus() ; if ( this.GetType() == 'Text' ) { var oRange = this.GetSelection().createRange() ; oRange.collapse( toStart == null || toStart === true ) ; oRange.select() ; } } ; // The "nodeTagName" parameter must be Upper Case. FCKSelection.HasAncestorNode = function( nodeTagName ) { var oContainer ; if ( this.GetSelection().type == "Control" ) { oContainer = this.GetSelectedElement() ; } else { var oRange = this.GetSelection().createRange() ; oContainer = oRange.parentElement() ; } while ( oContainer ) { if ( oContainer.nodeName.IEquals( nodeTagName ) ) return true ; oContainer = oContainer.parentNode ; } return false ; } ; // The "nodeTagName" parameter must be UPPER CASE. // It can be also an array of names FCKSelection.MoveToAncestorNode = function( nodeTagName ) { var oNode, oRange ; if ( ! FCK.EditorDocument ) return null ; if ( this.GetSelection().type == "Control" ) { oRange = this.GetSelection().createRange() ; for ( i = 0 ; i < oRange.length ; i++ ) { if (oRange(i).parentNode) { oNode = oRange(i).parentNode ; break ; } } } else { oRange = this.GetSelection().createRange() ; oNode = oRange.parentElement() ; } while ( oNode && !oNode.nodeName.Equals( nodeTagName ) ) oNode = oNode.parentNode ; return oNode ; } ; FCKSelection.Delete = function() { // Gets the actual selection. var oSel = this.GetSelection() ; // Deletes the actual selection contents. if ( oSel.type.toLowerCase() != "none" ) { oSel.clear() ; } return oSel ; } ; /** * Returns the native selection object. */ FCKSelection.GetSelection = function() { this.Restore() ; return FCK.EditorDocument.selection ; } FCKSelection.Save = function( lock ) { var editorDocument = FCK.EditorDocument ; if ( !editorDocument ) return ; // Avoid saving again a selection while a dialog is open #2616 if ( this.locked ) return ; this.locked = !!lock ; var selection = editorDocument.selection ; var range ; if ( selection ) { // The call might fail if the document doesn't have the focus (#1801), // but we don't want to modify the current selection (#2495) with a call to FCK.Focus() ; try { range = selection.createRange() ; } catch(e) {} // Ensure that the range comes from the editor document. if ( range ) { if ( range.parentElement && FCKTools.GetElementDocument( range.parentElement() ) != editorDocument ) range = null ; else if ( range.item && FCKTools.GetElementDocument( range.item(0) )!= editorDocument ) range = null ; } } this.SelectionData = range ; } FCKSelection._GetSelectionDocument = function( selection ) { var range = selection.createRange() ; if ( !range ) return null; else if ( range.item ) return FCKTools.GetElementDocument( range.item( 0 ) ) ; else return FCKTools.GetElementDocument( range.parentElement() ) ; } FCKSelection.Restore = function() { if ( this.SelectionData ) { FCK.IsSelectionChangeLocked = true ; try { // Don't repeat the restore process if the editor document is already selected. if ( String( this._GetSelectionDocument( FCK.EditorDocument.selection ).body.contentEditable ) == 'true' ) { FCK.IsSelectionChangeLocked = false ; return ; } this.SelectionData.select() ; } catch ( e ) {} FCK.IsSelectionChangeLocked = false ; } } FCKSelection.Release = function() { this.locked = false ; delete this.SelectionData ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Handles styles in a give document. */ var FCKStyles = FCK.Styles = { _Callbacks : {}, _ObjectStyles : {}, ApplyStyle : function( style ) { if ( typeof style == 'string' ) style = this.GetStyles()[ style ] ; if ( style ) { if ( style.GetType() == FCK_STYLE_OBJECT ) style.ApplyToObject( FCKSelection.GetSelectedElement() ) ; else style.ApplyToSelection( FCK.EditorWindow ) ; FCK.Events.FireEvent( 'OnSelectionChange' ) ; } }, RemoveStyle : function( style ) { if ( typeof style == 'string' ) style = this.GetStyles()[ style ] ; if ( style ) { style.RemoveFromSelection( FCK.EditorWindow ) ; FCK.Events.FireEvent( 'OnSelectionChange' ) ; } }, /** * Defines a callback function to be called when the current state of a * specific style changes. */ AttachStyleStateChange : function( styleName, callback, callbackOwner ) { var callbacks = this._Callbacks[ styleName ] ; if ( !callbacks ) callbacks = this._Callbacks[ styleName ] = [] ; callbacks.push( [ callback, callbackOwner ] ) ; }, CheckSelectionChanges : function() { var startElement = FCKSelection.GetBoundaryParentElement( true ) ; if ( !startElement ) return ; // Walks the start node parents path, checking all styles that are being listened. var path = new FCKElementPath( startElement ) ; var styles = this.GetStyles() ; for ( var styleName in styles ) { var callbacks = this._Callbacks[ styleName ] ; if ( callbacks ) { var style = styles[ styleName ] ; var state = style.CheckActive( path ) ; if ( state != ( style._LastState || null ) ) { style._LastState = state ; for ( var i = 0 ; i < callbacks.length ; i++ ) { var callback = callbacks[i][0] ; var callbackOwner = callbacks[i][1] ; callback.call( callbackOwner || window, styleName, state ) ; } } } } }, CheckStyleInSelection : function( styleName ) { return false ; }, _GetRemoveFormatTagsRegex : function () { var regex = new RegExp( '^(?:' + FCKConfig.RemoveFormatTags.replace( /,/g,'|' ) + ')$', 'i' ) ; return (this._GetRemoveFormatTagsRegex = function() { return regex ; }) && regex ; }, /** * Remove all styles from the current selection. * TODO: * - This is almost a duplication of FCKStyle.RemoveFromRange. We should * try to merge things. */ RemoveAll : function() { var range = new FCKDomRange( FCK.EditorWindow ) ; range.MoveToSelection() ; if ( range.CheckIsCollapsed() ) return ; // Expand the range, if inside inline element boundaries. range.Expand( 'inline_elements' ) ; // Get the bookmark nodes. // Bookmark the range so we can re-select it after processing. var bookmark = range.CreateBookmark( true ) ; // The style will be applied within the bookmark boundaries. var startNode = range.GetBookmarkNode( bookmark, true ) ; var endNode = range.GetBookmarkNode( bookmark, false ) ; range.Release( true ) ; var tagsRegex = this._GetRemoveFormatTagsRegex() ; // We need to check the selection boundaries (bookmark spans) to break // the code in a way that we can properly remove partially selected nodes. // For example, removing a <b> style from // <b>This is [some text</b> to show <b>the] problem</b> // ... where [ and ] represent the selection, must result: // <b>This is </b>[some text to show the]<b> problem</b> // The strategy is simple, we just break the partial nodes before the // removal logic, having something that could be represented this way: // <b>This is </b>[<b>some text</b> to show <b>the</b>]<b> problem</b> // Let's start checking the start boundary. var path = new FCKElementPath( startNode ) ; var pathElements = path.Elements ; var pathElement ; for ( var i = 1 ; i < pathElements.length ; i++ ) { pathElement = pathElements[i] ; if ( pathElement == path.Block || pathElement == path.BlockLimit ) break ; // If this element can be removed (even partially). if ( tagsRegex.test( pathElement.nodeName ) ) FCKDomTools.BreakParent( startNode, pathElement, range ) ; } // Now the end boundary. path = new FCKElementPath( endNode ) ; pathElements = path.Elements ; for ( var i = 1 ; i < pathElements.length ; i++ ) { pathElement = pathElements[i] ; if ( pathElement == path.Block || pathElement == path.BlockLimit ) break ; elementName = pathElement.nodeName.toLowerCase() ; // If this element can be removed (even partially). if ( tagsRegex.test( pathElement.nodeName ) ) FCKDomTools.BreakParent( endNode, pathElement, range ) ; } // Navigate through all nodes between the bookmarks. var currentNode = FCKDomTools.GetNextSourceNode( startNode, true, 1 ) ; while ( currentNode ) { // If we have reached the end of the selection, stop looping. if ( currentNode == endNode ) break ; // Cache the next node to be processed. Do it now, because // currentNode may be removed. var nextNode = FCKDomTools.GetNextSourceNode( currentNode, false, 1 ) ; // Remove elements nodes that match with this style rules. if ( tagsRegex.test( currentNode.nodeName ) ) FCKDomTools.RemoveNode( currentNode, true ) ; else FCKDomTools.RemoveAttributes( currentNode, FCKConfig.RemoveAttributesArray ); currentNode = nextNode ; } range.SelectBookmark( bookmark ) ; FCK.Events.FireEvent( 'OnSelectionChange' ) ; }, GetStyle : function( styleName ) { return this.GetStyles()[ styleName ] ; }, GetStyles : function() { var styles = this._GetStyles ; if ( !styles ) { styles = this._GetStyles = FCKTools.Merge( this._LoadStylesCore(), this._LoadStylesCustom(), this._LoadStylesXml() ) ; } return styles ; }, CheckHasObjectStyle : function( elementName ) { return !!this._ObjectStyles[ elementName ] ; }, _LoadStylesCore : function() { var styles = {}; var styleDefs = FCKConfig.CoreStyles ; for ( var styleName in styleDefs ) { // Core styles are prefixed with _FCK_. var style = styles[ '_FCK_' + styleName ] = new FCKStyle( styleDefs[ styleName ] ) ; style.IsCore = true ; } return styles ; }, _LoadStylesCustom : function() { var styles = {}; var styleDefs = FCKConfig.CustomStyles ; if ( styleDefs ) { for ( var styleName in styleDefs ) { var style = styles[ styleName ] = new FCKStyle( styleDefs[ styleName ] ) ; style.Name = styleName ; } } return styles ; }, _LoadStylesXml : function() { var styles = {}; var stylesXmlPath = FCKConfig.StylesXmlPath ; if ( !stylesXmlPath || stylesXmlPath.length == 0 ) return styles ; // Load the XML file into a FCKXml object. var xml = new FCKXml() ; xml.LoadUrl( stylesXmlPath ) ; var stylesXmlObj = FCKXml.TransformToObject( xml.SelectSingleNode( 'Styles' ) ) ; // Get the "Style" nodes defined in the XML file. var styleNodes = stylesXmlObj.$Style ; // Check that it did contain some valid nodes if ( !styleNodes ) return styles ; // Add each style to our "Styles" collection. for ( var i = 0 ; i < styleNodes.length ; i++ ) { var styleNode = styleNodes[i] ; var element = ( styleNode.element || '' ).toLowerCase() ; if ( element.length == 0 ) throw( 'The element name is required. Error loading "' + stylesXmlPath + '"' ) ; var styleDef = { Element : element, Attributes : {}, Styles : {}, Overrides : [] } ; // Get the attributes defined for the style (if any). var attNodes = styleNode.$Attribute || [] ; // Add the attributes to the style definition object. for ( var j = 0 ; j < attNodes.length ; j++ ) { styleDef.Attributes[ attNodes[j].name ] = attNodes[j].value ; } // Get the styles defined for the style (if any). var cssStyleNodes = styleNode.$Style || [] ; // Add the attributes to the style definition object. for ( j = 0 ; j < cssStyleNodes.length ; j++ ) { styleDef.Styles[ cssStyleNodes[j].name ] = cssStyleNodes[j].value ; } // Load override definitions. var cssStyleOverrideNodes = styleNode.$Override ; if ( cssStyleOverrideNodes ) { for ( j = 0 ; j < cssStyleOverrideNodes.length ; j++ ) { var overrideNode = cssStyleOverrideNodes[j] ; var overrideDef = { Element : overrideNode.element } ; var overrideAttNode = overrideNode.$Attribute ; if ( overrideAttNode ) { overrideDef.Attributes = {} ; for ( var k = 0 ; k < overrideAttNode.length ; k++ ) { var overrideAttValue = overrideAttNode[k].value || null ; if ( overrideAttValue ) { // Check if the override attribute value is a regular expression. var regexMatch = overrideAttValue && FCKRegexLib.RegExp.exec( overrideAttValue ) ; if ( regexMatch ) overrideAttValue = new RegExp( regexMatch[1], regexMatch[2] || '' ) ; } overrideDef.Attributes[ overrideAttNode[k].name ] = overrideAttValue ; } } styleDef.Overrides.push( overrideDef ) ; } } var style = new FCKStyle( styleDef ) ; style.Name = styleNode.name || element ; if ( style.GetType() == FCK_STYLE_OBJECT ) this._ObjectStyles[ element ] = true ; // Add the style to the "Styles" collection using it's name as the key. styles[ style.Name ] = style ; } return styles ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == */ var FCKScayt; (function() { var scaytOnLoad = [] ; var isEngineLoaded = ( FCK && FCK.EditorWindow && FCK.EditorWindow.parent.parent.scayt) ? true : false ; var scaytEnable = false; var scaytReady = false; function ScaytEngineLoad( callback ) { if ( isEngineLoaded ) return ; isEngineLoaded = true ; var top = FCK.EditorWindow.parent.parent; var init = function () { window.scayt = top.scayt ; InitScayt() ; var ScaytCombobox = FCKToolbarItems.LoadedItems[ 'ScaytCombobox' ] ; ScaytCombobox && ScaytCombobox.SetEnabled( scyt_control && scyt_control.disabled ) ; InitSetup() ; }; if ( top.scayt ) { init() ; return ; } // Compose the scayt url. if (FCK.Config.ScaytCustomUrl) FCK.Config.ScaytCustomUrl = new String(FCK.Config.ScaytCustomUrl).replace( new RegExp( "^http[s]*:\/\/"),"") ; var protocol = document.location.protocol ; var baseUrl = FCK.Config.ScaytCustomUrl ||'svc.spellchecker.net/spellcheck3/lf/scayt/scayt4.js' ; var scaytUrl = protocol + '//' + baseUrl ; var scaytConfigBaseUrl = ParseUrl( scaytUrl ).path + '/' ; // SCAYT is targetted to CKEditor, so we need this trick to make it work here. var CKEDITOR = top.window.CKEDITOR || ( top.window.CKEDITOR = {} ) ; CKEDITOR._djScaytConfig = { baseUrl : scaytConfigBaseUrl, addOnLoad : function() { init(); }, isDebug : false }; if ( callback ) scaytOnLoad.push( callback ) ; DoLoadScript( scaytUrl ) ; } /** * DoLoadScript - load scripts with dinamic tag script creating * @param string url */ function DoLoadScript( url ) { if (!url) return false ; var top = FCK.EditorWindow.parent.parent; var s = top.document.createElement('script') ; s.type = 'text/javascript' ; s.src = url ; top.document.getElementsByTagName('head')[0].appendChild(s) ; return true ; } function ParseUrl( data ) { var m = data.match(/(.*)[\/\\]([^\/\\]+\.\w+)$/) ; return m ? { path: m[1], file: m[2] } : data ; } function createScaytControl () { // Get public scayt params. var oParams = {} ; var top = FCK.EditorWindow.parent.parent; oParams.srcNodeRef = FCK.EditingArea.IFrame; // Get the iframe. // syntax : AppName.AppVersion@AppRevision //oParams.assocApp = "FCKEDITOR." + FCKeditorAPI.Varsion + "@" + FCKeditorAPI.VersionBuild; oParams.customerid = FCK.Config.ScaytCustomerid ; oParams.customDictionaryName = FCK.Config.ScaytCustomDictionaryName ; oParams.userDictionaryName = FCK.Config.ScaytUserDictionaryName ; oParams.defLang = FCK.Config.ScaytDefLang ; var scayt = top.scayt; var scayt_control = window.scayt_control = new scayt( oParams ) ; } function InitScayt() { createScaytControl(); var scayt_control = window.scayt_control ; if ( scayt_control ) { scayt_control.setDisabled( false ) ; scaytReady = true; scaytEnable = !scayt_control.disabled ; // set default scayt status var ScaytCombobox = FCKToolbarItems.LoadedItems[ 'ScaytCombobox' ] ; ScaytCombobox && ScaytCombobox.Enable() ; ShowScaytState() ; } for ( var i = 0 ; i < scaytOnLoad.length ; i++ ) { try { scaytOnLoad[i].call( this ) ; } catch(err) {} } } // ### // SCAYT command class. var ScaytCommand = function() { name = 'Scayt' ; } ScaytCommand.prototype.Execute = function( action ) { switch ( action ) { case 'Options' : case 'Langs' : case 'About' : if ( isEngineLoaded && scaytReady && !scaytEnable ) { ScaytMessage( 'SCAYT is not enabled' ); break; } if ( isEngineLoaded && scaytReady ) FCKDialog.OpenDialog( 'Scayt', 'SCAYT Settings', 'dialog/fck_scayt.html?' + action.toLowerCase(), 343, 343 ); break; default : if ( !isEngineLoaded ) { var me = this; ScaytEngineLoad( function () { me.SetEnabled( !window.scayt_control.disabled ) ; }) ; return true; } else if ( scaytReady ) { // Switch the current scayt state. if ( scaytEnable ) this.Disable() ; else this.Enable() ; ShowScaytState() ; } } if ( !isEngineLoaded ) return ScaytMessage( 'SCAYT is not loaded' ) || false; if ( !scaytReady ) return ScaytMessage( 'SCAYT is not ready' ) || false; return true; } ScaytCommand.prototype.Enable = function() { window.scayt_control.setDisabled( false ) ; scaytEnable = true; } ScaytCommand.prototype.Disable = function() { window.scayt_control.setDisabled( true ) ; scaytEnable = false; } ScaytCommand.prototype.SetEnabled = function( state ) { if ( state ) this.Enable() ; else this.Disable() ; ShowScaytState() ; return true; } ScaytCommand.prototype.GetState = function() { return FCK_TRISTATE_OFF; } function ShowScaytState() { var combo = FCKToolbarItems.GetItem( 'SpellCheck' ) ; if ( !combo || !combo._Combo || !combo._Combo._OuterTable ) return; var bItem = combo._Combo._OuterTable.getElementsByTagName( 'img' )[1] ; var dNode = combo._Combo.Items['trigger'] ; if ( scaytEnable ) { bItem.style.opacity = '1' ; dNode.innerHTML = GetStatusLabel() ; } else { bItem.style.opacity = '0.5' ; dNode.innerHTML = GetStatusLabel() ; } } function GetStatusLabel() { if ( !scaytReady ) return '<b>Enable SCAYT</b>' ; return scaytEnable ? '<b>Disable SCAYT</b>' : '<b>Enable SCAYT</b>' ; } // ### // Class for the toolbar item. var ToolbarScaytComboBox = function( tooltip, style ) { this.Command = FCKCommands.GetCommand( 'Scayt' ) ; this.CommandName = 'Scayt' ; this.Label = this.GetLabel() ; this.Tooltip = FCKLang.ScaytTitle ; this.Style = FCK_TOOLBARITEM_ONLYTEXT ; //FCK_TOOLBARITEM_ICONTEXT OR FCK_TOOLBARITEM_ONLYTEXT } ToolbarScaytComboBox.prototype = new FCKToolbarSpecialCombo ; //Add the items to the combo list ToolbarScaytComboBox.prototype.CreateItems = function() { this._Combo.AddItem( 'Trigger', '<b>Enable SCAYT</b>' ); this._Combo.AddItem( 'Options', FCKLang.ScaytTitleOptions || "Options" ); this._Combo.AddItem( 'Langs', FCKLang.ScaytTitleLangs || "Languages"); this._Combo.AddItem( 'About', FCKLang.ScaytTitleAbout || "About"); } // Label shown in the toolbar. ToolbarScaytComboBox.prototype.GetLabel = function() { var strip = FCKConfig.SkinPath + 'fck_strip.gif'; return FCKBrowserInfo.IsIE ? '<div class="TB_Button_Image"><img src="' + strip + '" style="top:-192px"></div>' : '<img class="TB_Button_Image" src="' + FCK_SPACER_PATH + '" style="background-position: 0px -192px;background-image: url(' + strip + ');">'; } function ScaytMessage( m ) { m && alert( m ) ; } var ScaytContextCommand = function() { name = 'ScaytContext' ; } ScaytContextCommand.prototype.Execute = function( contextInfo ) { var action = contextInfo && contextInfo.action, node = action && contextInfo.node, scayt_control = window.scayt_control; if ( node ) { switch ( action ) { case 'Suggestion' : scayt_control.replace( node, contextInfo.suggestion ) ; break ; case 'Ignore' : scayt_control.ignore( node ) ; break ; case 'Ignore All' : scayt_control.ignoreAll( node ) ; break ; case 'Add Word' : var top = FCK.EditorWindow.parent.parent ; top.scayt.addWordToUserDictionary( node ) ; break ; } } } // Register context menu listeners. function InitSetup() { FCK.ContextMenu.RegisterListener( { AddItems : function( menu ) { var top = FCK.EditorWindow.parent.parent; var scayt_control = window.scayt_control, scayt = top.scayt; if ( !scayt_control ) return; var node = scayt_control.getScaytNode() ; if ( !node ) return; var suggestions = scayt.getSuggestion( scayt_control.getWord( node ), scayt_control.getLang() ) ; if ( !suggestions || !suggestions.length ) return; menu.AddSeparator() ; var maxSuggestions = FCK.Config.ScaytMaxSuggestions || 5 ; var suggAveCount = ( maxSuggestions == -1 ) ? suggestions.length : maxSuggestions ; for ( var i = 0 ; i < suggAveCount ; i += 1 ) { if ( suggestions[i] ) { menu.AddItem( 'ScaytContext', suggestions[i], null, false, { 'action' : 'Suggestion', 'node' : node, 'suggestion' : suggestions[i] } ) ; } } menu.AddSeparator() ; menu.AddItem( 'ScaytContext', 'Ignore', null, false, { 'action' : 'Ignore', 'node' : node } ); menu.AddItem( 'ScaytContext', 'Ignore All', null, false, { 'action' : 'Ignore All', 'node' : node } ); menu.AddItem( 'ScaytContext', 'Add Word', null, false, { 'action' : 'Add Word', 'node' : node } ); try { if (scaytReady && scaytEnable) scayt_control.fireOnContextMenu( null, FCK.ContextMenu._InnerContextMenu); } catch( err ) {} } }) ; FCK.Events.AttachEvent( 'OnPaste', function() { window.scayt_control.refresh() ; return true; } ) ; } // ## // Register event listeners. FCK.Events.AttachEvent( 'OnAfterSetHTML', function() { if ( FCKConfig.SpellChecker == 'SCAYT' ) { if ( !isEngineLoaded && FCK.Config.ScaytAutoStartup ) ScaytEngineLoad() ; if ( FCK.EditMode == FCK_EDITMODE_WYSIWYG && isEngineLoaded && scaytReady ) createScaytControl(); ShowScaytState() ; } } ) ; FCK.Events.AttachEvent( 'OnBeforeGetData', function() { scaytReady && window.scayt_control.reset(); } ) ; FCK.Events.AttachEvent( 'OnAfterGetData', function() { scaytReady && window.scayt_control.refresh(); } ) ; // ### // The main object that holds the SCAYT interaction in the code. FCKScayt = { CreateCommand : function() { return new ScaytCommand(); }, CreateContextCommand : function() { return new ScaytContextCommand(); }, CreateToolbarItem : function() { return new ToolbarScaytComboBox() ; } } ; })() ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Format the HTML. */ var FCKCodeFormatter = new Object() ; FCKCodeFormatter.Init = function() { var oRegex = this.Regex = new Object() ; // Regex for line breaks. oRegex.BlocksOpener = /\<(P|DIV|H1|H2|H3|H4|H5|H6|ADDRESS|PRE|OL|UL|LI|DL|DT|DD|TITLE|META|LINK|BASE|SCRIPT|LINK|TD|TH|AREA|OPTION)[^\>]*\>/gi ; oRegex.BlocksCloser = /\<\/(P|DIV|H1|H2|H3|H4|H5|H6|ADDRESS|PRE|OL|UL|LI|DL|DT|DD|TITLE|META|LINK|BASE|SCRIPT|LINK|TD|TH|AREA|OPTION)[^\>]*\>/gi ; oRegex.NewLineTags = /\<(BR|HR)[^\>]*\>/gi ; oRegex.MainTags = /\<\/?(HTML|HEAD|BODY|FORM|TABLE|TBODY|THEAD|TR)[^\>]*\>/gi ; oRegex.LineSplitter = /\s*\n+\s*/g ; // Regex for indentation. oRegex.IncreaseIndent = /^\<(HTML|HEAD|BODY|FORM|TABLE|TBODY|THEAD|TR|UL|OL|DL)[ \/\>]/i ; oRegex.DecreaseIndent = /^\<\/(HTML|HEAD|BODY|FORM|TABLE|TBODY|THEAD|TR|UL|OL|DL)[ \>]/i ; oRegex.FormatIndentatorRemove = new RegExp( '^' + FCKConfig.FormatIndentator ) ; oRegex.ProtectedTags = /(<PRE[^>]*>)([\s\S]*?)(<\/PRE>)/gi ; } FCKCodeFormatter._ProtectData = function( outer, opener, data, closer ) { return opener + '___FCKpd___' + ( FCKCodeFormatter.ProtectedData.push( data ) - 1 ) + closer ; } FCKCodeFormatter.Format = function( html ) { if ( !this.Regex ) this.Init() ; // Protected content that remain untouched during the // process go in the following array. FCKCodeFormatter.ProtectedData = new Array() ; var sFormatted = html.replace( this.Regex.ProtectedTags, FCKCodeFormatter._ProtectData ) ; // Line breaks. sFormatted = sFormatted.replace( this.Regex.BlocksOpener, '\n$&' ) ; sFormatted = sFormatted.replace( this.Regex.BlocksCloser, '$&\n' ) ; sFormatted = sFormatted.replace( this.Regex.NewLineTags, '$&\n' ) ; sFormatted = sFormatted.replace( this.Regex.MainTags, '\n$&\n' ) ; // Indentation. var sIndentation = '' ; var asLines = sFormatted.split( this.Regex.LineSplitter ) ; sFormatted = '' ; for ( var i = 0 ; i < asLines.length ; i++ ) { var sLine = asLines[i] ; if ( sLine.length == 0 ) continue ; if ( this.Regex.DecreaseIndent.test( sLine ) ) sIndentation = sIndentation.replace( this.Regex.FormatIndentatorRemove, '' ) ; sFormatted += sIndentation + sLine + '\n' ; if ( this.Regex.IncreaseIndent.test( sLine ) ) sIndentation += FCKConfig.FormatIndentator ; } // Now we put back the protected data. for ( var j = 0 ; j < FCKCodeFormatter.ProtectedData.length ; j++ ) { var oRegex = new RegExp( '___FCKpd___' + j ) ; sFormatted = sFormatted.replace( oRegex, FCKCodeFormatter.ProtectedData[j].replace( /\$/g, '$$$$' ) ) ; } return sFormatted.Trim() ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Utility functions. (IE version). */ FCKTools.CancelEvent = function( e ) { return false ; } // Appends one or more CSS files to a document. FCKTools._AppendStyleSheet = function( documentElement, cssFileUrl ) { return documentElement.createStyleSheet( cssFileUrl ).owningElement ; } // Appends a CSS style string to a document. FCKTools.AppendStyleString = function( documentElement, cssStyles ) { if ( !cssStyles ) return null ; var s = documentElement.createStyleSheet( "" ) ; s.cssText = cssStyles ; return s ; } // Removes all attributes and values from the element. FCKTools.ClearElementAttributes = function( element ) { element.clearAttributes() ; } FCKTools.GetAllChildrenIds = function( parentElement ) { var aIds = new Array() ; for ( var i = 0 ; i < parentElement.all.length ; i++ ) { var sId = parentElement.all[i].id ; if ( sId && sId.length > 0 ) aIds[ aIds.length ] = sId ; } return aIds ; } FCKTools.RemoveOuterTags = function( e ) { e.insertAdjacentHTML( 'beforeBegin', e.innerHTML ) ; e.parentNode.removeChild( e ) ; } FCKTools.CreateXmlObject = function( object ) { var aObjs ; switch ( object ) { case 'XmlHttp' : // Try the native XMLHttpRequest introduced with IE7. if ( document.location.protocol != 'file:' ) try { return new XMLHttpRequest() ; } catch (e) {} aObjs = [ 'MSXML2.XmlHttp', 'Microsoft.XmlHttp' ] ; break ; case 'DOMDocument' : aObjs = [ 'MSXML2.DOMDocument', 'Microsoft.XmlDom' ] ; break ; } for ( var i = 0 ; i < 2 ; i++ ) { try { return new ActiveXObject( aObjs[i] ) ; } catch (e) {} } if ( FCKLang.NoActiveX ) { alert( FCKLang.NoActiveX ) ; FCKLang.NoActiveX = null ; } return null ; } FCKTools.DisableSelection = function( element ) { element.unselectable = 'on' ; var e, i = 0 ; // The extra () is to avoid a warning with strict error checking. This is ok. while ( (e = element.all[ i++ ]) ) { switch ( e.tagName ) { case 'IFRAME' : case 'TEXTAREA' : case 'INPUT' : case 'SELECT' : /* Ignore the above tags */ break ; default : e.unselectable = 'on' ; } } } FCKTools.GetScrollPosition = function( relativeWindow ) { var oDoc = relativeWindow.document ; // Try with the doc element. var oPos = { X : oDoc.documentElement.scrollLeft, Y : oDoc.documentElement.scrollTop } ; if ( oPos.X > 0 || oPos.Y > 0 ) return oPos ; // If no scroll, try with the body. return { X : oDoc.body.scrollLeft, Y : oDoc.body.scrollTop } ; } FCKTools.AddEventListener = function( sourceObject, eventName, listener ) { sourceObject.attachEvent( 'on' + eventName, listener ) ; } FCKTools.RemoveEventListener = function( sourceObject, eventName, listener ) { sourceObject.detachEvent( 'on' + eventName, listener ) ; } // Listeners attached with this function cannot be detached. FCKTools.AddEventListenerEx = function( sourceObject, eventName, listener, paramsArray ) { // Ok... this is a closures party, but is the only way to make it clean of memory leaks. var o = new Object() ; o.Source = sourceObject ; o.Params = paramsArray || [] ; // Memory leak if we have DOM objects here. o.Listener = function( ev ) { return listener.apply( o.Source, [ ev ].concat( o.Params ) ) ; } if ( FCK.IECleanup ) FCK.IECleanup.AddItem( null, function() { o.Source = null ; o.Params = null ; } ) ; sourceObject.attachEvent( 'on' + eventName, o.Listener ) ; sourceObject = null ; // Memory leak cleaner (because of the above closure). paramsArray = null ; // Memory leak cleaner (because of the above closure). } // Returns and object with the "Width" and "Height" properties. FCKTools.GetViewPaneSize = function( win ) { var oSizeSource ; var oDoc = win.document.documentElement ; if ( oDoc && oDoc.clientWidth ) // IE6 Strict Mode oSizeSource = oDoc ; else oSizeSource = win.document.body ; // Other IEs if ( oSizeSource ) return { Width : oSizeSource.clientWidth, Height : oSizeSource.clientHeight } ; else return { Width : 0, Height : 0 } ; } FCKTools.SaveStyles = function( element ) { var data = FCKTools.ProtectFormStyles( element ) ; var oSavedStyles = new Object() ; if ( element.className.length > 0 ) { oSavedStyles.Class = element.className ; element.className = '' ; } var sInlineStyle = element.style.cssText ; if ( sInlineStyle.length > 0 ) { oSavedStyles.Inline = sInlineStyle ; element.style.cssText = '' ; } FCKTools.RestoreFormStyles( element, data ) ; return oSavedStyles ; } FCKTools.RestoreStyles = function( element, savedStyles ) { var data = FCKTools.ProtectFormStyles( element ) ; element.className = savedStyles.Class || '' ; element.style.cssText = savedStyles.Inline || '' ; FCKTools.RestoreFormStyles( element, data ) ; } FCKTools.RegisterDollarFunction = function( targetWindow ) { targetWindow.$ = targetWindow.document.getElementById ; } FCKTools.AppendElement = function( target, elementName ) { return target.appendChild( this.GetElementDocument( target ).createElement( elementName ) ) ; } // This function may be used by Regex replacements. FCKTools.ToLowerCase = function( strValue ) { return strValue.toLowerCase() ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Active selection functions. (Gecko specific implementation) */ // Get the selection type (like document.select.type in IE). FCKSelection.GetType = function() { // By default set the type to "Text". var type = 'Text' ; // Check if the actual selection is a Control (IMG, TABLE, HR, etc...). var sel ; try { sel = this.GetSelection() ; } catch (e) {} if ( sel && sel.rangeCount == 1 ) { var range = sel.getRangeAt(0) ; if ( range.startContainer == range.endContainer && ( range.endOffset - range.startOffset ) == 1 && range.startContainer.nodeType == 1 && FCKListsLib.StyleObjectElements[ range.startContainer.childNodes[ range.startOffset ].nodeName.toLowerCase() ] ) { type = 'Control' ; } } return type ; } // Retrieves the selected element (if any), just in the case that a single // element (object like and image or a table) is selected. FCKSelection.GetSelectedElement = function() { var selection = !!FCK.EditorWindow && this.GetSelection() ; if ( !selection || selection.rangeCount < 1 ) return null ; var range = selection.getRangeAt( 0 ) ; if ( range.startContainer != range.endContainer || range.startContainer.nodeType != 1 || range.startOffset != range.endOffset - 1 ) return null ; var node = range.startContainer.childNodes[ range.startOffset ] ; if ( node.nodeType != 1 ) return null ; return node ; } FCKSelection.GetParentElement = function() { if ( this.GetType() == 'Control' ) return FCKSelection.GetSelectedElement().parentNode ; else { var oSel = this.GetSelection() ; if ( oSel ) { // if anchorNode == focusNode, see if the selection is text only or including nodes. // if text only, return the parent node. // if the selection includes DOM nodes, then the anchorNode is the nearest container. if ( oSel.anchorNode && oSel.anchorNode == oSel.focusNode ) { var oRange = oSel.getRangeAt( 0 ) ; if ( oRange.collapsed || oRange.startContainer.nodeType == 3 ) return oSel.anchorNode.parentNode ; else return oSel.anchorNode ; } // looks like we're having a large selection here. To make the behavior same as IE's TextRange.parentElement(), // we need to find the nearest ancestor node which encapsulates both the beginning and the end of the selection. // TODO: A simpler logic can be found. var anchorPath = new FCKElementPath( oSel.anchorNode ) ; var focusPath = new FCKElementPath( oSel.focusNode ) ; var deepPath = null ; var shallowPath = null ; if ( anchorPath.Elements.length > focusPath.Elements.length ) { deepPath = anchorPath.Elements ; shallowPath = focusPath.Elements ; } else { deepPath = focusPath.Elements ; shallowPath = anchorPath.Elements ; } var deepPathBase = deepPath.length - shallowPath.length ; for( var i = 0 ; i < shallowPath.length ; i++) { if ( deepPath[deepPathBase + i] == shallowPath[i]) return shallowPath[i]; } return null ; } } return null ; } FCKSelection.GetBoundaryParentElement = function( startBoundary ) { if ( ! FCK.EditorWindow ) return null ; if ( this.GetType() == 'Control' ) return FCKSelection.GetSelectedElement().parentNode ; else { var oSel = this.GetSelection() ; if ( oSel && oSel.rangeCount > 0 ) { var range = oSel.getRangeAt( startBoundary ? 0 : ( oSel.rangeCount - 1 ) ) ; var element = startBoundary ? range.startContainer : range.endContainer ; return ( element.nodeType == 1 ? element : element.parentNode ) ; } } return null ; } FCKSelection.SelectNode = function( element ) { var oRange = FCK.EditorDocument.createRange() ; oRange.selectNode( element ) ; var oSel = this.GetSelection() ; oSel.removeAllRanges() ; oSel.addRange( oRange ) ; } FCKSelection.Collapse = function( toStart ) { var oSel = this.GetSelection() ; if ( toStart == null || toStart === true ) oSel.collapseToStart() ; else oSel.collapseToEnd() ; } // The "nodeTagName" parameter must be Upper Case. FCKSelection.HasAncestorNode = function( nodeTagName ) { var oContainer = this.GetSelectedElement() ; if ( ! oContainer && FCK.EditorWindow ) { try { oContainer = this.GetSelection().getRangeAt(0).startContainer ; } catch(e){} } while ( oContainer ) { if ( oContainer.nodeType == 1 && oContainer.nodeName.IEquals( nodeTagName ) ) return true ; oContainer = oContainer.parentNode ; } return false ; } // The "nodeTagName" parameter must be Upper Case. FCKSelection.MoveToAncestorNode = function( nodeTagName ) { var oNode ; var oContainer = this.GetSelectedElement() ; if ( ! oContainer ) oContainer = this.GetSelection().getRangeAt(0).startContainer ; while ( oContainer ) { if ( oContainer.nodeName.IEquals( nodeTagName ) ) return oContainer ; oContainer = oContainer.parentNode ; } return null ; } FCKSelection.Delete = function() { // Gets the actual selection. var oSel = this.GetSelection() ; // Deletes the actual selection contents. for ( var i = 0 ; i < oSel.rangeCount ; i++ ) { oSel.getRangeAt(i).deleteContents() ; } return oSel ; } /** * Returns the native selection object. */ FCKSelection.GetSelection = function() { return FCK.EditorWindow.getSelection() ; } // The following are IE only features (we don't need then in other browsers // currently). FCKSelection.Save = function() {} FCKSelection.Restore = function() {} FCKSelection.Release = function() {}
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Active selection functions. */ var FCKSelection = FCK.Selection = { GetParentBlock : function() { var retval = this.GetParentElement() ; while ( retval ) { if ( FCKListsLib.BlockBoundaries[retval.nodeName.toLowerCase()] ) break ; retval = retval.parentNode ; } return retval ; }, ApplyStyle : function( styleDefinition ) { FCKStyles.ApplyStyle( new FCKStyle( styleDefinition ) ) ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Debug window control and operations. */ // Public function defined here must be declared in fckdebug_empty.js. var FCKDebug = { Output : function( message, color, noParse ) { if ( ! FCKConfig.Debug ) return ; try { this._GetWindow().Output( message, color, noParse ) ; } catch ( e ) {} // Ignore errors }, OutputObject : function( anyObject, color ) { if ( ! FCKConfig.Debug ) return ; try { this._GetWindow().OutputObject( anyObject, color ) ; } catch ( e ) {} // Ignore errors }, _GetWindow : function() { if ( !this.DebugWindow || this.DebugWindow.closed ) this.DebugWindow = window.open( FCKConfig.BasePath + 'fckdebug.html', 'FCKeditorDebug', 'menubar=no,scrollbars=yes,resizable=yes,location=no,toolbar=no,width=600,height=500', true ) ; return this.DebugWindow ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKLanguageManager object that is used for language * operations. */ var FCKLanguageManager = FCK.Language = { AvailableLanguages : { af : 'Afrikaans', ar : 'Arabic', bg : 'Bulgarian', bn : 'Bengali/Bangla', bs : 'Bosnian', ca : 'Catalan', cs : 'Czech', da : 'Danish', de : 'German', el : 'Greek', en : 'English', 'en-au' : 'English (Australia)', 'en-ca' : 'English (Canadian)', 'en-uk' : 'English (United Kingdom)', eo : 'Esperanto', es : 'Spanish', et : 'Estonian', eu : 'Basque', fa : 'Persian', fi : 'Finnish', fo : 'Faroese', fr : 'French', 'fr-ca' : 'French (Canada)', gl : 'Galician', gu : 'Gujarati', he : 'Hebrew', hi : 'Hindi', hr : 'Croatian', hu : 'Hungarian', is : 'Icelandic', it : 'Italian', ja : 'Japanese', km : 'Khmer', ko : 'Korean', lt : 'Lithuanian', lv : 'Latvian', mn : 'Mongolian', ms : 'Malay', nb : 'Norwegian Bokmal', nl : 'Dutch', no : 'Norwegian', pl : 'Polish', pt : 'Portuguese (Portugal)', 'pt-br' : 'Portuguese (Brazil)', ro : 'Romanian', ru : 'Russian', sk : 'Slovak', sl : 'Slovenian', sr : 'Serbian (Cyrillic)', 'sr-latn' : 'Serbian (Latin)', sv : 'Swedish', th : 'Thai', tr : 'Turkish', uk : 'Ukrainian', vi : 'Vietnamese', zh : 'Chinese Traditional', 'zh-cn' : 'Chinese Simplified' }, GetActiveLanguage : function() { if ( FCKConfig.AutoDetectLanguage ) { var sUserLang ; // IE accepts "navigator.userLanguage" while Gecko "navigator.language". if ( navigator.userLanguage ) sUserLang = navigator.userLanguage.toLowerCase() ; else if ( navigator.language ) sUserLang = navigator.language.toLowerCase() ; else { // Firefox 1.0 PR has a bug: it doens't support the "language" property. return FCKConfig.DefaultLanguage ; } // Some language codes are set in 5 characters, // like "pt-br" for Brazilian Portuguese. if ( sUserLang.length >= 5 ) { sUserLang = sUserLang.substr(0,5) ; if ( this.AvailableLanguages[sUserLang] ) return sUserLang ; } // If the user's browser is set to, for example, "pt-br" but only the // "pt" language file is available then get that file. if ( sUserLang.length >= 2 ) { sUserLang = sUserLang.substr(0,2) ; if ( this.AvailableLanguages[sUserLang] ) return sUserLang ; } } return this.DefaultLanguage ; }, TranslateElements : function( targetDocument, tag, propertyToSet, encode ) { var e = targetDocument.getElementsByTagName(tag) ; var sKey, s ; for ( var i = 0 ; i < e.length ; i++ ) { // The extra () is to avoid a warning with strict error checking. This is ok. if ( (sKey = e[i].getAttribute( 'fckLang' )) ) { // The extra () is to avoid a warning with strict error checking. This is ok. if ( (s = FCKLang[ sKey ]) ) { if ( encode ) s = FCKTools.HTMLEncode( s ) ; e[i][ propertyToSet ] = s ; } } } }, TranslatePage : function( targetDocument ) { this.TranslateElements( targetDocument, 'INPUT', 'value' ) ; this.TranslateElements( targetDocument, 'SPAN', 'innerHTML' ) ; this.TranslateElements( targetDocument, 'LABEL', 'innerHTML' ) ; this.TranslateElements( targetDocument, 'OPTION', 'innerHTML', true ) ; this.TranslateElements( targetDocument, 'LEGEND', 'innerHTML' ) ; }, Initialize : function() { if ( this.AvailableLanguages[ FCKConfig.DefaultLanguage ] ) this.DefaultLanguage = FCKConfig.DefaultLanguage ; else this.DefaultLanguage = 'en' ; this.ActiveLanguage = new Object() ; this.ActiveLanguage.Code = this.GetActiveLanguage() ; this.ActiveLanguage.Name = this.AvailableLanguages[ this.ActiveLanguage.Code ] ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * These are some Regular Expressions used by the editor. */ var FCKRegexLib = { // This is the Regular expression used by the SetData method for the "&apos;" entity. AposEntity : /&apos;/gi , // Used by the Styles combo to identify styles that can't be applied to text. ObjectElements : /^(?:IMG|TABLE|TR|TD|TH|INPUT|SELECT|TEXTAREA|HR|OBJECT|A|UL|OL|LI)$/i , // List all named commands (commands that can be interpreted by the browser "execCommand" method. NamedCommands : /^(?:Cut|Copy|Paste|Print|SelectAll|RemoveFormat|Unlink|Undo|Redo|Bold|Italic|Underline|StrikeThrough|Subscript|Superscript|JustifyLeft|JustifyCenter|JustifyRight|JustifyFull|Outdent|Indent|InsertOrderedList|InsertUnorderedList|InsertHorizontalRule)$/i , BeforeBody : /(^[\s\S]*\<body[^\>]*\>)/i, AfterBody : /(\<\/body\>[\s\S]*$)/i, // Temporary text used to solve some browser specific limitations. ToReplace : /___fcktoreplace:([\w]+)/ig , // Get the META http-equiv attribute from the tag. MetaHttpEquiv : /http-equiv\s*=\s*["']?([^"' ]+)/i , HasBaseTag : /<base /i , HasBodyTag : /<body[\s|>]/i , HtmlOpener : /<html\s?[^>]*>/i , HeadOpener : /<head\s?[^>]*>/i , HeadCloser : /<\/head\s*>/i , // Temporary classes (Tables without border, Anchors with content) used in IE FCK_Class : /\s*FCK__[^ ]*(?=\s+|$)/ , // Validate element names (it must be in lowercase). ElementName : /(^[a-z_:][\w.\-:]*\w$)|(^[a-z_]$)/ , // Used in conjunction with the FCKConfig.ForceSimpleAmpersand configuration option. ForceSimpleAmpersand : /___FCKAmp___/g , // Get the closing parts of the tags with no closing tags, like <br/>... gets the "/>" part. SpaceNoClose : /\/>/g , // Empty elements may be <p></p> or even a simple opening <p> (see #211). EmptyParagraph : /^<(p|div|address|h\d|center)(?=[ >])[^>]*>\s*(<\/\1>)?$/ , EmptyOutParagraph : /^<(p|div|address|h\d|center)(?=[ >])[^>]*>(?:\s*|&nbsp;|&#160;)(<\/\1>)?$/ , TagBody : /></ , GeckoEntitiesMarker : /#\?-\:/g , // We look for the "src" and href attribute with the " or ' or without one of // them. We have to do all in one, otherwise we will have problems with URLs // like "thumbnail.php?src=someimage.jpg" (SF-BUG 1554141). ProtectUrlsImg : /<img(?=\s).*?\ssrc=((?:(?:\s*)("|').*?\2)|(?:[^"'][^ >]+))/gi , ProtectUrlsA : /<a(?=\s).*?\shref=((?:(?:\s*)("|').*?\2)|(?:[^"'][^ >]+))/gi , ProtectUrlsArea : /<area(?=\s).*?\shref=((?:(?:\s*)("|').*?\2)|(?:[^"'][^ >]+))/gi , Html4DocType : /HTML 4\.0 Transitional/i , DocTypeTag : /<!DOCTYPE[^>]*>/i , HtmlDocType : /DTD HTML/ , // These regex are used to save the original event attributes in the HTML. TagsWithEvent : /<[^\>]+ on\w+[\s\r\n]*=[\s\r\n]*?('|")[\s\S]+?\>/g , EventAttributes : /\s(on\w+)[\s\r\n]*=[\s\r\n]*?('|")([\s\S]*?)\2/g, ProtectedEvents : /\s\w+_fckprotectedatt="([^"]+)"/g, StyleProperties : /\S+\s*:/g, // [a-zA-Z0-9:]+ seams to be more efficient than [\w:]+ InvalidSelfCloseTags : /(<(?!base|meta|link|hr|br|param|img|area|input)([a-zA-Z0-9:]+)[^>]*)\/>/gi, // All variables defined in a style attribute or style definition. The variable // name is returned with $2. StyleVariableAttName : /#\(\s*("|')(.+?)\1[^\)]*\s*\)/g, RegExp : /^\/(.*)\/([gim]*)$/, HtmlTag : /<[^\s<>](?:"[^"]*"|'[^']*'|[^<])*>/ } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Advanced document processors. */ var FCKDocumentProcessor = new Object() ; FCKDocumentProcessor._Items = new Array() ; FCKDocumentProcessor.AppendNew = function() { var oNewItem = new Object() ; this._Items.push( oNewItem ) ; return oNewItem ; } FCKDocumentProcessor.Process = function( document ) { var bIsDirty = FCK.IsDirty() ; var oProcessor, i = 0 ; while( ( oProcessor = this._Items[i++] ) ) oProcessor.ProcessDocument( document ) ; if ( !bIsDirty ) FCK.ResetIsDirty() ; } var FCKDocumentProcessor_CreateFakeImage = function( fakeClass, realElement ) { var oImg = FCKTools.GetElementDocument( realElement ).createElement( 'IMG' ) ; oImg.className = fakeClass ; oImg.src = FCKConfig.BasePath + 'images/spacer.gif' ; oImg.setAttribute( '_fckfakelement', 'true', 0 ) ; oImg.setAttribute( '_fckrealelement', FCKTempBin.AddElement( realElement ), 0 ) ; return oImg ; } // Link Anchors if ( FCKBrowserInfo.IsIE || FCKBrowserInfo.IsOpera ) { var FCKAnchorsProcessor = FCKDocumentProcessor.AppendNew() ; FCKAnchorsProcessor.ProcessDocument = function( document ) { var aLinks = document.getElementsByTagName( 'A' ) ; var oLink ; var i = aLinks.length - 1 ; while ( i >= 0 && ( oLink = aLinks[i--] ) ) { // If it is anchor. Doesn't matter if it's also a link (even better: we show that it's both a link and an anchor) if ( oLink.name.length > 0 ) { //if the anchor has some content then we just add a temporary class if ( oLink.innerHTML !== '' ) { if ( FCKBrowserInfo.IsIE ) oLink.className += ' FCK__AnchorC' ; } else { var oImg = FCKDocumentProcessor_CreateFakeImage( 'FCK__Anchor', oLink.cloneNode(true) ) ; oImg.setAttribute( '_fckanchor', 'true', 0 ) ; oLink.parentNode.insertBefore( oImg, oLink ) ; oLink.parentNode.removeChild( oLink ) ; } } } } } // Page Breaks var FCKPageBreaksProcessor = FCKDocumentProcessor.AppendNew() ; FCKPageBreaksProcessor.ProcessDocument = function( document ) { var aDIVs = document.getElementsByTagName( 'DIV' ) ; var eDIV ; var i = aDIVs.length - 1 ; while ( i >= 0 && ( eDIV = aDIVs[i--] ) ) { if ( eDIV.style.pageBreakAfter == 'always' && eDIV.childNodes.length == 1 && eDIV.childNodes[0].style && eDIV.childNodes[0].style.display == 'none' ) { var oFakeImage = FCKDocumentProcessor_CreateFakeImage( 'FCK__PageBreak', eDIV.cloneNode(true) ) ; eDIV.parentNode.insertBefore( oFakeImage, eDIV ) ; eDIV.parentNode.removeChild( eDIV ) ; } } /* var aCenters = document.getElementsByTagName( 'CENTER' ) ; var oCenter ; var i = aCenters.length - 1 ; while ( i >= 0 && ( oCenter = aCenters[i--] ) ) { if ( oCenter.style.pageBreakAfter == 'always' && oCenter.innerHTML.Trim().length == 0 ) { var oFakeImage = FCKDocumentProcessor_CreateFakeImage( 'FCK__PageBreak', oCenter.cloneNode(true) ) ; oCenter.parentNode.insertBefore( oFakeImage, oCenter ) ; oCenter.parentNode.removeChild( oCenter ) ; } } */ } // EMBED and OBJECT tags. var FCKEmbedAndObjectProcessor = (function() { var customProcessors = [] ; var processElement = function( el ) { var clone = el.cloneNode( true ) ; var replaceElement ; var fakeImg = replaceElement = FCKDocumentProcessor_CreateFakeImage( 'FCK__UnknownObject', clone ) ; FCKEmbedAndObjectProcessor.RefreshView( fakeImg, el ) ; for ( var i = 0 ; i < customProcessors.length ; i++ ) replaceElement = customProcessors[i]( el, replaceElement ) || replaceElement ; if ( replaceElement != fakeImg ) FCKTempBin.RemoveElement( fakeImg.getAttribute( '_fckrealelement' ) ) ; el.parentNode.replaceChild( replaceElement, el ) ; } var processElementsByName = function( elementName, doc ) { var aObjects = doc.getElementsByTagName( elementName ); for ( var i = aObjects.length - 1 ; i >= 0 ; i-- ) processElement( aObjects[i] ) ; } var processObjectAndEmbed = function( doc ) { processElementsByName( 'object', doc ); processElementsByName( 'embed', doc ); } return FCKTools.Merge( FCKDocumentProcessor.AppendNew(), { ProcessDocument : function( doc ) { // Firefox 3 would sometimes throw an unknown exception while accessing EMBEDs and OBJECTs // without the setTimeout(). if ( FCKBrowserInfo.IsGecko ) FCKTools.RunFunction( processObjectAndEmbed, this, [ doc ] ) ; else processObjectAndEmbed( doc ) ; }, RefreshView : function( placeHolder, original ) { if ( original.getAttribute( 'width' ) > 0 ) placeHolder.style.width = FCKTools.ConvertHtmlSizeToStyle( original.getAttribute( 'width' ) ) ; if ( original.getAttribute( 'height' ) > 0 ) placeHolder.style.height = FCKTools.ConvertHtmlSizeToStyle( original.getAttribute( 'height' ) ) ; }, AddCustomHandler : function( func ) { customProcessors.push( func ) ; } } ) ; } )() ; FCK.GetRealElement = function( fakeElement ) { var e = FCKTempBin.Elements[ fakeElement.getAttribute('_fckrealelement') ] ; if ( fakeElement.getAttribute('_fckflash') ) { if ( fakeElement.style.width.length > 0 ) e.width = FCKTools.ConvertStyleSizeToHtml( fakeElement.style.width ) ; if ( fakeElement.style.height.length > 0 ) e.height = FCKTools.ConvertStyleSizeToHtml( fakeElement.style.height ) ; } return e ; } // HR Processor. // This is a IE only (tricky) thing. We protect all HR tags before loading them // (see FCK.ProtectTags). Here we put the HRs back. if ( FCKBrowserInfo.IsIE ) { FCKDocumentProcessor.AppendNew().ProcessDocument = function( document ) { var aHRs = document.getElementsByTagName( 'HR' ) ; var eHR ; var i = aHRs.length - 1 ; while ( i >= 0 && ( eHR = aHRs[i--] ) ) { // Create the replacement HR. var newHR = document.createElement( 'hr' ) ; newHR.mergeAttributes( eHR, true ) ; // We must insert the new one after it. insertBefore will not work in all cases. FCKDomTools.InsertAfterNode( eHR, newHR ) ; eHR.parentNode.removeChild( eHR ) ; } } } // INPUT:hidden Processor. FCKDocumentProcessor.AppendNew().ProcessDocument = function( document ) { var aInputs = document.getElementsByTagName( 'INPUT' ) ; var oInput ; var i = aInputs.length - 1 ; while ( i >= 0 && ( oInput = aInputs[i--] ) ) { if ( oInput.type == 'hidden' ) { var oImg = FCKDocumentProcessor_CreateFakeImage( 'FCK__InputHidden', oInput.cloneNode(true) ) ; oImg.setAttribute( '_fckinputhidden', 'true', 0 ) ; oInput.parentNode.insertBefore( oImg, oInput ) ; oInput.parentNode.removeChild( oInput ) ; } } } // Flash handler. FCKEmbedAndObjectProcessor.AddCustomHandler( function( el, fakeImg ) { if ( ! ( el.nodeName.IEquals( 'embed' ) && ( el.type == 'application/x-shockwave-flash' || /\.swf($|#|\?)/i.test( el.src ) ) ) ) return ; fakeImg.className = 'FCK__Flash' ; fakeImg.setAttribute( '_fckflash', 'true', 0 ); } ) ; // Buggy <span class="Apple-style-span"> tags added by Safari. if ( FCKBrowserInfo.IsSafari ) { FCKDocumentProcessor.AppendNew().ProcessDocument = function( doc ) { var spans = doc.getElementsByClassName ? doc.getElementsByClassName( 'Apple-style-span' ) : Array.prototype.filter.call( doc.getElementsByTagName( 'span' ), function( item ){ return item.className == 'Apple-style-span' ; } ) ; for ( var i = spans.length - 1 ; i >= 0 ; i-- ) FCKDomTools.RemoveNode( spans[i], true ) ; } }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Manage table operations (IE specific). */ FCKTableHandler.GetSelectedCells = function() { if ( FCKSelection.GetType() == 'Control' ) { var td = FCKSelection.MoveToAncestorNode( ['TD', 'TH'] ) ; return td ? [ td ] : [] ; } var aCells = new Array() ; var oRange = FCKSelection.GetSelection().createRange() ; // var oParent = oRange.parentElement() ; var oParent = FCKSelection.GetParentElement() ; if ( oParent && oParent.tagName.Equals( 'TD', 'TH' ) ) aCells[0] = oParent ; else { oParent = FCKSelection.MoveToAncestorNode( 'TABLE' ) ; if ( oParent ) { // Loops throw all cells checking if the cell is, or part of it, is inside the selection // and then add it to the selected cells collection. for ( var i = 0 ; i < oParent.cells.length ; i++ ) { var oCellRange = FCK.EditorDocument.body.createTextRange() ; oCellRange.moveToElementText( oParent.cells[i] ) ; if ( oRange.inRange( oCellRange ) || ( oRange.compareEndPoints('StartToStart',oCellRange) >= 0 && oRange.compareEndPoints('StartToEnd',oCellRange) <= 0 ) || ( oRange.compareEndPoints('EndToStart',oCellRange) >= 0 && oRange.compareEndPoints('EndToEnd',oCellRange) <= 0 ) ) { aCells[aCells.length] = oParent.cells[i] ; } } } } return aCells ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Creates and initializes the FCKConfig object. */ var FCKConfig = FCK.Config = new Object() ; /* For the next major version (probably 3.0) we should move all this stuff to another dedicated object and leave FCKConfig as a holder object for settings only). */ // Editor Base Path if ( document.location.protocol == 'file:' ) { FCKConfig.BasePath = decodeURIComponent( document.location.pathname.substr(1) ) ; FCKConfig.BasePath = FCKConfig.BasePath.replace( /\\/gi, '/' ) ; // The way to address local files is different according to the OS. // In Windows it is file:// but in MacOs it is file:/// so let's get it automatically var sFullProtocol = document.location.href.match( /^(file\:\/{2,3})/ )[1] ; // #945 Opera does strange things with files loaded from the disk, and it fails in Mac to load xml files if ( FCKBrowserInfo.IsOpera ) sFullProtocol += 'localhost/' ; FCKConfig.BasePath = sFullProtocol + FCKConfig.BasePath.substring( 0, FCKConfig.BasePath.lastIndexOf( '/' ) + 1) ; } else FCKConfig.BasePath = document.location.protocol + '//' + document.location.host + document.location.pathname.substring( 0, document.location.pathname.lastIndexOf( '/' ) + 1) ; FCKConfig.FullBasePath = FCKConfig.BasePath ; FCKConfig.EditorPath = FCKConfig.BasePath.replace( /editor\/$/, '' ) ; // There is a bug in Gecko. If the editor is hidden on startup, an error is // thrown when trying to get the screen dimensions. try { FCKConfig.ScreenWidth = screen.width ; FCKConfig.ScreenHeight = screen.height ; } catch (e) { FCKConfig.ScreenWidth = 800 ; FCKConfig.ScreenHeight = 600 ; } // Override the actual configuration values with the values passed throw the // hidden field "<InstanceName>___Config". FCKConfig.ProcessHiddenField = function() { this.PageConfig = new Object() ; // Get the hidden field. var oConfigField = window.parent.document.getElementById( FCK.Name + '___Config' ) ; // Do nothing if the config field was not defined. if ( ! oConfigField ) return ; var aCouples = oConfigField.value.split('&') ; for ( var i = 0 ; i < aCouples.length ; i++ ) { if ( aCouples[i].length == 0 ) continue ; var aConfig = aCouples[i].split( '=' ) ; var sKey = decodeURIComponent( aConfig[0] ) ; var sVal = decodeURIComponent( aConfig[1] ) ; if ( sKey == 'CustomConfigurationsPath' ) // The Custom Config File path must be loaded immediately. FCKConfig[ sKey ] = sVal ; else if ( sVal.toLowerCase() == "true" ) // If it is a boolean TRUE. this.PageConfig[ sKey ] = true ; else if ( sVal.toLowerCase() == "false" ) // If it is a boolean FALSE. this.PageConfig[ sKey ] = false ; else if ( sVal.length > 0 && !isNaN( sVal ) ) // If it is a number. this.PageConfig[ sKey ] = parseFloat( sVal ) ; else // In any other case it is a string. this.PageConfig[ sKey ] = sVal ; } } function FCKConfig_LoadPageConfig() { var oPageConfig = FCKConfig.PageConfig ; for ( var sKey in oPageConfig ) FCKConfig[ sKey ] = oPageConfig[ sKey ] ; } function FCKConfig_PreProcess() { var oConfig = FCKConfig ; // Force debug mode if fckdebug=true in the QueryString (main page). if ( oConfig.AllowQueryStringDebug ) { try { if ( (/fckdebug=true/i).test( window.top.location.search ) ) oConfig.Debug = true ; } catch (e) { /* Ignore it. Much probably we are inside a FRAME where the "top" is in another domain (security error). */ } } // Certifies that the "PluginsPath" configuration ends with a slash. if ( !oConfig.PluginsPath.EndsWith('/') ) oConfig.PluginsPath += '/' ; // If no ToolbarComboPreviewCSS, point it to EditorAreaCSS. var sComboPreviewCSS = oConfig.ToolbarComboPreviewCSS ; if ( !sComboPreviewCSS || sComboPreviewCSS.length == 0 ) oConfig.ToolbarComboPreviewCSS = oConfig.EditorAreaCSS ; // Turn the attributes that will be removed in the RemoveFormat from a string to an array oConfig.RemoveAttributesArray = (oConfig.RemoveAttributes || '').split( ',' ); if ( !FCKConfig.SkinEditorCSS || FCKConfig.SkinEditorCSS.length == 0 ) FCKConfig.SkinEditorCSS = FCKConfig.SkinPath + 'fck_editor.css' ; if ( !FCKConfig.SkinDialogCSS || FCKConfig.SkinDialogCSS.length == 0 ) FCKConfig.SkinDialogCSS = FCKConfig.SkinPath + 'fck_dialog.css' ; } // Define toolbar sets collection. FCKConfig.ToolbarSets = new Object() ; // Defines the plugins collection. FCKConfig.Plugins = new Object() ; FCKConfig.Plugins.Items = new Array() ; FCKConfig.Plugins.Add = function( name, langs, path ) { FCKConfig.Plugins.Items.push( [name, langs, path] ) ; } // FCKConfig.ProtectedSource: object that holds a collection of Regular // Expressions that defined parts of the raw HTML that must remain untouched // like custom tags, scripts, server side code, etc... FCKConfig.ProtectedSource = new Object() ; // Generates a string used to identify and locate the Protected Tags comments. FCKConfig.ProtectedSource._CodeTag = (new Date()).valueOf() ; // Initialize the regex array with the default ones. FCKConfig.ProtectedSource.RegexEntries = [ // First of any other protection, we must protect all comments to avoid // loosing them (of course, IE related). /<!--[\s\S]*?-->/g , // Script tags will also be forced to be protected, otherwise IE will execute them. /<script[\s\S]*?<\/script>/gi, // <noscript> tags (get lost in IE and messed up in FF). /<noscript[\s\S]*?<\/noscript>/gi ] ; FCKConfig.ProtectedSource.Add = function( regexPattern ) { this.RegexEntries.push( regexPattern ) ; } FCKConfig.ProtectedSource.Protect = function( html ) { var codeTag = this._CodeTag ; function _Replace( protectedSource ) { var index = FCKTempBin.AddElement( protectedSource ) ; return '<!--{' + codeTag + index + '}-->' ; } for ( var i = 0 ; i < this.RegexEntries.length ; i++ ) { html = html.replace( this.RegexEntries[i], _Replace ) ; } return html ; } FCKConfig.ProtectedSource.Revert = function( html, clearBin ) { function _Replace( m, opener, index ) { var protectedValue = clearBin ? FCKTempBin.RemoveElement( index ) : FCKTempBin.Elements[ index ] ; // There could be protected source inside another one. return FCKConfig.ProtectedSource.Revert( protectedValue, clearBin ) ; } var regex = new RegExp( "(<|&lt;)!--\\{" + this._CodeTag + "(\\d+)\\}--(>|&gt;)", "g" ) ; return html.replace( regex, _Replace ) ; } // Returns a string with the attributes that must be appended to the body FCKConfig.GetBodyAttributes = function() { var bodyAttributes = '' ; // Add id and class to the body. if ( this.BodyId && this.BodyId.length > 0 ) bodyAttributes += ' id="' + this.BodyId + '"' ; if ( this.BodyClass && this.BodyClass.length > 0 ) bodyAttributes += ' class="' + this.BodyClass + '"' ; return bodyAttributes ; } // Sets the body attributes directly on the node FCKConfig.ApplyBodyAttributes = function( oBody ) { // Add ID and Class to the body if ( this.BodyId && this.BodyId.length > 0 ) oBody.id = FCKConfig.BodyId ; if ( this.BodyClass && this.BodyClass.length > 0 ) oBody.className += ' ' + FCKConfig.BodyClass ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Utility functions. (Gecko version). */ FCKTools.CancelEvent = function( e ) { if ( e ) e.preventDefault() ; } FCKTools.DisableSelection = function( element ) { if ( FCKBrowserInfo.IsGecko ) element.style.MozUserSelect = 'none' ; // Gecko only. else if ( FCKBrowserInfo.IsSafari ) element.style.KhtmlUserSelect = 'none' ; // WebKit only. else element.style.userSelect = 'none' ; // CSS3 (not supported yet). } // Appends a CSS file to a document. FCKTools._AppendStyleSheet = function( documentElement, cssFileUrl ) { var e = documentElement.createElement( 'LINK' ) ; e.rel = 'stylesheet' ; e.type = 'text/css' ; e.href = cssFileUrl ; documentElement.getElementsByTagName("HEAD")[0].appendChild( e ) ; return e ; } // Appends a CSS style string to a document. FCKTools.AppendStyleString = function( documentElement, cssStyles ) { if ( !cssStyles ) return null ; var e = documentElement.createElement( "STYLE" ) ; e.appendChild( documentElement.createTextNode( cssStyles ) ) ; documentElement.getElementsByTagName( "HEAD" )[0].appendChild( e ) ; return e ; } // Removes all attributes and values from the element. FCKTools.ClearElementAttributes = function( element ) { // Loop throw all attributes in the element for ( var i = 0 ; i < element.attributes.length ; i++ ) { // Remove the element by name. element.removeAttribute( element.attributes[i].name, 0 ) ; // 0 : Case Insensitive } } // Returns an Array of strings with all defined in the elements inside another element. FCKTools.GetAllChildrenIds = function( parentElement ) { // Create the array that will hold all Ids. var aIds = new Array() ; // Define a recursive function that search for the Ids. var fGetIds = function( parent ) { for ( var i = 0 ; i < parent.childNodes.length ; i++ ) { var sId = parent.childNodes[i].id ; // Check if the Id is defined for the element. if ( sId && sId.length > 0 ) aIds[ aIds.length ] = sId ; // Recursive call. fGetIds( parent.childNodes[i] ) ; } } // Start the recursive calls. fGetIds( parentElement ) ; return aIds ; } // Replaces a tag with its contents. For example "<span>My <b>tag</b></span>" // will be replaced with "My <b>tag</b>". FCKTools.RemoveOuterTags = function( e ) { var oFragment = e.ownerDocument.createDocumentFragment() ; for ( var i = 0 ; i < e.childNodes.length ; i++ ) oFragment.appendChild( e.childNodes[i].cloneNode(true) ) ; e.parentNode.replaceChild( oFragment, e ) ; } FCKTools.CreateXmlObject = function( object ) { switch ( object ) { case 'XmlHttp' : return new XMLHttpRequest() ; case 'DOMDocument' : // Originaly, we were had the following here: // return document.implementation.createDocument( '', '', null ) ; // But that doesn't work if we're running under domain relaxation mode, so we need a workaround. // See http://ajaxian.com/archives/xml-messages-with-cross-domain-json about the trick we're using. var doc = ( new DOMParser() ).parseFromString( '<tmp></tmp>', 'text/xml' ) ; FCKDomTools.RemoveNode( doc.firstChild ) ; return doc ; } return null ; } FCKTools.GetScrollPosition = function( relativeWindow ) { return { X : relativeWindow.pageXOffset, Y : relativeWindow.pageYOffset } ; } FCKTools.AddEventListener = function( sourceObject, eventName, listener ) { sourceObject.addEventListener( eventName, listener, false ) ; } FCKTools.RemoveEventListener = function( sourceObject, eventName, listener ) { sourceObject.removeEventListener( eventName, listener, false ) ; } // Listeners attached with this function cannot be detached. FCKTools.AddEventListenerEx = function( sourceObject, eventName, listener, paramsArray ) { sourceObject.addEventListener( eventName, function( e ) { listener.apply( sourceObject, [ e ].concat( paramsArray || [] ) ) ; }, false ) ; } // Returns and object with the "Width" and "Height" properties. FCKTools.GetViewPaneSize = function( win ) { return { Width : win.innerWidth, Height : win.innerHeight } ; } FCKTools.SaveStyles = function( element ) { var data = FCKTools.ProtectFormStyles( element ) ; var oSavedStyles = new Object() ; if ( element.className.length > 0 ) { oSavedStyles.Class = element.className ; element.className = '' ; } var sInlineStyle = element.getAttribute( 'style' ) ; if ( sInlineStyle && sInlineStyle.length > 0 ) { oSavedStyles.Inline = sInlineStyle ; element.setAttribute( 'style', '', 0 ) ; // 0 : Case Insensitive } FCKTools.RestoreFormStyles( element, data ) ; return oSavedStyles ; } FCKTools.RestoreStyles = function( element, savedStyles ) { var data = FCKTools.ProtectFormStyles( element ) ; element.className = savedStyles.Class || '' ; if ( savedStyles.Inline ) element.setAttribute( 'style', savedStyles.Inline, 0 ) ; // 0 : Case Insensitive else element.removeAttribute( 'style', 0 ) ; FCKTools.RestoreFormStyles( element, data ) ; } FCKTools.RegisterDollarFunction = function( targetWindow ) { targetWindow.$ = function( id ) { return targetWindow.document.getElementById( id ) ; } ; } FCKTools.AppendElement = function( target, elementName ) { return target.appendChild( target.ownerDocument.createElement( elementName ) ) ; } // Get the coordinates of an element. // @el : The element to get the position. // @relativeWindow: The window to which we want the coordinates relative to. FCKTools.GetElementPosition = function( el, relativeWindow ) { // Initializes the Coordinates object that will be returned by the function. var c = { X:0, Y:0 } ; var oWindow = relativeWindow || window ; var oOwnerWindow = FCKTools.GetElementWindow( el ) ; var previousElement = null ; // Loop throw the offset chain. while ( el ) { var sPosition = oOwnerWindow.getComputedStyle(el, '').position ; // Check for non "static" elements. // 'FCKConfig.FloatingPanelsZIndex' -- Submenus are under a positioned IFRAME. if ( sPosition && sPosition != 'static' && el.style.zIndex != FCKConfig.FloatingPanelsZIndex ) break ; /* FCKDebug.Output( el.tagName + ":" + "offset=" + el.offsetLeft + "," + el.offsetTop + " " + "scroll=" + el.scrollLeft + "," + el.scrollTop ) ; */ c.X += el.offsetLeft - el.scrollLeft ; c.Y += el.offsetTop - el.scrollTop ; // Backtrack due to offsetParent's calculation by the browser ignores scrollLeft and scrollTop. // Backtracking is not needed for Opera if ( ! FCKBrowserInfo.IsOpera ) { var scrollElement = previousElement ; while ( scrollElement && scrollElement != el ) { c.X -= scrollElement.scrollLeft ; c.Y -= scrollElement.scrollTop ; scrollElement = scrollElement.parentNode ; } } previousElement = el ; if ( el.offsetParent ) el = el.offsetParent ; else { if ( oOwnerWindow != oWindow ) { el = oOwnerWindow.frameElement ; previousElement = null ; if ( el ) oOwnerWindow = FCKTools.GetElementWindow( el ) ; } else { c.X += el.scrollLeft ; c.Y += el.scrollTop ; break ; } } } // Return the Coordinates object return c ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Dialog windows operations. */ var FCKDialog = ( function() { var topDialog ; var baseZIndex ; var cover ; // The document that holds the dialog. var topWindow = window.parent ; while ( topWindow.parent && topWindow.parent != topWindow ) { try { if ( topWindow.parent.document.domain != document.domain ) break ; if ( topWindow.parent.document.getElementsByTagName( 'frameset' ).length > 0 ) break ; } catch ( e ) { break ; } topWindow = topWindow.parent ; } var topDocument = topWindow.document ; var getZIndex = function() { if ( !baseZIndex ) baseZIndex = FCKConfig.FloatingPanelsZIndex + 999 ; return ++baseZIndex ; } // TODO : This logic is not actually working when reducing the window, only // when enlarging it. var resizeHandler = function() { if ( !cover ) return ; var relElement = FCKTools.IsStrictMode( topDocument ) ? topDocument.documentElement : topDocument.body ; FCKDomTools.SetElementStyles( cover, { 'width' : Math.max( relElement.scrollWidth, relElement.clientWidth, topDocument.scrollWidth || 0 ) - 1 + 'px', 'height' : Math.max( relElement.scrollHeight, relElement.clientHeight, topDocument.scrollHeight || 0 ) - 1 + 'px' } ) ; } return { /** * Opens a dialog window using the standard dialog template. */ OpenDialog : function( dialogName, dialogTitle, dialogPage, width, height, customValue, resizable ) { if ( !topDialog ) this.DisplayMainCover() ; // Setup the dialog info to be passed to the dialog. var dialogInfo = { Title : dialogTitle, Page : dialogPage, Editor : window, CustomValue : customValue, // Optional TopWindow : topWindow } FCK.ToolbarSet.CurrentInstance.Selection.Save( true ) ; // Calculate the dialog position, centering it on the screen. var viewSize = FCKTools.GetViewPaneSize( topWindow ) ; var scrollPosition = { 'X' : 0, 'Y' : 0 } ; var useAbsolutePosition = FCKBrowserInfo.IsIE && ( !FCKBrowserInfo.IsIE7 || !FCKTools.IsStrictMode( topWindow.document ) ) ; if ( useAbsolutePosition ) scrollPosition = FCKTools.GetScrollPosition( topWindow ) ; var iTop = Math.max( scrollPosition.Y + ( viewSize.Height - height - 20 ) / 2, 0 ) ; var iLeft = Math.max( scrollPosition.X + ( viewSize.Width - width - 20 ) / 2, 0 ) ; // Setup the IFRAME that will hold the dialog. var dialog = topDocument.createElement( 'iframe' ) ; FCKTools.ResetStyles( dialog ) ; dialog.src = FCKConfig.BasePath + 'fckdialog.html' ; // Dummy URL for testing whether the code in fckdialog.js alone leaks memory. // dialog.src = 'about:blank'; dialog.frameBorder = 0 ; dialog.allowTransparency = true ; FCKDomTools.SetElementStyles( dialog, { 'position' : ( useAbsolutePosition ) ? 'absolute' : 'fixed', 'top' : iTop + 'px', 'left' : iLeft + 'px', 'width' : width + 'px', 'height' : height + 'px', 'zIndex' : getZIndex() } ) ; // Save the dialog info to be used by the dialog page once loaded. dialog._DialogArguments = dialogInfo ; // Append the IFRAME to the target document. topDocument.body.appendChild( dialog ) ; // Keep record of the dialog's parent/child relationships. dialog._ParentDialog = topDialog ; topDialog = dialog ; }, /** * (For internal use) * Called when the top dialog is closed. */ OnDialogClose : function( dialogWindow ) { var dialog = dialogWindow.frameElement ; FCKDomTools.RemoveNode( dialog ) ; if ( dialog._ParentDialog ) // Nested Dialog. { topDialog = dialog._ParentDialog ; dialog._ParentDialog.contentWindow.SetEnabled( true ) ; } else // First Dialog. { // Set the Focus in the browser, so the "OnBlur" event is not // fired. In IE, there is no need to do that because the dialog // already moved the selection to the editing area before // closing (EnsureSelection). Also, the Focus() call here // causes memory leak on IE7 (weird). if ( !FCKBrowserInfo.IsIE ) FCK.Focus() ; this.HideMainCover() ; // Bug #1918: Assigning topDialog = null directly causes IE6 to crash. setTimeout( function(){ topDialog = null ; }, 0 ) ; // Release the previously saved selection. FCK.ToolbarSet.CurrentInstance.Selection.Release() ; } }, DisplayMainCover : function() { // Setup the DIV that will be used to cover. cover = topDocument.createElement( 'div' ) ; FCKTools.ResetStyles( cover ) ; FCKDomTools.SetElementStyles( cover, { 'position' : 'absolute', 'zIndex' : getZIndex(), 'top' : '0px', 'left' : '0px', 'backgroundColor' : FCKConfig.BackgroundBlockerColor } ) ; FCKDomTools.SetOpacity( cover, FCKConfig.BackgroundBlockerOpacity ) ; // For IE6-, we need to fill the cover with a transparent IFRAME, // to properly block <select> fields. if ( FCKBrowserInfo.IsIE && !FCKBrowserInfo.IsIE7 ) { var iframe = topDocument.createElement( 'iframe' ) ; FCKTools.ResetStyles( iframe ) ; iframe.hideFocus = true ; iframe.frameBorder = 0 ; iframe.src = FCKTools.GetVoidUrl() ; FCKDomTools.SetElementStyles( iframe, { 'width' : '100%', 'height' : '100%', 'position' : 'absolute', 'left' : '0px', 'top' : '0px', 'filter' : 'progid:DXImageTransform.Microsoft.Alpha(opacity=0)' } ) ; cover.appendChild( iframe ) ; } // We need to manually adjust the cover size on resize. FCKTools.AddEventListener( topWindow, 'resize', resizeHandler ) ; resizeHandler() ; topDocument.body.appendChild( cover ) ; FCKFocusManager.Lock() ; // Prevent the user from refocusing the disabled // editing window by pressing Tab. (Bug #2065) var el = FCK.ToolbarSet.CurrentInstance.GetInstanceObject( 'frameElement' ) ; el._fck_originalTabIndex = el.tabIndex ; el.tabIndex = -1 ; }, HideMainCover : function() { FCKDomTools.RemoveNode( cover ) ; FCKFocusManager.Unlock() ; // Revert the tab index hack. (Bug #2065) var el = FCK.ToolbarSet.CurrentInstance.GetInstanceObject( 'frameElement' ) ; el.tabIndex = el._fck_originalTabIndex ; FCKDomTools.ClearElementJSProperty( el, '_fck_originalTabIndex' ) ; }, GetCover : function() { return cover ; } } ; } )() ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Tool object to manage HTML lists items (UL, OL and LI). */ var FCKListHandler = { OutdentListItem : function( listItem ) { var eParent = listItem.parentNode ; // It may happen that a LI is not in a UL or OL (Orphan). if ( eParent.tagName.toUpperCase().Equals( 'UL','OL' ) ) { var oDocument = FCKTools.GetElementDocument( listItem ) ; var oDogFrag = new FCKDocumentFragment( oDocument ) ; // All children and successive siblings will be moved to a a DocFrag. var eNextSiblings = oDogFrag.RootNode ; var eHasLiSibling = false ; // If we have nested lists inside it, let's move it to the list of siblings. var eChildList = FCKDomTools.GetFirstChild( listItem, ['UL','OL'] ) ; if ( eChildList ) { eHasLiSibling = true ; var eChild ; // The extra () is to avoid a warning with strict error checking. This is ok. while ( (eChild = eChildList.firstChild) ) eNextSiblings.appendChild( eChildList.removeChild( eChild ) ) ; FCKDomTools.RemoveNode( eChildList ) ; } // Move all successive siblings. var eSibling ; var eHasSuccessiveLiSibling = false ; // The extra () is to avoid a warning with strict error checking. This is ok. while ( (eSibling = listItem.nextSibling) ) { if ( !eHasLiSibling && eSibling.nodeType == 1 && eSibling.nodeName.toUpperCase() == 'LI' ) eHasSuccessiveLiSibling = eHasLiSibling = true ; eNextSiblings.appendChild( eSibling.parentNode.removeChild( eSibling ) ) ; // If a sibling is a incorrectly nested UL or OL, consider only its children. if ( !eHasSuccessiveLiSibling && eSibling.nodeType == 1 && eSibling.nodeName.toUpperCase().Equals( 'UL','OL' ) ) FCKDomTools.RemoveNode( eSibling, true ) ; } // If we are in a list chain. var sParentParentTag = eParent.parentNode.tagName.toUpperCase() ; var bWellNested = ( sParentParentTag == 'LI' ) ; if ( bWellNested || sParentParentTag.Equals( 'UL','OL' ) ) { if ( eHasLiSibling ) { var eChildList = eParent.cloneNode( false ) ; oDogFrag.AppendTo( eChildList ) ; listItem.appendChild( eChildList ) ; } else if ( bWellNested ) oDogFrag.InsertAfterNode( eParent.parentNode ) ; else oDogFrag.InsertAfterNode( eParent ) ; // Move the LI after its parent.parentNode (the upper LI in the hierarchy). if ( bWellNested ) FCKDomTools.InsertAfterNode( eParent.parentNode, eParent.removeChild( listItem ) ) ; else FCKDomTools.InsertAfterNode( eParent, eParent.removeChild( listItem ) ) ; } else { if ( eHasLiSibling ) { var eNextList = eParent.cloneNode( false ) ; oDogFrag.AppendTo( eNextList ) ; FCKDomTools.InsertAfterNode( eParent, eNextList ) ; } var eBlock = oDocument.createElement( FCKConfig.EnterMode == 'p' ? 'p' : 'div' ) ; FCKDomTools.MoveChildren( eParent.removeChild( listItem ), eBlock ) ; FCKDomTools.InsertAfterNode( eParent, eBlock ) ; if ( FCKConfig.EnterMode == 'br' ) { // We need the bogus to make it work properly. In Gecko, we // need it before the new block, on IE, after it. if ( FCKBrowserInfo.IsGecko ) eBlock.parentNode.insertBefore( FCKTools.CreateBogusBR( oDocument ), eBlock ) ; else FCKDomTools.InsertAfterNode( eBlock, FCKTools.CreateBogusBR( oDocument ) ) ; FCKDomTools.RemoveNode( eBlock, true ) ; } } if ( this.CheckEmptyList( eParent ) ) FCKDomTools.RemoveNode( eParent, true ) ; } }, CheckEmptyList : function( listElement ) { return ( FCKDomTools.GetFirstChild( listElement, 'LI' ) == null ) ; }, // Check if the list has contents (excluding nested lists). CheckListHasContents : function( listElement ) { var eChildNode = listElement.firstChild ; while ( eChildNode ) { switch ( eChildNode.nodeType ) { case 1 : if ( !eChildNode.nodeName.IEquals( 'UL','LI' ) ) return true ; break ; case 3 : if ( eChildNode.nodeValue.Trim().length > 0 ) return true ; } eChildNode = eChildNode.nextSibling ; } return false ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKXHtml object, responsible for the XHTML operations. */ var FCKXHtml = new Object() ; FCKXHtml.CurrentJobNum = 0 ; FCKXHtml.GetXHTML = function( node, includeNode, format ) { FCKDomTools.CheckAndRemovePaddingNode( FCKTools.GetElementDocument( node ), FCKConfig.EnterMode ) ; FCKXHtmlEntities.Initialize() ; // Set the correct entity to use for empty blocks. this._NbspEntity = ( FCKConfig.ProcessHTMLEntities? 'nbsp' : '#160' ) ; // Save the current IsDirty state. The XHTML processor may change the // original HTML, dirtying it. var bIsDirty = FCK.IsDirty() ; // Special blocks are blocks of content that remain untouched during the // process. It is used for SCRIPTs and STYLEs. FCKXHtml.SpecialBlocks = new Array() ; // Create the XML DOMDocument object. this.XML = FCKTools.CreateXmlObject( 'DOMDocument' ) ; // Add a root element that holds all child nodes. this.MainNode = this.XML.appendChild( this.XML.createElement( 'xhtml' ) ) ; FCKXHtml.CurrentJobNum++ ; // var dTimer = new Date() ; if ( includeNode ) this._AppendNode( this.MainNode, node ) ; else this._AppendChildNodes( this.MainNode, node, false ) ; /** * FCKXHtml._AppendNode() marks DOM element objects it has * processed by adding a property called _fckxhtmljob, * setting it equal to the value of FCKXHtml.CurrentJobNum. * On Internet Explorer, if an element object has such a * property, it will show up in the object's attributes * NamedNodeMap, and the corresponding Attr object in * that collection will have is specified property set * to true. This trips up code elsewhere that checks to * see if an element is free of attributes before proceeding * with an edit operation (c.f. FCK.Style.RemoveFromRange()) * * refs #2156 and #2834 */ if ( FCKBrowserInfo.IsIE ) FCKXHtml._RemoveXHtmlJobProperties( node ) ; // Get the resulting XHTML as a string. var sXHTML = this._GetMainXmlString() ; // alert( 'Time: ' + ( ( ( new Date() ) - dTimer ) ) + ' ms' ) ; this.XML = null ; // Safari adds xmlns="http://www.w3.org/1999/xhtml" to the root node (#963) if ( FCKBrowserInfo.IsSafari ) sXHTML = sXHTML.replace( /^<xhtml.*?>/, '<xhtml>' ) ; // Strip the "XHTML" root node. sXHTML = sXHTML.substr( 7, sXHTML.length - 15 ).Trim() ; // According to the doctype set the proper end for self-closing tags // HTML: <br> // XHTML: Add a space, like <br/> -> <br /> if (FCKConfig.DocType.length > 0 && FCKRegexLib.HtmlDocType.test( FCKConfig.DocType ) ) sXHTML = sXHTML.replace( FCKRegexLib.SpaceNoClose, '>'); else sXHTML = sXHTML.replace( FCKRegexLib.SpaceNoClose, ' />'); if ( FCKConfig.ForceSimpleAmpersand ) sXHTML = sXHTML.replace( FCKRegexLib.ForceSimpleAmpersand, '&' ) ; if ( format ) sXHTML = FCKCodeFormatter.Format( sXHTML ) ; // Now we put back the SpecialBlocks contents. for ( var i = 0 ; i < FCKXHtml.SpecialBlocks.length ; i++ ) { var oRegex = new RegExp( '___FCKsi___' + i ) ; sXHTML = sXHTML.replace( oRegex, FCKXHtml.SpecialBlocks[i] ) ; } // Replace entities marker with the ampersand. sXHTML = sXHTML.replace( FCKRegexLib.GeckoEntitiesMarker, '&' ) ; // Restore the IsDirty state if it was not dirty. if ( !bIsDirty ) FCK.ResetIsDirty() ; FCKDomTools.EnforcePaddingNode( FCKTools.GetElementDocument( node ), FCKConfig.EnterMode ) ; return sXHTML ; } FCKXHtml._AppendAttribute = function( xmlNode, attributeName, attributeValue ) { try { if ( attributeValue == undefined || attributeValue == null ) attributeValue = '' ; else if ( attributeValue.replace ) { if ( FCKConfig.ForceSimpleAmpersand ) attributeValue = attributeValue.replace( /&/g, '___FCKAmp___' ) ; // Entities must be replaced in the attribute values. attributeValue = attributeValue.replace( FCKXHtmlEntities.EntitiesRegex, FCKXHtml_GetEntity ) ; } // Create the attribute. var oXmlAtt = this.XML.createAttribute( attributeName ) ; oXmlAtt.value = attributeValue ; // Set the attribute in the node. xmlNode.attributes.setNamedItem( oXmlAtt ) ; } catch (e) {} } FCKXHtml._AppendChildNodes = function( xmlNode, htmlNode, isBlockElement ) { var oNode = htmlNode.firstChild ; while ( oNode ) { this._AppendNode( xmlNode, oNode ) ; oNode = oNode.nextSibling ; } // Trim block elements. This is also needed to avoid Firefox leaving extra // BRs at the end of them. if ( isBlockElement && htmlNode.tagName && htmlNode.tagName.toLowerCase() != 'pre' ) { FCKDomTools.TrimNode( xmlNode ) ; if ( FCKConfig.FillEmptyBlocks ) { var lastChild = xmlNode.lastChild ; if ( lastChild && lastChild.nodeType == 1 && lastChild.nodeName == 'br' ) this._AppendEntity( xmlNode, this._NbspEntity ) ; } } // If the resulting node is empty. if ( xmlNode.childNodes.length == 0 ) { if ( isBlockElement && FCKConfig.FillEmptyBlocks ) { this._AppendEntity( xmlNode, this._NbspEntity ) ; return xmlNode ; } var sNodeName = xmlNode.nodeName ; // Some inline elements are required to have something inside (span, strong, etc...). if ( FCKListsLib.InlineChildReqElements[ sNodeName ] ) return null ; // We can't use short representation of empty elements that are not marked // as empty in th XHTML DTD. if ( !FCKListsLib.EmptyElements[ sNodeName ] ) xmlNode.appendChild( this.XML.createTextNode('') ) ; } return xmlNode ; } FCKXHtml._AppendNode = function( xmlNode, htmlNode ) { if ( !htmlNode ) return false ; switch ( htmlNode.nodeType ) { // Element Node. case 1 : // If we detect a <br> inside a <pre> in Gecko, turn it into a line break instead. // This is a workaround for the Gecko bug here: https://bugzilla.mozilla.org/show_bug.cgi?id=92921 if ( FCKBrowserInfo.IsGecko && htmlNode.tagName.toLowerCase() == 'br' && htmlNode.parentNode.tagName.toLowerCase() == 'pre' ) { var val = '\r' ; if ( htmlNode == htmlNode.parentNode.firstChild ) val += '\r' ; return FCKXHtml._AppendNode( xmlNode, this.XML.createTextNode( val ) ) ; } // Here we found an element that is not the real element, but a // fake one (like the Flash placeholder image), so we must get the real one. if ( htmlNode.getAttribute('_fckfakelement') ) return FCKXHtml._AppendNode( xmlNode, FCK.GetRealElement( htmlNode ) ) ; // Ignore bogus BR nodes in the DOM. if ( FCKBrowserInfo.IsGecko && ( htmlNode.hasAttribute('_moz_editor_bogus_node') || htmlNode.getAttribute( 'type' ) == '_moz' ) ) { if ( htmlNode.nextSibling ) return false ; else { htmlNode.removeAttribute( '_moz_editor_bogus_node' ) ; htmlNode.removeAttribute( 'type' ) ; } } // This is for elements that are instrumental to FCKeditor and // must be removed from the final HTML. if ( htmlNode.getAttribute('_fcktemp') ) return false ; // Get the element name. var sNodeName = htmlNode.tagName.toLowerCase() ; if ( FCKBrowserInfo.IsIE ) { // IE doens't include the scope name in the nodeName. So, add the namespace. if ( htmlNode.scopeName && htmlNode.scopeName != 'HTML' && htmlNode.scopeName != 'FCK' ) sNodeName = htmlNode.scopeName.toLowerCase() + ':' + sNodeName ; } else { if ( sNodeName.StartsWith( 'fck:' ) ) sNodeName = sNodeName.Remove( 0,4 ) ; } // Check if the node name is valid, otherwise ignore this tag. // If the nodeName starts with a slash, it is a orphan closing tag. // On some strange cases, the nodeName is empty, even if the node exists. if ( !FCKRegexLib.ElementName.test( sNodeName ) ) return false ; // The already processed nodes must be marked to avoid then to be duplicated (bad formatted HTML). // So here, the "mark" is checked... if the element is Ok, then mark it. if ( htmlNode._fckxhtmljob && htmlNode._fckxhtmljob == FCKXHtml.CurrentJobNum ) return false ; var oNode = this.XML.createElement( sNodeName ) ; // Add all attributes. FCKXHtml._AppendAttributes( xmlNode, htmlNode, oNode, sNodeName ) ; htmlNode._fckxhtmljob = FCKXHtml.CurrentJobNum ; // Tag specific processing. var oTagProcessor = FCKXHtml.TagProcessors[ sNodeName ] ; if ( oTagProcessor ) oNode = oTagProcessor( oNode, htmlNode, xmlNode ) ; else oNode = this._AppendChildNodes( oNode, htmlNode, Boolean( FCKListsLib.NonEmptyBlockElements[ sNodeName ] ) ) ; if ( !oNode ) return false ; xmlNode.appendChild( oNode ) ; break ; // Text Node. case 3 : if ( htmlNode.parentNode && htmlNode.parentNode.nodeName.IEquals( 'pre' ) ) return this._AppendTextNode( xmlNode, htmlNode.nodeValue ) ; return this._AppendTextNode( xmlNode, htmlNode.nodeValue.ReplaceNewLineChars(' ') ) ; // Comment case 8 : // IE catches the <!DOTYPE ... > as a comment, but it has no // innerHTML, so we can catch it, and ignore it. if ( FCKBrowserInfo.IsIE && !htmlNode.innerHTML ) break ; try { xmlNode.appendChild( this.XML.createComment( htmlNode.nodeValue ) ) ; } catch (e) { /* Do nothing... probably this is a wrong format comment. */ } break ; // Unknown Node type. default : xmlNode.appendChild( this.XML.createComment( "Element not supported - Type: " + htmlNode.nodeType + " Name: " + htmlNode.nodeName ) ) ; break ; } return true ; } // Append an item to the SpecialBlocks array and returns the tag to be used. FCKXHtml._AppendSpecialItem = function( item ) { return '___FCKsi___' + ( FCKXHtml.SpecialBlocks.push( item ) - 1 ) ; } FCKXHtml._AppendEntity = function( xmlNode, entity ) { xmlNode.appendChild( this.XML.createTextNode( '#?-:' + entity + ';' ) ) ; } FCKXHtml._AppendTextNode = function( targetNode, textValue ) { var bHadText = textValue.length > 0 ; if ( bHadText ) targetNode.appendChild( this.XML.createTextNode( textValue.replace( FCKXHtmlEntities.EntitiesRegex, FCKXHtml_GetEntity ) ) ) ; return bHadText ; } // Retrieves a entity (internal format) for a given character. function FCKXHtml_GetEntity( character ) { // We cannot simply place the entities in the text, because the XML parser // will translate & to &amp;. So we use a temporary marker which is replaced // in the end of the processing. var sEntity = FCKXHtmlEntities.Entities[ character ] || ( '#' + character.charCodeAt(0) ) ; return '#?-:' + sEntity + ';' ; } // An object that hold tag specific operations. FCKXHtml.TagProcessors = { a : function( node, htmlNode ) { // Firefox may create empty tags when deleting the selection in some special cases (SF-BUG 1556878). if ( htmlNode.innerHTML.Trim().length == 0 && !htmlNode.name ) return false ; var sSavedUrl = htmlNode.getAttribute( '_fcksavedurl' ) ; if ( sSavedUrl != null ) FCKXHtml._AppendAttribute( node, 'href', sSavedUrl ) ; // Anchors with content has been marked with an additional class, now we must remove it. if ( FCKBrowserInfo.IsIE ) { // Buggy IE, doesn't copy the name of changed anchors. if ( htmlNode.name ) FCKXHtml._AppendAttribute( node, 'name', htmlNode.name ) ; } node = FCKXHtml._AppendChildNodes( node, htmlNode, false ) ; return node ; }, area : function( node, htmlNode ) { var sSavedUrl = htmlNode.getAttribute( '_fcksavedurl' ) ; if ( sSavedUrl != null ) FCKXHtml._AppendAttribute( node, 'href', sSavedUrl ) ; // IE ignores the "COORDS" and "SHAPE" attribute so we must add it manually. if ( FCKBrowserInfo.IsIE ) { if ( ! node.attributes.getNamedItem( 'coords' ) ) { var sCoords = htmlNode.getAttribute( 'coords', 2 ) ; if ( sCoords && sCoords != '0,0,0' ) FCKXHtml._AppendAttribute( node, 'coords', sCoords ) ; } if ( ! node.attributes.getNamedItem( 'shape' ) ) { var sShape = htmlNode.getAttribute( 'shape', 2 ) ; if ( sShape && sShape.length > 0 ) FCKXHtml._AppendAttribute( node, 'shape', sShape.toLowerCase() ) ; } } return node ; }, body : function( node, htmlNode ) { node = FCKXHtml._AppendChildNodes( node, htmlNode, false ) ; // Remove spellchecker attributes added for Firefox when converting to HTML code (Bug #1351). node.removeAttribute( 'spellcheck' ) ; return node ; }, // IE loses contents of iframes, and Gecko does give it back HtmlEncoded // Note: Opera does lose the content and doesn't provide it in the innerHTML string iframe : function( node, htmlNode ) { var sHtml = htmlNode.innerHTML ; // Gecko does give back the encoded html if ( FCKBrowserInfo.IsGecko ) sHtml = FCKTools.HTMLDecode( sHtml ); // Remove the saved urls here as the data won't be processed as nodes sHtml = sHtml.replace( /\s_fcksavedurl="[^"]*"/g, '' ) ; node.appendChild( FCKXHtml.XML.createTextNode( FCKXHtml._AppendSpecialItem( sHtml ) ) ) ; return node ; }, img : function( node, htmlNode ) { // The "ALT" attribute is required in XHTML. if ( ! node.attributes.getNamedItem( 'alt' ) ) FCKXHtml._AppendAttribute( node, 'alt', '' ) ; var sSavedUrl = htmlNode.getAttribute( '_fcksavedurl' ) ; if ( sSavedUrl != null ) FCKXHtml._AppendAttribute( node, 'src', sSavedUrl ) ; // Bug #768 : If the width and height are defined inline CSS, // don't define it again in the HTML attributes. if ( htmlNode.style.width ) node.removeAttribute( 'width' ) ; if ( htmlNode.style.height ) node.removeAttribute( 'height' ) ; return node ; }, // Fix orphaned <li> nodes (Bug #503). li : function( node, htmlNode, targetNode ) { // If the XML parent node is already a <ul> or <ol>, then add the <li> as usual. if ( targetNode.nodeName.IEquals( ['ul', 'ol'] ) ) return FCKXHtml._AppendChildNodes( node, htmlNode, true ) ; var newTarget = FCKXHtml.XML.createElement( 'ul' ) ; // Reset the _fckxhtmljob so the HTML node is processed again. htmlNode._fckxhtmljob = null ; // Loop through all sibling LIs, adding them to the <ul>. do { FCKXHtml._AppendNode( newTarget, htmlNode ) ; // Look for the next element following this <li>. do { htmlNode = FCKDomTools.GetNextSibling( htmlNode ) ; } while ( htmlNode && htmlNode.nodeType == 3 && htmlNode.nodeValue.Trim().length == 0 ) } while ( htmlNode && htmlNode.nodeName.toLowerCase() == 'li' ) return newTarget ; }, // Fix nested <ul> and <ol>. ol : function( node, htmlNode, targetNode ) { if ( htmlNode.innerHTML.Trim().length == 0 ) return false ; var ePSibling = targetNode.lastChild ; if ( ePSibling && ePSibling.nodeType == 3 ) ePSibling = ePSibling.previousSibling ; if ( ePSibling && ePSibling.nodeName.toUpperCase() == 'LI' ) { htmlNode._fckxhtmljob = null ; FCKXHtml._AppendNode( ePSibling, htmlNode ) ; return false ; } node = FCKXHtml._AppendChildNodes( node, htmlNode ) ; return node ; }, pre : function ( node, htmlNode ) { var firstChild = htmlNode.firstChild ; if ( firstChild && firstChild.nodeType == 3 ) node.appendChild( FCKXHtml.XML.createTextNode( FCKXHtml._AppendSpecialItem( '\r\n' ) ) ) ; FCKXHtml._AppendChildNodes( node, htmlNode, true ) ; return node ; }, script : function( node, htmlNode ) { // The "TYPE" attribute is required in XHTML. if ( ! node.attributes.getNamedItem( 'type' ) ) FCKXHtml._AppendAttribute( node, 'type', 'text/javascript' ) ; node.appendChild( FCKXHtml.XML.createTextNode( FCKXHtml._AppendSpecialItem( htmlNode.text ) ) ) ; return node ; }, span : function( node, htmlNode ) { // Firefox may create empty tags when deleting the selection in some special cases (SF-BUG 1084404). if ( htmlNode.innerHTML.length == 0 ) return false ; node = FCKXHtml._AppendChildNodes( node, htmlNode, false ) ; return node ; }, style : function( node, htmlNode ) { // The "TYPE" attribute is required in XHTML. if ( ! node.attributes.getNamedItem( 'type' ) ) FCKXHtml._AppendAttribute( node, 'type', 'text/css' ) ; var cssText = htmlNode.innerHTML ; if ( FCKBrowserInfo.IsIE ) // Bug #403 : IE always appends a \r\n to the beginning of StyleNode.innerHTML cssText = cssText.replace( /^(\r\n|\n|\r)/, '' ) ; node.appendChild( FCKXHtml.XML.createTextNode( FCKXHtml._AppendSpecialItem( cssText ) ) ) ; return node ; }, title : function( node, htmlNode ) { node.appendChild( FCKXHtml.XML.createTextNode( FCK.EditorDocument.title ) ) ; return node ; } } ; FCKXHtml.TagProcessors.ul = FCKXHtml.TagProcessors.ol ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Manage table operations (non-IE). */ FCKTableHandler.GetSelectedCells = function() { var aCells = new Array() ; var oSelection = FCKSelection.GetSelection() ; // If the selection is a text. if ( oSelection.rangeCount == 1 && oSelection.anchorNode.nodeType == 3 ) { var oParent = FCKTools.GetElementAscensor( oSelection.anchorNode, 'TD,TH' ) ; if ( oParent ) aCells[0] = oParent ; return aCells ; } for ( var i = 0 ; i < oSelection.rangeCount ; i++ ) { var oRange = oSelection.getRangeAt(i) ; var oCell ; if ( oRange.startContainer.tagName.Equals( 'TD', 'TH' ) ) oCell = oRange.startContainer ; else oCell = oRange.startContainer.childNodes[ oRange.startOffset ] ; if ( oCell.nodeName.Equals( 'TD', 'TH' ) ) aCells[aCells.length] = oCell ; } return aCells ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Library of keys collections. * * Test have shown that check for the existence of a key in an object is the * most efficient list entry check (10x faster that regex). Example: * if ( FCKListsLib.<ListName>[key] != null ) */ var FCKListsLib = { // We are not handling <ins> and <del> as block elements, for now. BlockElements : { address:1,blockquote:1,center:1,div:1,dl:1,fieldset:1,form:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,hr:1,marquee:1,noscript:1,ol:1,p:1,pre:1,script:1,table:1,ul:1 }, // Block elements that may be filled with &nbsp; if empty. NonEmptyBlockElements : { p:1,div:1,form:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,address:1,pre:1,ol:1,ul:1,li:1,td:1,th:1 }, // Inline elements which MUST have child nodes. InlineChildReqElements : { abbr:1,acronym:1,b:1,bdo:1,big:1,cite:1,code:1,del:1,dfn:1,em:1,font:1,i:1,ins:1,label:1,kbd:1,q:1,samp:1,small:1,span:1,strike:1,strong:1,sub:1,sup:1,tt:1,u:1,'var':1 }, // Inline elements which are not marked as empty "Empty" in the XHTML DTD. InlineNonEmptyElements : { a:1,abbr:1,acronym:1,b:1,bdo:1,big:1,cite:1,code:1,del:1,dfn:1,em:1,font:1,i:1,ins:1,label:1,kbd:1,q:1,samp:1,small:1,span:1,strike:1,strong:1,sub:1,sup:1,tt:1,u:1,'var':1 }, // Elements marked as empty "Empty" in the XHTML DTD. EmptyElements : { base:1,col:1,meta:1,link:1,hr:1,br:1,param:1,img:1,area:1,input:1 }, // Elements that may be considered the "Block boundary" in an element path. PathBlockElements : { address:1,blockquote:1,dl:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,p:1,pre:1,li:1,dt:1,de:1 }, // Elements that may be considered the "Block limit" in an element path. PathBlockLimitElements : { body:1,div:1,td:1,th:1,caption:1,form:1 }, // Block elements for the Styles System. StyleBlockElements : { address:1,div:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,p:1,pre:1 }, // Object elements for the Styles System. StyleObjectElements : { img:1,hr:1,li:1,table:1,tr:1,td:1,embed:1,object:1,ol:1,ul:1 }, // Elements that accept text nodes, but are not possible to edit in the browser. NonEditableElements : { button:1,option:1,script:1,iframe:1,textarea:1,object:1,embed:1,map:1,applet:1 }, // Elements used to separate block contents. BlockBoundaries : { p:1,div:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,hr:1,address:1,pre:1,ol:1,ul:1,li:1,dt:1,de:1,table:1,thead:1,tbody:1,tfoot:1,tr:1,th:1,td:1,caption:1,col:1,colgroup:1,blockquote:1,body:1 }, ListBoundaries : { p:1,div:1,h1:1,h2:1,h3:1,h4:1,h5:1,h6:1,hr:1,address:1,pre:1,ol:1,ul:1,li:1,dt:1,de:1,table:1,thead:1,tbody:1,tfoot:1,tr:1,th:1,td:1,caption:1,col:1,colgroup:1,blockquote:1,body:1,br:1 } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Creation and initialization of the "FCK" object. This is the main * object that represents an editor instance. * (IE specific implementations) */ FCK.Description = "FCKeditor for Internet Explorer 5.5+" ; FCK._GetBehaviorsStyle = function() { if ( !FCK._BehaviorsStyle ) { var sBasePath = FCKConfig.BasePath ; var sTableBehavior = '' ; var sStyle ; // The behaviors should be pointed using the BasePath to avoid security // errors when using a different BaseHref. sStyle = '<style type="text/css" _fcktemp="true">' ; if ( FCKConfig.ShowBorders ) sTableBehavior = 'url(' + sBasePath + 'css/behaviors/showtableborders.htc)' ; // Disable resize handlers. sStyle += 'INPUT,TEXTAREA,SELECT,.FCK__Anchor,.FCK__PageBreak,.FCK__InputHidden' ; if ( FCKConfig.DisableObjectResizing ) { sStyle += ',IMG' ; sTableBehavior += ' url(' + sBasePath + 'css/behaviors/disablehandles.htc)' ; } sStyle += ' { behavior: url(' + sBasePath + 'css/behaviors/disablehandles.htc) ; }' ; if ( sTableBehavior.length > 0 ) sStyle += 'TABLE { behavior: ' + sTableBehavior + ' ; }' ; sStyle += '</style>' ; FCK._BehaviorsStyle = sStyle ; } return FCK._BehaviorsStyle ; } function Doc_OnMouseUp() { if ( FCK.EditorWindow.event.srcElement.tagName == 'HTML' ) { FCK.Focus() ; FCK.EditorWindow.event.cancelBubble = true ; FCK.EditorWindow.event.returnValue = false ; } } function Doc_OnPaste() { var body = FCK.EditorDocument.body ; body.detachEvent( 'onpaste', Doc_OnPaste ) ; var ret = FCK.Paste( !FCKConfig.ForcePasteAsPlainText && !FCKConfig.AutoDetectPasteFromWord ) ; body.attachEvent( 'onpaste', Doc_OnPaste ) ; return ret ; } function Doc_OnDblClick() { FCK.OnDoubleClick( FCK.EditorWindow.event.srcElement ) ; FCK.EditorWindow.event.cancelBubble = true ; } function Doc_OnSelectionChange() { // Don't fire the event if no document is loaded. if ( !FCK.IsSelectionChangeLocked && FCK.EditorDocument ) FCK.Events.FireEvent( "OnSelectionChange" ) ; } function Doc_OnDrop() { if ( FCK.MouseDownFlag ) { FCK.MouseDownFlag = false ; return ; } if ( FCKConfig.ForcePasteAsPlainText ) { var evt = FCK.EditorWindow.event ; if ( FCK._CheckIsPastingEnabled() || FCKConfig.ShowDropDialog ) FCK.PasteAsPlainText( evt.dataTransfer.getData( 'Text' ) ) ; evt.returnValue = false ; evt.cancelBubble = true ; } } FCK.InitializeBehaviors = function( dontReturn ) { // Set the focus to the editable area when clicking in the document area. // TODO: The cursor must be positioned at the end. this.EditorDocument.attachEvent( 'onmouseup', Doc_OnMouseUp ) ; // Intercept pasting operations this.EditorDocument.body.attachEvent( 'onpaste', Doc_OnPaste ) ; // Intercept drop operations this.EditorDocument.body.attachEvent( 'ondrop', Doc_OnDrop ) ; // Reset the context menu. FCK.ContextMenu._InnerContextMenu.AttachToElement( FCK.EditorDocument.body ) ; this.EditorDocument.attachEvent("onkeydown", FCK._KeyDownListener ) ; this.EditorDocument.attachEvent("ondblclick", Doc_OnDblClick ) ; this.EditorDocument.attachEvent("onbeforedeactivate", function(){ FCKSelection.Save() ; } ) ; // Catch cursor selection changes. this.EditorDocument.attachEvent("onselectionchange", Doc_OnSelectionChange ) ; FCKTools.AddEventListener( FCK.EditorDocument, 'mousedown', Doc_OnMouseDown ) ; } FCK.InsertHtml = function( html ) { html = FCKConfig.ProtectedSource.Protect( html ) ; html = FCK.ProtectEvents( html ) ; html = FCK.ProtectUrls( html ) ; html = FCK.ProtectTags( html ) ; // FCK.Focus() ; FCKSelection.Restore() ; FCK.EditorWindow.focus() ; FCKUndo.SaveUndoStep() ; // Gets the actual selection. var oSel = FCKSelection.GetSelection() ; // Deletes the actual selection contents. if ( oSel.type.toLowerCase() == 'control' ) oSel.clear() ; // Using the following trick, any comment in the beginning of the HTML will // be preserved. html = '<span id="__fakeFCKRemove__" style="display:none;">fakeFCKRemove</span>' + html ; // Insert the HTML. oSel.createRange().pasteHTML( html ) ; // Remove the fake node var fake = FCK.EditorDocument.getElementById('__fakeFCKRemove__') ; // If the span is the only child of a node (so the inserted HTML is beyond that), // remove also that parent that isn't needed. #1537 if (fake.parentNode.childNodes.length == 1) fake = fake.parentNode ; fake.removeNode( true ) ; FCKDocumentProcessor.Process( FCK.EditorDocument ) ; // For some strange reason the SaveUndoStep() call doesn't activate the undo button at the first InsertHtml() call. this.Events.FireEvent( "OnSelectionChange" ) ; } FCK.SetInnerHtml = function( html ) // IE Only { var oDoc = FCK.EditorDocument ; // Using the following trick, any comment in the beginning of the HTML will // be preserved. oDoc.body.innerHTML = '<div id="__fakeFCKRemove__">&nbsp;</div>' + html ; oDoc.getElementById('__fakeFCKRemove__').removeNode( true ) ; } function FCK_PreloadImages() { var oPreloader = new FCKImagePreloader() ; // Add the configured images. oPreloader.AddImages( FCKConfig.PreloadImages ) ; // Add the skin icons strip. oPreloader.AddImages( FCKConfig.SkinPath + 'fck_strip.gif' ) ; oPreloader.OnComplete = LoadToolbarSetup ; oPreloader.Start() ; } // Disable the context menu in the editor (outside the editing area). function Document_OnContextMenu() { return ( event.srcElement._FCKShowContextMenu == true ) ; } document.oncontextmenu = Document_OnContextMenu ; function FCK_Cleanup() { this.LinkedField = null ; this.EditorWindow = null ; this.EditorDocument = null ; } FCK._ExecPaste = function() { // As we call ExecuteNamedCommand('Paste'), it would enter in a loop. So, let's use a semaphore. if ( FCK._PasteIsRunning ) return true ; if ( FCKConfig.ForcePasteAsPlainText ) { FCK.PasteAsPlainText() ; return false ; } var sHTML = FCK._CheckIsPastingEnabled( true ) ; if ( sHTML === false ) FCKTools.RunFunction( FCKDialog.OpenDialog, FCKDialog, ['FCKDialog_Paste', FCKLang.Paste, 'dialog/fck_paste.html', 400, 330, 'Security'] ) ; else { if ( FCKConfig.AutoDetectPasteFromWord && sHTML.length > 0 ) { var re = /<\w[^>]*(( class="?MsoNormal"?)|(="mso-))/gi ; if ( re.test( sHTML ) ) { if ( confirm( FCKLang.PasteWordConfirm ) ) { FCK.PasteFromWord() ; return false ; } } } // Instead of inserting the retrieved HTML, let's leave the OS work for us, // by calling FCK.ExecuteNamedCommand( 'Paste' ). It could give better results. // Enable the semaphore to avoid a loop. FCK._PasteIsRunning = true ; FCK.ExecuteNamedCommand( 'Paste' ) ; // Removes the semaphore. delete FCK._PasteIsRunning ; } // Let's always make a custom implementation (return false), otherwise // the new Keyboard Handler may conflict with this code, and the CTRL+V code // could result in a simple "V" being pasted. return false ; } FCK.PasteAsPlainText = function( forceText ) { if ( !FCK._CheckIsPastingEnabled() ) { FCKDialog.OpenDialog( 'FCKDialog_Paste', FCKLang.PasteAsText, 'dialog/fck_paste.html', 400, 330, 'PlainText' ) ; return ; } // Get the data available in the clipboard in text format. var sText = null ; if ( ! forceText ) sText = clipboardData.getData("Text") ; else sText = forceText ; if ( sText && sText.length > 0 ) { // Replace the carriage returns with <BR> sText = FCKTools.HTMLEncode( sText ) ; sText = FCKTools.ProcessLineBreaks( window, FCKConfig, sText ) ; var closeTagIndex = sText.search( '</p>' ) ; var startTagIndex = sText.search( '<p>' ) ; if ( ( closeTagIndex != -1 && startTagIndex != -1 && closeTagIndex < startTagIndex ) || ( closeTagIndex != -1 && startTagIndex == -1 ) ) { var prefix = sText.substr( 0, closeTagIndex ) ; sText = sText.substr( closeTagIndex + 4 ) ; this.InsertHtml( prefix ) ; } // Insert the resulting data in the editor. FCKUndo.SaveLocked = true ; this.InsertHtml( sText ) ; FCKUndo.SaveLocked = false ; } } FCK._CheckIsPastingEnabled = function( returnContents ) { // The following seams to be the only reliable way to check is script // pasting operations are enabled in the security settings of IE6 and IE7. // It adds a little bit of overhead to the check, but so far that's the // only way, mainly because of IE7. FCK._PasteIsEnabled = false ; document.body.attachEvent( 'onpaste', FCK_CheckPasting_Listener ) ; // The execCommand in GetClipboardHTML will fire the "onpaste", only if the // security settings are enabled. var oReturn = FCK.GetClipboardHTML() ; document.body.detachEvent( 'onpaste', FCK_CheckPasting_Listener ) ; if ( FCK._PasteIsEnabled ) { if ( !returnContents ) oReturn = true ; } else oReturn = false ; delete FCK._PasteIsEnabled ; return oReturn ; } function FCK_CheckPasting_Listener() { FCK._PasteIsEnabled = true ; } FCK.GetClipboardHTML = function() { var oDiv = document.getElementById( '___FCKHiddenDiv' ) ; if ( !oDiv ) { oDiv = document.createElement( 'DIV' ) ; oDiv.id = '___FCKHiddenDiv' ; var oDivStyle = oDiv.style ; oDivStyle.position = 'absolute' ; oDivStyle.visibility = oDivStyle.overflow = 'hidden' ; oDivStyle.width = oDivStyle.height = 1 ; document.body.appendChild( oDiv ) ; } oDiv.innerHTML = '' ; var oTextRange = document.body.createTextRange() ; oTextRange.moveToElementText( oDiv ) ; oTextRange.execCommand( 'Paste' ) ; var sData = oDiv.innerHTML ; oDiv.innerHTML = '' ; return sData ; } FCK.CreateLink = function( url, noUndo ) { // Creates the array that will be returned. It contains one or more created links (see #220). var aCreatedLinks = new Array() ; var isControl = FCKSelection.GetType() == 'Control' ; var selectedElement = isControl && FCKSelection.GetSelectedElement() ; // Remove any existing link in the selection. // IE BUG: Unlinking a floating control selection that is not inside a link // will collapse the selection. (#3677) if ( !( isControl && !FCKTools.GetElementAscensor( selectedElement, 'a' ) ) ) FCK.ExecuteNamedCommand( 'Unlink', null, false, !!noUndo ) ; if ( url.length > 0 ) { // If there are several images, and you try to link each one, all the images get inside the link: // <img><img> -> <a><img></a><img> -> <a><img><img></a> due to the call to 'CreateLink' (bug in IE) if ( isControl ) { // Create a link var oLink = this.EditorDocument.createElement( 'A' ) ; oLink.href = url ; // Get the selected object var oControl = selectedElement ; // Put the link just before the object oControl.parentNode.insertBefore(oLink, oControl) ; // Move the object inside the link oControl.parentNode.removeChild( oControl ) ; oLink.appendChild( oControl ) ; return [ oLink ] ; } // Generate a temporary name for the link. var sTempUrl = 'javascript:void(0);/*' + ( new Date().getTime() ) + '*/' ; // Use the internal "CreateLink" command to create the link. FCK.ExecuteNamedCommand( 'CreateLink', sTempUrl, false, !!noUndo ) ; // Look for the just create link. var oLinks = this.EditorDocument.links ; for ( i = 0 ; i < oLinks.length ; i++ ) { var oLink = oLinks[i] ; // Check it this a newly created link. // getAttribute must be used. oLink.url may cause problems with IE7 (#555). if ( oLink.getAttribute( 'href', 2 ) == sTempUrl ) { var sInnerHtml = oLink.innerHTML ; // Save the innerHTML (IE changes it if it is like an URL). oLink.href = url ; oLink.innerHTML = sInnerHtml ; // Restore the innerHTML. // If the last child is a <br> move it outside the link or it // will be too easy to select this link again #388. var oLastChild = oLink.lastChild ; if ( oLastChild && oLastChild.nodeName == 'BR' ) { // Move the BR after the link. FCKDomTools.InsertAfterNode( oLink, oLink.removeChild( oLastChild ) ) ; } aCreatedLinks.push( oLink ) ; } } } return aCreatedLinks ; } function _FCK_RemoveDisabledAtt() { this.removeAttribute( 'disabled' ) ; } function Doc_OnMouseDown( evt ) { var e = evt.srcElement ; // Radio buttons and checkboxes should not be allowed to be triggered in IE // in editable mode. Otherwise the whole browser window may be locked by // the buttons. (#1782) if ( e.nodeName && e.nodeName.IEquals( 'input' ) && e.type.IEquals( ['radio', 'checkbox'] ) && !e.disabled ) { e.disabled = true ; FCKTools.SetTimeout( _FCK_RemoveDisabledAtt, 1, e ) ; } }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Creation and initialization of the "FCK" object. This is the main object * that represents an editor instance. */ // FCK represents the active editor instance. var FCK = { Name : FCKURLParams[ 'InstanceName' ], Status : FCK_STATUS_NOTLOADED, EditMode : FCK_EDITMODE_WYSIWYG, Toolbar : null, HasFocus : false, DataProcessor : new FCKDataProcessor(), GetInstanceObject : (function() { var w = window ; return function( name ) { return w[name] ; } })(), AttachToOnSelectionChange : function( functionPointer ) { this.Events.AttachEvent( 'OnSelectionChange', functionPointer ) ; }, GetLinkedFieldValue : function() { return this.LinkedField.value ; }, GetParentForm : function() { return this.LinkedField.form ; } , // # START : IsDirty implementation StartupValue : '', IsDirty : function() { if ( this.EditMode == FCK_EDITMODE_SOURCE ) return ( this.StartupValue != this.EditingArea.Textarea.value ) ; else { // It can happen switching between design and source mode in Gecko if ( ! this.EditorDocument ) return false ; return ( this.StartupValue != this.EditorDocument.body.innerHTML ) ; } }, ResetIsDirty : function() { if ( this.EditMode == FCK_EDITMODE_SOURCE ) this.StartupValue = this.EditingArea.Textarea.value ; else if ( this.EditorDocument.body ) this.StartupValue = this.EditorDocument.body.innerHTML ; }, // # END : IsDirty implementation StartEditor : function() { this.TempBaseTag = FCKConfig.BaseHref.length > 0 ? '<base href="' + FCKConfig.BaseHref + '" _fcktemp="true"></base>' : '' ; // Setup the keystroke handler. var oKeystrokeHandler = FCK.KeystrokeHandler = new FCKKeystrokeHandler() ; oKeystrokeHandler.OnKeystroke = _FCK_KeystrokeHandler_OnKeystroke ; // Set the config keystrokes. oKeystrokeHandler.SetKeystrokes( FCKConfig.Keystrokes ) ; // In IE7, if the editor tries to access the clipboard by code, a dialog is // shown to the user asking if the application is allowed to access or not. // Due to the IE implementation of it, the KeystrokeHandler will not work //well in this case, so we must leave the pasting keys to have their default behavior. if ( FCKBrowserInfo.IsIE7 ) { if ( ( CTRL + 86 /*V*/ ) in oKeystrokeHandler.Keystrokes ) oKeystrokeHandler.SetKeystrokes( [ CTRL + 86, true ] ) ; if ( ( SHIFT + 45 /*INS*/ ) in oKeystrokeHandler.Keystrokes ) oKeystrokeHandler.SetKeystrokes( [ SHIFT + 45, true ] ) ; } // Retain default behavior for Ctrl-Backspace. (Bug #362) oKeystrokeHandler.SetKeystrokes( [ CTRL + 8, true ] ) ; this.EditingArea = new FCKEditingArea( document.getElementById( 'xEditingArea' ) ) ; this.EditingArea.FFSpellChecker = FCKConfig.FirefoxSpellChecker ; // Set the editor's startup contents. this.SetData( this.GetLinkedFieldValue(), true ) ; // Tab key handling for source mode. FCKTools.AddEventListener( document, "keydown", this._TabKeyHandler ) ; // Add selection change listeners. They must be attached only once. this.AttachToOnSelectionChange( _FCK_PaddingNodeListener ) ; if ( FCKBrowserInfo.IsGecko ) this.AttachToOnSelectionChange( this._ExecCheckEmptyBlock ) ; }, Focus : function() { FCK.EditingArea.Focus() ; }, SetStatus : function( newStatus ) { this.Status = newStatus ; if ( newStatus == FCK_STATUS_ACTIVE ) { FCKFocusManager.AddWindow( window, true ) ; if ( FCKBrowserInfo.IsIE ) FCKFocusManager.AddWindow( window.frameElement, true ) ; // Force the focus in the editor. if ( FCKConfig.StartupFocus ) FCK.Focus() ; } this.Events.FireEvent( 'OnStatusChange', newStatus ) ; }, // Fixes the body by moving all inline and text nodes to appropriate block // elements. FixBody : function() { var sBlockTag = FCKConfig.EnterMode ; // In 'br' mode, no fix must be done. if ( sBlockTag != 'p' && sBlockTag != 'div' ) return ; var oDocument = this.EditorDocument ; if ( !oDocument ) return ; var oBody = oDocument.body ; if ( !oBody ) return ; FCKDomTools.TrimNode( oBody ) ; var oNode = oBody.firstChild ; var oNewBlock ; while ( oNode ) { var bMoveNode = false ; switch ( oNode.nodeType ) { // Element Node. case 1 : var nodeName = oNode.nodeName.toLowerCase() ; if ( !FCKListsLib.BlockElements[ nodeName ] && nodeName != 'li' && !oNode.getAttribute('_fckfakelement') && oNode.getAttribute('_moz_dirty') == null ) bMoveNode = true ; break ; // Text Node. case 3 : // Ignore space only or empty text. if ( oNewBlock || oNode.nodeValue.Trim().length > 0 ) bMoveNode = true ; break; // Comment Node case 8 : if ( oNewBlock ) bMoveNode = true ; break; } if ( bMoveNode ) { var oParent = oNode.parentNode ; if ( !oNewBlock ) oNewBlock = oParent.insertBefore( oDocument.createElement( sBlockTag ), oNode ) ; oNewBlock.appendChild( oParent.removeChild( oNode ) ) ; oNode = oNewBlock.nextSibling ; } else { if ( oNewBlock ) { FCKDomTools.TrimNode( oNewBlock ) ; oNewBlock = null ; } oNode = oNode.nextSibling ; } } if ( oNewBlock ) FCKDomTools.TrimNode( oNewBlock ) ; }, GetData : function( format ) { FCK.Events.FireEvent("OnBeforeGetData") ; // We assume that if the user is in source editing, the editor value must // represent the exact contents of the source, as the user wanted it to be. if ( FCK.EditMode == FCK_EDITMODE_SOURCE ) return FCK.EditingArea.Textarea.value ; this.FixBody() ; var oDoc = FCK.EditorDocument ; if ( !oDoc ) return null ; var isFullPage = FCKConfig.FullPage ; // Call the Data Processor to generate the output data. var data = FCK.DataProcessor.ConvertToDataFormat( isFullPage ? oDoc.documentElement : oDoc.body, !isFullPage, FCKConfig.IgnoreEmptyParagraphValue, format ) ; // Restore protected attributes. data = FCK.ProtectEventsRestore( data ) ; if ( FCKBrowserInfo.IsIE ) data = data.replace( FCKRegexLib.ToReplace, '$1' ) ; if ( isFullPage ) { if ( FCK.DocTypeDeclaration && FCK.DocTypeDeclaration.length > 0 ) data = FCK.DocTypeDeclaration + '\n' + data ; if ( FCK.XmlDeclaration && FCK.XmlDeclaration.length > 0 ) data = FCK.XmlDeclaration + '\n' + data ; } data = FCKConfig.ProtectedSource.Revert( data ) ; setTimeout( function() { FCK.Events.FireEvent("OnAfterGetData") ; }, 0 ) ; return data ; }, UpdateLinkedField : function() { var value = FCK.GetXHTML( FCKConfig.FormatOutput ) ; if ( FCKConfig.HtmlEncodeOutput ) value = FCKTools.HTMLEncode( value ) ; FCK.LinkedField.value = value ; FCK.Events.FireEvent( 'OnAfterLinkedFieldUpdate' ) ; }, RegisteredDoubleClickHandlers : new Object(), OnDoubleClick : function( element ) { var oCalls = FCK.RegisteredDoubleClickHandlers[ element.tagName.toUpperCase() ] ; if ( oCalls ) { for ( var i = 0 ; i < oCalls.length ; i++ ) oCalls[ i ]( element ) ; } // Generic handler for any element oCalls = FCK.RegisteredDoubleClickHandlers[ '*' ] ; if ( oCalls ) { for ( var i = 0 ; i < oCalls.length ; i++ ) oCalls[ i ]( element ) ; } }, // Register objects that can handle double click operations. RegisterDoubleClickHandler : function( handlerFunction, tag ) { var nodeName = tag || '*' ; nodeName = nodeName.toUpperCase() ; var aTargets ; if ( !( aTargets = FCK.RegisteredDoubleClickHandlers[ nodeName ] ) ) FCK.RegisteredDoubleClickHandlers[ nodeName ] = [ handlerFunction ] ; else { // Check that the event handler isn't already registered with the same listener // It doesn't detect function pointers belonging to an object (at least in Gecko) if ( aTargets.IndexOf( handlerFunction ) == -1 ) aTargets.push( handlerFunction ) ; } }, OnAfterSetHTML : function() { FCKDocumentProcessor.Process( FCK.EditorDocument ) ; FCKUndo.SaveUndoStep() ; FCK.Events.FireEvent( 'OnSelectionChange' ) ; FCK.Events.FireEvent( 'OnAfterSetHTML' ) ; }, // Saves URLs on links and images on special attributes, so they don't change when // moving around. ProtectUrls : function( html ) { // <A> href html = html.replace( FCKRegexLib.ProtectUrlsA , '$& _fcksavedurl=$1' ) ; // <IMG> src html = html.replace( FCKRegexLib.ProtectUrlsImg , '$& _fcksavedurl=$1' ) ; // <AREA> href html = html.replace( FCKRegexLib.ProtectUrlsArea , '$& _fcksavedurl=$1' ) ; return html ; }, // Saves event attributes (like onclick) so they don't get executed while // editing. ProtectEvents : function( html ) { return html.replace( FCKRegexLib.TagsWithEvent, _FCK_ProtectEvents_ReplaceTags ) ; }, ProtectEventsRestore : function( html ) { return html.replace( FCKRegexLib.ProtectedEvents, _FCK_ProtectEvents_RestoreEvents ) ; }, ProtectTags : function( html ) { var sTags = FCKConfig.ProtectedTags ; // IE doesn't support <abbr> and it breaks it. Let's protect it. if ( FCKBrowserInfo.IsIE ) sTags += sTags.length > 0 ? '|ABBR|XML|EMBED|OBJECT' : 'ABBR|XML|EMBED|OBJECT' ; var oRegex ; if ( sTags.length > 0 ) { oRegex = new RegExp( '<(' + sTags + ')(?!\w|:)', 'gi' ) ; html = html.replace( oRegex, '<FCK:$1' ) ; oRegex = new RegExp( '<\/(' + sTags + ')>', 'gi' ) ; html = html.replace( oRegex, '<\/FCK:$1>' ) ; } // Protect some empty elements. We must do it separately because the // original tag may not contain the closing slash, like <hr>: // - <meta> tags get executed, so if you have a redirect meta, the // content will move to the target page. // - <hr> may destroy the document structure if not well // positioned. The trick is protect it here and restore them in // the FCKDocumentProcessor. sTags = 'META' ; if ( FCKBrowserInfo.IsIE ) sTags += '|HR' ; oRegex = new RegExp( '<((' + sTags + ')(?=\\s|>|/)[\\s\\S]*?)/?>', 'gi' ) ; html = html.replace( oRegex, '<FCK:$1 />' ) ; return html ; }, SetData : function( data, resetIsDirty ) { this.EditingArea.Mode = FCK.EditMode ; // If there was an onSelectionChange listener in IE we must remove it to avoid crashes #1498 if ( FCKBrowserInfo.IsIE && FCK.EditorDocument ) { FCK.EditorDocument.detachEvent("onselectionchange", Doc_OnSelectionChange ) ; } FCKTempBin.Reset() ; // Bug #2469: SelectionData.createRange becomes undefined after the editor // iframe is changed by FCK.SetData(). FCK.Selection.Release() ; if ( FCK.EditMode == FCK_EDITMODE_WYSIWYG ) { // Save the resetIsDirty for later use (async) this._ForceResetIsDirty = ( resetIsDirty === true ) ; // Protect parts of the code that must remain untouched (and invisible) // during editing. data = FCKConfig.ProtectedSource.Protect( data ) ; // Call the Data Processor to transform the data. data = FCK.DataProcessor.ConvertToHtml( data ) ; // Fix for invalid self-closing tags (see #152). data = data.replace( FCKRegexLib.InvalidSelfCloseTags, '$1></$2>' ) ; // Protect event attributes (they could get fired in the editing area). data = FCK.ProtectEvents( data ) ; // Protect some things from the browser itself. data = FCK.ProtectUrls( data ) ; data = FCK.ProtectTags( data ) ; // Insert the base tag (FCKConfig.BaseHref), if not exists in the source. // The base must be the first tag in the HEAD, to get relative // links on styles, for example. if ( FCK.TempBaseTag.length > 0 && !FCKRegexLib.HasBaseTag.test( data ) ) data = data.replace( FCKRegexLib.HeadOpener, '$&' + FCK.TempBaseTag ) ; // Build the HTML for the additional things we need on <head>. var sHeadExtra = '' ; if ( !FCKConfig.FullPage ) sHeadExtra += _FCK_GetEditorAreaStyleTags() ; if ( FCKBrowserInfo.IsIE ) sHeadExtra += FCK._GetBehaviorsStyle() ; else if ( FCKConfig.ShowBorders ) sHeadExtra += FCKTools.GetStyleHtml( FCK_ShowTableBordersCSS, true ) ; sHeadExtra += FCKTools.GetStyleHtml( FCK_InternalCSS, true ) ; // Attention: do not change it before testing it well (sample07)! // This is tricky... if the head ends with <meta ... content type>, // Firefox will break. But, it works if we place our extra stuff as // the last elements in the HEAD. data = data.replace( FCKRegexLib.HeadCloser, sHeadExtra + '$&' ) ; // Load the HTML in the editing area. this.EditingArea.OnLoad = _FCK_EditingArea_OnLoad ; this.EditingArea.Start( data ) ; } else { // Remove the references to the following elements, as the editing area // IFRAME will be removed. FCK.EditorWindow = null ; FCK.EditorDocument = null ; FCKDomTools.PaddingNode = null ; this.EditingArea.OnLoad = null ; this.EditingArea.Start( data ) ; // Enables the context menu in the textarea. this.EditingArea.Textarea._FCKShowContextMenu = true ; // Removes the enter key handler. FCK.EnterKeyHandler = null ; if ( resetIsDirty ) this.ResetIsDirty() ; // Listen for keystroke events. FCK.KeystrokeHandler.AttachToElement( this.EditingArea.Textarea ) ; this.EditingArea.Textarea.focus() ; FCK.Events.FireEvent( 'OnAfterSetHTML' ) ; } if ( window.onresize ) window.onresize() ; }, // This collection is used by the browser specific implementations to tell // which named commands must be handled separately. RedirectNamedCommands : new Object(), ExecuteNamedCommand : function( commandName, commandParameter, noRedirect, noSaveUndo ) { if ( !noSaveUndo ) FCKUndo.SaveUndoStep() ; if ( !noRedirect && FCK.RedirectNamedCommands[ commandName ] != null ) FCK.ExecuteRedirectedNamedCommand( commandName, commandParameter ) ; else { FCK.Focus() ; FCK.EditorDocument.execCommand( commandName, false, commandParameter ) ; FCK.Events.FireEvent( 'OnSelectionChange' ) ; } if ( !noSaveUndo ) FCKUndo.SaveUndoStep() ; }, GetNamedCommandState : function( commandName ) { try { // Bug #50 : Safari never returns positive state for the Paste command, override that. if ( FCKBrowserInfo.IsSafari && FCK.EditorWindow && commandName.IEquals( 'Paste' ) ) return FCK_TRISTATE_OFF ; if ( !FCK.EditorDocument.queryCommandEnabled( commandName ) ) return FCK_TRISTATE_DISABLED ; else { return FCK.EditorDocument.queryCommandState( commandName ) ? FCK_TRISTATE_ON : FCK_TRISTATE_OFF ; } } catch ( e ) { return FCK_TRISTATE_OFF ; } }, GetNamedCommandValue : function( commandName ) { var sValue = '' ; var eState = FCK.GetNamedCommandState( commandName ) ; if ( eState == FCK_TRISTATE_DISABLED ) return null ; try { sValue = this.EditorDocument.queryCommandValue( commandName ) ; } catch(e) {} return sValue ? sValue : '' ; }, Paste : function( _callListenersOnly ) { // First call 'OnPaste' listeners. if ( FCK.Status != FCK_STATUS_COMPLETE || !FCK.Events.FireEvent( 'OnPaste' ) ) return false ; // Then call the default implementation. return _callListenersOnly || FCK._ExecPaste() ; }, PasteFromWord : function() { FCKDialog.OpenDialog( 'FCKDialog_Paste', FCKLang.PasteFromWord, 'dialog/fck_paste.html', 400, 330, 'Word' ) ; }, Preview : function() { var sHTML ; if ( FCKConfig.FullPage ) { if ( FCK.TempBaseTag.length > 0 ) sHTML = FCK.TempBaseTag + FCK.GetXHTML() ; else sHTML = FCK.GetXHTML() ; } else { sHTML = FCKConfig.DocType + '<html dir="' + FCKConfig.ContentLangDirection + '">' + '<head>' + FCK.TempBaseTag + '<title>' + FCKLang.Preview + '</title>' + _FCK_GetEditorAreaStyleTags() + '</head><body' + FCKConfig.GetBodyAttributes() + '>' + FCK.GetXHTML() + '</body></html>' ; } var iWidth = FCKConfig.ScreenWidth * 0.8 ; var iHeight = FCKConfig.ScreenHeight * 0.7 ; var iLeft = ( FCKConfig.ScreenWidth - iWidth ) / 2 ; var sOpenUrl = '' ; if ( FCK_IS_CUSTOM_DOMAIN && FCKBrowserInfo.IsIE) { window._FCKHtmlToLoad = sHTML ; sOpenUrl = 'javascript:void( (function(){' + 'document.open() ;' + 'document.domain="' + document.domain + '" ;' + 'document.write( window.opener._FCKHtmlToLoad );' + 'document.close() ;' + 'window.opener._FCKHtmlToLoad = null ;' + '})() )' ; } var oWindow = window.open( sOpenUrl, null, 'toolbar=yes,location=no,status=yes,menubar=yes,scrollbars=yes,resizable=yes,width=' + iWidth + ',height=' + iHeight + ',left=' + iLeft ) ; if ( !FCK_IS_CUSTOM_DOMAIN || !FCKBrowserInfo.IsIE) { oWindow.document.write( sHTML ); oWindow.document.close(); } }, SwitchEditMode : function( noUndo ) { var bIsWysiwyg = ( FCK.EditMode == FCK_EDITMODE_WYSIWYG ) ; // Save the current IsDirty state, so we may restore it after the switch. var bIsDirty = FCK.IsDirty() ; var sHtml ; // Update the HTML in the view output to show, also update // FCKTempBin for IE to avoid #2263. if ( bIsWysiwyg ) { FCKCommands.GetCommand( 'ShowBlocks' ).SaveState() ; if ( !noUndo && FCKBrowserInfo.IsIE ) FCKUndo.SaveUndoStep() ; sHtml = FCK.GetXHTML( FCKConfig.FormatSource ) ; if ( FCKBrowserInfo.IsIE ) FCKTempBin.ToHtml() ; if ( sHtml == null ) return false ; } else sHtml = this.EditingArea.Textarea.value ; FCK.EditMode = bIsWysiwyg ? FCK_EDITMODE_SOURCE : FCK_EDITMODE_WYSIWYG ; FCK.SetData( sHtml, !bIsDirty ) ; // Set the Focus. FCK.Focus() ; // Update the toolbar (Running it directly causes IE to fail). FCKTools.RunFunction( FCK.ToolbarSet.RefreshModeState, FCK.ToolbarSet ) ; return true ; }, InsertElement : function( element ) { // The parameter may be a string (element name), so transform it in an element. if ( typeof element == 'string' ) element = this.EditorDocument.createElement( element ) ; var elementName = element.nodeName.toLowerCase() ; FCKSelection.Restore() ; // Create a range for the selection. V3 will have a new selection // object that may internally supply this feature. var range = new FCKDomRange( this.EditorWindow ) ; // Move to the selection and delete it. range.MoveToSelection() ; range.DeleteContents() ; if ( FCKListsLib.BlockElements[ elementName ] != null ) { if ( range.StartBlock ) { if ( range.CheckStartOfBlock() ) range.MoveToPosition( range.StartBlock, 3 ) ; else if ( range.CheckEndOfBlock() ) range.MoveToPosition( range.StartBlock, 4 ) ; else range.SplitBlock() ; } range.InsertNode( element ) ; var next = FCKDomTools.GetNextSourceElement( element, false, null, [ 'hr','br','param','img','area','input' ], true ) ; // Be sure that we have something after the new element, so we can move the cursor there. if ( !next && FCKConfig.EnterMode != 'br') { next = this.EditorDocument.body.appendChild( this.EditorDocument.createElement( FCKConfig.EnterMode ) ) ; if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( next ) ; } if ( FCKListsLib.EmptyElements[ elementName ] == null ) range.MoveToElementEditStart( element ) ; else if ( next ) range.MoveToElementEditStart( next ) ; else range.MoveToPosition( element, 4 ) ; if ( FCKBrowserInfo.IsGeckoLike ) { if ( next ) FCKDomTools.ScrollIntoView( next, false ); FCKDomTools.ScrollIntoView( element, false ); } } else { // Insert the node. range.InsertNode( element ) ; // Move the selection right after the new element. // DISCUSSION: Should we select the element instead? range.SetStart( element, 4 ) ; range.SetEnd( element, 4 ) ; } range.Select() ; range.Release() ; // REMOVE IT: The focus should not really be set here. It is up to the // calling code to reset the focus if needed. this.Focus() ; return element ; }, _InsertBlockElement : function( blockElement ) { }, _IsFunctionKey : function( keyCode ) { // keys that are captured but do not change editor contents if ( keyCode >= 16 && keyCode <= 20 ) // shift, ctrl, alt, pause, capslock return true ; if ( keyCode == 27 || ( keyCode >= 33 && keyCode <= 40 ) ) // esc, page up, page down, end, home, left, up, right, down return true ; if ( keyCode == 45 ) // insert, no effect on FCKeditor, yet return true ; return false ; }, _KeyDownListener : function( evt ) { if (! evt) evt = FCK.EditorWindow.event ; if ( FCK.EditorWindow ) { if ( !FCK._IsFunctionKey(evt.keyCode) // do not capture function key presses, like arrow keys or shift/alt/ctrl && !(evt.ctrlKey || evt.metaKey) // do not capture Ctrl hotkeys, as they have their snapshot capture logic && !(evt.keyCode == 46) ) // do not capture Del, it has its own capture logic in fckenterkey.js FCK._KeyDownUndo() ; } return true ; }, _KeyDownUndo : function() { if ( !FCKUndo.Typing ) { FCKUndo.SaveUndoStep() ; FCKUndo.Typing = true ; FCK.Events.FireEvent( "OnSelectionChange" ) ; } FCKUndo.TypesCount++ ; FCKUndo.Changed = 1 ; if ( FCKUndo.TypesCount > FCKUndo.MaxTypes ) { FCKUndo.TypesCount = 0 ; FCKUndo.SaveUndoStep() ; } }, _TabKeyHandler : function( evt ) { if ( ! evt ) evt = window.event ; var keystrokeValue = evt.keyCode ; // Pressing <Tab> in source mode should produce a tab space in the text area, not // changing the focus to something else. if ( keystrokeValue == 9 && FCK.EditMode != FCK_EDITMODE_WYSIWYG ) { if ( FCKBrowserInfo.IsIE ) { var range = document.selection.createRange() ; if ( range.parentElement() != FCK.EditingArea.Textarea ) return true ; range.text = '\t' ; range.select() ; } else { var a = [] ; var el = FCK.EditingArea.Textarea ; var selStart = el.selectionStart ; var selEnd = el.selectionEnd ; a.push( el.value.substr(0, selStart ) ) ; a.push( '\t' ) ; a.push( el.value.substr( selEnd ) ) ; el.value = a.join( '' ) ; el.setSelectionRange( selStart + 1, selStart + 1 ) ; } if ( evt.preventDefault ) return evt.preventDefault() ; return evt.returnValue = false ; } return true ; } } ; FCK.Events = new FCKEvents( FCK ) ; // DEPRECATED in favor or "GetData". FCK.GetHTML = FCK.GetXHTML = FCK.GetData ; // DEPRECATED in favor of "SetData". FCK.SetHTML = FCK.SetData ; // InsertElementAndGetIt and CreateElement are Deprecated : returns the same value as InsertElement. FCK.InsertElementAndGetIt = FCK.CreateElement = FCK.InsertElement ; // Replace all events attributes (like onclick). function _FCK_ProtectEvents_ReplaceTags( tagMatch ) { return tagMatch.replace( FCKRegexLib.EventAttributes, _FCK_ProtectEvents_ReplaceEvents ) ; } // Replace an event attribute with its respective __fckprotectedatt attribute. // The original event markup will be encoded and saved as the value of the new // attribute. function _FCK_ProtectEvents_ReplaceEvents( eventMatch, attName ) { return ' ' + attName + '_fckprotectedatt="' + encodeURIComponent( eventMatch ) + '"' ; } function _FCK_ProtectEvents_RestoreEvents( match, encodedOriginal ) { return decodeURIComponent( encodedOriginal ) ; } function _FCK_MouseEventsListener( evt ) { if ( ! evt ) evt = window.event ; if ( evt.type == 'mousedown' ) FCK.MouseDownFlag = true ; else if ( evt.type == 'mouseup' ) FCK.MouseDownFlag = false ; else if ( evt.type == 'mousemove' ) FCK.Events.FireEvent( 'OnMouseMove', evt ) ; } function _FCK_PaddingNodeListener() { if ( FCKConfig.EnterMode.IEquals( 'br' ) ) return ; FCKDomTools.EnforcePaddingNode( FCK.EditorDocument, FCKConfig.EnterMode ) ; if ( ! FCKBrowserInfo.IsIE && FCKDomTools.PaddingNode ) { // Prevent the caret from going between the body and the padding node in Firefox. // i.e. <body>|<p></p></body> var sel = FCKSelection.GetSelection() ; if ( sel && sel.rangeCount == 1 ) { var range = sel.getRangeAt( 0 ) ; if ( range.collapsed && range.startContainer == FCK.EditorDocument.body && range.startOffset == 0 ) { range.selectNodeContents( FCKDomTools.PaddingNode ) ; range.collapse( true ) ; sel.removeAllRanges() ; sel.addRange( range ) ; } } } else if ( FCKDomTools.PaddingNode ) { // Prevent the caret from going into an empty body but not into the padding node in IE. // i.e. <body><p></p>|</body> var parentElement = FCKSelection.GetParentElement() ; var paddingNode = FCKDomTools.PaddingNode ; if ( parentElement && parentElement.nodeName.IEquals( 'body' ) ) { if ( FCK.EditorDocument.body.childNodes.length == 1 && FCK.EditorDocument.body.firstChild == paddingNode ) { /* * Bug #1764: Don't move the selection if the * current selection isn't in the editor * document. */ if ( FCKSelection._GetSelectionDocument( FCK.EditorDocument.selection ) != FCK.EditorDocument ) return ; var range = FCK.EditorDocument.body.createTextRange() ; var clearContents = false ; if ( !paddingNode.childNodes.firstChild ) { paddingNode.appendChild( FCKTools.GetElementDocument( paddingNode ).createTextNode( '\ufeff' ) ) ; clearContents = true ; } range.moveToElementText( paddingNode ) ; range.select() ; if ( clearContents ) range.pasteHTML( '' ) ; } } } } function _FCK_EditingArea_OnLoad() { // Get the editor's window and document (DOM) FCK.EditorWindow = FCK.EditingArea.Window ; FCK.EditorDocument = FCK.EditingArea.Document ; if ( FCKBrowserInfo.IsIE ) FCKTempBin.ToElements() ; FCK.InitializeBehaviors() ; // Listen for mousedown and mouseup events for tracking drag and drops. FCK.MouseDownFlag = false ; FCKTools.AddEventListener( FCK.EditorDocument, 'mousemove', _FCK_MouseEventsListener ) ; FCKTools.AddEventListener( FCK.EditorDocument, 'mousedown', _FCK_MouseEventsListener ) ; FCKTools.AddEventListener( FCK.EditorDocument, 'mouseup', _FCK_MouseEventsListener ) ; if ( FCKBrowserInfo.IsSafari ) { // #3481: WebKit has a bug with paste where the paste contents may leak // outside table cells. So add padding nodes before and after the paste. FCKTools.AddEventListener( FCK.EditorDocument, 'paste', function( evt ) { var range = new FCKDomRange( FCK.EditorWindow ); var nodeBefore = FCK.EditorDocument.createTextNode( '\ufeff' ); var nodeAfter = FCK.EditorDocument.createElement( 'a' ); nodeAfter.id = 'fck_paste_padding'; nodeAfter.innerHTML = '&#65279;'; range.MoveToSelection(); range.DeleteContents(); // Insert padding nodes. range.InsertNode( nodeBefore ); range.Collapse(); range.InsertNode( nodeAfter ); // Move the selection to between the padding nodes. range.MoveToPosition( nodeAfter, 3 ); range.Select(); // Remove the padding nodes after the paste is done. setTimeout( function() { nodeBefore.parentNode.removeChild( nodeBefore ); nodeAfter = FCK.EditorDocument.getElementById( 'fck_paste_padding' ); nodeAfter.parentNode.removeChild( nodeAfter ); }, 0 ); } ); } // Most of the CTRL key combos do not work under Safari for onkeydown and onkeypress (See #1119) // But we can use the keyup event to override some of these... if ( FCKBrowserInfo.IsSafari ) { var undoFunc = function( evt ) { if ( ! ( evt.ctrlKey || evt.metaKey ) ) return ; if ( FCK.EditMode != FCK_EDITMODE_WYSIWYG ) return ; switch ( evt.keyCode ) { case 89: FCKUndo.Redo() ; break ; case 90: FCKUndo.Undo() ; break ; } } FCKTools.AddEventListener( FCK.EditorDocument, 'keyup', undoFunc ) ; } // Create the enter key handler FCK.EnterKeyHandler = new FCKEnterKey( FCK.EditorWindow, FCKConfig.EnterMode, FCKConfig.ShiftEnterMode, FCKConfig.TabSpaces ) ; // Listen for keystroke events. FCK.KeystrokeHandler.AttachToElement( FCK.EditorDocument ) ; if ( FCK._ForceResetIsDirty ) FCK.ResetIsDirty() ; // This is a tricky thing for IE. In some cases, even if the cursor is // blinking in the editing, the keystroke handler doesn't catch keyboard // events. We must activate the editing area to make it work. (#142). if ( FCKBrowserInfo.IsIE && FCK.HasFocus ) FCK.EditorDocument.body.setActive() ; FCK.OnAfterSetHTML() ; // Restore show blocks status. FCKCommands.GetCommand( 'ShowBlocks' ).RestoreState() ; // Check if it is not a startup call, otherwise complete the startup. if ( FCK.Status != FCK_STATUS_NOTLOADED ) return ; FCK.SetStatus( FCK_STATUS_ACTIVE ) ; } function _FCK_GetEditorAreaStyleTags() { return FCKTools.GetStyleHtml( FCKConfig.EditorAreaCSS ) + FCKTools.GetStyleHtml( FCKConfig.EditorAreaStyles ) ; } function _FCK_KeystrokeHandler_OnKeystroke( keystroke, keystrokeValue ) { if ( FCK.Status != FCK_STATUS_COMPLETE ) return false ; if ( FCK.EditMode == FCK_EDITMODE_WYSIWYG ) { switch ( keystrokeValue ) { case 'Paste' : return !FCK.Paste() ; case 'Cut' : FCKUndo.SaveUndoStep() ; return false ; } } else { // In source mode, some actions must have their default behavior. if ( keystrokeValue.Equals( 'Paste', 'Undo', 'Redo', 'SelectAll', 'Cut' ) ) return false ; } // The return value indicates if the default behavior of the keystroke must // be cancelled. Let's do that only if the Execute() call explicitly returns "false". var oCommand = FCK.Commands.GetCommand( keystrokeValue ) ; // If the command is disabled then ignore the keystroke if ( oCommand.GetState() == FCK_TRISTATE_DISABLED ) return false ; return ( oCommand.Execute.apply( oCommand, FCKTools.ArgumentsToArray( arguments, 2 ) ) !== false ) ; } // Set the FCK.LinkedField reference to the field that will be used to post the // editor data. (function() { // There is a bug on IE... getElementById returns any META tag that has the // name set to the ID you are looking for. So the best way in to get the array // by names and look for the correct one. // As ASP.Net generates a ID that is different from the Name, we must also // look for the field based on the ID (the first one is the ID). var oDocument = window.parent.document ; // Try to get the field using the ID. var eLinkedField = oDocument.getElementById( FCK.Name ) ; var i = 0; while ( eLinkedField || i == 0 ) { if ( eLinkedField && eLinkedField.tagName.toLowerCase().Equals( 'input', 'textarea' ) ) { FCK.LinkedField = eLinkedField ; break ; } eLinkedField = oDocument.getElementsByName( FCK.Name )[i++] ; } })() ; var FCKTempBin = { Elements : new Array(), AddElement : function( element ) { var iIndex = this.Elements.length ; this.Elements[ iIndex ] = element ; return iIndex ; }, RemoveElement : function( index ) { var e = this.Elements[ index ] ; this.Elements[ index ] = null ; return e ; }, Reset : function() { var i = 0 ; while ( i < this.Elements.length ) this.Elements[ i++ ] = null ; this.Elements.length = 0 ; }, ToHtml : function() { for ( var i = 0 ; i < this.Elements.length ; i++ ) { this.Elements[i] = '<div>&nbsp;' + this.Elements[i].outerHTML + '</div>' ; this.Elements[i].isHtml = true ; } }, ToElements : function() { var node = FCK.EditorDocument.createElement( 'div' ) ; for ( var i = 0 ; i < this.Elements.length ; i++ ) { if ( this.Elements[i].isHtml ) { node.innerHTML = this.Elements[i] ; this.Elements[i] = node.firstChild.removeChild( node.firstChild.lastChild ) ; } } } } ; // # Focus Manager: Manages the focus in the editor. var FCKFocusManager = FCK.FocusManager = { IsLocked : false, AddWindow : function( win, sendToEditingArea ) { var oTarget ; if ( FCKBrowserInfo.IsIE ) oTarget = win.nodeType == 1 ? win : win.frameElement ? win.frameElement : win.document ; else if ( FCKBrowserInfo.IsSafari ) oTarget = win ; else oTarget = win.document ; FCKTools.AddEventListener( oTarget, 'blur', FCKFocusManager_Win_OnBlur ) ; FCKTools.AddEventListener( oTarget, 'focus', sendToEditingArea ? FCKFocusManager_Win_OnFocus_Area : FCKFocusManager_Win_OnFocus ) ; }, RemoveWindow : function( win ) { if ( FCKBrowserInfo.IsIE ) oTarget = win.nodeType == 1 ? win : win.frameElement ? win.frameElement : win.document ; else oTarget = win.document ; FCKTools.RemoveEventListener( oTarget, 'blur', FCKFocusManager_Win_OnBlur ) ; FCKTools.RemoveEventListener( oTarget, 'focus', FCKFocusManager_Win_OnFocus_Area ) ; FCKTools.RemoveEventListener( oTarget, 'focus', FCKFocusManager_Win_OnFocus ) ; }, Lock : function() { this.IsLocked = true ; }, Unlock : function() { if ( this._HasPendingBlur ) FCKFocusManager._Timer = window.setTimeout( FCKFocusManager_FireOnBlur, 100 ) ; this.IsLocked = false ; }, _ResetTimer : function() { this._HasPendingBlur = false ; if ( this._Timer ) { window.clearTimeout( this._Timer ) ; delete this._Timer ; } } } ; function FCKFocusManager_Win_OnBlur() { if ( typeof(FCK) != 'undefined' && FCK.HasFocus ) { FCKFocusManager._ResetTimer() ; FCKFocusManager._Timer = window.setTimeout( FCKFocusManager_FireOnBlur, 100 ) ; } } function FCKFocusManager_FireOnBlur() { if ( FCKFocusManager.IsLocked ) FCKFocusManager._HasPendingBlur = true ; else { FCK.HasFocus = false ; FCK.Events.FireEvent( "OnBlur" ) ; } } function FCKFocusManager_Win_OnFocus_Area() { // Check if we are already focusing the editor (to avoid loops). if ( FCKFocusManager._IsFocusing ) return ; FCKFocusManager._IsFocusing = true ; FCK.Focus() ; FCKFocusManager_Win_OnFocus() ; // The above FCK.Focus() call may trigger other focus related functions. // So, to avoid a loop, we delay the focusing mark removal, so it get // executed after all othre functions have been run. FCKTools.RunFunction( function() { delete FCKFocusManager._IsFocusing ; } ) ; } function FCKFocusManager_Win_OnFocus() { FCKFocusManager._ResetTimer() ; if ( !FCK.HasFocus && !FCKFocusManager.IsLocked ) { FCK.HasFocus = true ; FCK.Events.FireEvent( "OnFocus" ) ; } } /* * #1633 : Protect the editor iframe from external styles. * Notice that we can't use FCKTools.ResetStyles here since FCKTools isn't * loaded yet. */ (function() { var el = window.frameElement ; var width = el.width ; var height = el.height ; if ( /^\d+$/.test( width ) ) width += 'px' ; if ( /^\d+$/.test( height ) ) height += 'px' ; var style = el.style ; style.border = style.padding = style.margin = 0 ; style.backgroundColor = 'transparent'; style.backgroundImage = 'none'; style.width = width ; style.height = height ; })() ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKXHtml object, responsible for the XHTML operations. * Gecko specific. */ FCKXHtml._GetMainXmlString = function() { return ( new XMLSerializer() ).serializeToString( this.MainNode ) ; } FCKXHtml._AppendAttributes = function( xmlNode, htmlNode, node ) { var aAttributes = htmlNode.attributes ; for ( var n = 0 ; n < aAttributes.length ; n++ ) { var oAttribute = aAttributes[n] ; if ( oAttribute.specified ) { var sAttName = oAttribute.nodeName.toLowerCase() ; var sAttValue ; // Ignore any attribute starting with "_fck". if ( sAttName.StartsWith( '_fck' ) ) continue ; // There is a bug in Mozilla that returns '_moz_xxx' attributes as specified. else if ( sAttName.indexOf( '_moz' ) == 0 ) continue ; // There are one cases (on Gecko) when the oAttribute.nodeValue must be used: // - for the "class" attribute else if ( sAttName == 'class' ) { sAttValue = oAttribute.nodeValue.replace( FCKRegexLib.FCK_Class, '' ) ; if ( sAttValue.length == 0 ) continue ; } // XHTML doens't support attribute minimization like "CHECKED". It must be transformed to checked="checked". else if ( oAttribute.nodeValue === true ) sAttValue = sAttName ; else sAttValue = htmlNode.getAttribute( sAttName, 2 ) ; // We must use getAttribute to get it exactly as it is defined. this._AppendAttribute( node, sAttName, sAttValue ) ; } } } if ( FCKBrowserInfo.IsOpera ) { // Opera moves the <FCK:meta> element outside head (#1166). // Save a reference to the XML <head> node, so we can use it for // orphan <meta>s. FCKXHtml.TagProcessors['head'] = function( node, htmlNode ) { FCKXHtml.XML._HeadElement = node ; node = FCKXHtml._AppendChildNodes( node, htmlNode, true ) ; return node ; } // Check whether a <meta> element is outside <head>, and move it to the // proper place. FCKXHtml.TagProcessors['meta'] = function( node, htmlNode, xmlNode ) { if ( htmlNode.parentNode.nodeName.toLowerCase() != 'head' ) { var headElement = FCKXHtml.XML._HeadElement ; if ( headElement && xmlNode != headElement ) { delete htmlNode._fckxhtmljob ; FCKXHtml._AppendNode( headElement, htmlNode ) ; return null ; } } return node ; } } if ( FCKBrowserInfo.IsGecko ) { // #2162, some Firefox extensions might add references to internal links FCKXHtml.TagProcessors['link'] = function( node, htmlNode ) { if ( htmlNode.href.substr(0, 9).toLowerCase() == 'chrome://' ) return false ; return node ; } }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == */ var FCKUndo = new Object() ; FCKUndo.SavedData = new Array() ; FCKUndo.CurrentIndex = -1 ; FCKUndo.TypesCount = 0 ; FCKUndo.Changed = false ; // Is the document changed in respect to its initial image? FCKUndo.MaxTypes = 25 ; FCKUndo.Typing = false ; FCKUndo.SaveLocked = false ; FCKUndo._GetBookmark = function() { FCKSelection.Restore() ; var range = new FCKDomRange( FCK.EditorWindow ) ; try { // There are some tricky cases where this might fail (e.g. having a lone empty table in IE) range.MoveToSelection() ; } catch ( e ) { return null ; } if ( FCKBrowserInfo.IsIE ) { var bookmark = range.CreateBookmark() ; var dirtyHtml = FCK.EditorDocument.body.innerHTML ; range.MoveToBookmark( bookmark ) ; return [ bookmark, dirtyHtml ] ; } return range.CreateBookmark2() ; } FCKUndo._SelectBookmark = function( bookmark ) { if ( ! bookmark ) return ; var range = new FCKDomRange( FCK.EditorWindow ) ; if ( bookmark instanceof Object ) { if ( FCKBrowserInfo.IsIE ) range.MoveToBookmark( bookmark[0] ) ; else range.MoveToBookmark2( bookmark ) ; try { // this does not always succeed, there are still some tricky cases where it fails // e.g. add a special character at end of document, undo, redo -> error range.Select() ; } catch ( e ) { // if select restore fails, put the caret at the end of the document range.MoveToPosition( FCK.EditorDocument.body, 4 ) ; range.Select() ; } } } FCKUndo._CompareCursors = function( cursor1, cursor2 ) { for ( var i = 0 ; i < Math.min( cursor1.length, cursor2.length ) ; i++ ) { if ( cursor1[i] < cursor2[i] ) return -1; else if (cursor1[i] > cursor2[i] ) return 1; } if ( cursor1.length < cursor2.length ) return -1; else if (cursor1.length > cursor2.length ) return 1; return 0; } FCKUndo._CheckIsBookmarksEqual = function( bookmark1, bookmark2 ) { if ( ! ( bookmark1 && bookmark2 ) ) return false ; if ( FCKBrowserInfo.IsIE ) { var startOffset1 = bookmark1[1].search( bookmark1[0].StartId ) ; var startOffset2 = bookmark2[1].search( bookmark2[0].StartId ) ; var endOffset1 = bookmark1[1].search( bookmark1[0].EndId ) ; var endOffset2 = bookmark2[1].search( bookmark2[0].EndId ) ; return startOffset1 == startOffset2 && endOffset1 == endOffset2 ; } else { return this._CompareCursors( bookmark1.Start, bookmark2.Start ) == 0 && this._CompareCursors( bookmark1.End, bookmark2.End ) == 0 ; } } FCKUndo.SaveUndoStep = function() { if ( FCK.EditMode != FCK_EDITMODE_WYSIWYG || this.SaveLocked ) return ; // Assume the editor content is changed when SaveUndoStep() is called after the first time. // This also enables the undo button in toolbar. if ( this.SavedData.length ) this.Changed = true ; // Get the HTML content. var sHtml = FCK.EditorDocument.body.innerHTML ; var bookmark = this._GetBookmark() ; // Shrink the array to the current level. this.SavedData = this.SavedData.slice( 0, this.CurrentIndex + 1 ) ; // Cancel operation if the new step is identical to the previous one. if ( this.CurrentIndex > 0 && sHtml == this.SavedData[ this.CurrentIndex ][0] && this._CheckIsBookmarksEqual( bookmark, this.SavedData[ this.CurrentIndex ][1] ) ) return ; // Save the selection and caret position in the first undo level for the first change. else if ( this.CurrentIndex == 0 && this.SavedData.length && sHtml == this.SavedData[0][0] ) { this.SavedData[0][1] = bookmark ; return ; } // If we reach the Maximum number of undo levels, we must remove the first // entry of the list shifting all elements. if ( this.CurrentIndex + 1 >= FCKConfig.MaxUndoLevels ) this.SavedData.shift() ; else this.CurrentIndex++ ; // Save the new level in front of the actual position. this.SavedData[ this.CurrentIndex ] = [ sHtml, bookmark ] ; FCK.Events.FireEvent( "OnSelectionChange" ) ; } FCKUndo.CheckUndoState = function() { return ( this.Changed || this.CurrentIndex > 0 ) ; } FCKUndo.CheckRedoState = function() { return ( this.CurrentIndex < ( this.SavedData.length - 1 ) ) ; } FCKUndo.Undo = function() { if ( this.CheckUndoState() ) { // If it is the first step. if ( this.CurrentIndex == ( this.SavedData.length - 1 ) ) { // Save the actual state for a possible "Redo" call. this.SaveUndoStep() ; } // Go a step back. this._ApplyUndoLevel( --this.CurrentIndex ) ; FCK.Events.FireEvent( "OnSelectionChange" ) ; } } FCKUndo.Redo = function() { if ( this.CheckRedoState() ) { // Go a step forward. this._ApplyUndoLevel( ++this.CurrentIndex ) ; FCK.Events.FireEvent( "OnSelectionChange" ) ; } } FCKUndo._ApplyUndoLevel = function( level ) { var oData = this.SavedData[ level ] ; if ( !oData ) return ; // Update the editor contents with that step data. if ( FCKBrowserInfo.IsIE ) { if ( oData[1] && oData[1][1] ) FCK.SetInnerHtml( oData[1][1] ) ; else FCK.SetInnerHtml( oData[0] ) ; } else FCK.EditorDocument.body.innerHTML = oData[0] ; // Restore the selection this._SelectBookmark( oData[1] ) ; this.TypesCount = 0 ; this.Changed = false ; this.Typing = false ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCKToolbarSet object that is used to load and draw the * toolbar. */ function FCKToolbarSet_Create( overhideLocation ) { var oToolbarSet ; var sLocation = overhideLocation || FCKConfig.ToolbarLocation ; switch ( sLocation ) { case 'In' : document.getElementById( 'xToolbarRow' ).style.display = '' ; oToolbarSet = new FCKToolbarSet( document ) ; break ; case 'None' : oToolbarSet = new FCKToolbarSet( document ) ; break ; // case 'OutTop' : // Not supported. default : FCK.Events.AttachEvent( 'OnBlur', FCK_OnBlur ) ; FCK.Events.AttachEvent( 'OnFocus', FCK_OnFocus ) ; var eToolbarTarget ; // Out:[TargetWindow]([TargetId]) var oOutMatch = sLocation.match( /^Out:(.+)\((\w+)\)$/ ) ; if ( oOutMatch ) { if ( FCKBrowserInfo.IsAIR ) FCKAdobeAIR.ToolbarSet_GetOutElement( window, oOutMatch ) ; else eToolbarTarget = eval( 'parent.' + oOutMatch[1] ).document.getElementById( oOutMatch[2] ) ; } else { // Out:[TargetId] oOutMatch = sLocation.match( /^Out:(\w+)$/ ) ; if ( oOutMatch ) eToolbarTarget = parent.document.getElementById( oOutMatch[1] ) ; } if ( !eToolbarTarget ) { alert( 'Invalid value for "ToolbarLocation"' ) ; return arguments.callee( 'In' ); } // If it is a shared toolbar, it may be already available in the target element. oToolbarSet = eToolbarTarget.__FCKToolbarSet ; if ( oToolbarSet ) break ; // Create the IFRAME that will hold the toolbar inside the target element. var eToolbarIFrame = FCKTools.GetElementDocument( eToolbarTarget ).createElement( 'iframe' ) ; eToolbarIFrame.src = 'javascript:void(0)' ; eToolbarIFrame.frameBorder = 0 ; eToolbarIFrame.width = '100%' ; eToolbarIFrame.height = '10' ; eToolbarTarget.appendChild( eToolbarIFrame ) ; eToolbarIFrame.unselectable = 'on' ; // Write the basic HTML for the toolbar (copy from the editor main page). var eTargetDocument = eToolbarIFrame.contentWindow.document ; // Workaround for Safari 12256. Ticket #63 var sBase = '' ; if ( FCKBrowserInfo.IsSafari ) sBase = '<base href="' + window.document.location + '">' ; // Initialize the IFRAME document body. eTargetDocument.open() ; eTargetDocument.write( '<html><head>' + sBase + '<script type="text/javascript"> var adjust = function() { window.frameElement.height = document.body.scrollHeight ; }; ' + 'window.onresize = window.onload = ' + 'function(){' // poll scrollHeight until it no longer changes for 1 sec. + 'var timer = null;' + 'var lastHeight = -1;' + 'var lastChange = 0;' + 'var poller = function(){' + 'var currentHeight = document.body.scrollHeight || 0;' + 'var currentTime = (new Date()).getTime();' + 'if (currentHeight != lastHeight){' + 'lastChange = currentTime;' + 'adjust();' + 'lastHeight = document.body.scrollHeight;' + '}' + 'if (lastChange < currentTime - 1000) clearInterval(timer);' + '};' + 'timer = setInterval(poller, 100);' + '}' + '</script></head><body style="overflow: hidden">' + document.getElementById( 'xToolbarSpace' ).innerHTML + '</body></html>' ) ; eTargetDocument.close() ; if( FCKBrowserInfo.IsAIR ) FCKAdobeAIR.ToolbarSet_InitOutFrame( eTargetDocument ) ; FCKTools.AddEventListener( eTargetDocument, 'contextmenu', FCKTools.CancelEvent ) ; // Load external resources (must be done here, otherwise Firefox will not // have the document DOM ready to be used right away. FCKTools.AppendStyleSheet( eTargetDocument, FCKConfig.SkinEditorCSS ) ; oToolbarSet = eToolbarTarget.__FCKToolbarSet = new FCKToolbarSet( eTargetDocument ) ; oToolbarSet._IFrame = eToolbarIFrame ; if ( FCK.IECleanup ) FCK.IECleanup.AddItem( eToolbarTarget, FCKToolbarSet_Target_Cleanup ) ; } oToolbarSet.CurrentInstance = FCK ; if ( !oToolbarSet.ToolbarItems ) oToolbarSet.ToolbarItems = FCKToolbarItems ; FCK.AttachToOnSelectionChange( oToolbarSet.RefreshItemsState ) ; return oToolbarSet ; } function FCK_OnBlur( editorInstance ) { var eToolbarSet = editorInstance.ToolbarSet ; if ( eToolbarSet.CurrentInstance == editorInstance ) eToolbarSet.Disable() ; } function FCK_OnFocus( editorInstance ) { var oToolbarset = editorInstance.ToolbarSet ; var oInstance = editorInstance || FCK ; // Unregister the toolbar window from the current instance. oToolbarset.CurrentInstance.FocusManager.RemoveWindow( oToolbarset._IFrame.contentWindow ) ; // Set the new current instance. oToolbarset.CurrentInstance = oInstance ; // Register the toolbar window in the current instance. oInstance.FocusManager.AddWindow( oToolbarset._IFrame.contentWindow, true ) ; oToolbarset.Enable() ; } function FCKToolbarSet_Cleanup() { this._TargetElement = null ; this._IFrame = null ; } function FCKToolbarSet_Target_Cleanup() { this.__FCKToolbarSet = null ; } var FCKToolbarSet = function( targetDocument ) { this._Document = targetDocument ; // Get the element that will hold the elements structure. this._TargetElement = targetDocument.getElementById( 'xToolbar' ) ; // Setup the expand and collapse handlers. var eExpandHandle = targetDocument.getElementById( 'xExpandHandle' ) ; var eCollapseHandle = targetDocument.getElementById( 'xCollapseHandle' ) ; eExpandHandle.title = FCKLang.ToolbarExpand ; FCKTools.AddEventListener( eExpandHandle, 'click', FCKToolbarSet_Expand_OnClick ) ; eCollapseHandle.title = FCKLang.ToolbarCollapse ; FCKTools.AddEventListener( eCollapseHandle, 'click', FCKToolbarSet_Collapse_OnClick ) ; // Set the toolbar state at startup. if ( !FCKConfig.ToolbarCanCollapse || FCKConfig.ToolbarStartExpanded ) this.Expand() ; else this.Collapse() ; // Enable/disable the collapse handler eCollapseHandle.style.display = FCKConfig.ToolbarCanCollapse ? '' : 'none' ; if ( FCKConfig.ToolbarCanCollapse ) eCollapseHandle.style.display = '' ; else targetDocument.getElementById( 'xTBLeftBorder' ).style.display = '' ; // Set the default properties. this.Toolbars = new Array() ; this.IsLoaded = false ; if ( FCK.IECleanup ) FCK.IECleanup.AddItem( this, FCKToolbarSet_Cleanup ) ; } function FCKToolbarSet_Expand_OnClick() { FCK.ToolbarSet.Expand() ; } function FCKToolbarSet_Collapse_OnClick() { FCK.ToolbarSet.Collapse() ; } FCKToolbarSet.prototype.Expand = function() { this._ChangeVisibility( false ) ; } FCKToolbarSet.prototype.Collapse = function() { this._ChangeVisibility( true ) ; } FCKToolbarSet.prototype._ChangeVisibility = function( collapse ) { this._Document.getElementById( 'xCollapsed' ).style.display = collapse ? '' : 'none' ; this._Document.getElementById( 'xExpanded' ).style.display = collapse ? 'none' : '' ; if ( window.onresize ) { // I had to use "setTimeout" because Gecko was not responding in a right // way when calling window.onresize() directly. FCKTools.RunFunction( window.onresize ) ; } } FCKToolbarSet.prototype.Load = function( toolbarSetName ) { this.Name = toolbarSetName ; this.Items = new Array() ; // Reset the array of toolbar items that are active only on WYSIWYG mode. this.ItemsWysiwygOnly = new Array() ; // Reset the array of toolbar items that are sensitive to the cursor position. this.ItemsContextSensitive = new Array() ; // Cleanup the target element. this._TargetElement.innerHTML = '' ; var ToolbarSet = FCKConfig.ToolbarSets[toolbarSetName] ; if ( !ToolbarSet ) { alert( FCKLang.UnknownToolbarSet.replace( /%1/g, toolbarSetName ) ) ; return ; } this.Toolbars = new Array() ; for ( var x = 0 ; x < ToolbarSet.length ; x++ ) { var oToolbarItems = ToolbarSet[x] ; // If the configuration for the toolbar is missing some element or has any extra comma // this item won't be valid, so skip it and keep on processing. if ( !oToolbarItems ) continue ; var oToolbar ; if ( typeof( oToolbarItems ) == 'string' ) { if ( oToolbarItems == '/' ) oToolbar = new FCKToolbarBreak() ; } else { oToolbar = new FCKToolbar() ; for ( var j = 0 ; j < oToolbarItems.length ; j++ ) { var sItem = oToolbarItems[j] ; if ( sItem == '-') oToolbar.AddSeparator() ; else { var oItem = FCKToolbarItems.GetItem( sItem ) ; if ( oItem ) { oToolbar.AddItem( oItem ) ; this.Items.push( oItem ) ; if ( !oItem.SourceView ) this.ItemsWysiwygOnly.push( oItem ) ; if ( oItem.ContextSensitive ) this.ItemsContextSensitive.push( oItem ) ; } } } // oToolbar.AddTerminator() ; } oToolbar.Create( this._TargetElement ) ; this.Toolbars[ this.Toolbars.length ] = oToolbar ; } FCKTools.DisableSelection( this._Document.getElementById( 'xCollapseHandle' ).parentNode ) ; if ( FCK.Status != FCK_STATUS_COMPLETE ) FCK.Events.AttachEvent( 'OnStatusChange', this.RefreshModeState ) ; else this.RefreshModeState() ; this.IsLoaded = true ; this.IsEnabled = true ; FCKTools.RunFunction( this.OnLoad ) ; } FCKToolbarSet.prototype.Enable = function() { if ( this.IsEnabled ) return ; this.IsEnabled = true ; var aItems = this.Items ; for ( var i = 0 ; i < aItems.length ; i++ ) aItems[i].RefreshState() ; } FCKToolbarSet.prototype.Disable = function() { if ( !this.IsEnabled ) return ; this.IsEnabled = false ; var aItems = this.Items ; for ( var i = 0 ; i < aItems.length ; i++ ) aItems[i].Disable() ; } FCKToolbarSet.prototype.RefreshModeState = function( editorInstance ) { if ( FCK.Status != FCK_STATUS_COMPLETE ) return ; var oToolbarSet = editorInstance ? editorInstance.ToolbarSet : this ; var aItems = oToolbarSet.ItemsWysiwygOnly ; if ( FCK.EditMode == FCK_EDITMODE_WYSIWYG ) { // Enable all buttons that are available on WYSIWYG mode only. for ( var i = 0 ; i < aItems.length ; i++ ) aItems[i].Enable() ; // Refresh the buttons state. oToolbarSet.RefreshItemsState( editorInstance ) ; } else { // Refresh the buttons state. oToolbarSet.RefreshItemsState( editorInstance ) ; // Disable all buttons that are available on WYSIWYG mode only. for ( var j = 0 ; j < aItems.length ; j++ ) aItems[j].Disable() ; } } FCKToolbarSet.prototype.RefreshItemsState = function( editorInstance ) { var aItems = ( editorInstance ? editorInstance.ToolbarSet : this ).ItemsContextSensitive ; for ( var i = 0 ; i < aItems.length ; i++ ) aItems[i].RefreshState() ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Defines the FCK.ContextMenu object that is responsible for all * Context Menu operations in the editing area. */ FCK.ContextMenu = new Object() ; FCK.ContextMenu.Listeners = new Array() ; FCK.ContextMenu.RegisterListener = function( listener ) { if ( listener ) this.Listeners.push( listener ) ; } function FCK_ContextMenu_Init() { var oInnerContextMenu = FCK.ContextMenu._InnerContextMenu = new FCKContextMenu( FCKBrowserInfo.IsIE ? window : window.parent, FCKLang.Dir ) ; oInnerContextMenu.CtrlDisable = FCKConfig.BrowserContextMenuOnCtrl ; oInnerContextMenu.OnBeforeOpen = FCK_ContextMenu_OnBeforeOpen ; oInnerContextMenu.OnItemClick = FCK_ContextMenu_OnItemClick ; // Get the registering function. var oMenu = FCK.ContextMenu ; // Register all configured context menu listeners. for ( var i = 0 ; i < FCKConfig.ContextMenu.length ; i++ ) oMenu.RegisterListener( FCK_ContextMenu_GetListener( FCKConfig.ContextMenu[i] ) ) ; } function FCK_ContextMenu_GetListener( listenerName ) { switch ( listenerName ) { case 'Generic' : return { AddItems : function( menu, tag, tagName ) { menu.AddItem( 'Cut' , FCKLang.Cut , 7, FCKCommands.GetCommand( 'Cut' ).GetState() == FCK_TRISTATE_DISABLED ) ; menu.AddItem( 'Copy' , FCKLang.Copy , 8, FCKCommands.GetCommand( 'Copy' ).GetState() == FCK_TRISTATE_DISABLED ) ; menu.AddItem( 'Paste' , FCKLang.Paste , 9, FCKCommands.GetCommand( 'Paste' ).GetState() == FCK_TRISTATE_DISABLED ) ; }} ; case 'Table' : return { AddItems : function( menu, tag, tagName ) { var bIsTable = ( tagName == 'TABLE' ) ; var bIsCell = ( !bIsTable && FCKSelection.HasAncestorNode( 'TABLE' ) ) ; if ( bIsCell ) { menu.AddSeparator() ; var oItem = menu.AddItem( 'Cell' , FCKLang.CellCM ) ; oItem.AddItem( 'TableInsertCellBefore' , FCKLang.InsertCellBefore, 69 ) ; oItem.AddItem( 'TableInsertCellAfter' , FCKLang.InsertCellAfter, 58 ) ; oItem.AddItem( 'TableDeleteCells' , FCKLang.DeleteCells, 59 ) ; if ( FCKBrowserInfo.IsGecko ) oItem.AddItem( 'TableMergeCells' , FCKLang.MergeCells, 60, FCKCommands.GetCommand( 'TableMergeCells' ).GetState() == FCK_TRISTATE_DISABLED ) ; else { oItem.AddItem( 'TableMergeRight' , FCKLang.MergeRight, 60, FCKCommands.GetCommand( 'TableMergeRight' ).GetState() == FCK_TRISTATE_DISABLED ) ; oItem.AddItem( 'TableMergeDown' , FCKLang.MergeDown, 60, FCKCommands.GetCommand( 'TableMergeDown' ).GetState() == FCK_TRISTATE_DISABLED ) ; } oItem.AddItem( 'TableHorizontalSplitCell' , FCKLang.HorizontalSplitCell, 61, FCKCommands.GetCommand( 'TableHorizontalSplitCell' ).GetState() == FCK_TRISTATE_DISABLED ) ; oItem.AddItem( 'TableVerticalSplitCell' , FCKLang.VerticalSplitCell, 61, FCKCommands.GetCommand( 'TableVerticalSplitCell' ).GetState() == FCK_TRISTATE_DISABLED ) ; oItem.AddSeparator() ; oItem.AddItem( 'TableCellProp' , FCKLang.CellProperties, 57, FCKCommands.GetCommand( 'TableCellProp' ).GetState() == FCK_TRISTATE_DISABLED ) ; menu.AddSeparator() ; oItem = menu.AddItem( 'Row' , FCKLang.RowCM ) ; oItem.AddItem( 'TableInsertRowBefore' , FCKLang.InsertRowBefore, 70 ) ; oItem.AddItem( 'TableInsertRowAfter' , FCKLang.InsertRowAfter, 62 ) ; oItem.AddItem( 'TableDeleteRows' , FCKLang.DeleteRows, 63 ) ; menu.AddSeparator() ; oItem = menu.AddItem( 'Column' , FCKLang.ColumnCM ) ; oItem.AddItem( 'TableInsertColumnBefore', FCKLang.InsertColumnBefore, 71 ) ; oItem.AddItem( 'TableInsertColumnAfter' , FCKLang.InsertColumnAfter, 64 ) ; oItem.AddItem( 'TableDeleteColumns' , FCKLang.DeleteColumns, 65 ) ; } if ( bIsTable || bIsCell ) { menu.AddSeparator() ; menu.AddItem( 'TableDelete' , FCKLang.TableDelete ) ; menu.AddItem( 'TableProp' , FCKLang.TableProperties, 39 ) ; } }} ; case 'Link' : return { AddItems : function( menu, tag, tagName ) { var bInsideLink = ( tagName == 'A' || FCKSelection.HasAncestorNode( 'A' ) ) ; if ( bInsideLink || FCK.GetNamedCommandState( 'Unlink' ) != FCK_TRISTATE_DISABLED ) { // Go up to the anchor to test its properties var oLink = FCKSelection.MoveToAncestorNode( 'A' ) ; var bIsAnchor = ( oLink && oLink.name.length > 0 && oLink.href.length == 0 ) ; // If it isn't a link then don't add the Link context menu if ( bIsAnchor ) return ; menu.AddSeparator() ; menu.AddItem( 'VisitLink', FCKLang.VisitLink ) ; menu.AddSeparator() ; if ( bInsideLink ) menu.AddItem( 'Link', FCKLang.EditLink , 34 ) ; menu.AddItem( 'Unlink' , FCKLang.RemoveLink , 35 ) ; } }} ; case 'Image' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'IMG' && !tag.getAttribute( '_fckfakelement' ) ) { menu.AddSeparator() ; menu.AddItem( 'Image', FCKLang.ImageProperties, 37 ) ; } }} ; case 'Anchor' : return { AddItems : function( menu, tag, tagName ) { // Go up to the anchor to test its properties var oLink = FCKSelection.MoveToAncestorNode( 'A' ) ; var bIsAnchor = ( oLink && oLink.name.length > 0 ) ; if ( bIsAnchor || ( tagName == 'IMG' && tag.getAttribute( '_fckanchor' ) ) ) { menu.AddSeparator() ; menu.AddItem( 'Anchor', FCKLang.AnchorProp, 36 ) ; menu.AddItem( 'AnchorDelete', FCKLang.AnchorDelete ) ; } }} ; case 'Flash' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'IMG' && tag.getAttribute( '_fckflash' ) ) { menu.AddSeparator() ; menu.AddItem( 'Flash', FCKLang.FlashProperties, 38 ) ; } }} ; case 'Form' : return { AddItems : function( menu, tag, tagName ) { if ( FCKSelection.HasAncestorNode('FORM') ) { menu.AddSeparator() ; menu.AddItem( 'Form', FCKLang.FormProp, 48 ) ; } }} ; case 'Checkbox' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'INPUT' && tag.type == 'checkbox' ) { menu.AddSeparator() ; menu.AddItem( 'Checkbox', FCKLang.CheckboxProp, 49 ) ; } }} ; case 'Radio' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'INPUT' && tag.type == 'radio' ) { menu.AddSeparator() ; menu.AddItem( 'Radio', FCKLang.RadioButtonProp, 50 ) ; } }} ; case 'TextField' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'INPUT' && ( tag.type == 'text' || tag.type == 'password' ) ) { menu.AddSeparator() ; menu.AddItem( 'TextField', FCKLang.TextFieldProp, 51 ) ; } }} ; case 'HiddenField' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'IMG' && tag.getAttribute( '_fckinputhidden' ) ) { menu.AddSeparator() ; menu.AddItem( 'HiddenField', FCKLang.HiddenFieldProp, 56 ) ; } }} ; case 'ImageButton' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'INPUT' && tag.type == 'image' ) { menu.AddSeparator() ; menu.AddItem( 'ImageButton', FCKLang.ImageButtonProp, 55 ) ; } }} ; case 'Button' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'INPUT' && ( tag.type == 'button' || tag.type == 'submit' || tag.type == 'reset' ) ) { menu.AddSeparator() ; menu.AddItem( 'Button', FCKLang.ButtonProp, 54 ) ; } }} ; case 'Select' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'SELECT' ) { menu.AddSeparator() ; menu.AddItem( 'Select', FCKLang.SelectionFieldProp, 53 ) ; } }} ; case 'Textarea' : return { AddItems : function( menu, tag, tagName ) { if ( tagName == 'TEXTAREA' ) { menu.AddSeparator() ; menu.AddItem( 'Textarea', FCKLang.TextareaProp, 52 ) ; } }} ; case 'BulletedList' : return { AddItems : function( menu, tag, tagName ) { if ( FCKSelection.HasAncestorNode('UL') ) { menu.AddSeparator() ; menu.AddItem( 'BulletedList', FCKLang.BulletedListProp, 27 ) ; } }} ; case 'NumberedList' : return { AddItems : function( menu, tag, tagName ) { if ( FCKSelection.HasAncestorNode('OL') ) { menu.AddSeparator() ; menu.AddItem( 'NumberedList', FCKLang.NumberedListProp, 26 ) ; } }} ; case 'DivContainer': return { AddItems : function( menu, tag, tagName ) { var currentBlocks = FCKDomTools.GetSelectedDivContainers() ; if ( currentBlocks.length > 0 ) { menu.AddSeparator() ; menu.AddItem( 'EditDiv', FCKLang.EditDiv, 75 ) ; menu.AddItem( 'DeleteDiv', FCKLang.DeleteDiv, 76 ) ; } }} ; } return null ; } function FCK_ContextMenu_OnBeforeOpen() { // Update the UI. FCK.Events.FireEvent( 'OnSelectionChange' ) ; // Get the actual selected tag (if any). var oTag, sTagName ; // The extra () is to avoid a warning with strict error checking. This is ok. if ( (oTag = FCKSelection.GetSelectedElement()) ) sTagName = oTag.tagName ; // Cleanup the current menu items. var oMenu = FCK.ContextMenu._InnerContextMenu ; oMenu.RemoveAllItems() ; // Loop through the listeners. var aListeners = FCK.ContextMenu.Listeners ; for ( var i = 0 ; i < aListeners.length ; i++ ) aListeners[i].AddItems( oMenu, oTag, sTagName ) ; } function FCK_ContextMenu_OnItemClick( item ) { // IE might work incorrectly if we refocus the editor #798 if ( !FCKBrowserInfo.IsIE ) FCK.Focus() ; FCKCommands.GetCommand( item.Name ).Execute( item.CustomData ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Define all commands available in the editor. */ var FCKCommands = FCK.Commands = new Object() ; FCKCommands.LoadedCommands = new Object() ; FCKCommands.RegisterCommand = function( commandName, command ) { this.LoadedCommands[ commandName ] = command ; } FCKCommands.GetCommand = function( commandName ) { var oCommand = FCKCommands.LoadedCommands[ commandName ] ; if ( oCommand ) return oCommand ; switch ( commandName ) { case 'Bold' : case 'Italic' : case 'Underline' : case 'StrikeThrough': case 'Subscript' : case 'Superscript' : oCommand = new FCKCoreStyleCommand( commandName ) ; break ; case 'RemoveFormat' : oCommand = new FCKRemoveFormatCommand() ; break ; case 'DocProps' : oCommand = new FCKDialogCommand( 'DocProps' , FCKLang.DocProps , 'dialog/fck_docprops.html' , 400, 380, FCKCommands.GetFullPageState ) ; break ; case 'Templates' : oCommand = new FCKDialogCommand( 'Templates' , FCKLang.DlgTemplatesTitle , 'dialog/fck_template.html' , 380, 450 ) ; break ; case 'Link' : oCommand = new FCKDialogCommand( 'Link' , FCKLang.DlgLnkWindowTitle , 'dialog/fck_link.html' , 400, 300 ) ; break ; case 'Unlink' : oCommand = new FCKUnlinkCommand() ; break ; case 'VisitLink' : oCommand = new FCKVisitLinkCommand() ; break ; case 'Anchor' : oCommand = new FCKDialogCommand( 'Anchor' , FCKLang.DlgAnchorTitle , 'dialog/fck_anchor.html' , 370, 160 ) ; break ; case 'AnchorDelete' : oCommand = new FCKAnchorDeleteCommand() ; break ; case 'BulletedList' : oCommand = new FCKDialogCommand( 'BulletedList', FCKLang.BulletedListProp , 'dialog/fck_listprop.html?UL' , 370, 160 ) ; break ; case 'NumberedList' : oCommand = new FCKDialogCommand( 'NumberedList', FCKLang.NumberedListProp , 'dialog/fck_listprop.html?OL' , 370, 160 ) ; break ; case 'About' : oCommand = new FCKDialogCommand( 'About' , FCKLang.About , 'dialog/fck_about.html' , 420, 330, function(){ return FCK_TRISTATE_OFF ; } ) ; break ; case 'Find' : oCommand = new FCKDialogCommand( 'Find' , FCKLang.DlgFindAndReplaceTitle, 'dialog/fck_replace.html' , 340, 230, null, null, 'Find' ) ; break ; case 'Replace' : oCommand = new FCKDialogCommand( 'Replace' , FCKLang.DlgFindAndReplaceTitle, 'dialog/fck_replace.html' , 340, 230, null, null, 'Replace' ) ; break ; case 'Image' : oCommand = new FCKDialogCommand( 'Image' , FCKLang.DlgImgTitle , 'dialog/fck_image.html' , 450, 390 ) ; break ; case 'Flash' : oCommand = new FCKDialogCommand( 'Flash' , FCKLang.DlgFlashTitle , 'dialog/fck_flash.html' , 450, 390 ) ; break ; case 'SpecialChar' : oCommand = new FCKDialogCommand( 'SpecialChar', FCKLang.DlgSpecialCharTitle , 'dialog/fck_specialchar.html' , 400, 290 ) ; break ; case 'Smiley' : oCommand = new FCKDialogCommand( 'Smiley' , FCKLang.DlgSmileyTitle , 'dialog/fck_smiley.html' , FCKConfig.SmileyWindowWidth, FCKConfig.SmileyWindowHeight ) ; break ; case 'Table' : oCommand = new FCKDialogCommand( 'Table' , FCKLang.DlgTableTitle , 'dialog/fck_table.html' , 480, 250 ) ; break ; case 'TableProp' : oCommand = new FCKDialogCommand( 'Table' , FCKLang.DlgTableTitle , 'dialog/fck_table.html?Parent', 480, 250 ) ; break ; case 'TableCellProp': oCommand = new FCKDialogCommand( 'TableCell' , FCKLang.DlgCellTitle , 'dialog/fck_tablecell.html' , 550, 240 ) ; break ; case 'Style' : oCommand = new FCKStyleCommand() ; break ; case 'FontName' : oCommand = new FCKFontNameCommand() ; break ; case 'FontSize' : oCommand = new FCKFontSizeCommand() ; break ; case 'FontFormat' : oCommand = new FCKFormatBlockCommand() ; break ; case 'Source' : oCommand = new FCKSourceCommand() ; break ; case 'Preview' : oCommand = new FCKPreviewCommand() ; break ; case 'Save' : oCommand = new FCKSaveCommand() ; break ; case 'NewPage' : oCommand = new FCKNewPageCommand() ; break ; case 'PageBreak' : oCommand = new FCKPageBreakCommand() ; break ; case 'Rule' : oCommand = new FCKRuleCommand() ; break ; case 'Nbsp' : oCommand = new FCKNbsp() ; break ; case 'TextColor' : oCommand = new FCKTextColorCommand('ForeColor') ; break ; case 'BGColor' : oCommand = new FCKTextColorCommand('BackColor') ; break ; case 'Paste' : oCommand = new FCKPasteCommand() ; break ; case 'PasteText' : oCommand = new FCKPastePlainTextCommand() ; break ; case 'PasteWord' : oCommand = new FCKPasteWordCommand() ; break ; case 'JustifyLeft' : oCommand = new FCKJustifyCommand( 'left' ) ; break ; case 'JustifyCenter' : oCommand = new FCKJustifyCommand( 'center' ) ; break ; case 'JustifyRight' : oCommand = new FCKJustifyCommand( 'right' ) ; break ; case 'JustifyFull' : oCommand = new FCKJustifyCommand( 'justify' ) ; break ; case 'Indent' : oCommand = new FCKIndentCommand( 'indent', FCKConfig.IndentLength ) ; break ; case 'Outdent' : oCommand = new FCKIndentCommand( 'outdent', FCKConfig.IndentLength * -1 ) ; break ; case 'Blockquote' : oCommand = new FCKBlockQuoteCommand() ; break ; case 'CreateDiv' : oCommand = new FCKDialogCommand( 'CreateDiv', FCKLang.CreateDiv, 'dialog/fck_div.html', 380, 210, null, null, true ) ; break ; case 'EditDiv' : oCommand = new FCKDialogCommand( 'EditDiv', FCKLang.EditDiv, 'dialog/fck_div.html', 380, 210, null, null, false ) ; break ; case 'DeleteDiv' : oCommand = new FCKDeleteDivCommand() ; break ; case 'TableInsertRowAfter' : oCommand = new FCKTableCommand('TableInsertRowAfter') ; break ; case 'TableInsertRowBefore' : oCommand = new FCKTableCommand('TableInsertRowBefore') ; break ; case 'TableDeleteRows' : oCommand = new FCKTableCommand('TableDeleteRows') ; break ; case 'TableInsertColumnAfter' : oCommand = new FCKTableCommand('TableInsertColumnAfter') ; break ; case 'TableInsertColumnBefore' : oCommand = new FCKTableCommand('TableInsertColumnBefore') ; break ; case 'TableDeleteColumns' : oCommand = new FCKTableCommand('TableDeleteColumns') ; break ; case 'TableInsertCellAfter' : oCommand = new FCKTableCommand('TableInsertCellAfter') ; break ; case 'TableInsertCellBefore' : oCommand = new FCKTableCommand('TableInsertCellBefore') ; break ; case 'TableDeleteCells' : oCommand = new FCKTableCommand('TableDeleteCells') ; break ; case 'TableMergeCells' : oCommand = new FCKTableCommand('TableMergeCells') ; break ; case 'TableMergeRight' : oCommand = new FCKTableCommand('TableMergeRight') ; break ; case 'TableMergeDown' : oCommand = new FCKTableCommand('TableMergeDown') ; break ; case 'TableHorizontalSplitCell' : oCommand = new FCKTableCommand('TableHorizontalSplitCell') ; break ; case 'TableVerticalSplitCell' : oCommand = new FCKTableCommand('TableVerticalSplitCell') ; break ; case 'TableDelete' : oCommand = new FCKTableCommand('TableDelete') ; break ; case 'Form' : oCommand = new FCKDialogCommand( 'Form' , FCKLang.Form , 'dialog/fck_form.html' , 380, 210 ) ; break ; case 'Checkbox' : oCommand = new FCKDialogCommand( 'Checkbox' , FCKLang.Checkbox , 'dialog/fck_checkbox.html' , 380, 200 ) ; break ; case 'Radio' : oCommand = new FCKDialogCommand( 'Radio' , FCKLang.RadioButton , 'dialog/fck_radiobutton.html' , 380, 200 ) ; break ; case 'TextField' : oCommand = new FCKDialogCommand( 'TextField' , FCKLang.TextField , 'dialog/fck_textfield.html' , 380, 210 ) ; break ; case 'Textarea' : oCommand = new FCKDialogCommand( 'Textarea' , FCKLang.Textarea , 'dialog/fck_textarea.html' , 380, 210 ) ; break ; case 'HiddenField' : oCommand = new FCKDialogCommand( 'HiddenField', FCKLang.HiddenField , 'dialog/fck_hiddenfield.html' , 380, 190 ) ; break ; case 'Button' : oCommand = new FCKDialogCommand( 'Button' , FCKLang.Button , 'dialog/fck_button.html' , 380, 210 ) ; break ; case 'Select' : oCommand = new FCKDialogCommand( 'Select' , FCKLang.SelectionField, 'dialog/fck_select.html' , 400, 340 ) ; break ; case 'ImageButton' : oCommand = new FCKDialogCommand( 'ImageButton', FCKLang.ImageButton , 'dialog/fck_image.html?ImageButton', 450, 390 ) ; break ; case 'SpellCheck' : oCommand = new FCKSpellCheckCommand() ; break ; case 'FitWindow' : oCommand = new FCKFitWindow() ; break ; case 'Undo' : oCommand = new FCKUndoCommand() ; break ; case 'Redo' : oCommand = new FCKRedoCommand() ; break ; case 'Copy' : oCommand = new FCKCutCopyCommand( false ) ; break ; case 'Cut' : oCommand = new FCKCutCopyCommand( true ) ; break ; case 'SelectAll' : oCommand = new FCKSelectAllCommand() ; break ; case 'InsertOrderedList' : oCommand = new FCKListCommand( 'insertorderedlist', 'ol' ) ; break ; case 'InsertUnorderedList' : oCommand = new FCKListCommand( 'insertunorderedlist', 'ul' ) ; break ; case 'ShowBlocks' : oCommand = new FCKShowBlockCommand( 'ShowBlocks', FCKConfig.StartupShowBlocks ? FCK_TRISTATE_ON : FCK_TRISTATE_OFF ) ; break ; // Generic Undefined command (usually used when a command is under development). case 'Undefined' : oCommand = new FCKUndefinedCommand() ; break ; case 'Scayt' : oCommand = FCKScayt.CreateCommand() ; break ; case 'ScaytContext' : oCommand = FCKScayt.CreateContextCommand() ; break ; // By default we assume that it is a named command. default: if ( FCKRegexLib.NamedCommands.test( commandName ) ) oCommand = new FCKNamedCommand( commandName ) ; else { alert( FCKLang.UnknownCommand.replace( /%1/g, commandName ) ) ; return null ; } } FCKCommands.LoadedCommands[ commandName ] = oCommand ; return oCommand ; } // Gets the state of the "Document Properties" button. It must be enabled only // when "Full Page" editing is available. FCKCommands.GetFullPageState = function() { return FCKConfig.FullPage ? FCK_TRISTATE_OFF : FCK_TRISTATE_DISABLED ; } FCKCommands.GetBooleanState = function( isDisabled ) { return isDisabled ? FCK_TRISTATE_DISABLED : FCK_TRISTATE_OFF ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Extensions to the JavaScript Core. * * All custom extensions functions are PascalCased to differ from the standard * camelCased ones. */ String.prototype.Contains = function( textToCheck ) { return ( this.indexOf( textToCheck ) > -1 ) ; } String.prototype.Equals = function() { var aArgs = arguments ; // The arguments could also be a single array. if ( aArgs.length == 1 && aArgs[0].pop ) aArgs = aArgs[0] ; for ( var i = 0 ; i < aArgs.length ; i++ ) { if ( this == aArgs[i] ) return true ; } return false ; } String.prototype.IEquals = function() { var thisUpper = this.toUpperCase() ; var aArgs = arguments ; // The arguments could also be a single array. if ( aArgs.length == 1 && aArgs[0].pop ) aArgs = aArgs[0] ; for ( var i = 0 ; i < aArgs.length ; i++ ) { if ( thisUpper == aArgs[i].toUpperCase() ) return true ; } return false ; } String.prototype.ReplaceAll = function( searchArray, replaceArray ) { var replaced = this ; for ( var i = 0 ; i < searchArray.length ; i++ ) { replaced = replaced.replace( searchArray[i], replaceArray[i] ) ; } return replaced ; } String.prototype.StartsWith = function( value ) { return ( this.substr( 0, value.length ) == value ) ; } // Extends the String object, creating a "EndsWith" method on it. String.prototype.EndsWith = function( value, ignoreCase ) { var L1 = this.length ; var L2 = value.length ; if ( L2 > L1 ) return false ; if ( ignoreCase ) { var oRegex = new RegExp( value + '$' , 'i' ) ; return oRegex.test( this ) ; } else return ( L2 == 0 || this.substr( L1 - L2, L2 ) == value ) ; } String.prototype.Remove = function( start, length ) { var s = '' ; if ( start > 0 ) s = this.substring( 0, start ) ; if ( start + length < this.length ) s += this.substring( start + length , this.length ) ; return s ; } String.prototype.Trim = function() { // We are not using \s because we don't want "non-breaking spaces to be caught". return this.replace( /(^[ \t\n\r]*)|([ \t\n\r]*$)/g, '' ) ; } String.prototype.LTrim = function() { // We are not using \s because we don't want "non-breaking spaces to be caught". return this.replace( /^[ \t\n\r]*/g, '' ) ; } String.prototype.RTrim = function() { // We are not using \s because we don't want "non-breaking spaces to be caught". return this.replace( /[ \t\n\r]*$/g, '' ) ; } String.prototype.ReplaceNewLineChars = function( replacement ) { return this.replace( /\n/g, replacement ) ; } String.prototype.Replace = function( regExp, replacement, thisObj ) { if ( typeof replacement == 'function' ) { return this.replace( regExp, function() { return replacement.apply( thisObj || this, arguments ) ; } ) ; } else return this.replace( regExp, replacement ) ; } Array.prototype.IndexOf = function( value ) { for ( var i = 0 ; i < this.length ; i++ ) { if ( this[i] == value ) return i ; } return -1 ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * The Data Processor is responsible for transforming the input and output data * in the editor. For more info: * http://dev.fckeditor.net/wiki/Components/DataProcessor * * The default implementation offers the base XHTML compatibility features of * FCKeditor. Further Data Processors may be implemented for other purposes. * */ var FCKDataProcessor = function() {} FCKDataProcessor.prototype = { /* * Returns a string representing the HTML format of "data". The returned * value will be loaded in the editor. * The HTML must be from <html> to </html>, including <head>, <body> and * eventually the DOCTYPE. * Note: HTML comments may already be part of the data because of the * pre-processing made with ProtectedSource. * @param {String} data The data to be converted in the * DataProcessor specific format. */ ConvertToHtml : function( data ) { // The default data processor must handle two different cases depending // on the FullPage setting. Custom Data Processors will not be // compatible with FullPage, much probably. if ( FCKConfig.FullPage ) { // Save the DOCTYPE. FCK.DocTypeDeclaration = data.match( FCKRegexLib.DocTypeTag ) ; // Check if the <body> tag is available. if ( !FCKRegexLib.HasBodyTag.test( data ) ) data = '<body>' + data + '</body>' ; // Check if the <html> tag is available. if ( !FCKRegexLib.HtmlOpener.test( data ) ) data = '<html dir="' + FCKConfig.ContentLangDirection + '">' + data + '</html>' ; // Check if the <head> tag is available. if ( !FCKRegexLib.HeadOpener.test( data ) ) data = data.replace( FCKRegexLib.HtmlOpener, '$&<head><title></title></head>' ) ; return data ; } else { var html = FCKConfig.DocType + '<html dir="' + FCKConfig.ContentLangDirection + '"' ; // On IE, if you are using a DOCTYPE different of HTML 4 (like // XHTML), you must force the vertical scroll to show, otherwise // the horizontal one may appear when the page needs vertical scrolling. // TODO : Check it with IE7 and make it IE6- if it is the case. if ( FCKBrowserInfo.IsIE && FCKConfig.DocType.length > 0 && !FCKRegexLib.Html4DocType.test( FCKConfig.DocType ) ) html += ' style="overflow-y: scroll"' ; html += '><head><title></title></head>' + '<body' + FCKConfig.GetBodyAttributes() + '>' + data + '</body></html>' ; return html ; } }, /* * Converts a DOM (sub-)tree to a string in the data format. * @param {Object} rootNode The node that contains the DOM tree to be * converted to the data format. * @param {Boolean} excludeRoot Indicates that the root node must not * be included in the conversion, only its children. * @param {Boolean} format Indicates that the data must be formatted * for human reading. Not all Data Processors may provide it. */ ConvertToDataFormat : function( rootNode, excludeRoot, ignoreIfEmptyParagraph, format ) { var data = FCKXHtml.GetXHTML( rootNode, !excludeRoot, format ) ; if ( ignoreIfEmptyParagraph && FCKRegexLib.EmptyOutParagraph.test( data ) ) return '' ; return data ; }, /* * Makes any necessary changes to a piece of HTML for insertion in the * editor selection position. * @param {String} html The HTML to be fixed. */ FixHtml : function( html ) { return html ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Class for working with a selection range, much like the W3C DOM Range, but * it is not intended to be an implementation of the W3C interface. * (IE Implementation) */ FCKDomRange.prototype.MoveToSelection = function() { this.Release( true ) ; this._Range = new FCKW3CRange( this.Window.document ) ; var oSel = this.Window.document.selection ; if ( oSel.type != 'Control' ) { var eMarkerStart = this._GetSelectionMarkerTag( true ) ; var eMarkerEnd = this._GetSelectionMarkerTag( false ) ; if ( !eMarkerStart && !eMarkerEnd ) { this._Range.setStart( this.Window.document.body, 0 ) ; this._UpdateElementInfo() ; return ; } // Set the start boundary. this._Range.setStart( eMarkerStart.parentNode, FCKDomTools.GetIndexOf( eMarkerStart ) ) ; eMarkerStart.parentNode.removeChild( eMarkerStart ) ; // Set the end boundary. this._Range.setEnd( eMarkerEnd.parentNode, FCKDomTools.GetIndexOf( eMarkerEnd ) ) ; eMarkerEnd.parentNode.removeChild( eMarkerEnd ) ; this._UpdateElementInfo() ; } else { var oControl = oSel.createRange().item(0) ; if ( oControl ) { this._Range.setStartBefore( oControl ) ; this._Range.setEndAfter( oControl ) ; this._UpdateElementInfo() ; } } } FCKDomRange.prototype.Select = function( forceExpand ) { if ( this._Range ) this.SelectBookmark( this.CreateBookmark( true ), forceExpand ) ; } // Not compatible with bookmark created with CreateBookmark2. // The bookmark nodes will be deleted from the document. FCKDomRange.prototype.SelectBookmark = function( bookmark, forceExpand ) { var bIsCollapsed = this.CheckIsCollapsed() ; var bIsStartMarkerAlone ; var dummySpan ; // Create marker tags for the start and end boundaries. var eStartMarker = this.GetBookmarkNode( bookmark, true ) ; if ( !eStartMarker ) return ; var eEndMarker ; if ( !bIsCollapsed ) eEndMarker = this.GetBookmarkNode( bookmark, false ) ; // Create the main range which will be used for the selection. var oIERange = this.Window.document.body.createTextRange() ; // Position the range at the start boundary. oIERange.moveToElementText( eStartMarker ) ; oIERange.moveStart( 'character', 1 ) ; if ( eEndMarker ) { // Create a tool range for the end. var oIERangeEnd = this.Window.document.body.createTextRange() ; // Position the tool range at the end. oIERangeEnd.moveToElementText( eEndMarker ) ; // Move the end boundary of the main range to match the tool range. oIERange.setEndPoint( 'EndToEnd', oIERangeEnd ) ; oIERange.moveEnd( 'character', -1 ) ; } else { bIsStartMarkerAlone = forceExpand || !eStartMarker.previousSibling || eStartMarker.previousSibling.nodeName.toLowerCase() == 'br'; // Append a temporary <span>&#65279;</span> before the selection. // This is needed to avoid IE destroying selections inside empty // inline elements, like <b></b> (#253). // It is also needed when placing the selection right after an inline // element to avoid the selection moving inside of it. dummySpan = this.Window.document.createElement( 'span' ) ; dummySpan.innerHTML = '&#65279;' ; // Zero Width No-Break Space (U+FEFF). See #1359. eStartMarker.parentNode.insertBefore( dummySpan, eStartMarker ) ; if ( bIsStartMarkerAlone ) { // To expand empty blocks or line spaces after <br>, we need // instead to have any char, which will be later deleted using the // selection. // \ufeff = Zero Width No-Break Space (U+FEFF). See #1359. eStartMarker.parentNode.insertBefore( this.Window.document.createTextNode( '\ufeff' ), eStartMarker ) ; } } if ( !this._Range ) this._Range = this.CreateRange() ; // Remove the markers (reset the position, because of the changes in the DOM tree). this._Range.setStartBefore( eStartMarker ) ; eStartMarker.parentNode.removeChild( eStartMarker ) ; if ( bIsCollapsed ) { if ( bIsStartMarkerAlone ) { // Move the selection start to include the temporary &#65279;. oIERange.moveStart( 'character', -1 ) ; oIERange.select() ; // Remove our temporary stuff. this.Window.document.selection.clear() ; } else oIERange.select() ; FCKDomTools.RemoveNode( dummySpan ) ; } else { this._Range.setEndBefore( eEndMarker ) ; eEndMarker.parentNode.removeChild( eEndMarker ) ; oIERange.select() ; } } FCKDomRange.prototype._GetSelectionMarkerTag = function( toStart ) { var doc = this.Window.document ; var selection = doc.selection ; // Get a range for the start boundary. var oRange ; // IE may throw an "unspecified error" on some cases (it happened when // loading _samples/default.html), so try/catch. try { oRange = selection.createRange() ; } catch (e) { return null ; } // IE might take the range object to the main window instead of inside the editor iframe window. // This is known to happen when the editor window has not been selected before (See #933). // We need to avoid that. if ( oRange.parentElement().document != doc ) return null ; oRange.collapse( toStart === true ) ; // Paste a marker element at the collapsed range and get it from the DOM. var sMarkerId = 'fck_dom_range_temp_' + (new Date()).valueOf() + '_' + Math.floor(Math.random()*1000) ; oRange.pasteHTML( '<span id="' + sMarkerId + '"></span>' ) ; return doc.getElementById( sMarkerId ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarPanelButton Class: Handles the Fonts combo selector. */ var FCKToolbarFontsCombo = function( tooltip, style ) { this.CommandName = 'FontName' ; this.Label = this.GetLabel() ; this.Tooltip = tooltip ? tooltip : this.Label ; this.Style = style ? style : FCK_TOOLBARITEM_ICONTEXT ; this.DefaultLabel = FCKConfig.DefaultFontLabel || '' ; } // Inherit from FCKToolbarSpecialCombo. FCKToolbarFontsCombo.prototype = new FCKToolbarFontFormatCombo( false ) ; FCKToolbarFontsCombo.prototype.GetLabel = function() { return FCKLang.Font ; } FCKToolbarFontsCombo.prototype.GetStyles = function() { var baseStyle = FCKStyles.GetStyle( '_FCK_FontFace' ) ; if ( !baseStyle ) { alert( "The FCKConfig.CoreStyles['Size'] setting was not found. Please check the fckconfig.js file" ) ; return {} ; } var styles = {} ; var fonts = FCKConfig.FontNames.split(';') ; for ( var i = 0 ; i < fonts.length ; i++ ) { var fontParts = fonts[i].split('/') ; var font = fontParts[0] ; var caption = fontParts[1] || font ; var style = FCKTools.CloneObject( baseStyle ) ; style.SetVariable( 'Font', font ) ; style.Label = caption ; styles[ caption ] = style ; } return styles ; } FCKToolbarFontsCombo.prototype.RefreshActiveItems = FCKToolbarStyleCombo.prototype.RefreshActiveItems ; FCKToolbarFontsCombo.prototype.StyleCombo_OnBeforeClick = function( targetSpecialCombo ) { // Clear the current selection. targetSpecialCombo.DeselectAll() ; var startElement = FCKSelection.GetBoundaryParentElement( true ) ; if ( startElement ) { var path = new FCKElementPath( startElement ) ; for ( var i in targetSpecialCombo.Items ) { var item = targetSpecialCombo.Items[i] ; var style = item.Style ; if ( style.CheckActive( path ) ) { targetSpecialCombo.SelectItem( item ) ; return ; } } } }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Controls the [Enter] keystroke behavior in a document. */ /* * Constructor. * @targetDocument : the target document. * @enterMode : the behavior for the <Enter> keystroke. * May be "p", "div", "br". Default is "p". * @shiftEnterMode : the behavior for the <Shift>+<Enter> keystroke. * May be "p", "div", "br". Defaults to "br". */ var FCKEnterKey = function( targetWindow, enterMode, shiftEnterMode, tabSpaces ) { this.Window = targetWindow ; this.EnterMode = enterMode || 'p' ; this.ShiftEnterMode = shiftEnterMode || 'br' ; // Setup the Keystroke Handler. var oKeystrokeHandler = new FCKKeystrokeHandler( false ) ; oKeystrokeHandler._EnterKey = this ; oKeystrokeHandler.OnKeystroke = FCKEnterKey_OnKeystroke ; oKeystrokeHandler.SetKeystrokes( [ [ 13 , 'Enter' ], [ SHIFT + 13, 'ShiftEnter' ], [ 8 , 'Backspace' ], [ CTRL + 8 , 'CtrlBackspace' ], [ 46 , 'Delete' ] ] ) ; this.TabText = '' ; // Safari by default inserts 4 spaces on TAB, while others make the editor // loose focus. So, we need to handle it here to not include those spaces. if ( tabSpaces > 0 || FCKBrowserInfo.IsSafari ) { while ( tabSpaces-- ) this.TabText += '\xa0' ; oKeystrokeHandler.SetKeystrokes( [ 9, 'Tab' ] ); } oKeystrokeHandler.AttachToElement( targetWindow.document ) ; } function FCKEnterKey_OnKeystroke( keyCombination, keystrokeValue ) { var oEnterKey = this._EnterKey ; try { switch ( keystrokeValue ) { case 'Enter' : return oEnterKey.DoEnter() ; break ; case 'ShiftEnter' : return oEnterKey.DoShiftEnter() ; break ; case 'Backspace' : return oEnterKey.DoBackspace() ; break ; case 'Delete' : return oEnterKey.DoDelete() ; break ; case 'Tab' : return oEnterKey.DoTab() ; break ; case 'CtrlBackspace' : return oEnterKey.DoCtrlBackspace() ; break ; } } catch (e) { // If for any reason we are not able to handle it, go // ahead with the browser default behavior. } return false ; } /* * Executes the <Enter> key behavior. */ FCKEnterKey.prototype.DoEnter = function( mode, hasShift ) { // Save an undo snapshot before doing anything FCKUndo.SaveUndoStep() ; this._HasShift = ( hasShift === true ) ; var parentElement = FCKSelection.GetParentElement() ; var parentPath = new FCKElementPath( parentElement ) ; var sMode = mode || this.EnterMode ; if ( sMode == 'br' || parentPath.Block && parentPath.Block.tagName.toLowerCase() == 'pre' ) return this._ExecuteEnterBr() ; else return this._ExecuteEnterBlock( sMode ) ; } /* * Executes the <Shift>+<Enter> key behavior. */ FCKEnterKey.prototype.DoShiftEnter = function() { return this.DoEnter( this.ShiftEnterMode, true ) ; } /* * Executes the <Backspace> key behavior. */ FCKEnterKey.prototype.DoBackspace = function() { var bCustom = false ; // Get the current selection. var oRange = new FCKDomRange( this.Window ) ; oRange.MoveToSelection() ; // Kludge for #247 if ( FCKBrowserInfo.IsIE && this._CheckIsAllContentsIncluded( oRange, this.Window.document.body ) ) { this._FixIESelectAllBug( oRange ) ; return true ; } var isCollapsed = oRange.CheckIsCollapsed() ; if ( !isCollapsed ) { // Bug #327, Backspace with an img selection would activate the default action in IE. // Let's override that with our logic here. if ( FCKBrowserInfo.IsIE && this.Window.document.selection.type.toLowerCase() == "control" ) { var controls = this.Window.document.selection.createRange() ; for ( var i = controls.length - 1 ; i >= 0 ; i-- ) { var el = controls.item( i ) ; el.parentNode.removeChild( el ) ; } return true ; } return false ; } // On IE, it is better for us handle the deletion if the caret is preceeded // by a <br> (#1383). if ( FCKBrowserInfo.IsIE ) { var previousElement = FCKDomTools.GetPreviousSourceElement( oRange.StartNode, true ) ; if ( previousElement && previousElement.nodeName.toLowerCase() == 'br' ) { // Create a range that starts after the <br> and ends at the // current range position. var testRange = oRange.Clone() ; testRange.SetStart( previousElement, 4 ) ; // If that range is empty, we can proceed cleaning that <br> manually. if ( testRange.CheckIsEmpty() ) { previousElement.parentNode.removeChild( previousElement ) ; return true ; } } } var oStartBlock = oRange.StartBlock ; var oEndBlock = oRange.EndBlock ; // The selection boundaries must be in the same "block limit" element if ( oRange.StartBlockLimit == oRange.EndBlockLimit && oStartBlock && oEndBlock ) { if ( !isCollapsed ) { var bEndOfBlock = oRange.CheckEndOfBlock() ; oRange.DeleteContents() ; if ( oStartBlock != oEndBlock ) { oRange.SetStart(oEndBlock,1) ; oRange.SetEnd(oEndBlock,1) ; // if ( bEndOfBlock ) // oEndBlock.parentNode.removeChild( oEndBlock ) ; } oRange.Select() ; bCustom = ( oStartBlock == oEndBlock ) ; } if ( oRange.CheckStartOfBlock() ) { var oCurrentBlock = oRange.StartBlock ; var ePrevious = FCKDomTools.GetPreviousSourceElement( oCurrentBlock, true, [ 'BODY', oRange.StartBlockLimit.nodeName ], ['UL','OL'] ) ; bCustom = this._ExecuteBackspace( oRange, ePrevious, oCurrentBlock ) ; } else if ( FCKBrowserInfo.IsGeckoLike ) { // Firefox and Opera (#1095) loose the selection when executing // CheckStartOfBlock, so we must reselect. oRange.Select() ; } } oRange.Release() ; return bCustom ; } FCKEnterKey.prototype.DoCtrlBackspace = function() { FCKUndo.SaveUndoStep() ; var oRange = new FCKDomRange( this.Window ) ; oRange.MoveToSelection() ; if ( FCKBrowserInfo.IsIE && this._CheckIsAllContentsIncluded( oRange, this.Window.document.body ) ) { this._FixIESelectAllBug( oRange ) ; return true ; } return false ; } FCKEnterKey.prototype._ExecuteBackspace = function( range, previous, currentBlock ) { var bCustom = false ; // We could be in a nested LI. if ( !previous && currentBlock && currentBlock.nodeName.IEquals( 'LI' ) && currentBlock.parentNode.parentNode.nodeName.IEquals( 'LI' ) ) { this._OutdentWithSelection( currentBlock, range ) ; return true ; } if ( previous && previous.nodeName.IEquals( 'LI' ) ) { var oNestedList = FCKDomTools.GetLastChild( previous, ['UL','OL'] ) ; while ( oNestedList ) { previous = FCKDomTools.GetLastChild( oNestedList, 'LI' ) ; oNestedList = FCKDomTools.GetLastChild( previous, ['UL','OL'] ) ; } } if ( previous && currentBlock ) { // If we are in a LI, and the previous block is not an LI, we must outdent it. if ( currentBlock.nodeName.IEquals( 'LI' ) && !previous.nodeName.IEquals( 'LI' ) ) { this._OutdentWithSelection( currentBlock, range ) ; return true ; } // Take a reference to the parent for post processing cleanup. var oCurrentParent = currentBlock.parentNode ; var sPreviousName = previous.nodeName.toLowerCase() ; if ( FCKListsLib.EmptyElements[ sPreviousName ] != null || sPreviousName == 'table' ) { FCKDomTools.RemoveNode( previous ) ; bCustom = true ; } else { // Remove the current block. FCKDomTools.RemoveNode( currentBlock ) ; // Remove any empty tag left by the block removal. while ( oCurrentParent.innerHTML.Trim().length == 0 ) { var oParent = oCurrentParent.parentNode ; oParent.removeChild( oCurrentParent ) ; oCurrentParent = oParent ; } // Cleanup the previous and the current elements. FCKDomTools.LTrimNode( currentBlock ) ; FCKDomTools.RTrimNode( previous ) ; // Append a space to the previous. // Maybe it is not always desirable... // previous.appendChild( this.Window.document.createTextNode( ' ' ) ) ; // Set the range to the end of the previous element and bookmark it. range.SetStart( previous, 2, true ) ; range.Collapse( true ) ; var oBookmark = range.CreateBookmark( true ) ; // Move the contents of the block to the previous element and delete it. // But for some block types (e.g. table), moving the children to the previous block makes no sense. // So a check is needed. (See #1081) if ( ! currentBlock.tagName.IEquals( [ 'TABLE' ] ) ) FCKDomTools.MoveChildren( currentBlock, previous ) ; // Place the selection at the bookmark. range.SelectBookmark( oBookmark ) ; bCustom = true ; } } return bCustom ; } /* * Executes the <Delete> key behavior. */ FCKEnterKey.prototype.DoDelete = function() { // Save an undo snapshot before doing anything // This is to conform with the behavior seen in MS Word FCKUndo.SaveUndoStep() ; // The <Delete> has the same effect as the <Backspace>, so we have the same // results if we just move to the next block and apply the same <Backspace> logic. var bCustom = false ; // Get the current selection. var oRange = new FCKDomRange( this.Window ) ; oRange.MoveToSelection() ; // Kludge for #247 if ( FCKBrowserInfo.IsIE && this._CheckIsAllContentsIncluded( oRange, this.Window.document.body ) ) { this._FixIESelectAllBug( oRange ) ; return true ; } // There is just one special case for collapsed selections at the end of a block. if ( oRange.CheckIsCollapsed() && oRange.CheckEndOfBlock( FCKBrowserInfo.IsGeckoLike ) ) { var oCurrentBlock = oRange.StartBlock ; var eCurrentCell = FCKTools.GetElementAscensor( oCurrentBlock, 'td' ); var eNext = FCKDomTools.GetNextSourceElement( oCurrentBlock, true, [ oRange.StartBlockLimit.nodeName ], ['UL','OL','TR'], true ) ; // Bug #1323 : if we're in a table cell, and the next node belongs to a different cell, then don't // delete anything. if ( eCurrentCell ) { var eNextCell = FCKTools.GetElementAscensor( eNext, 'td' ); if ( eNextCell != eCurrentCell ) return true ; } bCustom = this._ExecuteBackspace( oRange, oCurrentBlock, eNext ) ; } oRange.Release() ; return bCustom ; } /* * Executes the <Tab> key behavior. */ FCKEnterKey.prototype.DoTab = function() { var oRange = new FCKDomRange( this.Window ); oRange.MoveToSelection() ; // If the user pressed <tab> inside a table, we should give him the default behavior ( moving between cells ) // instead of giving him more non-breaking spaces. (Bug #973) var node = oRange._Range.startContainer ; while ( node ) { if ( node.nodeType == 1 ) { var tagName = node.tagName.toLowerCase() ; if ( tagName == "tr" || tagName == "td" || tagName == "th" || tagName == "tbody" || tagName == "table" ) return false ; else break ; } node = node.parentNode ; } if ( this.TabText ) { oRange.DeleteContents() ; oRange.InsertNode( this.Window.document.createTextNode( this.TabText ) ) ; oRange.Collapse( false ) ; oRange.Select() ; } return true ; } FCKEnterKey.prototype._ExecuteEnterBlock = function( blockTag, range ) { // Get the current selection. var oRange = range || new FCKDomRange( this.Window ) ; var oSplitInfo = oRange.SplitBlock( blockTag ) ; if ( oSplitInfo ) { // Get the current blocks. var ePreviousBlock = oSplitInfo.PreviousBlock ; var eNextBlock = oSplitInfo.NextBlock ; var bIsStartOfBlock = oSplitInfo.WasStartOfBlock ; var bIsEndOfBlock = oSplitInfo.WasEndOfBlock ; // If there is one block under a list item, modify the split so that the list item gets split as well. (Bug #1647) if ( eNextBlock ) { if ( eNextBlock.parentNode.nodeName.IEquals( 'li' ) ) { FCKDomTools.BreakParent( eNextBlock, eNextBlock.parentNode ) ; FCKDomTools.MoveNode( eNextBlock, eNextBlock.nextSibling, true ) ; } } else if ( ePreviousBlock && ePreviousBlock.parentNode.nodeName.IEquals( 'li' ) ) { FCKDomTools.BreakParent( ePreviousBlock, ePreviousBlock.parentNode ) ; oRange.MoveToElementEditStart( ePreviousBlock.nextSibling ); FCKDomTools.MoveNode( ePreviousBlock, ePreviousBlock.previousSibling ) ; } // If we have both the previous and next blocks, it means that the // boundaries were on separated blocks, or none of them where on the // block limits (start/end). if ( !bIsStartOfBlock && !bIsEndOfBlock ) { // If the next block is an <li> with another list tree as the first child // We'll need to append a placeholder or the list item wouldn't be editable. (Bug #1420) if ( eNextBlock.nodeName.IEquals( 'li' ) && eNextBlock.firstChild && eNextBlock.firstChild.nodeName.IEquals( ['ul', 'ol'] ) ) eNextBlock.insertBefore( FCKTools.GetElementDocument( eNextBlock ).createTextNode( '\xa0' ), eNextBlock.firstChild ) ; // Move the selection to the end block. if ( eNextBlock ) oRange.MoveToElementEditStart( eNextBlock ) ; } else { if ( bIsStartOfBlock && bIsEndOfBlock && ePreviousBlock.tagName.toUpperCase() == 'LI' ) { oRange.MoveToElementStart( ePreviousBlock ) ; this._OutdentWithSelection( ePreviousBlock, oRange ) ; oRange.Release() ; return true ; } var eNewBlock ; if ( ePreviousBlock ) { var sPreviousBlockTag = ePreviousBlock.tagName.toUpperCase() ; // If is a header tag, or we are in a Shift+Enter (#77), // create a new block element (later in the code). if ( !this._HasShift && !(/^H[1-6]$/).test( sPreviousBlockTag ) ) { // Otherwise, duplicate the previous block. eNewBlock = FCKDomTools.CloneElement( ePreviousBlock ) ; } } else if ( eNextBlock ) eNewBlock = FCKDomTools.CloneElement( eNextBlock ) ; if ( !eNewBlock ) eNewBlock = this.Window.document.createElement( blockTag ) ; // Recreate the inline elements tree, which was available // before the hitting enter, so the same styles will be // available in the new block. var elementPath = oSplitInfo.ElementPath ; if ( elementPath ) { for ( var i = 0, len = elementPath.Elements.length ; i < len ; i++ ) { var element = elementPath.Elements[i] ; if ( element == elementPath.Block || element == elementPath.BlockLimit ) break ; if ( FCKListsLib.InlineChildReqElements[ element.nodeName.toLowerCase() ] ) { element = FCKDomTools.CloneElement( element ) ; FCKDomTools.MoveChildren( eNewBlock, element ) ; eNewBlock.appendChild( element ) ; } } } if ( FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( eNewBlock ) ; oRange.InsertNode( eNewBlock ) ; // This is tricky, but to make the new block visible correctly // we must select it. if ( FCKBrowserInfo.IsIE ) { // Move the selection to the new block. oRange.MoveToElementEditStart( eNewBlock ) ; oRange.Select() ; } // Move the selection to the new block. oRange.MoveToElementEditStart( bIsStartOfBlock && !bIsEndOfBlock ? eNextBlock : eNewBlock ) ; } if ( FCKBrowserInfo.IsGeckoLike ) { if ( eNextBlock ) { // If we have split the block, adds a temporary span at the // range position and scroll relatively to it. var tmpNode = this.Window.document.createElement( 'span' ) ; // We need some content for Safari. tmpNode.innerHTML = '&nbsp;'; oRange.InsertNode( tmpNode ) ; FCKDomTools.ScrollIntoView( tmpNode, false ) ; oRange.DeleteContents() ; } else { // We may use the above scroll logic for the new block case // too, but it gives some weird result with Opera. FCKDomTools.ScrollIntoView( eNextBlock || eNewBlock, false ) ; } } oRange.Select() ; } // Release the resources used by the range. oRange.Release() ; return true ; } FCKEnterKey.prototype._ExecuteEnterBr = function( blockTag ) { // Get the current selection. var oRange = new FCKDomRange( this.Window ) ; oRange.MoveToSelection() ; // The selection boundaries must be in the same "block limit" element. if ( oRange.StartBlockLimit == oRange.EndBlockLimit ) { oRange.DeleteContents() ; // Get the new selection (it is collapsed at this point). oRange.MoveToSelection() ; var bIsStartOfBlock = oRange.CheckStartOfBlock() ; var bIsEndOfBlock = oRange.CheckEndOfBlock() ; var sStartBlockTag = oRange.StartBlock ? oRange.StartBlock.tagName.toUpperCase() : '' ; var bHasShift = this._HasShift ; var bIsPre = false ; if ( !bHasShift && sStartBlockTag == 'LI' ) return this._ExecuteEnterBlock( null, oRange ) ; // If we are at the end of a header block. if ( !bHasShift && bIsEndOfBlock && (/^H[1-6]$/).test( sStartBlockTag ) ) { // Insert a BR after the current paragraph. FCKDomTools.InsertAfterNode( oRange.StartBlock, this.Window.document.createElement( 'br' ) ) ; // The space is required by Gecko only to make the cursor blink. if ( FCKBrowserInfo.IsGecko ) FCKDomTools.InsertAfterNode( oRange.StartBlock, this.Window.document.createTextNode( '' ) ) ; // IE and Gecko have different behaviors regarding the position. oRange.SetStart( oRange.StartBlock.nextSibling, FCKBrowserInfo.IsIE ? 3 : 1 ) ; } else { var eLineBreak ; bIsPre = sStartBlockTag.IEquals( 'pre' ) ; if ( bIsPre ) eLineBreak = this.Window.document.createTextNode( FCKBrowserInfo.IsIE ? '\r' : '\n' ) ; else eLineBreak = this.Window.document.createElement( 'br' ) ; oRange.InsertNode( eLineBreak ) ; // The space is required by Gecko only to make the cursor blink. if ( FCKBrowserInfo.IsGecko ) FCKDomTools.InsertAfterNode( eLineBreak, this.Window.document.createTextNode( '' ) ) ; // If we are at the end of a block, we must be sure the bogus node is available in that block. if ( bIsEndOfBlock && FCKBrowserInfo.IsGeckoLike ) FCKTools.AppendBogusBr( eLineBreak.parentNode ) ; if ( FCKBrowserInfo.IsIE ) oRange.SetStart( eLineBreak, 4 ) ; else oRange.SetStart( eLineBreak.nextSibling, 1 ) ; if ( ! FCKBrowserInfo.IsIE ) { var dummy = null ; if ( FCKBrowserInfo.IsOpera ) dummy = this.Window.document.createElement( 'span' ) ; else dummy = this.Window.document.createElement( 'br' ) ; eLineBreak.parentNode.insertBefore( dummy, eLineBreak.nextSibling ) ; FCKDomTools.ScrollIntoView( dummy, false ) ; dummy.parentNode.removeChild( dummy ) ; } } // This collapse guarantees the cursor will be blinking. oRange.Collapse( true ) ; oRange.Select( bIsPre ) ; } // Release the resources used by the range. oRange.Release() ; return true ; } // Outdents a LI, maintaining the selection defined on a range. FCKEnterKey.prototype._OutdentWithSelection = function( li, range ) { var oBookmark = range.CreateBookmark() ; FCKListHandler.OutdentListItem( li ) ; range.MoveToBookmark( oBookmark ) ; range.Select() ; } // Is all the contents under a node included by a range? FCKEnterKey.prototype._CheckIsAllContentsIncluded = function( range, node ) { var startOk = false ; var endOk = false ; /* FCKDebug.Output( 'sc='+range.StartContainer.nodeName+ ',so='+range._Range.startOffset+ ',ec='+range.EndContainer.nodeName+ ',eo='+range._Range.endOffset ) ; */ if ( range.StartContainer == node || range.StartContainer == node.firstChild ) startOk = ( range._Range.startOffset == 0 ) ; if ( range.EndContainer == node || range.EndContainer == node.lastChild ) { var nodeLength = range.EndContainer.nodeType == 3 ? range.EndContainer.length : range.EndContainer.childNodes.length ; endOk = ( range._Range.endOffset == nodeLength ) ; } return startOk && endOk ; } // Kludge for #247 FCKEnterKey.prototype._FixIESelectAllBug = function( range ) { var doc = this.Window.document ; doc.body.innerHTML = '' ; var editBlock ; if ( FCKConfig.EnterMode.IEquals( ['div', 'p'] ) ) { editBlock = doc.createElement( FCKConfig.EnterMode ) ; doc.body.appendChild( editBlock ) ; } else editBlock = doc.body ; range.MoveToNodeContents( editBlock ) ; range.Collapse( true ) ; range.Select() ; range.Release() ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarButton Class: represents a button in the toolbar. */ var FCKToolbarButton = function( commandName, label, tooltip, style, sourceView, contextSensitive, icon ) { this.CommandName = commandName ; this.Label = label ; this.Tooltip = tooltip ; this.Style = style ; this.SourceView = sourceView ? true : false ; this.ContextSensitive = contextSensitive ? true : false ; if ( icon == null ) this.IconPath = FCKConfig.SkinPath + 'toolbar/' + commandName.toLowerCase() + '.gif' ; else if ( typeof( icon ) == 'number' ) this.IconPath = [ FCKConfig.SkinPath + 'fck_strip.gif', 16, icon ] ; else this.IconPath = icon ; } FCKToolbarButton.prototype.Create = function( targetElement ) { this._UIButton = new FCKToolbarButtonUI( this.CommandName, this.Label, this.Tooltip, this.IconPath, this.Style ) ; this._UIButton.OnClick = this.Click ; this._UIButton._ToolbarButton = this ; this._UIButton.Create( targetElement ) ; } FCKToolbarButton.prototype.RefreshState = function() { var uiButton = this._UIButton ; if ( !uiButton ) return ; // Gets the actual state. var eState = FCK.ToolbarSet.CurrentInstance.Commands.GetCommand( this.CommandName ).GetState() ; // If there are no state changes than do nothing and return. if ( eState == uiButton.State ) return ; // Sets the actual state. uiButton.ChangeState( eState ) ; } FCKToolbarButton.prototype.Click = function() { var oToolbarButton = this._ToolbarButton || this ; FCK.ToolbarSet.CurrentInstance.Commands.GetCommand( oToolbarButton.CommandName ).Execute() ; } FCKToolbarButton.prototype.Enable = function() { this.RefreshState() ; } FCKToolbarButton.prototype.Disable = function() { // Sets the actual state. this._UIButton.ChangeState( FCK_TRISTATE_DISABLED ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarButtonUI Class: interface representation of a toolbar button. */ var FCKToolbarButtonUI = function( name, label, tooltip, iconPathOrStripInfoArray, style, state ) { this.Name = name ; this.Label = label || name ; this.Tooltip = tooltip || this.Label ; this.Style = style || FCK_TOOLBARITEM_ONLYICON ; this.State = state || FCK_TRISTATE_OFF ; this.Icon = new FCKIcon( iconPathOrStripInfoArray ) ; if ( FCK.IECleanup ) FCK.IECleanup.AddItem( this, FCKToolbarButtonUI_Cleanup ) ; } FCKToolbarButtonUI.prototype._CreatePaddingElement = function( document ) { var oImg = document.createElement( 'IMG' ) ; oImg.className = 'TB_Button_Padding' ; oImg.src = FCK_SPACER_PATH ; return oImg ; } FCKToolbarButtonUI.prototype.Create = function( parentElement ) { var oDoc = FCKTools.GetElementDocument( parentElement ) ; // Create the Main Element. var oMainElement = this.MainElement = oDoc.createElement( 'DIV' ) ; oMainElement.title = this.Tooltip ; // The following will prevent the button from catching the focus. if ( FCKBrowserInfo.IsGecko ) oMainElement.onmousedown = FCKTools.CancelEvent ; FCKTools.AddEventListenerEx( oMainElement, 'mouseover', FCKToolbarButtonUI_OnMouseOver, this ) ; FCKTools.AddEventListenerEx( oMainElement, 'mouseout', FCKToolbarButtonUI_OnMouseOut, this ) ; FCKTools.AddEventListenerEx( oMainElement, 'click', FCKToolbarButtonUI_OnClick, this ) ; this.ChangeState( this.State, true ) ; if ( this.Style == FCK_TOOLBARITEM_ONLYICON && !this.ShowArrow ) { // <td><div class="TB_Button_On" title="Smiley">{Image}</div></td> oMainElement.appendChild( this.Icon.CreateIconElement( oDoc ) ) ; } else { // <td><div class="TB_Button_On" title="Smiley"><table cellpadding="0" cellspacing="0"><tr><td>{Image}</td><td nowrap>Toolbar Button</td><td><img class="TB_Button_Padding"></td></tr></table></div></td> // <td><div class="TB_Button_On" title="Smiley"><table cellpadding="0" cellspacing="0"><tr><td><img class="TB_Button_Padding"></td><td nowrap>Toolbar Button</td><td><img class="TB_Button_Padding"></td></tr></table></div></td> var oTable = oMainElement.appendChild( oDoc.createElement( 'TABLE' ) ) ; oTable.cellPadding = 0 ; oTable.cellSpacing = 0 ; var oRow = oTable.insertRow(-1) ; // The Image cell (icon or padding). var oCell = oRow.insertCell(-1) ; if ( this.Style == FCK_TOOLBARITEM_ONLYICON || this.Style == FCK_TOOLBARITEM_ICONTEXT ) oCell.appendChild( this.Icon.CreateIconElement( oDoc ) ) ; else oCell.appendChild( this._CreatePaddingElement( oDoc ) ) ; if ( this.Style == FCK_TOOLBARITEM_ONLYTEXT || this.Style == FCK_TOOLBARITEM_ICONTEXT ) { // The Text cell. oCell = oRow.insertCell(-1) ; oCell.className = 'TB_Button_Text' ; oCell.noWrap = true ; oCell.appendChild( oDoc.createTextNode( this.Label ) ) ; } if ( this.ShowArrow ) { if ( this.Style != FCK_TOOLBARITEM_ONLYICON ) { // A padding cell. oRow.insertCell(-1).appendChild( this._CreatePaddingElement( oDoc ) ) ; } oCell = oRow.insertCell(-1) ; var eImg = oCell.appendChild( oDoc.createElement( 'IMG' ) ) ; eImg.src = FCKConfig.SkinPath + 'images/toolbar.buttonarrow.gif' ; eImg.width = 5 ; eImg.height = 3 ; } // The last padding cell. oCell = oRow.insertCell(-1) ; oCell.appendChild( this._CreatePaddingElement( oDoc ) ) ; } parentElement.appendChild( oMainElement ) ; } FCKToolbarButtonUI.prototype.ChangeState = function( newState, force ) { if ( !force && this.State == newState ) return ; var e = this.MainElement ; // In IE it can happen when the page is reloaded that MainElement is null, so exit here if ( !e ) return ; switch ( parseInt( newState, 10 ) ) { case FCK_TRISTATE_OFF : e.className = 'TB_Button_Off' ; break ; case FCK_TRISTATE_ON : e.className = 'TB_Button_On' ; break ; case FCK_TRISTATE_DISABLED : e.className = 'TB_Button_Disabled' ; break ; } this.State = newState ; } function FCKToolbarButtonUI_OnMouseOver( ev, button ) { if ( button.State == FCK_TRISTATE_OFF ) this.className = 'TB_Button_Off_Over' ; else if ( button.State == FCK_TRISTATE_ON ) this.className = 'TB_Button_On_Over' ; } function FCKToolbarButtonUI_OnMouseOut( ev, button ) { if ( button.State == FCK_TRISTATE_OFF ) this.className = 'TB_Button_Off' ; else if ( button.State == FCK_TRISTATE_ON ) this.className = 'TB_Button_On' ; } function FCKToolbarButtonUI_OnClick( ev, button ) { if ( button.OnClick && button.State != FCK_TRISTATE_DISABLED ) button.OnClick( button ) ; } function FCKToolbarButtonUI_Cleanup() { // This one should not cause memory leak, but just for safety, let's clean // it up. this.MainElement = null ; } /* Sample outputs: This is the base structure. The variation is the image that is marked as {Image}: <td><div class="TB_Button_On" title="Smiley">{Image}</div></td> <td><div class="TB_Button_On" title="Smiley"><table cellpadding="0" cellspacing="0"><tr><td>{Image}</td><td nowrap>Toolbar Button</td><td><img class="TB_Button_Padding"></td></tr></table></div></td> <td><div class="TB_Button_On" title="Smiley"><table cellpadding="0" cellspacing="0"><tr><td><img class="TB_Button_Padding"></td><td nowrap>Toolbar Button</td><td><img class="TB_Button_Padding"></td></tr></table></div></td> These are samples of possible {Image} values: Strip - IE version: <div class="TB_Button_Image"><img src="strip.gif" style="top:-16px"></div> Strip : Firefox, Safari and Opera version <img class="TB_Button_Image" style="background-position: 0px -16px;background-image: url(strip.gif);"> No-Strip : Browser independent: <img class="TB_Button_Image" src="smiley.gif"> */
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKSpecialCombo Class: represents a special combo. */ var FCKSpecialCombo = function( caption, fieldWidth, panelWidth, panelMaxHeight, parentWindow ) { // Default properties values. this.FieldWidth = fieldWidth || 100 ; this.PanelWidth = panelWidth || 150 ; this.PanelMaxHeight = panelMaxHeight || 150 ; this.Label = '&nbsp;' ; this.Caption = caption ; this.Tooltip = caption ; this.Style = FCK_TOOLBARITEM_ICONTEXT ; this.Enabled = true ; this.Items = new Object() ; this._Panel = new FCKPanel( parentWindow || window ) ; this._Panel.AppendStyleSheet( FCKConfig.SkinEditorCSS ) ; this._PanelBox = this._Panel.MainNode.appendChild( this._Panel.Document.createElement( 'DIV' ) ) ; this._PanelBox.className = 'SC_Panel' ; this._PanelBox.style.width = this.PanelWidth + 'px' ; this._PanelBox.innerHTML = '<table cellpadding="0" cellspacing="0" width="100%" style="TABLE-LAYOUT: fixed"><tr><td nowrap></td></tr></table>' ; this._ItemsHolderEl = this._PanelBox.getElementsByTagName('TD')[0] ; if ( FCK.IECleanup ) FCK.IECleanup.AddItem( this, FCKSpecialCombo_Cleanup ) ; // this._Panel.StyleSheet = FCKConfig.SkinPath + 'fck_contextmenu.css' ; // this._Panel.Create() ; // this._Panel.PanelDiv.className += ' SC_Panel' ; // this._Panel.PanelDiv.innerHTML = '<table cellpadding="0" cellspacing="0" width="100%" style="TABLE-LAYOUT: fixed"><tr><td nowrap></td></tr></table>' ; // this._ItemsHolderEl = this._Panel.PanelDiv.getElementsByTagName('TD')[0] ; } function FCKSpecialCombo_ItemOnMouseOver() { this.className += ' SC_ItemOver' ; } function FCKSpecialCombo_ItemOnMouseOut() { this.className = this.originalClass ; } function FCKSpecialCombo_ItemOnClick( ev, specialCombo, itemId ) { this.className = this.originalClass ; specialCombo._Panel.Hide() ; specialCombo.SetLabel( this.FCKItemLabel ) ; if ( typeof( specialCombo.OnSelect ) == 'function' ) specialCombo.OnSelect( itemId, this ) ; } FCKSpecialCombo.prototype.ClearItems = function () { if ( this.Items ) this.Items = {} ; var itemsholder = this._ItemsHolderEl ; while ( itemsholder.firstChild ) itemsholder.removeChild( itemsholder.firstChild ) ; } FCKSpecialCombo.prototype.AddItem = function( id, html, label, bgColor ) { // <div class="SC_Item" onmouseover="this.className='SC_Item SC_ItemOver';" onmouseout="this.className='SC_Item';"><b>Bold 1</b></div> var oDiv = this._ItemsHolderEl.appendChild( this._Panel.Document.createElement( 'DIV' ) ) ; oDiv.className = oDiv.originalClass = 'SC_Item' ; oDiv.innerHTML = html ; oDiv.FCKItemLabel = label || id ; oDiv.Selected = false ; // In IE, the width must be set so the borders are shown correctly when the content overflows. if ( FCKBrowserInfo.IsIE ) oDiv.style.width = '100%' ; if ( bgColor ) oDiv.style.backgroundColor = bgColor ; FCKTools.AddEventListenerEx( oDiv, 'mouseover', FCKSpecialCombo_ItemOnMouseOver ) ; FCKTools.AddEventListenerEx( oDiv, 'mouseout', FCKSpecialCombo_ItemOnMouseOut ) ; FCKTools.AddEventListenerEx( oDiv, 'click', FCKSpecialCombo_ItemOnClick, [ this, id ] ) ; this.Items[ id.toString().toLowerCase() ] = oDiv ; return oDiv ; } FCKSpecialCombo.prototype.SelectItem = function( item ) { if ( typeof item == 'string' ) item = this.Items[ item.toString().toLowerCase() ] ; if ( item ) { item.className = item.originalClass = 'SC_ItemSelected' ; item.Selected = true ; } } FCKSpecialCombo.prototype.SelectItemByLabel = function( itemLabel, setLabel ) { for ( var id in this.Items ) { var oDiv = this.Items[id] ; if ( oDiv.FCKItemLabel == itemLabel ) { oDiv.className = oDiv.originalClass = 'SC_ItemSelected' ; oDiv.Selected = true ; if ( setLabel ) this.SetLabel( itemLabel ) ; } } } FCKSpecialCombo.prototype.DeselectAll = function( clearLabel ) { for ( var i in this.Items ) { if ( !this.Items[i] ) continue; this.Items[i].className = this.Items[i].originalClass = 'SC_Item' ; this.Items[i].Selected = false ; } if ( clearLabel ) this.SetLabel( '' ) ; } FCKSpecialCombo.prototype.SetLabelById = function( id ) { id = id ? id.toString().toLowerCase() : '' ; var oDiv = this.Items[ id ] ; this.SetLabel( oDiv ? oDiv.FCKItemLabel : '' ) ; } FCKSpecialCombo.prototype.SetLabel = function( text ) { text = ( !text || text.length == 0 ) ? '&nbsp;' : text ; if ( text == this.Label ) return ; this.Label = text ; var labelEl = this._LabelEl ; if ( labelEl ) { labelEl.innerHTML = text ; // It may happen that the label is some HTML, including tags. This // would be a problem because when the user click on those tags, the // combo will get the selection from the editing area. So we must // disable any kind of selection here. FCKTools.DisableSelection( labelEl ) ; } } FCKSpecialCombo.prototype.SetEnabled = function( isEnabled ) { this.Enabled = isEnabled ; // In IE it can happen when the page is reloaded that _OuterTable is null, so check its existence if ( this._OuterTable ) this._OuterTable.className = isEnabled ? '' : 'SC_FieldDisabled' ; } FCKSpecialCombo.prototype.Create = function( targetElement ) { var oDoc = FCKTools.GetElementDocument( targetElement ) ; var eOuterTable = this._OuterTable = targetElement.appendChild( oDoc.createElement( 'TABLE' ) ) ; eOuterTable.cellPadding = 0 ; eOuterTable.cellSpacing = 0 ; eOuterTable.insertRow(-1) ; var sClass ; var bShowLabel ; switch ( this.Style ) { case FCK_TOOLBARITEM_ONLYICON : sClass = 'TB_ButtonType_Icon' ; bShowLabel = false; break ; case FCK_TOOLBARITEM_ONLYTEXT : sClass = 'TB_ButtonType_Text' ; bShowLabel = false; break ; case FCK_TOOLBARITEM_ICONTEXT : bShowLabel = true; break ; } if ( this.Caption && this.Caption.length > 0 && bShowLabel ) { var oCaptionCell = eOuterTable.rows[0].insertCell(-1) ; oCaptionCell.innerHTML = this.Caption ; oCaptionCell.className = 'SC_FieldCaption' ; } // Create the main DIV element. var oField = FCKTools.AppendElement( eOuterTable.rows[0].insertCell(-1), 'div' ) ; if ( bShowLabel ) { oField.className = 'SC_Field' ; oField.style.width = this.FieldWidth + 'px' ; oField.innerHTML = '<table width="100%" cellpadding="0" cellspacing="0" style="TABLE-LAYOUT: fixed;"><tbody><tr><td class="SC_FieldLabel"><label>&nbsp;</label></td><td class="SC_FieldButton">&nbsp;</td></tr></tbody></table>' ; this._LabelEl = oField.getElementsByTagName('label')[0] ; // Memory Leak this._LabelEl.innerHTML = this.Label ; } else { oField.className = 'TB_Button_Off' ; //oField.innerHTML = '<span className="SC_FieldCaption">' + this.Caption + '<table cellpadding="0" cellspacing="0" style="TABLE-LAYOUT: fixed;"><tbody><tr><td class="SC_FieldButton" style="border-left: none;">&nbsp;</td></tr></tbody></table>' ; //oField.innerHTML = '<table cellpadding="0" cellspacing="0" style="TABLE-LAYOUT: fixed;"><tbody><tr><td class="SC_FieldButton" style="border-left: none;">&nbsp;</td></tr></tbody></table>' ; // Gets the correct CSS class to use for the specified style (param). oField.innerHTML = '<table title="' + this.Tooltip + '" class="' + sClass + '" cellspacing="0" cellpadding="0" border="0">' + '<tr>' + //'<td class="TB_Icon"><img src="' + FCKConfig.SkinPath + 'toolbar/' + this.Command.Name.toLowerCase() + '.gif" width="21" height="21"></td>' + '<td><img class="TB_Button_Padding" src="' + FCK_SPACER_PATH + '" /></td>' + '<td class="TB_Text">' + this.Caption + '</td>' + '<td><img class="TB_Button_Padding" src="' + FCK_SPACER_PATH + '" /></td>' + '<td class="TB_ButtonArrow"><img src="' + FCKConfig.SkinPath + 'images/toolbar.buttonarrow.gif" width="5" height="3"></td>' + '<td><img class="TB_Button_Padding" src="' + FCK_SPACER_PATH + '" /></td>' + '</tr>' + '</table>' ; } // Events Handlers FCKTools.AddEventListenerEx( oField, 'mouseover', FCKSpecialCombo_OnMouseOver, this ) ; FCKTools.AddEventListenerEx( oField, 'mouseout', FCKSpecialCombo_OnMouseOut, this ) ; FCKTools.AddEventListenerEx( oField, 'click', FCKSpecialCombo_OnClick, this ) ; FCKTools.DisableSelection( this._Panel.Document.body ) ; } function FCKSpecialCombo_Cleanup() { this._LabelEl = null ; this._OuterTable = null ; this._ItemsHolderEl = null ; this._PanelBox = null ; if ( this.Items ) { for ( var key in this.Items ) this.Items[key] = null ; } } function FCKSpecialCombo_OnMouseOver( ev, specialCombo ) { if ( specialCombo.Enabled ) { switch ( specialCombo.Style ) { case FCK_TOOLBARITEM_ONLYICON : this.className = 'TB_Button_On_Over'; break ; case FCK_TOOLBARITEM_ONLYTEXT : this.className = 'TB_Button_On_Over'; break ; case FCK_TOOLBARITEM_ICONTEXT : this.className = 'SC_Field SC_FieldOver' ; break ; } } } function FCKSpecialCombo_OnMouseOut( ev, specialCombo ) { switch ( specialCombo.Style ) { case FCK_TOOLBARITEM_ONLYICON : this.className = 'TB_Button_Off'; break ; case FCK_TOOLBARITEM_ONLYTEXT : this.className = 'TB_Button_Off'; break ; case FCK_TOOLBARITEM_ICONTEXT : this.className='SC_Field' ; break ; } } function FCKSpecialCombo_OnClick( e, specialCombo ) { // For Mozilla we must stop the event propagation to avoid it hiding // the panel because of a click outside of it. // if ( e ) // { // e.stopPropagation() ; // FCKPanelEventHandlers.OnDocumentClick( e ) ; // } if ( specialCombo.Enabled ) { var oPanel = specialCombo._Panel ; var oPanelBox = specialCombo._PanelBox ; var oItemsHolder = specialCombo._ItemsHolderEl ; var iMaxHeight = specialCombo.PanelMaxHeight ; if ( specialCombo.OnBeforeClick ) specialCombo.OnBeforeClick( specialCombo ) ; // This is a tricky thing. We must call the "Load" function, otherwise // it will not be possible to retrieve "oItemsHolder.offsetHeight" (IE only). if ( FCKBrowserInfo.IsIE ) oPanel.Preload( 0, this.offsetHeight, this ) ; if ( oItemsHolder.offsetHeight > iMaxHeight ) // { oPanelBox.style.height = iMaxHeight + 'px' ; // if ( FCKBrowserInfo.IsGecko ) // oPanelBox.style.overflow = '-moz-scrollbars-vertical' ; // } else oPanelBox.style.height = '' ; // oPanel.PanelDiv.style.width = specialCombo.PanelWidth + 'px' ; oPanel.Show( 0, this.offsetHeight, this ) ; } // return false ; } /* Sample Combo Field HTML output: <div class="SC_Field" style="width: 80px;"> <table width="100%" cellpadding="0" cellspacing="0" style="table-layout: fixed;"> <tbody> <tr> <td class="SC_FieldLabel"><label>&nbsp;</label></td> <td class="SC_FieldButton">&nbsp;</td> </tr> </tbody> </table> </div> */
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarPanelButton Class: Handles the Fonts combo selector. */ var FCKToolbarFontFormatCombo = function( tooltip, style ) { if ( tooltip === false ) return ; this.CommandName = 'FontFormat' ; this.Label = this.GetLabel() ; this.Tooltip = tooltip ? tooltip : this.Label ; this.Style = style ? style : FCK_TOOLBARITEM_ICONTEXT ; this.NormalLabel = 'Normal' ; this.PanelWidth = 190 ; this.DefaultLabel = FCKConfig.DefaultFontFormatLabel || '' ; } // Inherit from FCKToolbarSpecialCombo. FCKToolbarFontFormatCombo.prototype = new FCKToolbarStyleCombo( false ) ; FCKToolbarFontFormatCombo.prototype.GetLabel = function() { return FCKLang.FontFormat ; } FCKToolbarFontFormatCombo.prototype.GetStyles = function() { var styles = {} ; // Get the format names from the language file. var aNames = FCKLang['FontFormats'].split(';') ; var oNames = { p : aNames[0], pre : aNames[1], address : aNames[2], h1 : aNames[3], h2 : aNames[4], h3 : aNames[5], h4 : aNames[6], h5 : aNames[7], h6 : aNames[8], div : aNames[9] || ( aNames[0] + ' (DIV)') } ; // Get the available formats from the configuration file. var elements = FCKConfig.FontFormats.split(';') ; for ( var i = 0 ; i < elements.length ; i++ ) { var elementName = elements[ i ] ; var style = FCKStyles.GetStyle( '_FCK_' + elementName ) ; if ( style ) { style.Label = oNames[ elementName ] ; styles[ '_FCK_' + elementName ] = style ; } else alert( "The FCKConfig.CoreStyles['" + elementName + "'] setting was not found. Please check the fckconfig.js file" ) ; } return styles ; } FCKToolbarFontFormatCombo.prototype.RefreshActiveItems = function( targetSpecialCombo ) { var startElement = FCK.ToolbarSet.CurrentInstance.Selection.GetBoundaryParentElement( true ) ; if ( startElement ) { var path = new FCKElementPath( startElement ) ; var blockElement = path.Block ; if ( blockElement ) { for ( var i in targetSpecialCombo.Items ) { var item = targetSpecialCombo.Items[i] ; var style = item.Style ; if ( style.CheckElementRemovable( blockElement ) ) { targetSpecialCombo.SetLabel( style.Label ) ; return ; } } } } targetSpecialCombo.SetLabel( this.DefaultLabel ) ; } FCKToolbarFontFormatCombo.prototype.StyleCombo_OnBeforeClick = function( targetSpecialCombo ) { // Clear the current selection. targetSpecialCombo.DeselectAll() ; var startElement = FCK.ToolbarSet.CurrentInstance.Selection.GetBoundaryParentElement( true ) ; if ( startElement ) { var path = new FCKElementPath( startElement ) ; var blockElement = path.Block ; for ( var i in targetSpecialCombo.Items ) { var item = targetSpecialCombo.Items[i] ; var style = item.Style ; if ( style.CheckElementRemovable( blockElement ) ) { targetSpecialCombo.SelectItem( item ) ; return ; } } } }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKStyle Class: contains a style definition, and all methods to work with * the style in a document. */ /** * @param {Object} styleDesc A "style descriptor" object, containing the raw * style definition in the following format: * '<style name>' : { * Element : '<element name>', * Attributes : { * '<att name>' : '<att value>', * ... * }, * Styles : { * '<style name>' : '<style value>', * ... * }, * Overrides : '<element name>'|{ * Element : '<element name>', * Attributes : { * '<att name>' : '<att value>'|/<att regex>/ * }, * Styles : { * '<style name>' : '<style value>'|/<style regex>/ * }, * } * } */ var FCKStyle = function( styleDesc ) { this.Element = ( styleDesc.Element || 'span' ).toLowerCase() ; this._StyleDesc = styleDesc ; } FCKStyle.prototype = { /** * Get the style type, based on its element name: * - FCK_STYLE_BLOCK (0): Block Style * - FCK_STYLE_INLINE (1): Inline Style * - FCK_STYLE_OBJECT (2): Object Style */ GetType : function() { var type = this.GetType_$ ; if ( type != undefined ) return type ; var elementName = this.Element ; if ( elementName == '#' || FCKListsLib.StyleBlockElements[ elementName ] ) type = FCK_STYLE_BLOCK ; else if ( FCKListsLib.StyleObjectElements[ elementName ] ) type = FCK_STYLE_OBJECT ; else type = FCK_STYLE_INLINE ; return ( this.GetType_$ = type ) ; }, /** * Apply the style to the current selection. */ ApplyToSelection : function( targetWindow ) { // Create a range for the current selection. var range = new FCKDomRange( targetWindow ) ; range.MoveToSelection() ; this.ApplyToRange( range, true ) ; }, /** * Apply the style to a FCKDomRange. */ ApplyToRange : function( range, selectIt, updateRange ) { // ApplyToRange is not valid for FCK_STYLE_OBJECT types. // Use ApplyToObject instead. switch ( this.GetType() ) { case FCK_STYLE_BLOCK : this.ApplyToRange = this._ApplyBlockStyle ; break ; case FCK_STYLE_INLINE : this.ApplyToRange = this._ApplyInlineStyle ; break ; default : return ; } this.ApplyToRange( range, selectIt, updateRange ) ; }, /** * Apply the style to an object. Valid for FCK_STYLE_BLOCK types only. */ ApplyToObject : function( objectElement ) { if ( !objectElement ) return ; this.BuildElement( null, objectElement ) ; }, /** * Remove the style from the current selection. */ RemoveFromSelection : function( targetWindow ) { // Create a range for the current selection. var range = new FCKDomRange( targetWindow ) ; range.MoveToSelection() ; this.RemoveFromRange( range, true ) ; }, /** * Remove the style from a FCKDomRange. Block type styles will have no * effect. */ RemoveFromRange : function( range, selectIt, updateRange ) { var bookmark ; // Create the attribute list to be used later for element comparisons. var styleAttribs = this._GetAttribsForComparison() ; var styleOverrides = this._GetOverridesForComparison() ; // If collapsed, we are removing all conflicting styles from the range // parent tree. if ( range.CheckIsCollapsed() ) { // Bookmark the range so we can re-select it after processing. var bookmark = range.CreateBookmark( true ) ; // Let's start from the bookmark <span> parent. var bookmarkStart = range.GetBookmarkNode( bookmark, true ) ; var path = new FCKElementPath( bookmarkStart.parentNode ) ; // While looping through the path, we'll be saving references to // parent elements if the range is in one of their boundaries. In // this way, we are able to create a copy of those elements when // removing a style if the range is in a boundary limit (see #1270). var boundaryElements = [] ; // Check if the range is in the boundary limits of an element // (related to #1270). var isBoundaryRight = !FCKDomTools.GetNextSibling( bookmarkStart ) ; var isBoundary = isBoundaryRight || !FCKDomTools.GetPreviousSibling( bookmarkStart ) ; // This is the last element to be removed in the boundary situation // described at #1270. var lastBoundaryElement ; var boundaryLimitIndex = -1 ; for ( var i = 0 ; i < path.Elements.length ; i++ ) { var pathElement = path.Elements[i] ; if ( this.CheckElementRemovable( pathElement ) ) { if ( isBoundary && !FCKDomTools.CheckIsEmptyElement( pathElement, function( el ) { return ( el != bookmarkStart ) ; } ) ) { lastBoundaryElement = pathElement ; // We'll be continuously including elements in the // boundaryElements array, but only those added before // setting lastBoundaryElement must be used later, so // let's mark the current index here. boundaryLimitIndex = boundaryElements.length - 1 ; } else { var pathElementName = pathElement.nodeName.toLowerCase() ; if ( pathElementName == this.Element ) { // Remove any attribute that conflict with this style, no // matter their values. for ( var att in styleAttribs ) { if ( FCKDomTools.HasAttribute( pathElement, att ) ) { switch ( att ) { case 'style' : this._RemoveStylesFromElement( pathElement ) ; break ; case 'class' : // The 'class' element value must match (#1318). if ( FCKDomTools.GetAttributeValue( pathElement, att ) != this.GetFinalAttributeValue( att ) ) continue ; /*jsl:fallthru*/ default : FCKDomTools.RemoveAttribute( pathElement, att ) ; } } } } // Remove overrides defined to the same element name. this._RemoveOverrides( pathElement, styleOverrides[ pathElementName ] ) ; // Remove the element if no more attributes are available and it's an inline style element if ( this.GetType() == FCK_STYLE_INLINE) this._RemoveNoAttribElement( pathElement ) ; } } else if ( isBoundary ) boundaryElements.push( pathElement ) ; // Check if we are still in a boundary (at the same side). isBoundary = isBoundary && ( ( isBoundaryRight && !FCKDomTools.GetNextSibling( pathElement ) ) || ( !isBoundaryRight && !FCKDomTools.GetPreviousSibling( pathElement ) ) ) ; // If we are in an element that is not anymore a boundary, or // we are at the last element, let's move things outside the // boundary (if available). if ( lastBoundaryElement && ( !isBoundary || ( i == path.Elements.length - 1 ) ) ) { // Remove the bookmark node from the DOM. var currentElement = FCKDomTools.RemoveNode( bookmarkStart ) ; // Build the collapsed group of elements that are not // removed by this style, but share the boundary. // (see comment 1 and 2 at #1270) for ( var j = 0 ; j <= boundaryLimitIndex ; j++ ) { var newElement = FCKDomTools.CloneElement( boundaryElements[j] ) ; newElement.appendChild( currentElement ) ; currentElement = newElement ; } // Re-insert the bookmark node (and the collapsed elements) // in the DOM, in the new position next to the styled element. if ( isBoundaryRight ) FCKDomTools.InsertAfterNode( lastBoundaryElement, currentElement ) ; else lastBoundaryElement.parentNode.insertBefore( currentElement, lastBoundaryElement ) ; isBoundary = false ; lastBoundaryElement = null ; } } // Re-select the original range. if ( selectIt ) range.SelectBookmark( bookmark ) ; if ( updateRange ) range.MoveToBookmark( bookmark ) ; return ; } // Expand the range, if inside inline element boundaries. range.Expand( 'inline_elements' ) ; // Bookmark the range so we can re-select it after processing. bookmark = range.CreateBookmark( true ) ; // The style will be applied within the bookmark boundaries. var startNode = range.GetBookmarkNode( bookmark, true ) ; var endNode = range.GetBookmarkNode( bookmark, false ) ; range.Release( true ) ; // We need to check the selection boundaries (bookmark spans) to break // the code in a way that we can properly remove partially selected nodes. // For example, removing a <b> style from // <b>This is [some text</b> to show <b>the] problem</b> // ... where [ and ] represent the selection, must result: // <b>This is </b>[some text to show the]<b> problem</b> // The strategy is simple, we just break the partial nodes before the // removal logic, having something that could be represented this way: // <b>This is </b>[<b>some text</b> to show <b>the</b>]<b> problem</b> // Let's start checking the start boundary. var path = new FCKElementPath( startNode ) ; var pathElements = path.Elements ; var pathElement ; for ( var i = 1 ; i < pathElements.length ; i++ ) { pathElement = pathElements[i] ; if ( pathElement == path.Block || pathElement == path.BlockLimit ) break ; // If this element can be removed (even partially). if ( this.CheckElementRemovable( pathElement ) ) FCKDomTools.BreakParent( startNode, pathElement, range ) ; } // Now the end boundary. path = new FCKElementPath( endNode ) ; pathElements = path.Elements ; for ( var i = 1 ; i < pathElements.length ; i++ ) { pathElement = pathElements[i] ; if ( pathElement == path.Block || pathElement == path.BlockLimit ) break ; elementName = pathElement.nodeName.toLowerCase() ; // If this element can be removed (even partially). if ( this.CheckElementRemovable( pathElement ) ) FCKDomTools.BreakParent( endNode, pathElement, range ) ; } // Navigate through all nodes between the bookmarks. var currentNode = FCKDomTools.GetNextSourceNode( startNode, true ) ; while ( currentNode ) { // Cache the next node to be processed. Do it now, because // currentNode may be removed. var nextNode = FCKDomTools.GetNextSourceNode( currentNode ) ; // Remove elements nodes that match with this style rules. if ( currentNode.nodeType == 1 ) { var elementName = currentNode.nodeName.toLowerCase() ; var mayRemove = ( elementName == this.Element ) ; if ( mayRemove ) { // Remove any attribute that conflict with this style, no matter // their values. for ( var att in styleAttribs ) { if ( FCKDomTools.HasAttribute( currentNode, att ) ) { switch ( att ) { case 'style' : this._RemoveStylesFromElement( currentNode ) ; break ; case 'class' : // The 'class' element value must match (#1318). if ( FCKDomTools.GetAttributeValue( currentNode, att ) != this.GetFinalAttributeValue( att ) ) continue ; /*jsl:fallthru*/ default : FCKDomTools.RemoveAttribute( currentNode, att ) ; } } } } else mayRemove = !!styleOverrides[ elementName ] ; if ( mayRemove ) { // Remove overrides defined to the same element name. this._RemoveOverrides( currentNode, styleOverrides[ elementName ] ) ; // Remove the element if no more attributes are available. this._RemoveNoAttribElement( currentNode ) ; } } // If we have reached the end of the selection, stop looping. if ( nextNode == endNode ) break ; currentNode = nextNode ; } this._FixBookmarkStart( startNode ) ; // Re-select the original range. if ( selectIt ) range.SelectBookmark( bookmark ) ; if ( updateRange ) range.MoveToBookmark( bookmark ) ; }, /** * Checks if an element, or any of its attributes, is removable by the * current style definition. */ CheckElementRemovable : function( element, fullMatch ) { if ( !element ) return false ; var elementName = element.nodeName.toLowerCase() ; // If the element name is the same as the style name. if ( elementName == this.Element ) { // If no attributes are defined in the element. if ( !fullMatch && !FCKDomTools.HasAttributes( element ) ) return true ; // If any attribute conflicts with the style attributes. var attribs = this._GetAttribsForComparison() ; var allMatched = ( attribs._length == 0 ) ; for ( var att in attribs ) { if ( att == '_length' ) continue ; if ( this._CompareAttributeValues( att, FCKDomTools.GetAttributeValue( element, att ), ( this.GetFinalAttributeValue( att ) || '' ) ) ) { allMatched = true ; if ( !fullMatch ) break ; } else { allMatched = false ; if ( fullMatch ) return false ; } } if ( allMatched ) return true ; } // Check if the element can be somehow overriden. var override = this._GetOverridesForComparison()[ elementName ] ; if ( override ) { // If no attributes have been defined, remove the element. if ( !( attribs = override.Attributes ) ) // Only one "=" return true ; for ( var i = 0 ; i < attribs.length ; i++ ) { var attName = attribs[i][0] ; if ( FCKDomTools.HasAttribute( element, attName ) ) { var attValue = attribs[i][1] ; // Remove the attribute if: // - The override definition value is null ; // - The override definition valie is a string that // matches the attribute value exactly. // - The override definition value is a regex that // has matches in the attribute value. if ( attValue == null || ( typeof attValue == 'string' && FCKDomTools.GetAttributeValue( element, attName ) == attValue ) || attValue.test( FCKDomTools.GetAttributeValue( element, attName ) ) ) return true ; } } } return false ; }, /** * Get the style state for an element path. Returns "true" if the element * is active in the path. */ CheckActive : function( elementPath ) { switch ( this.GetType() ) { case FCK_STYLE_BLOCK : return this.CheckElementRemovable( elementPath.Block || elementPath.BlockLimit, true ) ; case FCK_STYLE_INLINE : var elements = elementPath.Elements ; for ( var i = 0 ; i < elements.length ; i++ ) { var element = elements[i] ; if ( element == elementPath.Block || element == elementPath.BlockLimit ) continue ; if ( this.CheckElementRemovable( element, true ) ) return true ; } } return false ; }, /** * Removes an inline style from inside an element tree. The element node * itself is not checked or removed, only the child tree inside of it. */ RemoveFromElement : function( element ) { var attribs = this._GetAttribsForComparison() ; var overrides = this._GetOverridesForComparison() ; // Get all elements with the same name. var innerElements = element.getElementsByTagName( this.Element ) ; for ( var i = innerElements.length - 1 ; i >= 0 ; i-- ) { var innerElement = innerElements[i] ; // Remove any attribute that conflict with this style, no matter // their values. for ( var att in attribs ) { if ( FCKDomTools.HasAttribute( innerElement, att ) ) { switch ( att ) { case 'style' : this._RemoveStylesFromElement( innerElement ) ; break ; case 'class' : // The 'class' element value must match (#1318). if ( FCKDomTools.GetAttributeValue( innerElement, att ) != this.GetFinalAttributeValue( att ) ) continue ; /*jsl:fallthru*/ default : FCKDomTools.RemoveAttribute( innerElement, att ) ; } } } // Remove overrides defined to the same element name. this._RemoveOverrides( innerElement, overrides[ this.Element ] ) ; // Remove the element if no more attributes are available. this._RemoveNoAttribElement( innerElement ) ; } // Now remove any other element with different name that is // defined to be overriden. for ( var overrideElement in overrides ) { if ( overrideElement != this.Element ) { // Get all elements. innerElements = element.getElementsByTagName( overrideElement ) ; for ( var i = innerElements.length - 1 ; i >= 0 ; i-- ) { var innerElement = innerElements[i] ; this._RemoveOverrides( innerElement, overrides[ overrideElement ] ) ; this._RemoveNoAttribElement( innerElement ) ; } } } }, _RemoveStylesFromElement : function( element ) { var elementStyle = element.style.cssText ; var pattern = this.GetFinalStyleValue() ; if ( elementStyle.length > 0 && pattern.length == 0 ) return ; pattern = '(^|;)\\s*(' + pattern.replace( /\s*([^ ]+):.*?(;|$)/g, '$1|' ).replace( /\|$/, '' ) + '):[^;]+' ; var regex = new RegExp( pattern, 'gi' ) ; elementStyle = elementStyle.replace( regex, '' ).Trim() ; if ( elementStyle.length == 0 || elementStyle == ';' ) FCKDomTools.RemoveAttribute( element, 'style' ) ; else element.style.cssText = elementStyle.replace( regex, '' ) ; }, /** * Remove all attributes that are defined to be overriden, */ _RemoveOverrides : function( element, override ) { var attributes = override && override.Attributes ; if ( attributes ) { for ( var i = 0 ; i < attributes.length ; i++ ) { var attName = attributes[i][0] ; if ( FCKDomTools.HasAttribute( element, attName ) ) { var attValue = attributes[i][1] ; // Remove the attribute if: // - The override definition value is null ; // - The override definition valie is a string that // matches the attribute value exactly. // - The override definition value is a regex that // has matches in the attribute value. if ( attValue == null || ( attValue.test && attValue.test( FCKDomTools.GetAttributeValue( element, attName ) ) ) || ( typeof attValue == 'string' && FCKDomTools.GetAttributeValue( element, attName ) == attValue ) ) FCKDomTools.RemoveAttribute( element, attName ) ; } } } }, /** * If the element has no more attributes, remove it. */ _RemoveNoAttribElement : function( element ) { // If no more attributes remained in the element, remove it, // leaving its children. if ( !FCKDomTools.HasAttributes( element ) ) { // Removing elements may open points where merging is possible, // so let's cache the first and last nodes for later checking. var firstChild = element.firstChild ; var lastChild = element.lastChild ; FCKDomTools.RemoveNode( element, true ) ; // Check the cached nodes for merging. this._MergeSiblings( firstChild ) ; if ( firstChild != lastChild ) this._MergeSiblings( lastChild ) ; } }, /** * Creates a DOM element for this style object. */ BuildElement : function( targetDoc, element ) { // Create the element. var el = element || targetDoc.createElement( this.Element ) ; // Assign all defined attributes. var attribs = this._StyleDesc.Attributes ; var attValue ; if ( attribs ) { for ( var att in attribs ) { attValue = this.GetFinalAttributeValue( att ) ; if ( att.toLowerCase() == 'class' ) el.className = attValue ; else el.setAttribute( att, attValue ) ; } } // Assign the style attribute. if ( this._GetStyleText().length > 0 ) el.style.cssText = this.GetFinalStyleValue() ; return el ; }, _CompareAttributeValues : function( attName, valueA, valueB ) { if ( attName == 'style' && valueA && valueB ) { valueA = valueA.replace( /;$/, '' ).toLowerCase() ; valueB = valueB.replace( /;$/, '' ).toLowerCase() ; } // Return true if they match or if valueA is null and valueB is an empty string return ( valueA == valueB || ( ( valueA === null || valueA === '' ) && ( valueB === null || valueB === '' ) ) ) }, GetFinalAttributeValue : function( attName ) { var attValue = this._StyleDesc.Attributes ; var attValue = attValue ? attValue[ attName ] : null ; if ( !attValue && attName == 'style' ) return this.GetFinalStyleValue() ; if ( attValue && this._Variables ) // Using custom Replace() to guarantee the correct scope. attValue = attValue.Replace( FCKRegexLib.StyleVariableAttName, this._GetVariableReplace, this ) ; return attValue ; }, GetFinalStyleValue : function() { var attValue = this._GetStyleText() ; if ( attValue.length > 0 && this._Variables ) { // Using custom Replace() to guarantee the correct scope. attValue = attValue.Replace( FCKRegexLib.StyleVariableAttName, this._GetVariableReplace, this ) ; attValue = FCKTools.NormalizeCssText( attValue ) ; } return attValue ; }, _GetVariableReplace : function() { // The second group in the regex is the variable name. return this._Variables[ arguments[2] ] || arguments[0] ; }, /** * Set the value of a variable attribute or style, to be used when * appliying the style. */ SetVariable : function( name, value ) { var variables = this._Variables ; if ( !variables ) variables = this._Variables = {} ; this._Variables[ name ] = value ; }, /** * Converting from a PRE block to a non-PRE block in formatting operations. */ _FromPre : function( doc, block, newBlock ) { var innerHTML = block.innerHTML ; // Trim the first and last linebreaks immediately after and before <pre>, </pre>, // if they exist. // This is done because the linebreaks are not rendered. innerHTML = innerHTML.replace( /(\r\n|\r)/g, '\n' ) ; innerHTML = innerHTML.replace( /^[ \t]*\n/, '' ) ; innerHTML = innerHTML.replace( /\n$/, '' ) ; // 1. Convert spaces or tabs at the beginning or at the end to &nbsp; innerHTML = innerHTML.replace( /^[ \t]+|[ \t]+$/g, function( match, offset, s ) { if ( match.length == 1 ) // one space, preserve it return '&nbsp;' ; else if ( offset == 0 ) // beginning of block return new Array( match.length ).join( '&nbsp;' ) + ' ' ; else // end of block return ' ' + new Array( match.length ).join( '&nbsp;' ) ; } ) ; // 2. Convert \n to <BR>. // 3. Convert contiguous (i.e. non-singular) spaces or tabs to &nbsp; var htmlIterator = new FCKHtmlIterator( innerHTML ) ; var results = [] ; htmlIterator.Each( function( isTag, value ) { if ( !isTag ) { value = value.replace( /\n/g, '<br>' ) ; value = value.replace( /[ \t]{2,}/g, function ( match ) { return new Array( match.length ).join( '&nbsp;' ) + ' ' ; } ) ; } results.push( value ) ; } ) ; newBlock.innerHTML = results.join( '' ) ; return newBlock ; }, /** * Converting from a non-PRE block to a PRE block in formatting operations. */ _ToPre : function( doc, block, newBlock ) { // Handle converting from a regular block to a <pre> block. var innerHTML = block.innerHTML.Trim() ; // 1. Delete ANSI whitespaces immediately before and after <BR> because // they are not visible. // 2. Mark down any <BR /> nodes here so they can be turned into \n in // the next step and avoid being compressed. innerHTML = innerHTML.replace( /[ \t\r\n]*(<br[^>]*>)[ \t\r\n]*/gi, '<br />' ) ; // 3. Compress other ANSI whitespaces since they're only visible as one // single space previously. // 4. Convert &nbsp; to spaces since &nbsp; is no longer needed in <PRE>. // 5. Convert any <BR /> to \n. This must not be done earlier because // the \n would then get compressed. var htmlIterator = new FCKHtmlIterator( innerHTML ) ; var results = [] ; htmlIterator.Each( function( isTag, value ) { if ( !isTag ) value = value.replace( /([ \t\n\r]+|&nbsp;)/g, ' ' ) ; else if ( isTag && value == '<br />' ) value = '\n' ; results.push( value ) ; } ) ; // Assigning innerHTML to <PRE> in IE causes all linebreaks to be // reduced to spaces. // Assigning outerHTML to <PRE> in IE doesn't work if the <PRE> isn't // contained in another node since the node reference is changed after // outerHTML assignment. // So, we need some hacks to workaround IE bugs here. if ( FCKBrowserInfo.IsIE ) { var temp = doc.createElement( 'div' ) ; temp.appendChild( newBlock ) ; newBlock.outerHTML = '<pre>\n' + results.join( '' ) + '</pre>' ; newBlock = temp.removeChild( temp.firstChild ) ; } else newBlock.innerHTML = results.join( '' ) ; return newBlock ; }, /** * Merge a <pre> block with a previous <pre> block, if available. */ _CheckAndMergePre : function( previousBlock, preBlock ) { // Check if the previous block and the current block are next // to each other. if ( previousBlock != FCKDomTools.GetPreviousSourceElement( preBlock, true ) ) return ; // Merge the previous <pre> block contents into the current <pre> // block. // // Another thing to be careful here is that currentBlock might contain // a '\n' at the beginning, and previousBlock might contain a '\n' // towards the end. These new lines are not normally displayed but they // become visible after merging. var innerHTML = previousBlock.innerHTML.replace( /\n$/, '' ) + '\n\n' + preBlock.innerHTML.replace( /^\n/, '' ) ; // Buggy IE normalizes innerHTML from <pre>, breaking whitespaces. if ( FCKBrowserInfo.IsIE ) preBlock.outerHTML = '<pre>' + innerHTML + '</pre>' ; else preBlock.innerHTML = innerHTML ; // Remove the previous <pre> block. // // The preBlock must not be moved or deleted from the DOM tree. This // guarantees the FCKDomRangeIterator in _ApplyBlockStyle would not // get lost at the next iteration. FCKDomTools.RemoveNode( previousBlock ) ; }, _CheckAndSplitPre : function( newBlock ) { var lastNewBlock ; var cursor = newBlock.firstChild ; // We are not splitting <br><br> at the beginning of the block, so // we'll start from the second child. cursor = cursor && cursor.nextSibling ; while ( cursor ) { var next = cursor.nextSibling ; // If we have two <BR>s, and they're not at the beginning or the end, // then we'll split up the contents following them into another block. // Stop processing if we are at the last child couple. if ( next && next.nextSibling && cursor.nodeName.IEquals( 'br' ) && next.nodeName.IEquals( 'br' ) ) { // Remove the first <br>. FCKDomTools.RemoveNode( cursor ) ; // Move to the node after the second <br>. cursor = next.nextSibling ; // Remove the second <br>. FCKDomTools.RemoveNode( next ) ; // Create the block that will hold the child nodes from now on. lastNewBlock = FCKDomTools.InsertAfterNode( lastNewBlock || newBlock, FCKDomTools.CloneElement( newBlock ) ) ; continue ; } // If we split it, then start moving the nodes to the new block. if ( lastNewBlock ) { cursor = cursor.previousSibling ; FCKDomTools.MoveNode(cursor.nextSibling, lastNewBlock ) ; } cursor = cursor.nextSibling ; } }, /** * Apply an inline style to a FCKDomRange. * * TODO * - Implement the "#" style handling. * - Properly handle block containers like <div> and <blockquote>. */ _ApplyBlockStyle : function( range, selectIt, updateRange ) { // Bookmark the range so we can re-select it after processing. var bookmark ; if ( selectIt ) bookmark = range.CreateBookmark() ; var iterator = new FCKDomRangeIterator( range ) ; iterator.EnforceRealBlocks = true ; var block ; var doc = range.Window.document ; var previousPreBlock ; while( ( block = iterator.GetNextParagraph() ) ) // Only one = { // Create the new node right before the current one. var newBlock = this.BuildElement( doc ) ; // Check if we are changing from/to <pre>. var newBlockIsPre = newBlock.nodeName.IEquals( 'pre' ) ; var blockIsPre = block.nodeName.IEquals( 'pre' ) ; var toPre = newBlockIsPre && !blockIsPre ; var fromPre = !newBlockIsPre && blockIsPre ; // Move everything from the current node to the new one. if ( toPre ) newBlock = this._ToPre( doc, block, newBlock ) ; else if ( fromPre ) newBlock = this._FromPre( doc, block, newBlock ) ; else // Convering from a regular block to another regular block. FCKDomTools.MoveChildren( block, newBlock ) ; // Replace the current block. block.parentNode.insertBefore( newBlock, block ) ; FCKDomTools.RemoveNode( block ) ; // Complete other tasks after inserting the node in the DOM. if ( newBlockIsPre ) { if ( previousPreBlock ) this._CheckAndMergePre( previousPreBlock, newBlock ) ; // Merge successive <pre> blocks. previousPreBlock = newBlock ; } else if ( fromPre ) this._CheckAndSplitPre( newBlock ) ; // Split <br><br> in successive <pre>s. } // Re-select the original range. if ( selectIt ) range.SelectBookmark( bookmark ) ; if ( updateRange ) range.MoveToBookmark( bookmark ) ; }, /** * Apply an inline style to a FCKDomRange. * * TODO * - Merge elements, when applying styles to similar elements that enclose * the entire selection, outputing: * <span style="color: #ff0000; background-color: #ffffff">XYZ</span> * instead of: * <span style="color: #ff0000;"><span style="background-color: #ffffff">XYZ</span></span> */ _ApplyInlineStyle : function( range, selectIt, updateRange ) { var doc = range.Window.document ; if ( range.CheckIsCollapsed() ) { // Create the element to be inserted in the DOM. var collapsedElement = this.BuildElement( doc ) ; range.InsertNode( collapsedElement ) ; range.MoveToPosition( collapsedElement, 2 ) ; range.Select() ; return ; } // The general idea here is navigating through all nodes inside the // current selection, working on distinct range blocks, defined by the // DTD compatibility between the style element and the nodes inside the // ranges. // // For example, suppose we have the following selection (where [ and ] // are the boundaries), and we apply a <b> style there: // // <p>Here we [have <b>some</b> text.<p> // <p>And some here] here.</p> // // Two different ranges will be detected: // // "have <b>some</b> text." // "And some here" // // Both ranges will be extracted, moved to a <b> element, and // re-inserted, resulting in the following output: // // <p>Here we [<b>have some text.</b><p> // <p><b>And some here</b>] here.</p> // // Note that the <b> element at <b>some</b> is also removed because it // is not needed anymore. var elementName = this.Element ; // Get the DTD definition for the element. Defaults to "span". var elementDTD = FCK.DTD[ elementName ] || FCK.DTD.span ; // Create the attribute list to be used later for element comparisons. var styleAttribs = this._GetAttribsForComparison() ; var styleNode ; // Expand the range, if inside inline element boundaries. range.Expand( 'inline_elements' ) ; // Bookmark the range so we can re-select it after processing. var bookmark = range.CreateBookmark( true ) ; // The style will be applied within the bookmark boundaries. var startNode = range.GetBookmarkNode( bookmark, true ) ; var endNode = range.GetBookmarkNode( bookmark, false ) ; // We'll be reusing the range to apply the styles. So, release it here // to indicate that it has not been initialized. range.Release( true ) ; // Let's start the nodes lookup from the node right after the bookmark // span. var currentNode = FCKDomTools.GetNextSourceNode( startNode, true ) ; while ( currentNode ) { var applyStyle = false ; var nodeType = currentNode.nodeType ; var nodeName = nodeType == 1 ? currentNode.nodeName.toLowerCase() : null ; // Check if the current node can be a child of the style element. if ( !nodeName || elementDTD[ nodeName ] ) { // Check if the style element can be a child of the current // node parent or if the element is not defined in the DTD. if ( ( FCK.DTD[ currentNode.parentNode.nodeName.toLowerCase() ] || FCK.DTD.span )[ elementName ] || !FCK.DTD[ elementName ] ) { // This node will be part of our range, so if it has not // been started, place its start right before the node. if ( !range.CheckHasRange() ) range.SetStart( currentNode, 3 ) ; // Non element nodes, or empty elements can be added // completely to the range. if ( nodeType != 1 || currentNode.childNodes.length == 0 ) { var includedNode = currentNode ; var parentNode = includedNode.parentNode ; // This node is about to be included completelly, but, // if this is the last node in its parent, we must also // check if the parent itself can be added completelly // to the range. while ( includedNode == parentNode.lastChild && elementDTD[ parentNode.nodeName.toLowerCase() ] ) { includedNode = parentNode ; } range.SetEnd( includedNode, 4 ) ; // If the included node is the last node in its parent // and its parent can't be inside the style node, apply // the style immediately. if ( includedNode == includedNode.parentNode.lastChild && !elementDTD[ includedNode.parentNode.nodeName.toLowerCase() ] ) applyStyle = true ; } else { // Element nodes will not be added directly. We need to // check their children because the selection could end // inside the node, so let's place the range end right // before the element. range.SetEnd( currentNode, 3 ) ; } } else applyStyle = true ; } else applyStyle = true ; // Get the next node to be processed. currentNode = FCKDomTools.GetNextSourceNode( currentNode ) ; // If we have reached the end of the selection, just apply the // style ot the range, and stop looping. if ( currentNode == endNode ) { currentNode = null ; applyStyle = true ; } // Apply the style if we have something to which apply it. if ( applyStyle && range.CheckHasRange() && !range.CheckIsCollapsed() ) { // Build the style element, based on the style object definition. styleNode = this.BuildElement( doc ) ; // Move the contents of the range to the style element. range.ExtractContents().AppendTo( styleNode ) ; // If it is not empty. if ( styleNode.innerHTML.RTrim().length > 0 ) { // Insert it in the range position (it is collapsed after // ExtractContents. range.InsertNode( styleNode ) ; // Here we do some cleanup, removing all duplicated // elements from the style element. this.RemoveFromElement( styleNode ) ; // Let's merge our new style with its neighbors, if possible. this._MergeSiblings( styleNode, this._GetAttribsForComparison() ) ; // As the style system breaks text nodes constantly, let's normalize // things for performance. // With IE, some paragraphs get broken when calling normalize() // repeatedly. Also, for IE, we must normalize body, not documentElement. // IE is also known for having a "crash effect" with normalize(). // We should try to normalize with IE too in some way, somewhere. if ( !FCKBrowserInfo.IsIE ) styleNode.normalize() ; } // Style applied, let's release the range, so it gets marked to // re-initialization in the next loop. range.Release( true ) ; } } this._FixBookmarkStart( startNode ) ; // Re-select the original range. if ( selectIt ) range.SelectBookmark( bookmark ) ; if ( updateRange ) range.MoveToBookmark( bookmark ) ; }, _FixBookmarkStart : function( startNode ) { // After appliying or removing an inline style, the start boundary of // the selection must be placed inside all inline elements it is // bordering. var startSibling ; while ( ( startSibling = startNode.nextSibling ) ) // Only one "=". { if ( startSibling.nodeType == 1 && FCKListsLib.InlineNonEmptyElements[ startSibling.nodeName.toLowerCase() ] ) { // If it is an empty inline element, we can safely remove it. if ( !startSibling.firstChild ) FCKDomTools.RemoveNode( startSibling ) ; else FCKDomTools.MoveNode( startNode, startSibling, true ) ; continue ; } // Empty text nodes can be safely removed to not disturb. if ( startSibling.nodeType == 3 && startSibling.length == 0 ) { FCKDomTools.RemoveNode( startSibling ) ; continue ; } break ; } }, /** * Merge an element with its similar siblings. * "attribs" is and object computed with _CreateAttribsForComparison. */ _MergeSiblings : function( element, attribs ) { if ( !element || element.nodeType != 1 || !FCKListsLib.InlineNonEmptyElements[ element.nodeName.toLowerCase() ] ) return ; this._MergeNextSibling( element, attribs ) ; this._MergePreviousSibling( element, attribs ) ; }, /** * Merge an element with its similar siblings after it. * "attribs" is and object computed with _CreateAttribsForComparison. */ _MergeNextSibling : function( element, attribs ) { // Check the next sibling. var sibling = element.nextSibling ; // Check if the next sibling is a bookmark element. In this case, jump it. var hasBookmark = ( sibling && sibling.nodeType == 1 && sibling.getAttribute( '_fck_bookmark' ) ) ; if ( hasBookmark ) sibling = sibling.nextSibling ; if ( sibling && sibling.nodeType == 1 && sibling.nodeName == element.nodeName ) { if ( !attribs ) attribs = this._CreateElementAttribsForComparison( element ) ; if ( this._CheckAttributesMatch( sibling, attribs ) ) { // Save the last child to be checked too (to merge things like <b><i></i></b><b><i></i></b>). var innerSibling = element.lastChild ; if ( hasBookmark ) FCKDomTools.MoveNode( element.nextSibling, element ) ; // Move contents from the sibling. FCKDomTools.MoveChildren( sibling, element ) ; FCKDomTools.RemoveNode( sibling ) ; // Now check the last inner child (see two comments above). if ( innerSibling ) this._MergeNextSibling( innerSibling ) ; } } }, /** * Merge an element with its similar siblings before it. * "attribs" is and object computed with _CreateAttribsForComparison. */ _MergePreviousSibling : function( element, attribs ) { // Check the previous sibling. var sibling = element.previousSibling ; // Check if the previous sibling is a bookmark element. In this case, jump it. var hasBookmark = ( sibling && sibling.nodeType == 1 && sibling.getAttribute( '_fck_bookmark' ) ) ; if ( hasBookmark ) sibling = sibling.previousSibling ; if ( sibling && sibling.nodeType == 1 && sibling.nodeName == element.nodeName ) { if ( !attribs ) attribs = this._CreateElementAttribsForComparison( element ) ; if ( this._CheckAttributesMatch( sibling, attribs ) ) { // Save the first child to be checked too (to merge things like <b><i></i></b><b><i></i></b>). var innerSibling = element.firstChild ; if ( hasBookmark ) FCKDomTools.MoveNode( element.previousSibling, element, true ) ; // Move contents to the sibling. FCKDomTools.MoveChildren( sibling, element, true ) ; FCKDomTools.RemoveNode( sibling ) ; // Now check the first inner child (see two comments above). if ( innerSibling ) this._MergePreviousSibling( innerSibling ) ; } } }, /** * Build the cssText based on the styles definition. */ _GetStyleText : function() { var stylesDef = this._StyleDesc.Styles ; // Builds the StyleText. var stylesText = ( this._StyleDesc.Attributes ? this._StyleDesc.Attributes['style'] || '' : '' ) ; if ( stylesText.length > 0 ) stylesText += ';' ; for ( var style in stylesDef ) stylesText += style + ':' + stylesDef[style] + ';' ; // Browsers make some changes to the style when applying them. So, here // we normalize it to the browser format. We'll not do that if there // are variables inside the style. if ( stylesText.length > 0 && !( /#\(/.test( stylesText ) ) ) { stylesText = FCKTools.NormalizeCssText( stylesText ) ; } return (this._GetStyleText = function() { return stylesText ; })() ; }, /** * Get the the collection used to compare the attributes defined in this * style with attributes in an element. All information in it is lowercased. */ _GetAttribsForComparison : function() { // If we have already computed it, just return it. var attribs = this._GetAttribsForComparison_$ ; if ( attribs ) return attribs ; attribs = new Object() ; // Loop through all defined attributes. var styleAttribs = this._StyleDesc.Attributes ; if ( styleAttribs ) { for ( var styleAtt in styleAttribs ) { attribs[ styleAtt.toLowerCase() ] = styleAttribs[ styleAtt ].toLowerCase() ; } } // Includes the style definitions. if ( this._GetStyleText().length > 0 ) { attribs['style'] = this._GetStyleText().toLowerCase() ; } // Appends the "length" information to the object. FCKTools.AppendLengthProperty( attribs, '_length' ) ; // Return it, saving it to the next request. return ( this._GetAttribsForComparison_$ = attribs ) ; }, /** * Get the the collection used to compare the elements and attributes, * defined in this style overrides, with other element. All information in * it is lowercased. */ _GetOverridesForComparison : function() { // If we have already computed it, just return it. var overrides = this._GetOverridesForComparison_$ ; if ( overrides ) return overrides ; overrides = new Object() ; var overridesDesc = this._StyleDesc.Overrides ; if ( overridesDesc ) { // The override description can be a string, object or array. // Internally, well handle arrays only, so transform it if needed. if ( !FCKTools.IsArray( overridesDesc ) ) overridesDesc = [ overridesDesc ] ; // Loop through all override definitions. for ( var i = 0 ; i < overridesDesc.length ; i++ ) { var override = overridesDesc[i] ; var elementName ; var overrideEl ; var attrs ; // If can be a string with the element name. if ( typeof override == 'string' ) elementName = override.toLowerCase() ; // Or an object. else { elementName = override.Element ? override.Element.toLowerCase() : this.Element ; attrs = override.Attributes ; } // We can have more than one override definition for the same // element name, so we attempt to simply append information to // it if it already exists. overrideEl = overrides[ elementName ] || ( overrides[ elementName ] = {} ) ; if ( attrs ) { // The returning attributes list is an array, because we // could have different override definitions for the same // attribute name. var overrideAttrs = ( overrideEl.Attributes = overrideEl.Attributes || new Array() ) ; for ( var attName in attrs ) { // Each item in the attributes array is also an array, // where [0] is the attribute name and [1] is the // override value. overrideAttrs.push( [ attName.toLowerCase(), attrs[ attName ] ] ) ; } } } } return ( this._GetOverridesForComparison_$ = overrides ) ; }, /* * Create and object containing all attributes specified in an element, * added by a "_length" property. All values are lowercased. */ _CreateElementAttribsForComparison : function( element ) { var attribs = new Object() ; var attribsCount = 0 ; for ( var i = 0 ; i < element.attributes.length ; i++ ) { var att = element.attributes[i] ; if ( att.specified ) { attribs[ att.nodeName.toLowerCase() ] = FCKDomTools.GetAttributeValue( element, att ).toLowerCase() ; attribsCount++ ; } } attribs._length = attribsCount ; return attribs ; }, /** * Checks is the element attributes have a perfect match with the style * attributes. */ _CheckAttributesMatch : function( element, styleAttribs ) { // Loop through all specified attributes. The same number of // attributes must be found and their values must match to // declare them as equal. var elementAttrbs = element.attributes ; var matchCount = 0 ; for ( var i = 0 ; i < elementAttrbs.length ; i++ ) { var att = elementAttrbs[i] ; if ( att.specified ) { var attName = att.nodeName.toLowerCase() ; var styleAtt = styleAttribs[ attName ] ; // The attribute is not defined in the style. if ( !styleAtt ) break ; // The values are different. if ( styleAtt != FCKDomTools.GetAttributeValue( element, att ).toLowerCase() ) break ; matchCount++ ; } } return ( matchCount == styleAttribs._length ) ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKPlugin Class: Represents a single plugin. */ var FCKPlugin = function( name, availableLangs, basePath ) { this.Name = name ; this.BasePath = basePath ? basePath : FCKConfig.PluginsPath ; this.Path = this.BasePath + name + '/' ; if ( !availableLangs || availableLangs.length == 0 ) this.AvailableLangs = new Array() ; else this.AvailableLangs = availableLangs.split(',') ; } FCKPlugin.prototype.Load = function() { // Load the language file, if defined. if ( this.AvailableLangs.length > 0 ) { var sLang ; // Check if the plugin has the language file for the active language. if ( this.AvailableLangs.IndexOf( FCKLanguageManager.ActiveLanguage.Code ) >= 0 ) sLang = FCKLanguageManager.ActiveLanguage.Code ; else // Load the default language file (first one) if the current one is not available. sLang = this.AvailableLangs[0] ; // Add the main plugin script. LoadScript( this.Path + 'lang/' + sLang + '.js' ) ; } // Add the main plugin script. LoadScript( this.Path + 'fckplugin.js' ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Component that creates floating panels. It is used by many * other components, like the toolbar items, context menu, etc... */ var FCKPanel = function( parentWindow ) { this.IsRTL = ( FCKLang.Dir == 'rtl' ) ; this.IsContextMenu = false ; this._LockCounter = 0 ; this._Window = parentWindow || window ; var oDocument ; if ( FCKBrowserInfo.IsIE ) { // Create the Popup that will hold the panel. // The popup has to be created before playing with domain hacks, see #1666. this._Popup = this._Window.createPopup() ; // this._Window cannot be accessed while playing with domain hacks, but local variable is ok. // See #1666. var pDoc = this._Window.document ; // This is a trick to IE6 (not IE7). The original domain must be set // before creating the popup, so we are able to take a refence to the // document inside of it, and the set the proper domain for it. (#123) if ( FCK_IS_CUSTOM_DOMAIN && !FCKBrowserInfo.IsIE7 ) { pDoc.domain = FCK_ORIGINAL_DOMAIN ; document.domain = FCK_ORIGINAL_DOMAIN ; } oDocument = this.Document = this._Popup.document ; // Set the proper domain inside the popup. if ( FCK_IS_CUSTOM_DOMAIN ) { oDocument.domain = FCK_RUNTIME_DOMAIN ; pDoc.domain = FCK_RUNTIME_DOMAIN ; document.domain = FCK_RUNTIME_DOMAIN ; } FCK.IECleanup.AddItem( this, FCKPanel_Cleanup ) ; } else { var oIFrame = this._IFrame = this._Window.document.createElement('iframe') ; FCKTools.ResetStyles( oIFrame ); oIFrame.src = 'javascript:void(0)' ; oIFrame.allowTransparency = true ; oIFrame.frameBorder = '0' ; oIFrame.scrolling = 'no' ; oIFrame.style.width = oIFrame.style.height = '0px' ; FCKDomTools.SetElementStyles( oIFrame, { position : 'absolute', zIndex : FCKConfig.FloatingPanelsZIndex } ) ; this._Window.document.body.appendChild( oIFrame ) ; var oIFrameWindow = oIFrame.contentWindow ; oDocument = this.Document = oIFrameWindow.document ; // Workaround for Safari 12256. Ticket #63 var sBase = '' ; if ( FCKBrowserInfo.IsSafari ) sBase = '<base href="' + window.document.location + '">' ; // Initialize the IFRAME document body. oDocument.open() ; oDocument.write( '<html><head>' + sBase + '<\/head><body style="margin:0px;padding:0px;"><\/body><\/html>' ) ; oDocument.close() ; if( FCKBrowserInfo.IsAIR ) FCKAdobeAIR.Panel_Contructor( oDocument, window.document.location ) ; FCKTools.AddEventListenerEx( oIFrameWindow, 'focus', FCKPanel_Window_OnFocus, this ) ; FCKTools.AddEventListenerEx( oIFrameWindow, 'blur', FCKPanel_Window_OnBlur, this ) ; } oDocument.dir = FCKLang.Dir ; FCKTools.AddEventListener( oDocument, 'contextmenu', FCKTools.CancelEvent ) ; // Create the main DIV that is used as the panel base. this.MainNode = oDocument.body.appendChild( oDocument.createElement('DIV') ) ; // The "float" property must be set so Firefox calculates the size correctly. this.MainNode.style.cssFloat = this.IsRTL ? 'right' : 'left' ; } FCKPanel.prototype.AppendStyleSheet = function( styleSheet ) { FCKTools.AppendStyleSheet( this.Document, styleSheet ) ; } FCKPanel.prototype.Preload = function( x, y, relElement ) { // The offsetWidth and offsetHeight properties are not available if the // element is not visible. So we must "show" the popup with no size to // be able to use that values in the second call (IE only). if ( this._Popup ) this._Popup.show( x, y, 0, 0, relElement ) ; } // Workaround for IE7 problem. See #1982 // Submenus are restricted to the size of its parent, so we increase it as needed. // Returns true if the panel has been repositioned FCKPanel.prototype.ResizeForSubpanel = function( panel, width, height ) { if ( !FCKBrowserInfo.IsIE7 ) return false ; if ( !this._Popup.isOpen ) { this.Subpanel = null ; return false ; } // If we are resetting the extra space if ( width == 0 && height == 0 ) { // Another subpanel is being shown, so we must not shrink back if (this.Subpanel !== panel) return false ; // Reset values. // We leave the IncreasedY untouched to avoid vertical movement of the // menu if the submenu is higher than the main menu. this.Subpanel = null ; this.IncreasedX = 0 ; } else { this.Subpanel = panel ; // If the panel has already been increased enough, get out if ( ( this.IncreasedX >= width ) && ( this.IncreasedY >= height ) ) return false ; this.IncreasedX = Math.max( this.IncreasedX, width ) ; this.IncreasedY = Math.max( this.IncreasedY, height ) ; } var x = this.ShowRect.x ; var w = this.IncreasedX ; if ( this.IsRTL ) x = x - w ; // Horizontally increase as needed (sum of widths). // Vertically, use only the maximum of this menu or the submenu var finalWidth = this.ShowRect.w + w ; var finalHeight = Math.max( this.ShowRect.h, this.IncreasedY ) ; if ( this.ParentPanel ) this.ParentPanel.ResizeForSubpanel( this, finalWidth, finalHeight ) ; this._Popup.show( x, this.ShowRect.y, finalWidth, finalHeight, this.RelativeElement ) ; return this.IsRTL ; } FCKPanel.prototype.Show = function( x, y, relElement, width, height ) { var iMainWidth ; var eMainNode = this.MainNode ; if ( this._Popup ) { // The offsetWidth and offsetHeight properties are not available if the // element is not visible. So we must "show" the popup with no size to // be able to use that values in the second call. this._Popup.show( x, y, 0, 0, relElement ) ; // The following lines must be place after the above "show", otherwise it // doesn't has the desired effect. FCKDomTools.SetElementStyles( eMainNode, { width : width ? width + 'px' : '', height : height ? height + 'px' : '' } ) ; iMainWidth = eMainNode.offsetWidth ; if ( FCKBrowserInfo.IsIE7 ) { if (this.ParentPanel && this.ParentPanel.ResizeForSubpanel(this, iMainWidth, eMainNode.offsetHeight) ) { // As the parent has moved, allow the browser to update its internal data, so the new position is correct. FCKTools.RunFunction( this.Show, this, [x, y, relElement] ) ; return ; } } if ( this.IsRTL ) { if ( this.IsContextMenu ) x = x - iMainWidth + 1 ; else if ( relElement ) x = ( x * -1 ) + relElement.offsetWidth - iMainWidth ; } if ( FCKBrowserInfo.IsIE7 ) { // Store the values that will be used by the ResizeForSubpanel function this.ShowRect = {x:x, y:y, w:iMainWidth, h:eMainNode.offsetHeight} ; this.IncreasedX = 0 ; this.IncreasedY = 0 ; this.RelativeElement = relElement ; } // Save the popup related arguments so they can be used by others (e.g. SCAYT). this._PopupArgs = [x, y, iMainWidth, eMainNode.offsetHeight, relElement]; // Second call: Show the Popup at the specified location, with the correct size. this._Popup.show( x, y, iMainWidth, eMainNode.offsetHeight, relElement ) ; if ( this.OnHide ) { if ( this._Timer ) CheckPopupOnHide.call( this, true ) ; this._Timer = FCKTools.SetInterval( CheckPopupOnHide, 100, this ) ; } } else { // Do not fire OnBlur while the panel is opened. if ( typeof( FCK.ToolbarSet.CurrentInstance.FocusManager ) != 'undefined' ) FCK.ToolbarSet.CurrentInstance.FocusManager.Lock() ; if ( this.ParentPanel ) { this.ParentPanel.Lock() ; // Due to a bug on FF3, we must ensure that the parent panel will // blur (#1584). FCKPanel_Window_OnBlur( null, this.ParentPanel ) ; } // Toggle the iframe scrolling attribute to prevent the panel // scrollbars from disappearing in FF Mac. (#191) if ( FCKBrowserInfo.IsGecko && FCKBrowserInfo.IsMac ) { this._IFrame.scrolling = '' ; FCKTools.RunFunction( function(){ this._IFrame.scrolling = 'no'; }, this ) ; } // Be sure we'll not have more than one Panel opened at the same time. // Do not unlock focus manager here because we're displaying another floating panel // instead of returning the editor to a "no panel" state (Bug #1514). if ( FCK.ToolbarSet.CurrentInstance.GetInstanceObject( 'FCKPanel' )._OpenedPanel && FCK.ToolbarSet.CurrentInstance.GetInstanceObject( 'FCKPanel' )._OpenedPanel != this ) FCK.ToolbarSet.CurrentInstance.GetInstanceObject( 'FCKPanel' )._OpenedPanel.Hide( false, true ) ; FCKDomTools.SetElementStyles( eMainNode, { width : width ? width + 'px' : '', height : height ? height + 'px' : '' } ) ; iMainWidth = eMainNode.offsetWidth ; if ( !width ) this._IFrame.width = 1 ; if ( !height ) this._IFrame.height = 1 ; // This is weird... but with Firefox, we must get the offsetWidth before // setting the _IFrame size (which returns "0"), and then after that, // to return the correct width. Remove the first step and it will not // work when the editor is in RTL. // // The "|| eMainNode.firstChild.offsetWidth" part has been added // for Opera compatibility (see #570). iMainWidth = eMainNode.offsetWidth || eMainNode.firstChild.offsetWidth ; // Base the popup coordinates upon the coordinates of relElement. var oPos = FCKTools.GetDocumentPosition( this._Window, relElement.nodeType == 9 ? ( FCKTools.IsStrictMode( relElement ) ? relElement.documentElement : relElement.body ) : relElement ) ; // Minus the offsets provided by any positioned parent element of the panel iframe. var positionedAncestor = FCKDomTools.GetPositionedAncestor( this._IFrame.parentNode ) ; if ( positionedAncestor ) { var nPos = FCKTools.GetDocumentPosition( FCKTools.GetElementWindow( positionedAncestor ), positionedAncestor ) ; oPos.x -= nPos.x ; oPos.y -= nPos.y ; } if ( this.IsRTL && !this.IsContextMenu ) x = ( x * -1 ) ; x += oPos.x ; y += oPos.y ; if ( this.IsRTL ) { if ( this.IsContextMenu ) x = x - iMainWidth + 1 ; else if ( relElement ) x = x + relElement.offsetWidth - iMainWidth ; } else { var oViewPaneSize = FCKTools.GetViewPaneSize( this._Window ) ; var oScrollPosition = FCKTools.GetScrollPosition( this._Window ) ; var iViewPaneHeight = oViewPaneSize.Height + oScrollPosition.Y ; var iViewPaneWidth = oViewPaneSize.Width + oScrollPosition.X ; if ( ( x + iMainWidth ) > iViewPaneWidth ) x -= x + iMainWidth - iViewPaneWidth ; if ( ( y + eMainNode.offsetHeight ) > iViewPaneHeight ) y -= y + eMainNode.offsetHeight - iViewPaneHeight ; } // Set the context menu DIV in the specified location. FCKDomTools.SetElementStyles( this._IFrame, { left : x + 'px', top : y + 'px' } ) ; // Move the focus to the IFRAME so we catch the "onblur". this._IFrame.contentWindow.focus() ; this._IsOpened = true ; var me = this ; this._resizeTimer = setTimeout( function() { var iWidth = eMainNode.offsetWidth || eMainNode.firstChild.offsetWidth ; var iHeight = eMainNode.offsetHeight ; me._IFrame.style.width = iWidth + 'px' ; me._IFrame.style.height = iHeight + 'px' ; }, 0 ) ; FCK.ToolbarSet.CurrentInstance.GetInstanceObject( 'FCKPanel' )._OpenedPanel = this ; } FCKTools.RunFunction( this.OnShow, this ) ; } FCKPanel.prototype.Hide = function( ignoreOnHide, ignoreFocusManagerUnlock ) { if ( this._Popup ) this._Popup.hide() ; else { if ( !this._IsOpened || this._LockCounter > 0 ) return ; // Enable the editor to fire the "OnBlur". if ( typeof( FCKFocusManager ) != 'undefined' && !ignoreFocusManagerUnlock ) FCKFocusManager.Unlock() ; // It is better to set the sizes to 0, otherwise Firefox would have // rendering problems. this._IFrame.style.width = this._IFrame.style.height = '0px' ; this._IsOpened = false ; if ( this._resizeTimer ) { clearTimeout( this._resizeTimer ) ; this._resizeTimer = null ; } if ( this.ParentPanel ) this.ParentPanel.Unlock() ; if ( !ignoreOnHide ) FCKTools.RunFunction( this.OnHide, this ) ; } } FCKPanel.prototype.CheckIsOpened = function() { if ( this._Popup ) return this._Popup.isOpen ; else return this._IsOpened ; } FCKPanel.prototype.CreateChildPanel = function() { var oWindow = this._Popup ? FCKTools.GetDocumentWindow( this.Document ) : this._Window ; var oChildPanel = new FCKPanel( oWindow ) ; oChildPanel.ParentPanel = this ; return oChildPanel ; } FCKPanel.prototype.Lock = function() { this._LockCounter++ ; } FCKPanel.prototype.Unlock = function() { if ( --this._LockCounter == 0 && !this.HasFocus ) this.Hide() ; } /* Events */ function FCKPanel_Window_OnFocus( e, panel ) { panel.HasFocus = true ; } function FCKPanel_Window_OnBlur( e, panel ) { panel.HasFocus = false ; if ( panel._LockCounter == 0 ) FCKTools.RunFunction( panel.Hide, panel ) ; } function CheckPopupOnHide( forceHide ) { if ( forceHide || !this._Popup.isOpen ) { window.clearInterval( this._Timer ) ; this._Timer = null ; if (this._Popup && this.ParentPanel && !forceHide) this.ParentPanel.ResizeForSubpanel(this, 0, 0) ; FCKTools.RunFunction( this.OnHide, this ) ; } } function FCKPanel_Cleanup() { this._Popup = null ; this._Window = null ; this.Document = null ; this.MainNode = null ; this.RelativeElement = null ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarPanelButton Class: represents a special button in the toolbar * that shows a panel when pressed. */ var FCKToolbarPanelButton = function( commandName, label, tooltip, style, icon ) { this.CommandName = commandName ; var oIcon ; if ( icon == null ) oIcon = FCKConfig.SkinPath + 'toolbar/' + commandName.toLowerCase() + '.gif' ; else if ( typeof( icon ) == 'number' ) oIcon = [ FCKConfig.SkinPath + 'fck_strip.gif', 16, icon ] ; var oUIButton = this._UIButton = new FCKToolbarButtonUI( commandName, label, tooltip, oIcon, style ) ; oUIButton._FCKToolbarPanelButton = this ; oUIButton.ShowArrow = true ; oUIButton.OnClick = FCKToolbarPanelButton_OnButtonClick ; } FCKToolbarPanelButton.prototype.TypeName = 'FCKToolbarPanelButton' ; FCKToolbarPanelButton.prototype.Create = function( parentElement ) { parentElement.className += 'Menu' ; this._UIButton.Create( parentElement ) ; var oPanel = FCK.ToolbarSet.CurrentInstance.Commands.GetCommand( this.CommandName )._Panel ; this.RegisterPanel( oPanel ) ; } FCKToolbarPanelButton.prototype.RegisterPanel = function( oPanel ) { if ( oPanel._FCKToolbarPanelButton ) return ; oPanel._FCKToolbarPanelButton = this ; var eLineDiv = oPanel.Document.body.appendChild( oPanel.Document.createElement( 'div' ) ) ; eLineDiv.style.position = 'absolute' ; eLineDiv.style.top = '0px' ; var eLine = oPanel._FCKToolbarPanelButtonLineDiv = eLineDiv.appendChild( oPanel.Document.createElement( 'IMG' ) ) ; eLine.className = 'TB_ConnectionLine' ; eLine.style.position = 'absolute' ; // eLine.style.backgroundColor = 'Red' ; eLine.src = FCK_SPACER_PATH ; oPanel.OnHide = FCKToolbarPanelButton_OnPanelHide ; } /* Events */ function FCKToolbarPanelButton_OnButtonClick( toolbarButton ) { var oButton = this._FCKToolbarPanelButton ; var e = oButton._UIButton.MainElement ; oButton._UIButton.ChangeState( FCK_TRISTATE_ON ) ; // oButton.LineImg.style.width = ( e.offsetWidth - 2 ) + 'px' ; var oCommand = FCK.ToolbarSet.CurrentInstance.Commands.GetCommand( oButton.CommandName ) ; var oPanel = oCommand._Panel ; oPanel._FCKToolbarPanelButtonLineDiv.style.width = ( e.offsetWidth - 2 ) + 'px' ; oCommand.Execute( 0, e.offsetHeight - 1, e ) ; // -1 to be over the border } function FCKToolbarPanelButton_OnPanelHide() { var oMenuButton = this._FCKToolbarPanelButton ; oMenuButton._UIButton.ChangeState( FCK_TRISTATE_OFF ) ; } // The Panel Button works like a normal button so the refresh state functions // defined for the normal button can be reused here. FCKToolbarPanelButton.prototype.RefreshState = FCKToolbarButton.prototype.RefreshState ; FCKToolbarPanelButton.prototype.Enable = FCKToolbarButton.prototype.Enable ; FCKToolbarPanelButton.prototype.Disable = FCKToolbarButton.prototype.Disable ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarPanelButton Class: Handles the Fonts combo selector. */ var FCKToolbarStyleCombo = function( tooltip, style ) { if ( tooltip === false ) return ; this.CommandName = 'Style' ; this.Label = this.GetLabel() ; this.Tooltip = tooltip ? tooltip : this.Label ; this.Style = style ? style : FCK_TOOLBARITEM_ICONTEXT ; this.DefaultLabel = FCKConfig.DefaultStyleLabel || '' ; } // Inherit from FCKToolbarSpecialCombo. FCKToolbarStyleCombo.prototype = new FCKToolbarSpecialCombo ; FCKToolbarStyleCombo.prototype.GetLabel = function() { return FCKLang.Style ; } FCKToolbarStyleCombo.prototype.GetStyles = function() { var styles = {} ; var allStyles = FCK.ToolbarSet.CurrentInstance.Styles.GetStyles() ; for ( var styleName in allStyles ) { var style = allStyles[ styleName ] ; if ( !style.IsCore ) styles[ styleName ] = style ; } return styles ; } FCKToolbarStyleCombo.prototype.CreateItems = function( targetSpecialCombo ) { var targetDoc = targetSpecialCombo._Panel.Document ; // Add the Editor Area CSS to the panel so the style classes are previewed correctly. FCKTools.AppendStyleSheet( targetDoc, FCKConfig.ToolbarComboPreviewCSS ) ; FCKTools.AppendStyleString( targetDoc, FCKConfig.EditorAreaStyles ) ; targetDoc.body.className += ' ForceBaseFont' ; // Add ID and Class to the body. FCKConfig.ApplyBodyAttributes( targetDoc.body ) ; // Get the styles list. var styles = this.GetStyles() ; for ( var styleName in styles ) { var style = styles[ styleName ] ; // Object type styles have no preview. var caption = style.GetType() == FCK_STYLE_OBJECT ? styleName : FCKToolbarStyleCombo_BuildPreview( style, style.Label || styleName ) ; var item = targetSpecialCombo.AddItem( styleName, caption ) ; item.Style = style ; } // We must prepare the list before showing it. targetSpecialCombo.OnBeforeClick = this.StyleCombo_OnBeforeClick ; } FCKToolbarStyleCombo.prototype.RefreshActiveItems = function( targetSpecialCombo ) { var startElement = FCK.ToolbarSet.CurrentInstance.Selection.GetBoundaryParentElement( true ) ; if ( startElement ) { var path = new FCKElementPath( startElement ) ; var elements = path.Elements ; for ( var e = 0 ; e < elements.length ; e++ ) { for ( var i in targetSpecialCombo.Items ) { var item = targetSpecialCombo.Items[i] ; var style = item.Style ; if ( style.CheckElementRemovable( elements[ e ], true ) ) { targetSpecialCombo.SetLabel( style.Label || style.Name ) ; return ; } } } } targetSpecialCombo.SetLabel( this.DefaultLabel ) ; } FCKToolbarStyleCombo.prototype.StyleCombo_OnBeforeClick = function( targetSpecialCombo ) { // Two things are done here: // - In a control selection, get the element name, so we'll display styles // for that element only. // - Select the styles that are active for the current selection. // Clear the current selection. targetSpecialCombo.DeselectAll() ; var startElement ; var path ; var tagName ; var selection = FCK.ToolbarSet.CurrentInstance.Selection ; if ( selection.GetType() == 'Control' ) { startElement = selection.GetSelectedElement() ; tagName = startElement.nodeName.toLowerCase() ; } else { startElement = selection.GetBoundaryParentElement( true ) ; path = new FCKElementPath( startElement ) ; } for ( var i in targetSpecialCombo.Items ) { var item = targetSpecialCombo.Items[i] ; var style = item.Style ; if ( ( tagName && style.Element == tagName ) || ( !tagName && style.GetType() != FCK_STYLE_OBJECT ) ) { item.style.display = '' ; if ( ( path && style.CheckActive( path ) ) || ( !path && style.CheckElementRemovable( startElement, true ) ) ) targetSpecialCombo.SelectItem( style.Name ) ; } else item.style.display = 'none' ; } } function FCKToolbarStyleCombo_BuildPreview( style, caption ) { var styleType = style.GetType() ; var html = [] ; if ( styleType == FCK_STYLE_BLOCK ) html.push( '<div class="BaseFont">' ) ; var elementName = style.Element ; // Avoid <bdo> in the preview. if ( elementName == 'bdo' ) elementName = 'span' ; html = [ '<', elementName ] ; // Assign all defined attributes. var attribs = style._StyleDesc.Attributes ; if ( attribs ) { for ( var att in attribs ) { html.push( ' ', att, '="', style.GetFinalAttributeValue( att ), '"' ) ; } } // Assign the style attribute. if ( style._GetStyleText().length > 0 ) html.push( ' style="', style.GetFinalStyleValue(), '"' ) ; html.push( '>', caption, '</', elementName, '>' ) ; if ( styleType == FCK_STYLE_BLOCK ) html.push( '</div>' ) ; return html.join( '' ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * This is a generic Document Fragment object. It is not intended to provide * the W3C implementation, but is a way to fix the missing of a real Document * Fragment in IE (where document.createDocumentFragment() returns a normal * document instead), giving a standard interface for it. * (IE Implementation) */ var FCKDocumentFragment = function( parentDocument ) { this._Document = parentDocument ; this.RootNode = parentDocument.createElement( 'div' ) ; } // Append the contents of this Document Fragment to another node. FCKDocumentFragment.prototype = { AppendTo : function( targetNode ) { FCKDomTools.MoveChildren( this.RootNode, targetNode ) ; }, AppendHtml : function( html ) { var eTmpDiv = this._Document.createElement( 'div' ) ; eTmpDiv.innerHTML = html ; FCKDomTools.MoveChildren( eTmpDiv, this.RootNode ) ; }, InsertAfterNode : function( existingNode ) { var eRoot = this.RootNode ; var eLast ; while( ( eLast = eRoot.lastChild ) ) FCKDomTools.InsertAfterNode( existingNode, eRoot.removeChild( eLast ) ) ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKIECleanup Class: a generic class used as a tool to remove IE leaks. */ var FCKIECleanup = function( attachWindow ) { // If the attachWindow already have a cleanup object, just use that one. if ( attachWindow._FCKCleanupObj ) this.Items = attachWindow._FCKCleanupObj.Items ; else { this.Items = new Array() ; attachWindow._FCKCleanupObj = this ; FCKTools.AddEventListenerEx( attachWindow, 'unload', FCKIECleanup_Cleanup ) ; // attachWindow.attachEvent( 'onunload', FCKIECleanup_Cleanup ) ; } } FCKIECleanup.prototype.AddItem = function( dirtyItem, cleanupFunction ) { this.Items.push( [ dirtyItem, cleanupFunction ] ) ; } function FCKIECleanup_Cleanup() { if ( !this._FCKCleanupObj || ( FCKConfig.MsWebBrowserControlCompat && !window.FCKUnloadFlag ) ) return ; var aItems = this._FCKCleanupObj.Items ; while ( aItems.length > 0 ) { // It is important to remove from the end to the beginning (pop()), // because of the order things get created in the editor. In the code, // elements in deeper position in the DOM are placed at the end of the // cleanup function, so we must cleanup then first, otherwise IE could // throw some crazy memory errors (IE bug). var oItem = aItems.pop() ; if ( oItem ) oItem[1].call( oItem[0] ) ; } this._FCKCleanupObj = null ; if ( CollectGarbage ) CollectGarbage() ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Class for working with a selection range, much like the W3C DOM Range, but * it is not intended to be an implementation of the W3C interface. * (Gecko Implementation) */ FCKDomRange.prototype.MoveToSelection = function() { this.Release( true ) ; var oSel = this.Window.getSelection() ; if ( oSel && oSel.rangeCount > 0 ) { this._Range = FCKW3CRange.CreateFromRange( this.Window.document, oSel.getRangeAt(0) ) ; this._UpdateElementInfo() ; } else if ( this.Window.document ) this.MoveToElementStart( this.Window.document.body ) ; } FCKDomRange.prototype.Select = function() { var oRange = this._Range ; if ( oRange ) { var startContainer = oRange.startContainer ; // If we have a collapsed range, inside an empty element, we must add // something to it, otherwise the caret will not be visible. if ( oRange.collapsed && startContainer.nodeType == 1 && startContainer.childNodes.length == 0 ) startContainer.appendChild( oRange._Document.createTextNode('') ) ; var oDocRange = this.Window.document.createRange() ; oDocRange.setStart( startContainer, oRange.startOffset ) ; try { oDocRange.setEnd( oRange.endContainer, oRange.endOffset ) ; } catch ( e ) { // There is a bug in Firefox implementation (it would be too easy // otherwise). The new start can't be after the end (W3C says it can). // So, let's create a new range and collapse it to the desired point. if ( e.toString().Contains( 'NS_ERROR_ILLEGAL_VALUE' ) ) { oRange.collapse( true ) ; oDocRange.setEnd( oRange.endContainer, oRange.endOffset ) ; } else throw( e ) ; } var oSel = this.Window.getSelection() ; oSel.removeAllRanges() ; // We must add a clone otherwise Firefox will have rendering issues. oSel.addRange( oDocRange ) ; } } // Not compatible with bookmark created with CreateBookmark2. // The bookmark nodes will be deleted from the document. FCKDomRange.prototype.SelectBookmark = function( bookmark ) { var domRange = this.Window.document.createRange() ; var startNode = this.GetBookmarkNode( bookmark, true ) ; var endNode = this.GetBookmarkNode( bookmark, false ) ; domRange.setStart( startNode.parentNode, FCKDomTools.GetIndexOf( startNode ) ) ; FCKDomTools.RemoveNode( startNode ) ; if ( endNode ) { domRange.setEnd( endNode.parentNode, FCKDomTools.GetIndexOf( endNode ) ) ; FCKDomTools.RemoveNode( endNode ) ; } var selection = this.Window.getSelection() ; selection.removeAllRanges() ; selection.addRange( domRange ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKToolbarBreak Class: breaks the toolbars. * It makes it possible to force the toolbar to break to a new line. * This is the Gecko specific implementation. */ var FCKToolbarBreak = function() {} FCKToolbarBreak.prototype.Create = function( targetElement ) { var oBreakDiv = targetElement.ownerDocument.createElement( 'div' ) ; oBreakDiv.style.clear = oBreakDiv.style.cssFloat = FCKLang.Dir == 'rtl' ? 'right' : 'left' ; targetElement.appendChild( oBreakDiv ) ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * This is a generic Document Fragment object. It is not intended to provide * the W3C implementation, but is a way to fix the missing of a real Document * Fragment in IE (where document.createDocumentFragment() returns a normal * document instead), giving a standard interface for it. * (IE Implementation) */ var FCKDocumentFragment = function( parentDocument, baseDocFrag ) { this.RootNode = baseDocFrag || parentDocument.createDocumentFragment() ; } FCKDocumentFragment.prototype = { // Append the contents of this Document Fragment to another element. AppendTo : function( targetNode ) { targetNode.appendChild( this.RootNode ) ; }, AppendHtml : function( html ) { var eTmpDiv = this.RootNode.ownerDocument.createElement( 'div' ) ; eTmpDiv.innerHTML = html ; FCKDomTools.MoveChildren( eTmpDiv, this.RootNode ) ; }, InsertAfterNode : function( existingNode ) { FCKDomTools.InsertAfterNode( existingNode, this.RootNode ) ; } }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKIcon Class: renders an icon from a single image, a strip or even a * spacer. */ var FCKIcon = function( iconPathOrStripInfoArray ) { var sTypeOf = iconPathOrStripInfoArray ? typeof( iconPathOrStripInfoArray ) : 'undefined' ; switch ( sTypeOf ) { case 'number' : this.Path = FCKConfig.SkinPath + 'fck_strip.gif' ; this.Size = 16 ; this.Position = iconPathOrStripInfoArray ; break ; case 'undefined' : this.Path = FCK_SPACER_PATH ; break ; case 'string' : this.Path = iconPathOrStripInfoArray ; break ; default : // It is an array in the format [ StripFilePath, IconSize, IconPosition ] this.Path = iconPathOrStripInfoArray[0] ; this.Size = iconPathOrStripInfoArray[1] ; this.Position = iconPathOrStripInfoArray[2] ; } } FCKIcon.prototype.CreateIconElement = function( document ) { var eIcon, eIconImage ; if ( this.Position ) // It is using an icons strip image. { var sPos = '-' + ( ( this.Position - 1 ) * this.Size ) + 'px' ; if ( FCKBrowserInfo.IsIE ) { // <div class="TB_Button_Image"><img src="strip.gif" style="top:-16px"></div> eIcon = document.createElement( 'DIV' ) ; eIconImage = eIcon.appendChild( document.createElement( 'IMG' ) ) ; eIconImage.src = this.Path ; eIconImage.style.top = sPos ; } else { // <img class="TB_Button_Image" src="spacer.gif" style="background-position: 0px -16px;background-image: url(strip.gif);"> eIcon = document.createElement( 'IMG' ) ; eIcon.src = FCK_SPACER_PATH ; eIcon.style.backgroundPosition = '0px ' + sPos ; eIcon.style.backgroundImage = 'url("' + this.Path + '")' ; } } else // It is using a single icon image. { if ( FCKBrowserInfo.IsIE ) { // IE makes the button 1px higher if using the <img> directly, so we // are changing to the <div> system to clip the image correctly. eIcon = document.createElement( 'DIV' ) ; eIconImage = eIcon.appendChild( document.createElement( 'IMG' ) ) ; eIconImage.src = this.Path ? this.Path : FCK_SPACER_PATH ; } else { // This is not working well with IE. See notes above. // <img class="TB_Button_Image" src="smiley.gif"> eIcon = document.createElement( 'IMG' ) ; eIcon.src = this.Path ? this.Path : FCK_SPACER_PATH ; } } eIcon.className = 'TB_Button_Image' ; return eIcon ; }
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * FCKXml Class: class to load and manipulate XML files. */ FCKXml.prototype = { LoadUrl : function( urlToCall ) { this.Error = false ; var oXml ; var oXmlHttp = FCKTools.CreateXmlObject( 'XmlHttp' ) ; oXmlHttp.open( 'GET', urlToCall, false ) ; oXmlHttp.send( null ) ; if ( oXmlHttp.status == 200 || oXmlHttp.status == 304 || ( oXmlHttp.status == 0 && oXmlHttp.readyState == 4 ) ) { oXml = oXmlHttp.responseXML ; // #1426: Fallback if responseXML isn't set for some // reason (e.g. improperly configured web server) if ( !oXml ) oXml = (new DOMParser()).parseFromString( oXmlHttp.responseText, 'text/xml' ) ; } else oXml = null ; if ( oXml ) { // Try to access something on it. try { var test = oXml.firstChild ; } catch (e) { // If document.domain has been changed (#123), we'll have a security // error at this point. The workaround here is parsing the responseText: // http://alexander.kirk.at/2006/07/27/firefox-15-xmlhttprequest-reqresponsexml-and-documentdomain/ oXml = (new DOMParser()).parseFromString( oXmlHttp.responseText, 'text/xml' ) ; } } if ( !oXml || !oXml.firstChild ) { this.Error = true ; if ( window.confirm( 'Error loading "' + urlToCall + '" (HTTP Status: ' + oXmlHttp.status + ').\r\nDo you want to see the server response dump?' ) ) alert( oXmlHttp.responseText ) ; } this.DOMDocument = oXml ; }, SelectNodes : function( xpath, contextNode ) { if ( this.Error ) return new Array() ; var aNodeArray = new Array(); var xPathResult = this.DOMDocument.evaluate( xpath, contextNode ? contextNode : this.DOMDocument, this.DOMDocument.createNSResolver(this.DOMDocument.documentElement), XPathResult.ORDERED_NODE_ITERATOR_TYPE, null) ; if ( xPathResult ) { var oNode = xPathResult.iterateNext() ; while( oNode ) { aNodeArray[aNodeArray.length] = oNode ; oNode = xPathResult.iterateNext(); } } return aNodeArray ; }, SelectSingleNode : function( xpath, contextNode ) { if ( this.Error ) return null ; var xPathResult = this.DOMDocument.evaluate( xpath, contextNode ? contextNode : this.DOMDocument, this.DOMDocument.createNSResolver(this.DOMDocument.documentElement), 9, null); if ( xPathResult && xPathResult.singleNodeValue ) return xPathResult.singleNodeValue ; else return null ; } } ;
JavaScript
/* * FCKeditor - The text editor for Internet - http://www.fckeditor.net * Copyright (C) 2003-2009 Frederico Caldeira Knabben * * == BEGIN LICENSE == * * Licensed under the terms of any of the following licenses at your * choice: * * - GNU General Public License Version 2 or later (the "GPL") * http://www.gnu.org/licenses/gpl.html * * - GNU Lesser General Public License Version 2.1 or later (the "LGPL") * http://www.gnu.org/licenses/lgpl.html * * - Mozilla Public License Version 1.1 or later (the "MPL") * http://www.mozilla.org/MPL/MPL-1.1.html * * == END LICENSE == * * Control keyboard keystroke combinations. */ var FCKKeystrokeHandler = function( cancelCtrlDefaults ) { this.Keystrokes = new Object() ; this.CancelCtrlDefaults = ( cancelCtrlDefaults !== false ) ; } /* * Listen to keystroke events in an element or DOM document object. * @target: The element or document to listen to keystroke events. */ FCKKeystrokeHandler.prototype.AttachToElement = function( target ) { // For newer browsers, it is enough to listen to the keydown event only. // Some browsers instead, don't cancel key events in the keydown, but in the // keypress. So we must do a longer trip in those cases. FCKTools.AddEventListenerEx( target, 'keydown', _FCKKeystrokeHandler_OnKeyDown, this ) ; if ( FCKBrowserInfo.IsGecko10 || FCKBrowserInfo.IsOpera || ( FCKBrowserInfo.IsGecko && FCKBrowserInfo.IsMac ) ) FCKTools.AddEventListenerEx( target, 'keypress', _FCKKeystrokeHandler_OnKeyPress, this ) ; } /* * Sets a list of keystrokes. It can receive either a single array or "n" * arguments, each one being an array of 1 or 2 elemenst. The first element * is the keystroke combination, and the second is the value to assign to it. * If the second element is missing, the keystroke definition is removed. */ FCKKeystrokeHandler.prototype.SetKeystrokes = function() { // Look through the arguments. for ( var i = 0 ; i < arguments.length ; i++ ) { var keyDef = arguments[i] ; // If the configuration for the keystrokes is missing some element or has any extra comma // this item won't be valid, so skip it and keep on processing. if ( !keyDef ) continue ; if ( typeof( keyDef[0] ) == 'object' ) // It is an array with arrays defining the keystrokes. this.SetKeystrokes.apply( this, keyDef ) ; else { if ( keyDef.length == 1 ) // If it has only one element, remove the keystroke. delete this.Keystrokes[ keyDef[0] ] ; else // Otherwise add it. this.Keystrokes[ keyDef[0] ] = keyDef[1] === true ? true : keyDef ; } } } function _FCKKeystrokeHandler_OnKeyDown( ev, keystrokeHandler ) { // Get the key code. var keystroke = ev.keyCode || ev.which ; // Combine it with the CTRL, SHIFT and ALT states. var keyModifiers = 0 ; if ( ev.ctrlKey || ev.metaKey ) keyModifiers += CTRL ; if ( ev.shiftKey ) keyModifiers += SHIFT ; if ( ev.altKey ) keyModifiers += ALT ; var keyCombination = keystroke + keyModifiers ; var cancelIt = keystrokeHandler._CancelIt = false ; // Look for its definition availability. var keystrokeValue = keystrokeHandler.Keystrokes[ keyCombination ] ; // FCKDebug.Output( 'KeyDown: ' + keyCombination + ' - Value: ' + keystrokeValue ) ; // If the keystroke is defined if ( keystrokeValue ) { // If the keystroke has been explicitly set to "true" OR calling the // "OnKeystroke" event, it doesn't return "true", the default behavior // must be preserved. if ( keystrokeValue === true || !( keystrokeHandler.OnKeystroke && keystrokeHandler.OnKeystroke.apply( keystrokeHandler, keystrokeValue ) ) ) return true ; cancelIt = true ; } // By default, it will cancel all combinations with the CTRL key only (except positioning keys). if ( cancelIt || ( keystrokeHandler.CancelCtrlDefaults && keyModifiers == CTRL && ( keystroke < 33 || keystroke > 40 ) ) ) { keystrokeHandler._CancelIt = true ; if ( ev.preventDefault ) return ev.preventDefault() ; ev.returnValue = false ; ev.cancelBubble = true ; return false ; } return true ; } function _FCKKeystrokeHandler_OnKeyPress( ev, keystrokeHandler ) { if ( keystrokeHandler._CancelIt ) { // FCKDebug.Output( 'KeyPress Cancel', 'Red') ; if ( ev.preventDefault ) return ev.preventDefault() ; return false ; } return true ; }
JavaScript