Index: lams_central/web/ckeditor/plugins/dialog/dialogDefinition.js
===================================================================
diff -u -rbad6e3794839be6f2f5883e12c5eee83081454af -rdf07700d682ba282e96718eae0a6b57f5be99d61
--- lams_central/web/ckeditor/plugins/dialog/dialogDefinition.js (.../dialogDefinition.js) (revision bad6e3794839be6f2f5883e12c5eee83081454af)
+++ lams_central/web/ckeditor/plugins/dialog/dialogDefinition.js (.../dialogDefinition.js) (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -1,4 +1,1007 @@
-/*
- Copyright (c) 2003-2014, CKSource - Frederico Knabben. All rights reserved.
- For licensing, see LICENSE.md or http://ckeditor.com/license
-*/
+// jscs:disable disallowMixedSpacesAndTabs
+/**
+ * @license Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+ * For licensing, see LICENSE.md or http://ckeditor.com/license
+ */
+
+/**
+ * @fileOverview Defines the "virtual" dialog, dialog content and dialog button
+ * definition classes.
+ */
+
+/**
+ * The definition of a dialog window.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create dialogs.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * CKEDITOR.dialog.add( 'testOnly', function( editor ) {
+ * return {
+ * title: 'Test Dialog',
+ * resizable: CKEDITOR.DIALOG_RESIZE_BOTH,
+ * minWidth: 500,
+ * minHeight: 400,
+ * contents: [
+ * {
+ * id: 'tab1',
+ * label: 'First Tab',
+ * title: 'First Tab Title',
+ * accessKey: 'Q',
+ * elements: [
+ * {
+ * type: 'text',
+ * label: 'Test Text 1',
+ * id: 'testText1',
+ * 'default': 'hello world!'
+ * }
+ * ]
+ * }
+ * ]
+ * };
+ * } );
+ *
+ * @class CKEDITOR.dialog.definition
+ */
+
+/**
+ * The dialog title, displayed in the dialog's header. Required.
+ *
+ * @property {String} title
+ */
+
+/**
+ * How the dialog can be resized, must be one of the four contents defined below.
+ *
+ * * {@link CKEDITOR#DIALOG_RESIZE_NONE}
+ * * {@link CKEDITOR#DIALOG_RESIZE_WIDTH}
+ * * {@link CKEDITOR#DIALOG_RESIZE_HEIGHT}
+ * * {@link CKEDITOR#DIALOG_RESIZE_BOTH}
+ *
+ * @property {Number} [resizable=CKEDITOR.DIALOG_RESIZE_NONE]
+ */
+
+/**
+ * The minimum width of the dialog, in pixels.
+ *
+ * @property {Number} [minWidth=600]
+ */
+
+/**
+ * The minimum height of the dialog, in pixels.
+ *
+ * @property {Number} [minHeight=400]
+ */
+
+
+/**
+ * The initial width of the dialog, in pixels.
+ *
+ * @since 3.5.3
+ * @property {Number} [width=CKEDITOR.dialog.definition#minWidth]
+ */
+
+/**
+ * The initial height of the dialog, in pixels.
+ *
+ * @since 3.5.3
+ * @property {Number} [height=CKEDITOR.dialog.definition.minHeight]
+ */
+
+/**
+ * The buttons in the dialog, defined as an array of
+ * {@link CKEDITOR.dialog.definition.button} objects.
+ *
+ * @property {Array} [buttons=[ CKEDITOR.dialog.okButton, CKEDITOR.dialog.cancelButton ]]
+ */
+
+/**
+ * The contents in the dialog, defined as an array of
+ * {@link CKEDITOR.dialog.definition.content} objects. Required.
+ *
+ * @property {Array} contents
+ */
+
+/**
+ * The function to execute when OK is pressed.
+ *
+ * @property {Function} onOk
+ */
+
+/**
+ * The function to execute when Cancel is pressed.
+ *
+ * @property {Function} onCancel
+ */
+
+/**
+ * The function to execute when the dialog is displayed for the first time.
+ *
+ * @property {Function} onLoad
+ */
+
+/**
+ * The function to execute when the dialog is loaded (executed every time the dialog is opened).
+ *
+ * @property {Function} onShow
+ */
+
+/**
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create dialog content pages.
+ *
+ * @class CKEDITOR.dialog.definition.content.
+ */
+
+/**
+ * The id of the content page.
+ *
+ * @property {String} id
+ */
+
+/**
+ * The tab label of the content page.
+ *
+ * @property {String} label
+ */
+
+/**
+ * The popup message of the tab label.
+ *
+ * @property {String} title
+ */
+
+/**
+ * The CTRL hotkey for switching to the tab.
+ *
+ * contentDefinition.accessKey = 'Q'; // Switch to this page when CTRL-Q is pressed.
+ *
+ * @property {String} accessKey
+ */
+
+/**
+ * The UI elements contained in this content page, defined as an array of
+ * {@link CKEDITOR.dialog.definition.uiElement} objects.
+ *
+ * @property {Array} elements
+ */
+
+/**
+ * The definition of user interface element (textarea, radio etc).
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create dialog UI elements.
+ *
+ * @class CKEDITOR.dialog.definition.uiElement
+ * @see CKEDITOR.ui.dialog.uiElement
+ */
+
+/**
+ * The id of the UI element.
+ *
+ * @property {String} id
+ */
+
+/**
+ * The type of the UI element. Required.
+ *
+ * @property {String} type
+ */
+
+/**
+ * The popup label of the UI element.
+ *
+ * @property {String} title
+ */
+
+/**
+ * The content that needs to be allowed to enable this UI element.
+ * All formats accepted by {@link CKEDITOR.filter#check} may be used.
+ *
+ * When all UI elements in a tab are disabled, this tab will be disabled automatically.
+ *
+ * @property {String/Object/CKEDITOR.style} requiredContent
+ */
+
+/**
+ * CSS class names to append to the UI element.
+ *
+ * @property {String} className
+ */
+
+/**
+ * Inline CSS classes to append to the UI element.
+ *
+ * @property {String} style
+ */
+
+/**
+ * Horizontal alignment (in container) of the UI element.
+ *
+ * @property {String} align
+ */
+
+/**
+ * Function to execute the first time the UI element is displayed.
+ *
+ * @property {Function} onLoad
+ */
+
+/**
+ * Function to execute whenever the UI element's parent dialog is displayed.
+ *
+ * @property {Function} onShow
+ */
+
+/**
+ * Function to execute whenever the UI element's parent dialog is closed.
+ *
+ * @property {Function} onHide
+ */
+
+/**
+ * Function to execute whenever the UI element's parent
+ * dialog's {@link CKEDITOR.dialog#setupContent} method is executed.
+ * It usually takes care of the respective UI element as a standalone element.
+ *
+ * @property {Function} setup
+ */
+
+/**
+ * Function to execute whenever the UI element's parent
+ * dialog's {@link CKEDITOR.dialog#commitContent} method is executed.
+ * It usually takes care of the respective UI element as a standalone element.
+ *
+ * @property {Function} commit
+ */
+
+// ----- hbox -----------------------------------------------------------------
+
+/**
+ * Horizontal layout box for dialog UI elements, auto-expends to available width of container.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create horizontal layouts.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.hbox} object and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'hbox',
+ * widths: [ '25%', '25%', '50%' ],
+ * children: [
+ * {
+ * type: 'text',
+ * id: 'id1',
+ * width: '40px',
+ * },
+ * {
+ * type: 'text',
+ * id: 'id2',
+ * width: '40px',
+ * },
+ * {
+ * type: 'text',
+ * id: 'id3'
+ * }
+ * ]
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.hbox
+ * @extends CKEDITOR.dialog.definition.uiElement
+ */
+
+/**
+ * Array of {@link CKEDITOR.ui.dialog.uiElement} objects inside this container.
+ *
+ * @property {Array} children
+ */
+
+/**
+ * (Optional) The widths of child cells.
+ *
+ * @property {Array} widths
+ */
+
+/**
+ * (Optional) The height of the layout.
+ *
+ * @property {Number} height
+ */
+
+/**
+ * The CSS styles to apply to this element.
+ *
+ * @property {String} styles
+ */
+
+/**
+ * (Optional) The padding width inside child cells. Example: 0, 1.
+ *
+ * @property {Number} padding
+ */
+
+/**
+ * (Optional) The alignment of the whole layout. Example: center, top.
+ *
+ * @property {String} align
+ */
+
+// ----- vbox -----------------------------------------------------------------
+
+/**
+ * Vertical layout box for dialog UI elements.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create vertical layouts.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.vbox} object and can
+ * be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'vbox',
+ * align: 'right',
+ * width: '200px',
+ * children: [
+ * {
+ * type: 'text',
+ * id: 'age',
+ * label: 'Age'
+ * },
+ * {
+ * type: 'text',
+ * id: 'sex',
+ * label: 'Sex'
+ * },
+ * {
+ * type: 'text',
+ * id: 'nationality',
+ * label: 'Nationality'
+ * }
+ * ]
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.vbox
+ * @extends CKEDITOR.dialog.definition.uiElement
+ */
+
+/**
+ * Array of {@link CKEDITOR.ui.dialog.uiElement} objects inside this container.
+ *
+ * @property {Array} children
+ */
+
+/**
+ * (Optional) The width of the layout.
+ *
+ * @property {Array} width
+ */
+
+/**
+ * (Optional) The heights of individual cells.
+ *
+ * @property {Number} heights
+ */
+
+/**
+ * The CSS styles to apply to this element.
+ *
+ * @property {String} styles
+ */
+
+/**
+ * (Optional) The padding width inside child cells. Example: 0, 1.
+ *
+ * @property {Number} padding
+ */
+
+/**
+ * (Optional) The alignment of the whole layout. Example: center, top.
+ *
+ * @property {String} align
+ */
+
+/**
+ * (Optional) Whether the layout should expand vertically to fill its container.
+ *
+ * @property {Boolean} expand
+ */
+
+// ----- labeled element ------------------------------------------------------
+
+/**
+ * The definition of labeled user interface element (textarea, textInput etc).
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create dialog UI elements.
+ *
+ * @class CKEDITOR.dialog.definition.labeledElement
+ * @extends CKEDITOR.dialog.definition.uiElement
+ * @see CKEDITOR.ui.dialog.labeledElement
+ */
+
+/**
+ * The label of the UI element.
+ *
+ * {
+ * type: 'text',
+ * label: 'My Label'
+ * }
+ *
+ * @property {String} label
+ */
+
+/**
+ * (Optional) Specify the layout of the label. Set to `'horizontal'` for horizontal layout.
+ * The default layout is vertical.
+ *
+ * {
+ * type: 'text',
+ * label: 'My Label',
+ * labelLayout: 'horizontal'
+ * }
+ *
+ * @property {String} labelLayout
+ */
+
+/**
+ * (Optional) Applies only to horizontal layouts: a two elements array of lengths to specify the widths of the
+ * label and the content element. See also {@link CKEDITOR.dialog.definition.labeledElement#labelLayout}.
+ *
+ * {
+ * type: 'text',
+ * label: 'My Label',
+ * labelLayout: 'horizontal',
+ * widths: [100, 200]
+ * }
+ *
+ * @property {Array} widths
+ */
+
+/**
+ * Specify the inline style of the uiElement label.
+ *
+ * {
+ * type: 'text',
+ * label: 'My Label',
+ * labelStyle: 'color: red'
+ * }
+ *
+ * @property {String} labelStyle
+ */
+
+
+/**
+ * Specify the inline style of the input element.
+ *
+ * {
+ * type: 'text',
+ * label: 'My Label',
+ * inputStyle: 'text-align: center'
+ * }
+ *
+ * @since 3.6.1
+ * @property {String} inputStyle
+ */
+
+/**
+ * Specify the inline style of the input element container.
+ *
+ * {
+ * type: 'text',
+ * label: 'My Label',
+ * controlStyle: 'width: 3em'
+ * }
+ *
+ * @since 3.6.1
+ * @property {String} controlStyle
+ */
+
+// ----- button ---------------------------------------------------------------
+
+/**
+ * The definition of a button.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create buttons.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.button} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'button',
+ * id: 'buttonId',
+ * label: 'Click me',
+ * title: 'My title',
+ * onClick: function() {
+ * // this = CKEDITOR.ui.dialog.button
+ * alert( 'Clicked: ' + this.id );
+ * }
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.button
+ * @extends CKEDITOR.dialog.definition.uiElement
+ */
+
+/**
+ * Whether the button is disabled.
+ *
+ * @property {Boolean} disabled
+ */
+
+/**
+ * The label of the UI element.
+ *
+ * @property {String} label
+ */
+
+// ----- checkbox ------
+/**
+ * The definition of a checkbox element.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create groups of checkbox buttons.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.checkbox} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'checkbox',
+ * id: 'agree',
+ * label: 'I agree',
+ * 'default': 'checked',
+ * onClick: function() {
+ * // this = CKEDITOR.ui.dialog.checkbox
+ * alert( 'Checked: ' + this.getValue() );
+ * }
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.checkbox
+ * @extends CKEDITOR.dialog.definition.uiElement
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+/**
+ * The label of the UI element.
+ *
+ * @property {String} label
+ */
+
+/**
+ * The default state.
+ *
+ * @property {String} [default='' (unchecked)]
+ */
+
+// ----- file -----------------------------------------------------------------
+
+/**
+ * The definition of a file upload input.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create file upload elements.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.file} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'file',
+ * id: 'upload',
+ * label: 'Select file from your computer',
+ * size: 38
+ * },
+ * {
+ * type: 'fileButton',
+ * id: 'fileId',
+ * label: 'Upload file',
+ * 'for': [ 'tab1', 'upload' ],
+ * filebrowser: {
+ * onSelect: function( fileUrl, data ) {
+ * alert( 'Successfully uploaded: ' + fileUrl );
+ * }
+ * }
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.file
+ * @extends CKEDITOR.dialog.definition.labeledElement
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+/**
+ * (Optional) The action attribute of the form element associated with this file upload input.
+ * If empty, CKEditor will use path to server connector for currently opened folder.
+ *
+ * @property {String} action
+ */
+
+/**
+ * The size of the UI element.
+ *
+ * @property {Number} size
+ */
+
+// ----- fileButton -----------------------------------------------------------
+
+/**
+ * The definition of a button for submitting the file in a file upload input.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create a button for submitting the file in a file upload input.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.fileButton} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * @class CKEDITOR.dialog.definition.fileButton
+ * @extends CKEDITOR.dialog.definition.uiElement
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+/**
+ * The label of the UI element.
+ *
+ * @property {String} label
+ */
+
+/**
+ * The instruction for CKEditor how to deal with file upload.
+ * By default, the file and fileButton elements will not work "as expected" if this attribute is not set.
+ *
+ * // Update field with id 'txtUrl' in the 'tab1' tab when file is uploaded.
+ * filebrowser: 'tab1:txtUrl'
+ *
+ * // Call custom onSelect function when file is successfully uploaded.
+ * filebrowser: {
+ * onSelect: function( fileUrl, data ) {
+ * alert( 'Successfully uploaded: ' + fileUrl );
+ * }
+ * }
+ *
+ * @property {String} filebrowser/Object
+ */
+
+/**
+ * An array that contains pageId and elementId of the file upload input element for which this button is created.
+ *
+ * [ pageId, elementId ]
+ *
+ * @property {String} for
+ */
+
+// ----- html -----------------------------------------------------------------
+
+/**
+ * The definition of a raw HTML element.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create elements made from raw HTML code.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.html} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ * To access HTML elements use {@link CKEDITOR.dom.document#getById}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example 1:
+ * {
+ * type: 'html',
+ * html: '
This is some sample HTML content.
'
+ * }
+ *
+ * // Example 2:
+ * // Complete sample with document.getById() call when the "Ok" button is clicked.
+ * var dialogDefinition = {
+ * title: 'Sample dialog',
+ * minWidth: 300,
+ * minHeight: 200,
+ * onOk: function() {
+ * // "this" is now a CKEDITOR.dialog object.
+ * var document = this.getElement().getDocument();
+ * // document = CKEDITOR.dom.document
+ * var element = document.getById( 'myDiv' );
+ * if ( element )
+ * alert( element.getHtml() );
+ * },
+ * contents: [
+ * {
+ * id: 'tab1',
+ * label: '',
+ * title: '',
+ * elements: [
+ * {
+ * type: 'html',
+ * html: 'Sample text.
Another div.
'
+ * }
+ * ]
+ * }
+ * ],
+ * buttons: [ CKEDITOR.dialog.cancelButton, CKEDITOR.dialog.okButton ]
+ * };
+ *
+ * @class CKEDITOR.dialog.definition.html
+ * @extends CKEDITOR.dialog.definition.uiElement
+ */
+
+/**
+ * (Required) HTML code of this element.
+ *
+ * @property {String} html
+ */
+
+// ----- radio ----------------------------------------------------------------
+
+/**
+ * The definition of a radio group.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create groups of radio buttons.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.radio} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'radio',
+ * id: 'country',
+ * label: 'Which country is bigger',
+ * items: [ [ 'France', 'FR' ], [ 'Germany', 'DE' ] ],
+ * style: 'color: green',
+ * 'default': 'DE',
+ * onClick: function() {
+ * // this = CKEDITOR.ui.dialog.radio
+ * alert( 'Current value: ' + this.getValue() );
+ * }
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.radio
+ * @extends CKEDITOR.dialog.definition.labeledElement
+ */
+
+/**
+ * The default value.
+ *
+ * @property {String} default
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+/**
+ * An array of options. Each option is a 1- or 2-item array of format `[ 'Description', 'Value' ]`.
+ * If `'Value'` is missing, then the value would be assumed to be the same as the description.
+ *
+ * @property {Array} items
+ */
+
+// ----- selectElement --------------------------------------------------------
+
+/**
+ * The definition of a select element.
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create select elements.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.select} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * // Example:
+ * {
+ * type: 'select',
+ * id: 'sport',
+ * label: 'Select your favourite sport',
+ * items: [ [ 'Basketball' ], [ 'Baseball' ], [ 'Hockey' ], [ 'Football' ] ],
+ * 'default': 'Football',
+ * onChange: function( api ) {
+ * // this = CKEDITOR.ui.dialog.select
+ * alert( 'Current value: ' + this.getValue() );
+ * }
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.select
+ * @extends CKEDITOR.dialog.definition.labeledElement
+ */
+
+/**
+ * The default value.
+ *
+ * @property {String} default
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+/**
+ * An array of options. Each option is a 1- or 2-item array of format `[ 'Description', 'Value' ]`.
+ * If `'Value'` is missing, then the value would be assumed to be the same as the description.
+ *
+ * @property {Array} items
+ */
+
+/**
+ * (Optional) Set this to true if you'd like to have a multiple-choice select box.
+ *
+ * @property {Boolean} [multiple=false]
+ */
+
+/**
+ * (Optional) The number of items to display in the select box.
+ *
+ * @property {Number} size
+ */
+
+// ----- textInput ------------------------------------------------------------
+
+/**
+ * The definition of a text field (single line).
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create text fields.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.textInput} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+ * // There is no constructor for this class, the user just has to define an
+ * // object with the appropriate properties.
+ *
+ * {
+ * type: 'text',
+ * id: 'name',
+ * label: 'Your name',
+ * 'default': '',
+ * validate: function() {
+ * if ( !this.getValue() ) {
+ * api.openMsgDialog( '', 'Name cannot be empty.' );
+ * return false;
+ * }
+ * }
+ * }
+ *
+ * @class CKEDITOR.dialog.definition.textInput
+ * @extends CKEDITOR.dialog.definition.labeledElement
+ */
+
+/**
+ * The default value.
+ *
+ * @property {String} default
+ */
+
+/**
+ * (Optional) The maximum length.
+ *
+ * @property {Number} maxLength
+ */
+
+/**
+ * (Optional) The size of the input field.
+ *
+ * @property {Number} size
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+// ----- textarea -------------------------------------------------------------
+
+/**
+ * The definition of a text field (multiple lines).
+ *
+ * This class is not really part of the API. It just illustrates the properties
+ * that developers can use to define and create textarea.
+ *
+ * Once the dialog is opened, the created element becomes a {@link CKEDITOR.ui.dialog.textarea} object
+ * and can be accessed with {@link CKEDITOR.dialog#getContentElement}.
+ *
+ * For a complete example of dialog definition, please check {@link CKEDITOR.dialog#add}.
+ *
+* // There is no constructor for this class, the user just has to define an
+* // object with the appropriate properties.
+*
+* // Example:
+* {
+* type: 'textarea',
+* id: 'message',
+* label: 'Your comment',
+* 'default': '',
+* validate: function() {
+* if ( this.getValue().length < 5 ) {
+* api.openMsgDialog( 'The comment is too short.' );
+* return false;
+* }
+* }
+* }
+ *
+ * @class CKEDITOR.dialog.definition.textarea
+ * @extends CKEDITOR.dialog.definition.labeledElement
+ */
+
+/**
+ * The number of rows.
+ *
+ * @property {Number} rows
+ */
+
+/**
+ * The number of columns.
+ *
+ * @property {Number} cols
+ */
+
+/**
+ * (Optional) The validation function.
+ *
+ * @property {Function} validate
+ */
+
+/**
+ * The default value.
+ *
+ * @property {String} default
+ */
Index: lams_central/web/ckeditor/plugins/dialog/plugin.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/dialog/plugin.js (revision 0)
+++ lams_central/web/ckeditor/plugins/dialog/plugin.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,3303 @@
+/**
+ * @license Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+ * For licensing, see LICENSE.md or http://ckeditor.com/license
+ */
+
+/**
+ * @fileOverview The floating dialog plugin.
+ */
+
+/**
+ * No resize for this dialog.
+ *
+ * @readonly
+ * @property {Number} [=0]
+ * @member CKEDITOR
+ */
+CKEDITOR.DIALOG_RESIZE_NONE = 0;
+
+/**
+ * Only allow horizontal resizing for this dialog, disable vertical resizing.
+ *
+ * @readonly
+ * @property {Number} [=1]
+ * @member CKEDITOR
+ */
+CKEDITOR.DIALOG_RESIZE_WIDTH = 1;
+
+/**
+ * Only allow vertical resizing for this dialog, disable horizontal resizing.
+ *
+ * @readonly
+ * @property {Number} [=2]
+ * @member CKEDITOR
+ */
+CKEDITOR.DIALOG_RESIZE_HEIGHT = 2;
+
+/**
+ * Allow the dialog to be resized in both directions.
+ *
+ * @readonly
+ * @property {Number} [=3]
+ * @member CKEDITOR
+ */
+CKEDITOR.DIALOG_RESIZE_BOTH = 3;
+
+( function() {
+ var cssLength = CKEDITOR.tools.cssLength;
+
+ function isTabVisible( tabId ) {
+ return !!this._.tabs[ tabId ][ 0 ].$.offsetHeight;
+ }
+
+ function getPreviousVisibleTab() {
+ var tabId = this._.currentTabId,
+ length = this._.tabIdList.length,
+ tabIndex = CKEDITOR.tools.indexOf( this._.tabIdList, tabId ) + length;
+
+ for ( var i = tabIndex - 1; i > tabIndex - length; i-- ) {
+ if ( isTabVisible.call( this, this._.tabIdList[ i % length ] ) )
+ return this._.tabIdList[ i % length ];
+ }
+
+ return null;
+ }
+
+ function getNextVisibleTab() {
+ var tabId = this._.currentTabId,
+ length = this._.tabIdList.length,
+ tabIndex = CKEDITOR.tools.indexOf( this._.tabIdList, tabId );
+
+ for ( var i = tabIndex + 1; i < tabIndex + length; i++ ) {
+ if ( isTabVisible.call( this, this._.tabIdList[ i % length ] ) )
+ return this._.tabIdList[ i % length ];
+ }
+
+ return null;
+ }
+
+
+ function clearOrRecoverTextInputValue( container, isRecover ) {
+ var inputs = container.$.getElementsByTagName( 'input' );
+ for ( var i = 0, length = inputs.length; i < length; i++ ) {
+ var item = new CKEDITOR.dom.element( inputs[ i ] );
+
+ if ( item.getAttribute( 'type' ).toLowerCase() == 'text' ) {
+ if ( isRecover ) {
+ item.setAttribute( 'value', item.getCustomData( 'fake_value' ) || '' );
+ item.removeCustomData( 'fake_value' );
+ } else {
+ item.setCustomData( 'fake_value', item.getAttribute( 'value' ) );
+ item.setAttribute( 'value', '' );
+ }
+ }
+ }
+ }
+
+ // Handle dialog element validation state UI changes.
+ function handleFieldValidated( isValid, msg ) {
+ var input = this.getInputElement();
+ if ( input )
+ isValid ? input.removeAttribute( 'aria-invalid' ) : input.setAttribute( 'aria-invalid', true );
+
+ if ( !isValid ) {
+ if ( this.select )
+ this.select();
+ else
+ this.focus();
+ }
+
+ msg && alert( msg ); // jshint ignore:line
+
+ this.fire( 'validated', { valid: isValid, msg: msg } );
+ }
+
+ function resetField() {
+ var input = this.getInputElement();
+ input && input.removeAttribute( 'aria-invalid' );
+ }
+
+ var templateSource = '' +
+ '
' +
+ '' +
+ '' +
+ ' ' +
+ ' X' +
+ ' ' +
+ ' ' +
+ '' +
+ ' | ' +
+ ' ' +
+ '' +
+ '' +
+ ' ' +
+ ' ' +
+ ' ' +
+ ' |
' +
+ '
' +
+ '
';
+
+ function buildDialog( editor ) {
+ var element = CKEDITOR.dom.element.createFromHtml( CKEDITOR.addTemplate( 'dialog', templateSource ).output( {
+ id: CKEDITOR.tools.getNextNumber(),
+ editorId: editor.id,
+ langDir: editor.lang.dir,
+ langCode: editor.langCode,
+ editorDialogClass: 'cke_editor_' + editor.name.replace( /\./g, '\\.' ) + '_dialog',
+ closeTitle: editor.lang.common.close,
+ hidpi: CKEDITOR.env.hidpi ? 'cke_hidpi' : ''
+ } ) );
+
+ // TODO: Change this to getById(), so it'll support custom templates.
+ var body = element.getChild( [ 0, 0, 0, 0, 0 ] ),
+ title = body.getChild( 0 ),
+ close = body.getChild( 1 );
+
+ // IFrame shim for dialog that masks activeX in IE. (#7619)
+ if ( CKEDITOR.env.ie && !CKEDITOR.env.quirks ) {
+ var src = 'javascript:void(function(){' + encodeURIComponent( 'document.open();(' + CKEDITOR.tools.fixDomain + ')();document.close();' ) + '}())', // jshint ignore:line
+ iframe = CKEDITOR.dom.element.createFromHtml( '' );
+ iframe.appendTo( body.getParent() );
+ }
+
+ // Make the Title and Close Button unselectable.
+ title.unselectable();
+ close.unselectable();
+
+ return {
+ element: element,
+ parts: {
+ dialog: element.getChild( 0 ),
+ title: title,
+ close: close,
+ tabs: body.getChild( 2 ),
+ contents: body.getChild( [ 3, 0, 0, 0 ] ),
+ footer: body.getChild( [ 3, 0, 1, 0 ] )
+ }
+ };
+ }
+
+ /**
+ * This is the base class for runtime dialog objects. An instance of this
+ * class represents a single named dialog for a single editor instance.
+ *
+ * var dialogObj = new CKEDITOR.dialog( editor, 'smiley' );
+ *
+ * @class
+ * @constructor Creates a dialog class instance.
+ * @param {Object} editor The editor which created the dialog.
+ * @param {String} dialogName The dialog's registered name.
+ */
+ CKEDITOR.dialog = function( editor, dialogName ) {
+ // Load the dialog definition.
+ var definition = CKEDITOR.dialog._.dialogDefinitions[ dialogName ],
+ defaultDefinition = CKEDITOR.tools.clone( defaultDialogDefinition ),
+ buttonsOrder = editor.config.dialog_buttonsOrder || 'OS',
+ dir = editor.lang.dir,
+ tabsToRemove = {},
+ i, processed, stopPropagation;
+
+ if ( ( buttonsOrder == 'OS' && CKEDITOR.env.mac ) || // The buttons in MacOS Apps are in reverse order (#4750)
+ ( buttonsOrder == 'rtl' && dir == 'ltr' ) || ( buttonsOrder == 'ltr' && dir == 'rtl' ) )
+ defaultDefinition.buttons.reverse();
+
+
+ // Completes the definition with the default values.
+ definition = CKEDITOR.tools.extend( definition( editor ), defaultDefinition );
+
+ // Clone a functionally independent copy for this dialog.
+ definition = CKEDITOR.tools.clone( definition );
+
+ // Create a complex definition object, extending it with the API
+ // functions.
+ definition = new definitionObject( this, definition );
+
+ var themeBuilt = buildDialog( editor );
+
+ // Initialize some basic parameters.
+ this._ = {
+ editor: editor,
+ element: themeBuilt.element,
+ name: dialogName,
+ contentSize: { width: 0, height: 0 },
+ size: { width: 0, height: 0 },
+ contents: {},
+ buttons: {},
+ accessKeyMap: {},
+
+ // Initialize the tab and page map.
+ tabs: {},
+ tabIdList: [],
+ currentTabId: null,
+ currentTabIndex: null,
+ pageCount: 0,
+ lastTab: null,
+ tabBarMode: false,
+
+ // Initialize the tab order array for input widgets.
+ focusList: [],
+ currentFocusIndex: 0,
+ hasFocus: false
+ };
+
+ this.parts = themeBuilt.parts;
+
+ CKEDITOR.tools.setTimeout( function() {
+ editor.fire( 'ariaWidget', this.parts.contents );
+ }, 0, this );
+
+ // Set the startup styles for the dialog, avoiding it enlarging the
+ // page size on the dialog creation.
+ var startStyles = {
+ position: CKEDITOR.env.ie6Compat ? 'absolute' : 'fixed',
+ top: 0,
+ visibility: 'hidden'
+ };
+
+ startStyles[ dir == 'rtl' ? 'right' : 'left' ] = 0;
+ this.parts.dialog.setStyles( startStyles );
+
+
+ // Call the CKEDITOR.event constructor to initialize this instance.
+ CKEDITOR.event.call( this );
+
+ // Fire the "dialogDefinition" event, making it possible to customize
+ // the dialog definition.
+ this.definition = definition = CKEDITOR.fire( 'dialogDefinition', {
+ name: dialogName,
+ definition: definition
+ }, editor ).definition;
+
+ // Cache tabs that should be removed.
+ if ( !( 'removeDialogTabs' in editor._ ) && editor.config.removeDialogTabs ) {
+ var removeContents = editor.config.removeDialogTabs.split( ';' );
+
+ for ( i = 0; i < removeContents.length; i++ ) {
+ var parts = removeContents[ i ].split( ':' );
+ if ( parts.length == 2 ) {
+ var removeDialogName = parts[ 0 ];
+ if ( !tabsToRemove[ removeDialogName ] )
+ tabsToRemove[ removeDialogName ] = [];
+ tabsToRemove[ removeDialogName ].push( parts[ 1 ] );
+ }
+ }
+ editor._.removeDialogTabs = tabsToRemove;
+ }
+
+ // Remove tabs of this dialog.
+ if ( editor._.removeDialogTabs && ( tabsToRemove = editor._.removeDialogTabs[ dialogName ] ) ) {
+ for ( i = 0; i < tabsToRemove.length; i++ )
+ definition.removeContents( tabsToRemove[ i ] );
+ }
+
+ // Initialize load, show, hide, ok and cancel events.
+ if ( definition.onLoad )
+ this.on( 'load', definition.onLoad );
+
+ if ( definition.onShow )
+ this.on( 'show', definition.onShow );
+
+ if ( definition.onHide )
+ this.on( 'hide', definition.onHide );
+
+ if ( definition.onOk ) {
+ this.on( 'ok', function( evt ) {
+ // Dialog confirm might probably introduce content changes (#5415).
+ editor.fire( 'saveSnapshot' );
+ setTimeout( function() {
+ editor.fire( 'saveSnapshot' );
+ }, 0 );
+ if ( definition.onOk.call( this, evt ) === false )
+ evt.data.hide = false;
+ } );
+ }
+
+ if ( definition.onCancel ) {
+ this.on( 'cancel', function( evt ) {
+ if ( definition.onCancel.call( this, evt ) === false )
+ evt.data.hide = false;
+ } );
+ }
+
+ var me = this;
+
+ // Iterates over all items inside all content in the dialog, calling a
+ // function for each of them.
+ var iterContents = function( func ) {
+ var contents = me._.contents,
+ stop = false;
+
+ for ( var i in contents ) {
+ for ( var j in contents[ i ] ) {
+ stop = func.call( this, contents[ i ][ j ] );
+ if ( stop )
+ return;
+ }
+ }
+ };
+
+ this.on( 'ok', function( evt ) {
+ iterContents( function( item ) {
+ if ( item.validate ) {
+ var retval = item.validate( this ),
+ invalid = ( typeof retval == 'string' ) || retval === false;
+
+ if ( invalid ) {
+ evt.data.hide = false;
+ evt.stop();
+ }
+
+ handleFieldValidated.call( item, !invalid, typeof retval == 'string' ? retval : undefined );
+ return invalid;
+ }
+ } );
+ }, this, null, 0 );
+
+ this.on( 'cancel', function( evt ) {
+ iterContents( function( item ) {
+ if ( item.isChanged() ) {
+ if ( !editor.config.dialog_noConfirmCancel && !confirm( editor.lang.common.confirmCancel ) ) // jshint ignore:line
+ evt.data.hide = false;
+ return true;
+ }
+ } );
+ }, this, null, 0 );
+
+ this.parts.close.on( 'click', function( evt ) {
+ if ( this.fire( 'cancel', { hide: true } ).hide !== false )
+ this.hide();
+ evt.data.preventDefault();
+ }, this );
+
+ // Sort focus list according to tab order definitions.
+ function setupFocus() {
+ var focusList = me._.focusList;
+ focusList.sort( function( a, b ) {
+ // Mimics browser tab order logics;
+ if ( a.tabIndex != b.tabIndex )
+ return b.tabIndex - a.tabIndex;
+ // Sort is not stable in some browsers,
+ // fall-back the comparator to 'focusIndex';
+ else
+ return a.focusIndex - b.focusIndex;
+ } );
+
+ var size = focusList.length;
+ for ( var i = 0; i < size; i++ )
+ focusList[ i ].focusIndex = i;
+ }
+
+ // Expects 1 or -1 as an offset, meaning direction of the offset change.
+ function changeFocus( offset ) {
+ var focusList = me._.focusList;
+ offset = offset || 0;
+
+ if ( focusList.length < 1 )
+ return;
+
+ var startIndex = me._.currentFocusIndex;
+
+ if ( me._.tabBarMode && offset < 0 ) {
+ // If we are in tab mode, we need to mimic that we started tabbing back from the first
+ // focusList (so it will go to the last one).
+ startIndex = 0;
+ }
+
+ // Trigger the 'blur' event of any input element before anything,
+ // since certain UI updates may depend on it.
+ try {
+ focusList[ startIndex ].getInputElement().$.blur();
+ } catch ( e ) {}
+
+ var currentIndex = startIndex,
+ hasTabs = me._.pageCount > 1;
+
+ do {
+ currentIndex = currentIndex + offset;
+
+ if ( hasTabs && !me._.tabBarMode && ( currentIndex == focusList.length || currentIndex == -1 ) ) {
+ // If the dialog was not in tab mode, then focus the first tab (#13027).
+ me._.tabBarMode = true;
+ me._.tabs[ me._.currentTabId ][ 0 ].focus();
+ me._.currentFocusIndex = -1;
+
+ // Early return, in order to avoid accessing focusList[ -1 ].
+ return;
+ }
+
+ currentIndex = ( currentIndex + focusList.length ) % focusList.length;
+
+ if ( currentIndex == startIndex ) {
+ break;
+ }
+ } while ( offset && !focusList[ currentIndex ].isFocusable() );
+
+ focusList[ currentIndex ].focus();
+
+ // Select whole field content.
+ if ( focusList[ currentIndex ].type == 'text' )
+ focusList[ currentIndex ].select();
+ }
+
+ this.changeFocus = changeFocus;
+
+
+ function keydownHandler( evt ) {
+ // If I'm not the top dialog, ignore.
+ if ( me != CKEDITOR.dialog._.currentTop )
+ return;
+
+ var keystroke = evt.data.getKeystroke(),
+ rtl = editor.lang.dir == 'rtl',
+ arrowKeys = [ 37, 38, 39, 40 ],
+ button;
+
+ processed = stopPropagation = 0;
+
+ if ( keystroke == 9 || keystroke == CKEDITOR.SHIFT + 9 ) {
+ var shiftPressed = ( keystroke == CKEDITOR.SHIFT + 9 );
+ changeFocus( shiftPressed ? -1 : 1 );
+ processed = 1;
+ } else if ( keystroke == CKEDITOR.ALT + 121 && !me._.tabBarMode && me.getPageCount() > 1 ) {
+ // Alt-F10 puts focus into the current tab item in the tab bar.
+ me._.tabBarMode = true;
+ me._.tabs[ me._.currentTabId ][ 0 ].focus();
+ me._.currentFocusIndex = -1;
+ processed = 1;
+ } else if ( CKEDITOR.tools.indexOf( arrowKeys, keystroke ) != -1 && me._.tabBarMode ) {
+ // Array with key codes that activate previous tab.
+ var prevKeyCodes = [
+ // Depending on the lang dir: right or left key
+ rtl ? 39 : 37,
+ // Top/bot arrow: actually for both cases it's the same.
+ 38
+ ],
+ nextId = CKEDITOR.tools.indexOf( prevKeyCodes, keystroke ) != -1 ? getPreviousVisibleTab.call( me ) : getNextVisibleTab.call( me );
+
+ me.selectPage( nextId );
+ me._.tabs[ nextId ][ 0 ].focus();
+ processed = 1;
+ } else if ( ( keystroke == 13 || keystroke == 32 ) && me._.tabBarMode ) {
+ this.selectPage( this._.currentTabId );
+ this._.tabBarMode = false;
+ this._.currentFocusIndex = -1;
+ changeFocus( 1 );
+ processed = 1;
+ }
+ // If user presses enter key in a text box, it implies clicking OK for the dialog.
+ else if ( keystroke == 13 /*ENTER*/ ) {
+ // Don't do that for a target that handles ENTER.
+ var target = evt.data.getTarget();
+ if ( !target.is( 'a', 'button', 'select', 'textarea' ) && ( !target.is( 'input' ) || target.$.type != 'button' ) ) {
+ button = this.getButton( 'ok' );
+ button && CKEDITOR.tools.setTimeout( button.click, 0, button );
+ processed = 1;
+ }
+ stopPropagation = 1; // Always block the propagation (#4269)
+ } else if ( keystroke == 27 /*ESC*/ ) {
+ button = this.getButton( 'cancel' );
+
+ // If there's a Cancel button, click it, else just fire the cancel event and hide the dialog.
+ if ( button )
+ CKEDITOR.tools.setTimeout( button.click, 0, button );
+ else {
+ if ( this.fire( 'cancel', { hide: true } ).hide !== false )
+ this.hide();
+ }
+ stopPropagation = 1; // Always block the propagation (#4269)
+ } else {
+ return;
+ }
+
+ keypressHandler( evt );
+ }
+
+ function keypressHandler( evt ) {
+ if ( processed )
+ evt.data.preventDefault( 1 );
+ else if ( stopPropagation )
+ evt.data.stopPropagation();
+ }
+
+ var dialogElement = this._.element;
+
+ editor.focusManager.add( dialogElement, 1 );
+
+ // Add the dialog keyboard handlers.
+ this.on( 'show', function() {
+ dialogElement.on( 'keydown', keydownHandler, this );
+
+ // 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. (#4531,#8985)
+ if ( CKEDITOR.env.gecko )
+ dialogElement.on( 'keypress', keypressHandler, this );
+
+ } );
+ this.on( 'hide', function() {
+ dialogElement.removeListener( 'keydown', keydownHandler );
+ if ( CKEDITOR.env.gecko )
+ dialogElement.removeListener( 'keypress', keypressHandler );
+
+ // Reset fields state when closing dialog.
+ iterContents( function( item ) {
+ resetField.apply( item );
+ } );
+ } );
+ this.on( 'iframeAdded', function( evt ) {
+ var doc = new CKEDITOR.dom.document( evt.data.iframe.$.contentWindow.document );
+ doc.on( 'keydown', keydownHandler, this, null, 0 );
+ } );
+
+ // Auto-focus logic in dialog.
+ this.on( 'show', function() {
+ // Setup tabIndex on showing the dialog instead of on loading
+ // to allow dynamic tab order happen in dialog definition.
+ setupFocus();
+
+ var hasTabs = me._.pageCount > 1;
+
+ if ( editor.config.dialog_startupFocusTab && hasTabs ) {
+ me._.tabBarMode = true;
+ me._.tabs[ me._.currentTabId ][ 0 ].focus();
+ me._.currentFocusIndex = -1;
+ } else if ( !this._.hasFocus ) {
+ // http://dev.ckeditor.com/ticket/13114#comment:4.
+ this._.currentFocusIndex = hasTabs ? -1 : this._.focusList.length - 1;
+
+ // Decide where to put the initial focus.
+ if ( definition.onFocus ) {
+ var initialFocus = definition.onFocus.call( this );
+ // Focus the field that the user specified.
+ initialFocus && initialFocus.focus();
+ }
+ // Focus the first field in layout order.
+ else {
+ changeFocus( 1 );
+ }
+ }
+ }, this, null, 0xffffffff );
+
+ // IE6 BUG: Text fields and text areas are only half-rendered the first time the dialog appears in IE6 (#2661).
+ // This is still needed after [2708] and [2709] because text fields in hidden TR tags are still broken.
+ if ( CKEDITOR.env.ie6Compat ) {
+ this.on( 'load', function() {
+ var outer = this.getElement(),
+ inner = outer.getFirst();
+ inner.remove();
+ inner.appendTo( outer );
+ }, this );
+ }
+
+ initDragAndDrop( this );
+ initResizeHandles( this );
+
+ // Insert the title.
+ ( new CKEDITOR.dom.text( definition.title, CKEDITOR.document ) ).appendTo( this.parts.title );
+
+ // Insert the tabs and contents.
+ for ( i = 0; i < definition.contents.length; i++ ) {
+ var page = definition.contents[ i ];
+ page && this.addPage( page );
+ }
+
+ this.parts.tabs.on( 'click', function( evt ) {
+ var target = evt.data.getTarget();
+ // If we aren't inside a tab, bail out.
+ if ( target.hasClass( 'cke_dialog_tab' ) ) {
+ // Get the ID of the tab, without the 'cke_' prefix and the unique number suffix.
+ var id = target.$.id;
+ this.selectPage( id.substring( 4, id.lastIndexOf( '_' ) ) );
+
+ if ( this._.tabBarMode ) {
+ this._.tabBarMode = false;
+ this._.currentFocusIndex = -1;
+ changeFocus( 1 );
+ }
+ evt.data.preventDefault();
+ }
+ }, this );
+
+ // Insert buttons.
+ var buttonsHtml = [],
+ buttons = CKEDITOR.dialog._.uiElementBuilders.hbox.build( this, {
+ type: 'hbox',
+ className: 'cke_dialog_footer_buttons',
+ widths: [],
+ children: definition.buttons
+ }, buttonsHtml ).getChild();
+ this.parts.footer.setHtml( buttonsHtml.join( '' ) );
+
+ for ( i = 0; i < buttons.length; i++ )
+ this._.buttons[ buttons[ i ].id ] = buttons[ i ];
+ };
+
+ // Focusable interface. Use it via dialog.addFocusable.
+ function Focusable( dialog, element, index ) {
+ this.element = element;
+ this.focusIndex = index;
+ // TODO: support tabIndex for focusables.
+ this.tabIndex = 0;
+ this.isFocusable = function() {
+ return !element.getAttribute( 'disabled' ) && element.isVisible();
+ };
+ this.focus = function() {
+ dialog._.currentFocusIndex = this.focusIndex;
+ this.element.focus();
+ };
+ // Bind events
+ element.on( 'keydown', function( e ) {
+ if ( e.data.getKeystroke() in { 32: 1, 13: 1 } )
+ this.fire( 'click' );
+ } );
+ element.on( 'focus', function() {
+ this.fire( 'mouseover' );
+ } );
+ element.on( 'blur', function() {
+ this.fire( 'mouseout' );
+ } );
+ }
+
+ // Re-layout the dialog on window resize.
+ function resizeWithWindow( dialog ) {
+ var win = CKEDITOR.document.getWindow();
+ function resizeHandler() {
+ dialog.layout();
+ }
+ win.on( 'resize', resizeHandler );
+ dialog.on( 'hide', function() {
+ win.removeListener( 'resize', resizeHandler );
+ } );
+ }
+
+ CKEDITOR.dialog.prototype = {
+ destroy: function() {
+ this.hide();
+ this._.element.remove();
+ },
+
+ /**
+ * Resizes the dialog.
+ *
+ * dialogObj.resize( 800, 640 );
+ *
+ * @method
+ * @param {Number} width The width of the dialog in pixels.
+ * @param {Number} height The height of the dialog in pixels.
+ */
+ resize: ( function() {
+ return function( width, height ) {
+ if ( this._.contentSize && this._.contentSize.width == width && this._.contentSize.height == height )
+ return;
+
+ CKEDITOR.dialog.fire( 'resize', {
+ dialog: this,
+ width: width,
+ height: height
+ }, this._.editor );
+
+ this.fire( 'resize', {
+ width: width,
+ height: height
+ }, this._.editor );
+
+ var contents = this.parts.contents;
+ contents.setStyles( {
+ width: width + 'px',
+ height: height + 'px'
+ } );
+
+ // Update dialog position when dimension get changed in RTL.
+ if ( this._.editor.lang.dir == 'rtl' && this._.position )
+ this._.position.x = CKEDITOR.document.getWindow().getViewPaneSize().width - this._.contentSize.width - parseInt( this._.element.getFirst().getStyle( 'right' ), 10 );
+
+ this._.contentSize = { width: width, height: height };
+ };
+ } )(),
+
+ /**
+ * Gets the current size of the dialog in pixels.
+ *
+ * var width = dialogObj.getSize().width;
+ *
+ * @returns {Object}
+ * @returns {Number} return.width
+ * @returns {Number} return.height
+ */
+ getSize: function() {
+ var element = this._.element.getFirst();
+ return { width: element.$.offsetWidth || 0, height: element.$.offsetHeight || 0 };
+ },
+
+ /**
+ * Moves the dialog to an `(x, y)` coordinate relative to the window.
+ *
+ * dialogObj.move( 10, 40 );
+ *
+ * @method
+ * @param {Number} x The target x-coordinate.
+ * @param {Number} y The target y-coordinate.
+ * @param {Boolean} save Flag indicate whether the dialog position should be remembered on next open up.
+ */
+ move: function( x, y, save ) {
+
+ // The dialog may be fixed positioned or absolute positioned. Ask the
+ // browser what is the current situation first.
+ var element = this._.element.getFirst(), rtl = this._.editor.lang.dir == 'rtl';
+ var isFixed = element.getComputedStyle( 'position' ) == 'fixed';
+
+ // (#8888) In some cases of a very small viewport, dialog is incorrectly
+ // positioned in IE7. It also happens that it remains sticky and user cannot
+ // scroll down/up to reveal dialog's content below/above the viewport; this is
+ // cumbersome.
+ // The only way to fix this is to move mouse out of the browser and
+ // go back to see that dialog position is automagically fixed. No events,
+ // no style change - pure magic. This is a IE7 rendering issue, which can be
+ // fixed with dummy style redraw on each move.
+ if ( CKEDITOR.env.ie )
+ element.setStyle( 'zoom', '100%' );
+
+ if ( isFixed && this._.position && this._.position.x == x && this._.position.y == y )
+ return;
+
+ // Save the current position.
+ this._.position = { x: x, y: y };
+
+ // If not fixed positioned, add scroll position to the coordinates.
+ if ( !isFixed ) {
+ var scrollPosition = CKEDITOR.document.getWindow().getScrollPosition();
+ x += scrollPosition.x;
+ y += scrollPosition.y;
+ }
+
+ // Translate coordinate for RTL.
+ if ( rtl ) {
+ var dialogSize = this.getSize(), viewPaneSize = CKEDITOR.document.getWindow().getViewPaneSize();
+ x = viewPaneSize.width - dialogSize.width - x;
+ }
+
+ var styles = { 'top': ( y > 0 ? y : 0 ) + 'px' };
+ styles[ rtl ? 'right' : 'left' ] = ( x > 0 ? x : 0 ) + 'px';
+
+ element.setStyles( styles );
+
+ save && ( this._.moved = 1 );
+ },
+
+ /**
+ * Gets the dialog's position in the window.
+ *
+ * var dialogX = dialogObj.getPosition().x;
+ *
+ * @returns {Object}
+ * @returns {Number} return.x
+ * @returns {Number} return.y
+ */
+ getPosition: function() {
+ return CKEDITOR.tools.extend( {}, this._.position );
+ },
+
+ /**
+ * Shows the dialog box.
+ *
+ * dialogObj.show();
+ */
+ show: function() {
+ // Insert the dialog's element to the root document.
+ var element = this._.element;
+ var definition = this.definition;
+ if ( !( element.getParent() && element.getParent().equals( CKEDITOR.document.getBody() ) ) )
+ element.appendTo( CKEDITOR.document.getBody() );
+ else
+ element.setStyle( 'display', 'block' );
+
+ // First, set the dialog to an appropriate size.
+ this.resize(
+ this._.contentSize && this._.contentSize.width || definition.width || definition.minWidth,
+ this._.contentSize && this._.contentSize.height || definition.height || definition.minHeight
+ );
+
+ // Reset all inputs back to their default value.
+ this.reset();
+
+ // Select the first tab by default.
+ this.selectPage( this.definition.contents[ 0 ].id );
+
+ // Set z-index.
+ if ( CKEDITOR.dialog._.currentZIndex === null )
+ CKEDITOR.dialog._.currentZIndex = this._.editor.config.baseFloatZIndex;
+ this._.element.getFirst().setStyle( 'z-index', CKEDITOR.dialog._.currentZIndex += 10 );
+
+ // Maintain the dialog ordering and dialog cover.
+ if ( CKEDITOR.dialog._.currentTop === null ) {
+ CKEDITOR.dialog._.currentTop = this;
+ this._.parentDialog = null;
+ showCover( this._.editor );
+
+ } else {
+ this._.parentDialog = CKEDITOR.dialog._.currentTop;
+ var parentElement = this._.parentDialog.getElement().getFirst();
+ parentElement.$.style.zIndex -= Math.floor( this._.editor.config.baseFloatZIndex / 2 );
+ CKEDITOR.dialog._.currentTop = this;
+ }
+
+ element.on( 'keydown', accessKeyDownHandler );
+ element.on( 'keyup', accessKeyUpHandler );
+
+ // Reset the hasFocus state.
+ this._.hasFocus = false;
+
+ for ( var i in definition.contents ) {
+ if ( !definition.contents[ i ] )
+ continue;
+
+ var content = definition.contents[ i ],
+ tab = this._.tabs[ content.id ],
+ requiredContent = content.requiredContent,
+ enableElements = 0;
+
+ if ( !tab )
+ continue;
+
+ for ( var j in this._.contents[ content.id ] ) {
+ var elem = this._.contents[ content.id ][ j ];
+
+ if ( elem.type == 'hbox' || elem.type == 'vbox' || !elem.getInputElement() )
+ continue;
+
+ if ( elem.requiredContent && !this._.editor.activeFilter.check( elem.requiredContent ) )
+ elem.disable();
+ else {
+ elem.enable();
+ enableElements++;
+ }
+ }
+
+ if ( !enableElements || ( requiredContent && !this._.editor.activeFilter.check( requiredContent ) ) )
+ tab[ 0 ].addClass( 'cke_dialog_tab_disabled' );
+ else
+ tab[ 0 ].removeClass( 'cke_dialog_tab_disabled' );
+ }
+
+ CKEDITOR.tools.setTimeout( function() {
+ this.layout();
+ resizeWithWindow( this );
+
+ this.parts.dialog.setStyle( 'visibility', '' );
+
+ // Execute onLoad for the first show.
+ this.fireOnce( 'load', {} );
+ CKEDITOR.ui.fire( 'ready', this );
+
+ this.fire( 'show', {} );
+ this._.editor.fire( 'dialogShow', this );
+
+ if ( !this._.parentDialog )
+ this._.editor.focusManager.lock();
+
+ // Save the initial values of the dialog.
+ this.foreach( function( contentObj ) {
+ contentObj.setInitValue && contentObj.setInitValue();
+ } );
+
+ }, 100, this );
+ },
+
+ /**
+ * Rearrange the dialog to its previous position or the middle of the window.
+ *
+ * @since 3.5
+ */
+ layout: function() {
+ var el = this.parts.dialog;
+ var dialogSize = this.getSize();
+ var win = CKEDITOR.document.getWindow(),
+ viewSize = win.getViewPaneSize();
+
+ var posX = ( viewSize.width - dialogSize.width ) / 2,
+ posY = ( viewSize.height - dialogSize.height ) / 2;
+
+ // Switch to absolute position when viewport is smaller than dialog size.
+ if ( !CKEDITOR.env.ie6Compat ) {
+ if ( dialogSize.height + ( posY > 0 ? posY : 0 ) > viewSize.height || dialogSize.width + ( posX > 0 ? posX : 0 ) > viewSize.width ) {
+ el.setStyle( 'position', 'absolute' );
+ } else {
+ el.setStyle( 'position', 'fixed' );
+ }
+ }
+
+ this.move( this._.moved ? this._.position.x : posX, this._.moved ? this._.position.y : posY );
+ },
+
+ /**
+ * Executes a function for each UI element.
+ *
+ * @param {Function} fn Function to execute for each UI element.
+ * @returns {CKEDITOR.dialog} The current dialog object.
+ */
+ foreach: function( fn ) {
+ for ( var i in this._.contents ) {
+ for ( var j in this._.contents[ i ] ) {
+ fn.call( this, this._.contents[i][j] );
+ }
+ }
+
+ return this;
+ },
+
+ /**
+ * Resets all input values in the dialog.
+ *
+ * dialogObj.reset();
+ *
+ * @method
+ * @chainable
+ */
+ reset: ( function() {
+ var fn = function( widget ) {
+ if ( widget.reset )
+ widget.reset( 1 );
+ };
+ return function() {
+ this.foreach( fn );
+ return this;
+ };
+ } )(),
+
+
+ /**
+ * Calls the {@link CKEDITOR.dialog.definition.uiElement#setup} method of each
+ * of the UI elements, with the arguments passed through it.
+ * It is usually being called when the dialog is opened, to put the initial value inside the field.
+ *
+ * dialogObj.setupContent();
+ *
+ * var timestamp = ( new Date() ).valueOf();
+ * dialogObj.setupContent( timestamp );
+ */
+ setupContent: function() {
+ var args = arguments;
+ this.foreach( function( widget ) {
+ if ( widget.setup )
+ widget.setup.apply( widget, args );
+ } );
+ },
+
+ /**
+ * Calls the {@link CKEDITOR.dialog.definition.uiElement#commit} method of each
+ * of the UI elements, with the arguments passed through it.
+ * It is usually being called when the user confirms the dialog, to process the values.
+ *
+ * dialogObj.commitContent();
+ *
+ * var timestamp = ( new Date() ).valueOf();
+ * dialogObj.commitContent( timestamp );
+ */
+ commitContent: function() {
+ var args = arguments;
+ this.foreach( function( widget ) {
+ // Make sure IE triggers "change" event on last focused input before closing the dialog. (#7915)
+ if ( CKEDITOR.env.ie && this._.currentFocusIndex == widget.focusIndex )
+ widget.getInputElement().$.blur();
+
+ if ( widget.commit )
+ widget.commit.apply( widget, args );
+ } );
+ },
+
+ /**
+ * Hides the dialog box.
+ *
+ * dialogObj.hide();
+ */
+ hide: function() {
+ if ( !this.parts.dialog.isVisible() )
+ return;
+
+ this.fire( 'hide', {} );
+ this._.editor.fire( 'dialogHide', this );
+ // Reset the tab page.
+ this.selectPage( this._.tabIdList[ 0 ] );
+ var element = this._.element;
+ element.setStyle( 'display', 'none' );
+ this.parts.dialog.setStyle( 'visibility', 'hidden' );
+ // Unregister all access keys associated with this dialog.
+ unregisterAccessKey( this );
+
+ // Close any child(top) dialogs first.
+ while ( CKEDITOR.dialog._.currentTop != this )
+ CKEDITOR.dialog._.currentTop.hide();
+
+ // Maintain dialog ordering and remove cover if needed.
+ if ( !this._.parentDialog )
+ hideCover( this._.editor );
+ else {
+ var parentElement = this._.parentDialog.getElement().getFirst();
+ parentElement.setStyle( 'z-index', parseInt( parentElement.$.style.zIndex, 10 ) + Math.floor( this._.editor.config.baseFloatZIndex / 2 ) );
+ }
+ CKEDITOR.dialog._.currentTop = this._.parentDialog;
+
+ // Deduct or clear the z-index.
+ if ( !this._.parentDialog ) {
+ CKEDITOR.dialog._.currentZIndex = null;
+
+ // Remove access key handlers.
+ element.removeListener( 'keydown', accessKeyDownHandler );
+ element.removeListener( 'keyup', accessKeyUpHandler );
+
+ var editor = this._.editor;
+ editor.focus();
+
+ // Give a while before unlock, waiting for focus to return to the editable. (#172)
+ setTimeout( function() {
+ editor.focusManager.unlock();
+
+ // Fixed iOS focus issue (#12381).
+ // Keep in mind that editor.focus() does not work in this case.
+ if ( CKEDITOR.env.iOS ) {
+ editor.window.focus();
+ }
+ }, 0 );
+
+ } else {
+ CKEDITOR.dialog._.currentZIndex -= 10;
+ }
+
+ delete this._.parentDialog;
+ // Reset the initial values of the dialog.
+ this.foreach( function( contentObj ) {
+ contentObj.resetInitValue && contentObj.resetInitValue();
+ } );
+ },
+
+ /**
+ * Adds a tabbed page into the dialog.
+ *
+ * @param {Object} contents Content definition.
+ */
+ addPage: function( contents ) {
+ if ( contents.requiredContent && !this._.editor.filter.check( contents.requiredContent ) )
+ return;
+
+ var pageHtml = [],
+ titleHtml = contents.label ? ' title="' + CKEDITOR.tools.htmlEncode( contents.label ) + '"' : '',
+ vbox = CKEDITOR.dialog._.uiElementBuilders.vbox.build( this, {
+ type: 'vbox',
+ className: 'cke_dialog_page_contents',
+ children: contents.elements,
+ expand: !!contents.expand,
+ padding: contents.padding,
+ style: contents.style || 'width: 100%;'
+ }, pageHtml );
+
+ var contentMap = this._.contents[ contents.id ] = {},
+ cursor,
+ children = vbox.getChild(),
+ enabledFields = 0;
+
+ while ( ( cursor = children.shift() ) ) {
+ // Count all allowed fields.
+ if ( !cursor.notAllowed && cursor.type != 'hbox' && cursor.type != 'vbox' )
+ enabledFields++;
+
+ contentMap[ cursor.id ] = cursor;
+ if ( typeof cursor.getChild == 'function' )
+ children.push.apply( children, cursor.getChild() );
+ }
+
+ // If all fields are disabled (because they are not allowed) hide this tab.
+ if ( !enabledFields )
+ contents.hidden = true;
+
+ // Create the HTML for the tab and the content block.
+ var page = CKEDITOR.dom.element.createFromHtml( pageHtml.join( '' ) );
+ page.setAttribute( 'role', 'tabpanel' );
+
+ var env = CKEDITOR.env;
+ var tabId = 'cke_' + contents.id + '_' + CKEDITOR.tools.getNextNumber(),
+ tab = CKEDITOR.dom.element.createFromHtml( [
+ ' 0 ? ' cke_last' : 'cke_first' ),
+ titleHtml,
+ ( !!contents.hidden ? ' style="display:none"' : '' ),
+ ' id="', tabId, '"',
+ env.gecko && !env.hc ? '' : ' href="javascript:void(0)"',
+ ' tabIndex="-1"',
+ ' hidefocus="true"',
+ ' role="tab">',
+ contents.label,
+ ''
+ ].join( '' ) );
+
+ page.setAttribute( 'aria-labelledby', tabId );
+
+ // Take records for the tabs and elements created.
+ this._.tabs[ contents.id ] = [ tab, page ];
+ this._.tabIdList.push( contents.id );
+ !contents.hidden && this._.pageCount++;
+ this._.lastTab = tab;
+ this.updateStyle();
+
+ // Attach the DOM nodes.
+
+ page.setAttribute( 'name', contents.id );
+ page.appendTo( this.parts.contents );
+
+ tab.unselectable();
+ this.parts.tabs.append( tab );
+
+ // Add access key handlers if access key is defined.
+ if ( contents.accessKey ) {
+ registerAccessKey( this, this, 'CTRL+' + contents.accessKey, tabAccessKeyDown, tabAccessKeyUp );
+ this._.accessKeyMap[ 'CTRL+' + contents.accessKey ] = contents.id;
+ }
+ },
+
+ /**
+ * Activates a tab page in the dialog by its id.
+ *
+ * dialogObj.selectPage( 'tab_1' );
+ *
+ * @param {String} id The id of the dialog tab to be activated.
+ */
+ selectPage: function( id ) {
+ if ( this._.currentTabId == id )
+ return;
+
+ if ( this._.tabs[ id ][ 0 ].hasClass( 'cke_dialog_tab_disabled' ) )
+ return;
+
+ // If event was canceled - do nothing.
+ if ( this.fire( 'selectPage', { page: id, currentPage: this._.currentTabId } ) === false )
+ return;
+
+ // Hide the non-selected tabs and pages.
+ for ( var i in this._.tabs ) {
+ var tab = this._.tabs[ i ][ 0 ],
+ page = this._.tabs[ i ][ 1 ];
+ if ( i != id ) {
+ tab.removeClass( 'cke_dialog_tab_selected' );
+ page.hide();
+ }
+ page.setAttribute( 'aria-hidden', i != id );
+ }
+
+ var selected = this._.tabs[ id ];
+ selected[ 0 ].addClass( 'cke_dialog_tab_selected' );
+
+ // [IE] an invisible input[type='text'] will enlarge it's width
+ // if it's value is long when it shows, so we clear it's value
+ // before it shows and then recover it (#5649)
+ if ( CKEDITOR.env.ie6Compat || CKEDITOR.env.ie7Compat ) {
+ clearOrRecoverTextInputValue( selected[ 1 ] );
+ selected[ 1 ].show();
+ setTimeout( function() {
+ clearOrRecoverTextInputValue( selected[ 1 ], 1 );
+ }, 0 );
+ } else {
+ selected[ 1 ].show();
+ }
+
+ this._.currentTabId = id;
+ this._.currentTabIndex = CKEDITOR.tools.indexOf( this._.tabIdList, id );
+ },
+
+ /**
+ * Dialog state-specific style updates.
+ */
+ updateStyle: function() {
+ // If only a single page shown, a different style is used in the central pane.
+ this.parts.dialog[ ( this._.pageCount === 1 ? 'add' : 'remove' ) + 'Class' ]( 'cke_single_page' );
+ },
+
+ /**
+ * Hides a page's tab away from the dialog.
+ *
+ * dialog.hidePage( 'tab_3' );
+ *
+ * @param {String} id The page's Id.
+ */
+ hidePage: function( id ) {
+ var tab = this._.tabs[ id ] && this._.tabs[ id ][ 0 ];
+ if ( !tab || this._.pageCount == 1 || !tab.isVisible() )
+ return;
+ // Switch to other tab first when we're hiding the active tab.
+ else if ( id == this._.currentTabId )
+ this.selectPage( getPreviousVisibleTab.call( this ) );
+
+ tab.hide();
+ this._.pageCount--;
+ this.updateStyle();
+ },
+
+ /**
+ * Unhides a page's tab.
+ *
+ * dialog.showPage( 'tab_2' );
+ *
+ * @param {String} id The page's Id.
+ */
+ showPage: function( id ) {
+ var tab = this._.tabs[ id ] && this._.tabs[ id ][ 0 ];
+ if ( !tab )
+ return;
+ tab.show();
+ this._.pageCount++;
+ this.updateStyle();
+ },
+
+ /**
+ * Gets the root DOM element of the dialog.
+ *
+ * var dialogElement = dialogObj.getElement().getFirst();
+ * dialogElement.setStyle( 'padding', '5px' );
+ *
+ * @returns {CKEDITOR.dom.element} The `` element containing this dialog.
+ */
+ getElement: function() {
+ return this._.element;
+ },
+
+ /**
+ * Gets the name of the dialog.
+ *
+ * var dialogName = dialogObj.getName();
+ *
+ * @returns {String} The name of this dialog.
+ */
+ getName: function() {
+ return this._.name;
+ },
+
+ /**
+ * Gets a dialog UI element object from a dialog page.
+ *
+ * dialogObj.getContentElement( 'tabId', 'elementId' ).setValue( 'Example' );
+ *
+ * @param {String} pageId id of dialog page.
+ * @param {String} elementId id of UI element.
+ * @returns {CKEDITOR.ui.dialog.uiElement} The dialog UI element.
+ */
+ getContentElement: function( pageId, elementId ) {
+ var page = this._.contents[ pageId ];
+ return page && page[ elementId ];
+ },
+
+ /**
+ * Gets the value of a dialog UI element.
+ *
+ * alert( dialogObj.getValueOf( 'tabId', 'elementId' ) );
+ *
+ * @param {String} pageId id of dialog page.
+ * @param {String} elementId id of UI element.
+ * @returns {Object} The value of the UI element.
+ */
+ getValueOf: function( pageId, elementId ) {
+ return this.getContentElement( pageId, elementId ).getValue();
+ },
+
+ /**
+ * Sets the value of a dialog UI element.
+ *
+ * dialogObj.setValueOf( 'tabId', 'elementId', 'Example' );
+ *
+ * @param {String} pageId id of the dialog page.
+ * @param {String} elementId id of the UI element.
+ * @param {Object} value The new value of the UI element.
+ */
+ setValueOf: function( pageId, elementId, value ) {
+ return this.getContentElement( pageId, elementId ).setValue( value );
+ },
+
+ /**
+ * Gets the UI element of a button in the dialog's button row.
+ *
+ * @returns {CKEDITOR.ui.dialog.button} The button object.
+ *
+ * @param {String} id The id of the button.
+ */
+ getButton: function( id ) {
+ return this._.buttons[ id ];
+ },
+
+ /**
+ * Simulates a click to a dialog button in the dialog's button row.
+ *
+ * @returns The return value of the dialog's `click` event.
+ *
+ * @param {String} id The id of the button.
+ */
+ click: function( id ) {
+ return this._.buttons[ id ].click();
+ },
+
+ /**
+ * Disables a dialog button.
+ *
+ * @param {String} id The id of the button.
+ */
+ disableButton: function( id ) {
+ return this._.buttons[ id ].disable();
+ },
+
+ /**
+ * Enables a dialog button.
+ *
+ * @param {String} id The id of the button.
+ */
+ enableButton: function( id ) {
+ return this._.buttons[ id ].enable();
+ },
+
+ /**
+ * Gets the number of pages in the dialog.
+ *
+ * @returns {Number} Page count.
+ */
+ getPageCount: function() {
+ return this._.pageCount;
+ },
+
+ /**
+ * Gets the editor instance which opened this dialog.
+ *
+ * @returns {CKEDITOR.editor} Parent editor instances.
+ */
+ getParentEditor: function() {
+ return this._.editor;
+ },
+
+ /**
+ * Gets the element that was selected when opening the dialog, if any.
+ *
+ * @returns {CKEDITOR.dom.element} The element that was selected, or `null`.
+ */
+ getSelectedElement: function() {
+ return this.getParentEditor().getSelection().getSelectedElement();
+ },
+
+ /**
+ * Adds element to dialog's focusable list.
+ *
+ * @param {CKEDITOR.dom.element} element
+ * @param {Number} [index]
+ */
+ addFocusable: function( element, index ) {
+ if ( typeof index == 'undefined' ) {
+ index = this._.focusList.length;
+ this._.focusList.push( new Focusable( this, element, index ) );
+ } else {
+ this._.focusList.splice( index, 0, new Focusable( this, element, index ) );
+ for ( var i = index + 1; i < this._.focusList.length; i++ )
+ this._.focusList[ i ].focusIndex++;
+ }
+ }
+ };
+
+ CKEDITOR.tools.extend( CKEDITOR.dialog, {
+ /**
+ * Registers a dialog.
+ *
+ * // Full sample plugin, which does not only register a dialog window but also adds an item to the context menu.
+ * // To open the dialog window, choose "Open dialog" in the context menu.
+ * CKEDITOR.plugins.add( 'myplugin', {
+ * init: function( editor ) {
+ * editor.addCommand( 'mydialog',new CKEDITOR.dialogCommand( 'mydialog' ) );
+ *
+ * if ( editor.contextMenu ) {
+ * editor.addMenuGroup( 'mygroup', 10 );
+ * editor.addMenuItem( 'My Dialog', {
+ * label: 'Open dialog',
+ * command: 'mydialog',
+ * group: 'mygroup'
+ * } );
+ * editor.contextMenu.addListener( function( element ) {
+ * return { 'My Dialog': CKEDITOR.TRISTATE_OFF };
+ * } );
+ * }
+ *
+ * CKEDITOR.dialog.add( 'mydialog', function( api ) {
+ * // CKEDITOR.dialog.definition
+ * var dialogDefinition = {
+ * title: 'Sample dialog',
+ * minWidth: 390,
+ * minHeight: 130,
+ * contents: [
+ * {
+ * id: 'tab1',
+ * label: 'Label',
+ * title: 'Title',
+ * expand: true,
+ * padding: 0,
+ * elements: [
+ * {
+ * type: 'html',
+ * html: 'This is some sample HTML content.
'
+ * },
+ * {
+ * type: 'textarea',
+ * id: 'textareaId',
+ * rows: 4,
+ * cols: 40
+ * }
+ * ]
+ * }
+ * ],
+ * buttons: [ CKEDITOR.dialog.okButton, CKEDITOR.dialog.cancelButton ],
+ * onOk: function() {
+ * // "this" is now a CKEDITOR.dialog object.
+ * // Accessing dialog elements:
+ * var textareaObj = this.getContentElement( 'tab1', 'textareaId' );
+ * alert( "You have entered: " + textareaObj.getValue() );
+ * }
+ * };
+ *
+ * return dialogDefinition;
+ * } );
+ * }
+ * } );
+ *
+ * CKEDITOR.replace( 'editor1', { extraPlugins: 'myplugin' } );
+ *
+ * @static
+ * @param {String} name The dialog's name.
+ * @param {Function/String} dialogDefinition
+ * A function returning the dialog's definition, or the URL to the `.js` file holding the function.
+ * The function should accept an argument `editor` which is the current editor instance, and
+ * return an object conforming to {@link CKEDITOR.dialog.definition}.
+ * @see CKEDITOR.dialog.definition
+ */
+ add: function( name, dialogDefinition ) {
+ // Avoid path registration from multiple instances override definition.
+ if ( !this._.dialogDefinitions[ name ] || typeof dialogDefinition == 'function' )
+ this._.dialogDefinitions[ name ] = dialogDefinition;
+ },
+
+ /**
+ * @static
+ * @todo
+ */
+ exists: function( name ) {
+ return !!this._.dialogDefinitions[ name ];
+ },
+
+ /**
+ * @static
+ * @todo
+ */
+ getCurrent: function() {
+ return CKEDITOR.dialog._.currentTop;
+ },
+
+ /**
+ * Check whether tab wasn't removed by {@link CKEDITOR.config#removeDialogTabs}.
+ *
+ * @since 4.1
+ * @static
+ * @param {CKEDITOR.editor} editor
+ * @param {String} dialogName
+ * @param {String} tabName
+ * @returns {Boolean}
+ */
+ isTabEnabled: function( editor, dialogName, tabName ) {
+ var cfg = editor.config.removeDialogTabs;
+
+ return !( cfg && cfg.match( new RegExp( '(?:^|;)' + dialogName + ':' + tabName + '(?:$|;)', 'i' ) ) );
+ },
+
+ /**
+ * The default OK button for dialogs. Fires the `ok` event and closes the dialog if the event succeeds.
+ *
+ * @static
+ * @method
+ */
+ okButton: ( function() {
+ var retval = function( editor, override ) {
+ override = override || {};
+ return CKEDITOR.tools.extend( {
+ id: 'ok',
+ type: 'button',
+ label: editor.lang.common.ok,
+ 'class': 'cke_dialog_ui_button_ok',
+ onClick: function( evt ) {
+ var dialog = evt.data.dialog;
+ if ( dialog.fire( 'ok', { hide: true } ).hide !== false )
+ dialog.hide();
+ }
+ }, override, true );
+ };
+ retval.type = 'button';
+ retval.override = function( override ) {
+ return CKEDITOR.tools.extend( function( editor ) {
+ return retval( editor, override );
+ }, { type: 'button' }, true );
+ };
+ return retval;
+ } )(),
+
+ /**
+ * The default cancel button for dialogs. Fires the `cancel` event and
+ * closes the dialog if no UI element value changed.
+ *
+ * @static
+ * @method
+ */
+ cancelButton: ( function() {
+ var retval = function( editor, override ) {
+ override = override || {};
+ return CKEDITOR.tools.extend( {
+ id: 'cancel',
+ type: 'button',
+ label: editor.lang.common.cancel,
+ 'class': 'cke_dialog_ui_button_cancel',
+ onClick: function( evt ) {
+ var dialog = evt.data.dialog;
+ if ( dialog.fire( 'cancel', { hide: true } ).hide !== false )
+ dialog.hide();
+ }
+ }, override, true );
+ };
+ retval.type = 'button';
+ retval.override = function( override ) {
+ return CKEDITOR.tools.extend( function( editor ) {
+ return retval( editor, override );
+ }, { type: 'button' }, true );
+ };
+ return retval;
+ } )(),
+
+ /**
+ * Registers a dialog UI element.
+ *
+ * @static
+ * @param {String} typeName The name of the UI element.
+ * @param {Function} builder The function to build the UI element.
+ */
+ addUIElement: function( typeName, builder ) {
+ this._.uiElementBuilders[ typeName ] = builder;
+ }
+ } );
+
+ CKEDITOR.dialog._ = {
+ uiElementBuilders: {},
+
+ dialogDefinitions: {},
+
+ currentTop: null,
+
+ currentZIndex: null
+ };
+
+ // "Inherit" (copy actually) from CKEDITOR.event.
+ CKEDITOR.event.implementOn( CKEDITOR.dialog );
+ CKEDITOR.event.implementOn( CKEDITOR.dialog.prototype );
+
+ var defaultDialogDefinition = {
+ resizable: CKEDITOR.DIALOG_RESIZE_BOTH,
+ minWidth: 600,
+ minHeight: 400,
+ buttons: [ CKEDITOR.dialog.okButton, CKEDITOR.dialog.cancelButton ]
+ };
+
+ // Tool function used to return an item from an array based on its id
+ // property.
+ var getById = function( array, id, recurse ) {
+ for ( var i = 0, item;
+ ( item = array[ i ] ); i++ ) {
+ if ( item.id == id )
+ return item;
+ if ( recurse && item[ recurse ] ) {
+ var retval = getById( item[ recurse ], id, recurse );
+ if ( retval )
+ return retval;
+ }
+ }
+ return null;
+ };
+
+ // Tool function used to add an item into an array.
+ var addById = function( array, newItem, nextSiblingId, recurse, nullIfNotFound ) {
+ if ( nextSiblingId ) {
+ for ( var i = 0, item;
+ ( item = array[ i ] ); i++ ) {
+ if ( item.id == nextSiblingId ) {
+ array.splice( i, 0, newItem );
+ return newItem;
+ }
+
+ if ( recurse && item[ recurse ] ) {
+ var retval = addById( item[ recurse ], newItem, nextSiblingId, recurse, true );
+ if ( retval )
+ return retval;
+ }
+ }
+
+ if ( nullIfNotFound )
+ return null;
+ }
+
+ array.push( newItem );
+ return newItem;
+ };
+
+ // Tool function used to remove an item from an array based on its id.
+ var removeById = function( array, id, recurse ) {
+ for ( var i = 0, item;
+ ( item = array[ i ] ); i++ ) {
+ if ( item.id == id )
+ return array.splice( i, 1 );
+ if ( recurse && item[ recurse ] ) {
+ var retval = removeById( item[ recurse ], id, recurse );
+ if ( retval )
+ return retval;
+ }
+ }
+ return null;
+ };
+
+ /**
+ * This class is not really part of the API. It is the `definition` property value
+ * passed to `dialogDefinition` event handlers.
+ *
+ * CKEDITOR.on( 'dialogDefinition', function( evt ) {
+ * var definition = evt.data.definition;
+ * var content = definition.getContents( 'page1' );
+ * // ...
+ * } );
+ *
+ * @private
+ * @class CKEDITOR.dialog.definitionObject
+ * @extends CKEDITOR.dialog.definition
+ * @constructor Creates a definitionObject class instance.
+ */
+ var definitionObject = function( dialog, dialogDefinition ) {
+ // TODO : Check if needed.
+ this.dialog = dialog;
+
+ // Transform the contents entries in contentObjects.
+ var contents = dialogDefinition.contents;
+ for ( var i = 0, content;
+ ( content = contents[ i ] ); i++ )
+ contents[ i ] = content && new contentObject( dialog, content );
+
+ CKEDITOR.tools.extend( this, dialogDefinition );
+ };
+
+ definitionObject.prototype = {
+ /**
+ * Gets a content definition.
+ *
+ * @param {String} id The id of the content definition.
+ * @returns {CKEDITOR.dialog.definition.content} The content definition matching id.
+ */
+ getContents: function( id ) {
+ return getById( this.contents, id );
+ },
+
+ /**
+ * Gets a button definition.
+ *
+ * @param {String} id The id of the button definition.
+ * @returns {CKEDITOR.dialog.definition.button} The button definition matching id.
+ */
+ getButton: function( id ) {
+ return getById( this.buttons, id );
+ },
+
+ /**
+ * Adds a content definition object under this dialog definition.
+ *
+ * @param {CKEDITOR.dialog.definition.content} contentDefinition The
+ * content definition.
+ * @param {String} [nextSiblingId] The id of an existing content
+ * definition which the new content definition will be inserted
+ * before. Omit if the new content definition is to be inserted as
+ * the last item.
+ * @returns {CKEDITOR.dialog.definition.content} The inserted content definition.
+ */
+ addContents: function( contentDefinition, nextSiblingId ) {
+ return addById( this.contents, contentDefinition, nextSiblingId );
+ },
+
+ /**
+ * Adds a button definition object under this dialog definition.
+ *
+ * @param {CKEDITOR.dialog.definition.button} buttonDefinition The
+ * button definition.
+ * @param {String} [nextSiblingId] The id of an existing button
+ * definition which the new button definition will be inserted
+ * before. Omit if the new button definition is to be inserted as
+ * the last item.
+ * @returns {CKEDITOR.dialog.definition.button} The inserted button definition.
+ */
+ addButton: function( buttonDefinition, nextSiblingId ) {
+ return addById( this.buttons, buttonDefinition, nextSiblingId );
+ },
+
+ /**
+ * Removes a content definition from this dialog definition.
+ *
+ * @param {String} id The id of the content definition to be removed.
+ * @returns {CKEDITOR.dialog.definition.content} The removed content definition.
+ */
+ removeContents: function( id ) {
+ removeById( this.contents, id );
+ },
+
+ /**
+ * Removes a button definition from the dialog definition.
+ *
+ * @param {String} id The id of the button definition to be removed.
+ * @returns {CKEDITOR.dialog.definition.button} The removed button definition.
+ */
+ removeButton: function( id ) {
+ removeById( this.buttons, id );
+ }
+ };
+
+ /**
+ * This class is not really part of the API. It is the template of the
+ * objects representing content pages inside the
+ * CKEDITOR.dialog.definitionObject.
+ *
+ * CKEDITOR.on( 'dialogDefinition', function( evt ) {
+ * var definition = evt.data.definition;
+ * var content = definition.getContents( 'page1' );
+ * content.remove( 'textInput1' );
+ * // ...
+ * } );
+ *
+ * @private
+ * @class CKEDITOR.dialog.definition.contentObject
+ * @constructor Creates a contentObject class instance.
+ */
+ function contentObject( dialog, contentDefinition ) {
+ this._ = {
+ dialog: dialog
+ };
+
+ CKEDITOR.tools.extend( this, contentDefinition );
+ }
+
+ contentObject.prototype = {
+ /**
+ * Gets a UI element definition under the content definition.
+ *
+ * @param {String} id The id of the UI element definition.
+ * @returns {CKEDITOR.dialog.definition.uiElement}
+ */
+ get: function( id ) {
+ return getById( this.elements, id, 'children' );
+ },
+
+ /**
+ * Adds a UI element definition to the content definition.
+ *
+ * @param {CKEDITOR.dialog.definition.uiElement} elementDefinition The
+ * UI elemnet definition to be added.
+ * @param {String} nextSiblingId The id of an existing UI element
+ * definition which the new UI element definition will be inserted
+ * before. Omit if the new button definition is to be inserted as
+ * the last item.
+ * @returns {CKEDITOR.dialog.definition.uiElement} The element definition inserted.
+ */
+ add: function( elementDefinition, nextSiblingId ) {
+ return addById( this.elements, elementDefinition, nextSiblingId, 'children' );
+ },
+
+ /**
+ * Removes a UI element definition from the content definition.
+ *
+ * @param {String} id The id of the UI element definition to be removed.
+ * @returns {CKEDITOR.dialog.definition.uiElement} The element definition removed.
+ */
+ remove: function( id ) {
+ removeById( this.elements, id, 'children' );
+ }
+ };
+
+ function initDragAndDrop( dialog ) {
+ var lastCoords = null,
+ abstractDialogCoords = null,
+ editor = dialog.getParentEditor(),
+ magnetDistance = editor.config.dialog_magnetDistance,
+ margins = CKEDITOR.skin.margins || [ 0, 0, 0, 0 ];
+
+ if ( typeof magnetDistance == 'undefined' )
+ magnetDistance = 20;
+
+ function mouseMoveHandler( evt ) {
+ var dialogSize = dialog.getSize(),
+ viewPaneSize = CKEDITOR.document.getWindow().getViewPaneSize(),
+ x = evt.data.$.screenX,
+ y = evt.data.$.screenY,
+ dx = x - lastCoords.x,
+ dy = y - lastCoords.y,
+ realX, realY;
+
+ lastCoords = { x: x, y: y };
+ abstractDialogCoords.x += dx;
+ abstractDialogCoords.y += dy;
+
+ if ( abstractDialogCoords.x + margins[ 3 ] < magnetDistance )
+ realX = -margins[ 3 ];
+ else if ( abstractDialogCoords.x - margins[ 1 ] > viewPaneSize.width - dialogSize.width - magnetDistance )
+ realX = viewPaneSize.width - dialogSize.width + ( editor.lang.dir == 'rtl' ? 0 : margins[ 1 ] );
+ else
+ realX = abstractDialogCoords.x;
+
+ if ( abstractDialogCoords.y + margins[ 0 ] < magnetDistance )
+ realY = -margins[ 0 ];
+ else if ( abstractDialogCoords.y - margins[ 2 ] > viewPaneSize.height - dialogSize.height - magnetDistance )
+ realY = viewPaneSize.height - dialogSize.height + margins[ 2 ];
+ else
+ realY = abstractDialogCoords.y;
+
+ dialog.move( realX, realY, 1 );
+
+ evt.data.preventDefault();
+ }
+
+ function mouseUpHandler() {
+ CKEDITOR.document.removeListener( 'mousemove', mouseMoveHandler );
+ CKEDITOR.document.removeListener( 'mouseup', mouseUpHandler );
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ var coverDoc = currentCover.getChild( 0 ).getFrameDocument();
+ coverDoc.removeListener( 'mousemove', mouseMoveHandler );
+ coverDoc.removeListener( 'mouseup', mouseUpHandler );
+ }
+ }
+
+ dialog.parts.title.on( 'mousedown', function( evt ) {
+ lastCoords = { x: evt.data.$.screenX, y: evt.data.$.screenY };
+
+ CKEDITOR.document.on( 'mousemove', mouseMoveHandler );
+ CKEDITOR.document.on( 'mouseup', mouseUpHandler );
+ abstractDialogCoords = dialog.getPosition();
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ var coverDoc = currentCover.getChild( 0 ).getFrameDocument();
+ coverDoc.on( 'mousemove', mouseMoveHandler );
+ coverDoc.on( 'mouseup', mouseUpHandler );
+ }
+
+ evt.data.preventDefault();
+ }, dialog );
+ }
+
+ function initResizeHandles( dialog ) {
+ var def = dialog.definition,
+ resizable = def.resizable;
+
+ if ( resizable == CKEDITOR.DIALOG_RESIZE_NONE )
+ return;
+
+ var editor = dialog.getParentEditor();
+ var wrapperWidth, wrapperHeight, viewSize, origin, startSize, dialogCover;
+
+ var mouseDownFn = CKEDITOR.tools.addFunction( function( $event ) {
+ startSize = dialog.getSize();
+
+ var content = dialog.parts.contents,
+ iframeDialog = content.$.getElementsByTagName( 'iframe' ).length;
+
+ // Shim to help capturing "mousemove" over iframe.
+ if ( iframeDialog ) {
+ dialogCover = CKEDITOR.dom.element.createFromHtml( '' );
+ content.append( dialogCover );
+ }
+
+ // Calculate the offset between content and chrome size.
+ wrapperHeight = startSize.height - dialog.parts.contents.getSize( 'height', !( CKEDITOR.env.gecko || CKEDITOR.env.ie && CKEDITOR.env.quirks ) );
+ wrapperWidth = startSize.width - dialog.parts.contents.getSize( 'width', 1 );
+
+ origin = { x: $event.screenX, y: $event.screenY };
+
+ viewSize = CKEDITOR.document.getWindow().getViewPaneSize();
+
+ CKEDITOR.document.on( 'mousemove', mouseMoveHandler );
+ CKEDITOR.document.on( 'mouseup', mouseUpHandler );
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ var coverDoc = currentCover.getChild( 0 ).getFrameDocument();
+ coverDoc.on( 'mousemove', mouseMoveHandler );
+ coverDoc.on( 'mouseup', mouseUpHandler );
+ }
+
+ $event.preventDefault && $event.preventDefault();
+ } );
+
+ // Prepend the grip to the dialog.
+ dialog.on( 'load', function() {
+ var direction = '';
+ if ( resizable == CKEDITOR.DIALOG_RESIZE_WIDTH )
+ direction = ' cke_resizer_horizontal';
+ else if ( resizable == CKEDITOR.DIALOG_RESIZE_HEIGHT )
+ direction = ' cke_resizer_vertical';
+ var resizer = CKEDITOR.dom.element.createFromHtml(
+ '' +
+ // BLACK LOWER RIGHT TRIANGLE (ltr)
+ // BLACK LOWER LEFT TRIANGLE (rtl)
+ ( editor.lang.dir == 'ltr' ? '\u25E2' : '\u25E3' ) +
+ '
' );
+ dialog.parts.footer.append( resizer, 1 );
+ } );
+ editor.on( 'destroy', function() {
+ CKEDITOR.tools.removeFunction( mouseDownFn );
+ } );
+
+ function mouseMoveHandler( evt ) {
+ var rtl = editor.lang.dir == 'rtl',
+ dx = ( evt.data.$.screenX - origin.x ) * ( rtl ? -1 : 1 ),
+ dy = evt.data.$.screenY - origin.y,
+ width = startSize.width,
+ height = startSize.height,
+ internalWidth = width + dx * ( dialog._.moved ? 1 : 2 ),
+ internalHeight = height + dy * ( dialog._.moved ? 1 : 2 ),
+ element = dialog._.element.getFirst(),
+ right = rtl && element.getComputedStyle( 'right' ),
+ position = dialog.getPosition();
+
+ if ( position.y + internalHeight > viewSize.height )
+ internalHeight = viewSize.height - position.y;
+
+ if ( ( rtl ? right : position.x ) + internalWidth > viewSize.width )
+ internalWidth = viewSize.width - ( rtl ? right : position.x );
+
+ // Make sure the dialog will not be resized to the wrong side when it's in the leftmost position for RTL.
+ if ( ( resizable == CKEDITOR.DIALOG_RESIZE_WIDTH || resizable == CKEDITOR.DIALOG_RESIZE_BOTH ) )
+ width = Math.max( def.minWidth || 0, internalWidth - wrapperWidth );
+
+ if ( resizable == CKEDITOR.DIALOG_RESIZE_HEIGHT || resizable == CKEDITOR.DIALOG_RESIZE_BOTH )
+ height = Math.max( def.minHeight || 0, internalHeight - wrapperHeight );
+
+ dialog.resize( width, height );
+
+ if ( !dialog._.moved )
+ dialog.layout();
+
+ evt.data.preventDefault();
+ }
+
+ function mouseUpHandler() {
+ CKEDITOR.document.removeListener( 'mouseup', mouseUpHandler );
+ CKEDITOR.document.removeListener( 'mousemove', mouseMoveHandler );
+
+ if ( dialogCover ) {
+ dialogCover.remove();
+ dialogCover = null;
+ }
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ var coverDoc = currentCover.getChild( 0 ).getFrameDocument();
+ coverDoc.removeListener( 'mouseup', mouseUpHandler );
+ coverDoc.removeListener( 'mousemove', mouseMoveHandler );
+ }
+ }
+ }
+
+ var resizeCover;
+ // Caching resuable covers and allowing only one cover
+ // on screen.
+ var covers = {},
+ currentCover;
+
+ function cancelEvent( ev ) {
+ ev.data.preventDefault( 1 );
+ }
+
+ function showCover( editor ) {
+ var win = CKEDITOR.document.getWindow();
+ var config = editor.config,
+ backgroundColorStyle = config.dialog_backgroundCoverColor || 'white',
+ backgroundCoverOpacity = config.dialog_backgroundCoverOpacity,
+ baseFloatZIndex = config.baseFloatZIndex,
+ coverKey = CKEDITOR.tools.genKey( backgroundColorStyle, backgroundCoverOpacity, baseFloatZIndex ),
+ coverElement = covers[ coverKey ];
+
+ if ( !coverElement ) {
+ var html = [
+ ''
+ ];
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ // Support for custom document.domain in IE.
+ var iframeHtml = '';
+
+ html.push( '' );
+ }
+
+ html.push( '
' );
+
+ coverElement = CKEDITOR.dom.element.createFromHtml( html.join( '' ) );
+ coverElement.setOpacity( backgroundCoverOpacity !== undefined ? backgroundCoverOpacity : 0.5 );
+
+ coverElement.on( 'keydown', cancelEvent );
+ coverElement.on( 'keypress', cancelEvent );
+ coverElement.on( 'keyup', cancelEvent );
+
+ coverElement.appendTo( CKEDITOR.document.getBody() );
+ covers[ coverKey ] = coverElement;
+ } else {
+ coverElement.show();
+ }
+
+ // Makes the dialog cover a focus holder as well.
+ editor.focusManager.add( coverElement );
+
+ currentCover = coverElement;
+ var resizeFunc = function() {
+ var size = win.getViewPaneSize();
+ coverElement.setStyles( {
+ width: size.width + 'px',
+ height: size.height + 'px'
+ } );
+ };
+
+ var scrollFunc = function() {
+ var pos = win.getScrollPosition(),
+ cursor = CKEDITOR.dialog._.currentTop;
+ coverElement.setStyles( {
+ left: pos.x + 'px',
+ top: pos.y + 'px'
+ } );
+
+ if ( cursor ) {
+ do {
+ var dialogPos = cursor.getPosition();
+ cursor.move( dialogPos.x, dialogPos.y );
+ } while ( ( cursor = cursor._.parentDialog ) );
+ }
+ };
+
+ resizeCover = resizeFunc;
+ win.on( 'resize', resizeFunc );
+ resizeFunc();
+ // Using Safari/Mac, focus must be kept where it is (#7027)
+ if ( !( CKEDITOR.env.mac && CKEDITOR.env.webkit ) )
+ coverElement.focus();
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ // IE BUG: win.$.onscroll assignment doesn't work.. it must be window.onscroll.
+ // So we need to invent a really funny way to make it work.
+ var myScrollHandler = function() {
+ scrollFunc();
+ arguments.callee.prevScrollHandler.apply( this, arguments );
+ };
+ win.$.setTimeout( function() {
+ myScrollHandler.prevScrollHandler = window.onscroll ||
+ function() {};
+ window.onscroll = myScrollHandler;
+ }, 0 );
+ scrollFunc();
+ }
+ }
+
+ function hideCover( editor ) {
+ if ( !currentCover )
+ return;
+
+ editor.focusManager.remove( currentCover );
+ var win = CKEDITOR.document.getWindow();
+ currentCover.hide();
+ win.removeListener( 'resize', resizeCover );
+
+ if ( CKEDITOR.env.ie6Compat ) {
+ win.$.setTimeout( function() {
+ var prevScrollHandler = window.onscroll && window.onscroll.prevScrollHandler;
+ window.onscroll = prevScrollHandler || null;
+ }, 0 );
+ }
+ resizeCover = null;
+ }
+
+ function removeCovers() {
+ for ( var coverId in covers )
+ covers[ coverId ].remove();
+ covers = {};
+ }
+
+ var accessKeyProcessors = {};
+
+ var accessKeyDownHandler = function( evt ) {
+ var ctrl = evt.data.$.ctrlKey || evt.data.$.metaKey,
+ alt = evt.data.$.altKey,
+ shift = evt.data.$.shiftKey,
+ key = String.fromCharCode( evt.data.$.keyCode ),
+ keyProcessor = accessKeyProcessors[ ( ctrl ? 'CTRL+' : '' ) + ( alt ? 'ALT+' : '' ) + ( shift ? 'SHIFT+' : '' ) + key ];
+
+ if ( !keyProcessor || !keyProcessor.length )
+ return;
+
+ keyProcessor = keyProcessor[ keyProcessor.length - 1 ];
+ keyProcessor.keydown && keyProcessor.keydown.call( keyProcessor.uiElement, keyProcessor.dialog, keyProcessor.key );
+ evt.data.preventDefault();
+ };
+
+ var accessKeyUpHandler = function( evt ) {
+ var ctrl = evt.data.$.ctrlKey || evt.data.$.metaKey,
+ alt = evt.data.$.altKey,
+ shift = evt.data.$.shiftKey,
+ key = String.fromCharCode( evt.data.$.keyCode ),
+ keyProcessor = accessKeyProcessors[ ( ctrl ? 'CTRL+' : '' ) + ( alt ? 'ALT+' : '' ) + ( shift ? 'SHIFT+' : '' ) + key ];
+
+ if ( !keyProcessor || !keyProcessor.length )
+ return;
+
+ keyProcessor = keyProcessor[ keyProcessor.length - 1 ];
+ if ( keyProcessor.keyup ) {
+ keyProcessor.keyup.call( keyProcessor.uiElement, keyProcessor.dialog, keyProcessor.key );
+ evt.data.preventDefault();
+ }
+ };
+
+ var registerAccessKey = function( uiElement, dialog, key, downFunc, upFunc ) {
+ var procList = accessKeyProcessors[ key ] || ( accessKeyProcessors[ key ] = [] );
+ procList.push( {
+ uiElement: uiElement,
+ dialog: dialog,
+ key: key,
+ keyup: upFunc || uiElement.accessKeyUp,
+ keydown: downFunc || uiElement.accessKeyDown
+ } );
+ };
+
+ var unregisterAccessKey = function( obj ) {
+ for ( var i in accessKeyProcessors ) {
+ var list = accessKeyProcessors[ i ];
+ for ( var j = list.length - 1; j >= 0; j-- ) {
+ if ( list[ j ].dialog == obj || list[ j ].uiElement == obj )
+ list.splice( j, 1 );
+ }
+ if ( list.length === 0 )
+ delete accessKeyProcessors[ i ];
+ }
+ };
+
+ var tabAccessKeyUp = function( dialog, key ) {
+ if ( dialog._.accessKeyMap[ key ] )
+ dialog.selectPage( dialog._.accessKeyMap[ key ] );
+ };
+
+ var tabAccessKeyDown = function() {};
+
+ ( function() {
+ CKEDITOR.ui.dialog = {
+ /**
+ * The base class of all dialog UI elements.
+ *
+ * @class CKEDITOR.ui.dialog.uiElement
+ * @constructor Creates a uiElement class instance.
+ * @param {CKEDITOR.dialog} dialog Parent dialog object.
+ * @param {CKEDITOR.dialog.definition.uiElement} elementDefinition Element
+ * definition.
+ *
+ * Accepted fields:
+ *
+ * * `id` (Required) The id of the UI element. See {@link CKEDITOR.dialog#getContentElement}.
+ * * `type` (Required) The type of the UI element. The
+ * value to this field specifies which UI element class will be used to
+ * generate the final widget.
+ * * `title` (Optional) The popup tooltip for the UI
+ * element.
+ * * `hidden` (Optional) A flag that tells if the element
+ * should be initially visible.
+ * * `className` (Optional) Additional CSS class names
+ * to add to the UI element. Separated by space.
+ * * `style` (Optional) Additional CSS inline styles
+ * to add to the UI element. A semicolon (;) is required after the last
+ * style declaration.
+ * * `accessKey` (Optional) The alphanumeric access key
+ * for this element. Access keys are automatically prefixed by CTRL.
+ * * `on*` (Optional) Any UI element definition field that
+ * starts with `on` followed immediately by a capital letter and
+ * probably more letters is an event handler. Event handlers may be further
+ * divided into registered event handlers and DOM event handlers. Please
+ * refer to {@link CKEDITOR.ui.dialog.uiElement#registerEvents} and
+ * {@link CKEDITOR.ui.dialog.uiElement#eventProcessors} for more information.
+ *
+ * @param {Array} htmlList
+ * List of HTML code to be added to the dialog's content area.
+ * @param {Function/String} [nodeNameArg='div']
+ * A function returning a string, or a simple string for the node name for
+ * the root DOM node.
+ * @param {Function/Object} [stylesArg={}]
+ * A function returning an object, or a simple object for CSS styles applied
+ * to the DOM node.
+ * @param {Function/Object} [attributesArg={}]
+ * A fucntion returning an object, or a simple object for attributes applied
+ * to the DOM node.
+ * @param {Function/String} [contentsArg='']
+ * A function returning a string, or a simple string for the HTML code inside
+ * the root DOM node. Default is empty string.
+ */
+ uiElement: function( dialog, elementDefinition, htmlList, nodeNameArg, stylesArg, attributesArg, contentsArg ) {
+ if ( arguments.length < 4 )
+ return;
+
+ var nodeName = ( nodeNameArg.call ? nodeNameArg( elementDefinition ) : nodeNameArg ) || 'div',
+ html = [ '<', nodeName, ' ' ],
+ styles = ( stylesArg && stylesArg.call ? stylesArg( elementDefinition ) : stylesArg ) || {},
+ attributes = ( attributesArg && attributesArg.call ? attributesArg( elementDefinition ) : attributesArg ) || {},
+ innerHTML = ( contentsArg && contentsArg.call ? contentsArg.call( this, dialog, elementDefinition ) : contentsArg ) || '',
+ domId = this.domId = attributes.id || CKEDITOR.tools.getNextId() + '_uiElement',
+ i;
+
+ if ( elementDefinition.requiredContent && !dialog.getParentEditor().filter.check( elementDefinition.requiredContent ) ) {
+ styles.display = 'none';
+ this.notAllowed = true;
+ }
+
+ // Set the id, a unique id is required for getElement() to work.
+ attributes.id = domId;
+
+ // Set the type and definition CSS class names.
+ var classes = {};
+ if ( elementDefinition.type )
+ classes[ 'cke_dialog_ui_' + elementDefinition.type ] = 1;
+ if ( elementDefinition.className )
+ classes[ elementDefinition.className ] = 1;
+ if ( elementDefinition.disabled )
+ classes.cke_disabled = 1;
+
+ var attributeClasses = ( attributes[ 'class' ] && attributes[ 'class' ].split ) ? attributes[ 'class' ].split( ' ' ) : [];
+ for ( i = 0; i < attributeClasses.length; i++ ) {
+ if ( attributeClasses[ i ] )
+ classes[ attributeClasses[ i ] ] = 1;
+ }
+ var finalClasses = [];
+ for ( i in classes )
+ finalClasses.push( i );
+ attributes[ 'class' ] = finalClasses.join( ' ' );
+
+ // Set the popup tooltop.
+ if ( elementDefinition.title )
+ attributes.title = elementDefinition.title;
+
+ // Write the inline CSS styles.
+ var styleStr = ( elementDefinition.style || '' ).split( ';' );
+
+ // Element alignment support.
+ if ( elementDefinition.align ) {
+ var align = elementDefinition.align;
+ styles[ 'margin-left' ] = align == 'left' ? 0 : 'auto';
+ styles[ 'margin-right' ] = align == 'right' ? 0 : 'auto';
+ }
+
+ for ( i in styles )
+ styleStr.push( i + ':' + styles[ i ] );
+ if ( elementDefinition.hidden )
+ styleStr.push( 'display:none' );
+ for ( i = styleStr.length - 1; i >= 0; i-- ) {
+ if ( styleStr[ i ] === '' )
+ styleStr.splice( i, 1 );
+ }
+ if ( styleStr.length > 0 )
+ attributes.style = ( attributes.style ? ( attributes.style + '; ' ) : '' ) + styleStr.join( '; ' );
+
+ // Write the attributes.
+ for ( i in attributes )
+ html.push( i + '="' + CKEDITOR.tools.htmlEncode( attributes[ i ] ) + '" ' );
+
+ // Write the content HTML.
+ html.push( '>', innerHTML, '', nodeName, '>' );
+
+ // Add contents to the parent HTML array.
+ htmlList.push( html.join( '' ) );
+
+ ( this._ || ( this._ = {} ) ).dialog = dialog;
+
+ // Override isChanged if it is defined in element definition.
+ if ( typeof elementDefinition.isChanged == 'boolean' )
+ this.isChanged = function() {
+ return elementDefinition.isChanged;
+ };
+ if ( typeof elementDefinition.isChanged == 'function' )
+ this.isChanged = elementDefinition.isChanged;
+
+ // Overload 'get(set)Value' on definition.
+ if ( typeof elementDefinition.setValue == 'function' ) {
+ this.setValue = CKEDITOR.tools.override( this.setValue, function( org ) {
+ return function( val ) {
+ org.call( this, elementDefinition.setValue.call( this, val ) );
+ };
+ } );
+ }
+
+ if ( typeof elementDefinition.getValue == 'function' ) {
+ this.getValue = CKEDITOR.tools.override( this.getValue, function( org ) {
+ return function() {
+ return elementDefinition.getValue.call( this, org.call( this ) );
+ };
+ } );
+ }
+
+ // Add events.
+ CKEDITOR.event.implementOn( this );
+
+ this.registerEvents( elementDefinition );
+ if ( this.accessKeyUp && this.accessKeyDown && elementDefinition.accessKey )
+ registerAccessKey( this, dialog, 'CTRL+' + elementDefinition.accessKey );
+
+ var me = this;
+ dialog.on( 'load', function() {
+ var input = me.getInputElement();
+ if ( input ) {
+ var focusClass = me.type in { 'checkbox': 1, 'ratio': 1 } && CKEDITOR.env.ie && CKEDITOR.env.version < 8 ? 'cke_dialog_ui_focused' : '';
+ input.on( 'focus', function() {
+ dialog._.tabBarMode = false;
+ dialog._.hasFocus = true;
+ me.fire( 'focus' );
+ focusClass && this.addClass( focusClass );
+
+ } );
+
+ input.on( 'blur', function() {
+ me.fire( 'blur' );
+ focusClass && this.removeClass( focusClass );
+ } );
+ }
+ } );
+
+ // Completes this object with everything we have in the
+ // definition.
+ CKEDITOR.tools.extend( this, elementDefinition );
+
+ // Register the object as a tab focus if it can be included.
+ if ( this.keyboardFocusable ) {
+ this.tabIndex = elementDefinition.tabIndex || 0;
+
+ this.focusIndex = dialog._.focusList.push( this ) - 1;
+ this.on( 'focus', function() {
+ dialog._.currentFocusIndex = me.focusIndex;
+ } );
+ }
+ },
+
+ /**
+ * Horizontal layout box for dialog UI elements, auto-expends to available width of container.
+ *
+ * @class CKEDITOR.ui.dialog.hbox
+ * @extends CKEDITOR.ui.dialog.uiElement
+ * @constructor Creates a hbox class instance.
+ * @param {CKEDITOR.dialog} dialog Parent dialog object.
+ * @param {Array} childObjList
+ * Array of {@link CKEDITOR.ui.dialog.uiElement} objects inside this container.
+ * @param {Array} childHtmlList
+ * Array of HTML code that correspond to the HTML output of all the
+ * objects in childObjList.
+ * @param {Array} htmlList
+ * Array of HTML code that this element will output to.
+ * @param {CKEDITOR.dialog.definition.uiElement} elementDefinition
+ * The element definition. Accepted fields:
+ *
+ * * `widths` (Optional) The widths of child cells.
+ * * `height` (Optional) The height of the layout.
+ * * `padding` (Optional) The padding width inside child cells.
+ * * `align` (Optional) The alignment of the whole layout.
+ */
+ hbox: function( dialog, childObjList, childHtmlList, htmlList, elementDefinition ) {
+ if ( arguments.length < 4 )
+ return;
+
+ this._ || ( this._ = {} );
+
+ var children = this._.children = childObjList,
+ widths = elementDefinition && elementDefinition.widths || null,
+ height = elementDefinition && elementDefinition.height || null,
+ styles = {},
+ i;
+ /** @ignore */
+ var innerHTML = function() {
+ var html = [ '' ];
+ for ( i = 0; i < childHtmlList.length; i++ ) {
+ var className = 'cke_dialog_ui_hbox_child',
+ styles = [];
+ if ( i === 0 ) {
+ className = 'cke_dialog_ui_hbox_first';
+ }
+ if ( i == childHtmlList.length - 1 ) {
+ className = 'cke_dialog_ui_hbox_last';
+ }
+
+ html.push( ' 0 ) {
+ html.push( 'style="' + styles.join( '; ' ) + '" ' );
+ }
+ html.push( '>', childHtmlList[ i ], ' | ' );
+ }
+ html.push( '
' );
+ return html.join( '' );
+ };
+
+ var attribs = { role: 'presentation' };
+ elementDefinition && elementDefinition.align && ( attribs.align = elementDefinition.align );
+
+ CKEDITOR.ui.dialog.uiElement.call( this, dialog, elementDefinition || { type: 'hbox' }, htmlList, 'table', styles, attribs, innerHTML );
+ },
+
+ /**
+ * Vertical layout box for dialog UI elements.
+ *
+ * @class CKEDITOR.ui.dialog.vbox
+ * @extends CKEDITOR.ui.dialog.hbox
+ * @constructor Creates a vbox class instance.
+ * @param {CKEDITOR.dialog} dialog Parent dialog object.
+ * @param {Array} childObjList
+ * Array of {@link CKEDITOR.ui.dialog.uiElement} objects inside this container.
+ * @param {Array} childHtmlList
+ * Array of HTML code that correspond to the HTML output of all the
+ * objects in childObjList.
+ * @param {Array} htmlList Array of HTML code that this element will output to.
+ * @param {CKEDITOR.dialog.definition.uiElement} elementDefinition
+ * The element definition. Accepted fields:
+ *
+ * * `width` (Optional) The width of the layout.
+ * * `heights` (Optional) The heights of individual cells.
+ * * `align` (Optional) The alignment of the layout.
+ * * `padding` (Optional) The padding width inside child cells.
+ * * `expand` (Optional) Whether the layout should expand
+ * vertically to fill its container.
+ */
+ vbox: function( dialog, childObjList, childHtmlList, htmlList, elementDefinition ) {
+ if ( arguments.length < 3 )
+ return;
+
+ this._ || ( this._ = {} );
+
+ var children = this._.children = childObjList,
+ width = elementDefinition && elementDefinition.width || null,
+ heights = elementDefinition && elementDefinition.heights || null;
+ /** @ignore */
+ var innerHTML = function() {
+ var html = [ '' );
+ for ( var i = 0; i < childHtmlList.length; i++ ) {
+ var styles = [];
+ html.push( ' 0 )
+ html.push( 'style="', styles.join( '; ' ), '" ' );
+ html.push( ' class="cke_dialog_ui_vbox_child">', childHtmlList[ i ], ' |
' );
+ }
+ html.push( '
' );
+ return html.join( '' );
+ };
+ CKEDITOR.ui.dialog.uiElement.call( this, dialog, elementDefinition || { type: 'vbox' }, htmlList, 'div', null, { role: 'presentation' }, innerHTML );
+ }
+ };
+ } )();
+
+ /** @class CKEDITOR.ui.dialog.uiElement */
+ CKEDITOR.ui.dialog.uiElement.prototype = {
+ /**
+ * Gets the root DOM element of this dialog UI object.
+ *
+ * uiElement.getElement().hide();
+ *
+ * @returns {CKEDITOR.dom.element} Root DOM element of UI object.
+ */
+ getElement: function() {
+ return CKEDITOR.document.getById( this.domId );
+ },
+
+ /**
+ * Gets the DOM element that the user inputs values.
+ *
+ * This function is used by {@link #setValue}, {@link #getValue} and {@link #focus}. It should
+ * be overrided in child classes where the input element isn't the root
+ * element.
+ *
+ * var rawValue = textInput.getInputElement().$.value;
+ *
+ * @returns {CKEDITOR.dom.element} The element where the user input values.
+ */
+ getInputElement: function() {
+ return this.getElement();
+ },
+
+ /**
+ * Gets the parent dialog object containing this UI element.
+ *
+ * var dialog = uiElement.getDialog();
+ *
+ * @returns {CKEDITOR.dialog} Parent dialog object.
+ */
+ getDialog: function() {
+ return this._.dialog;
+ },
+
+ /**
+ * Sets the value of this dialog UI object.
+ *
+ * uiElement.setValue( 'Dingo' );
+ *
+ * @chainable
+ * @param {Object} value The new value.
+ * @param {Boolean} noChangeEvent Internal commit, to supress `change` event on this element.
+ */
+ setValue: function( value, noChangeEvent ) {
+ this.getInputElement().setValue( value );
+ !noChangeEvent && this.fire( 'change', { value: value } );
+ return this;
+ },
+
+ /**
+ * Gets the current value of this dialog UI object.
+ *
+ * var myValue = uiElement.getValue();
+ *
+ * @returns {Object} The current value.
+ */
+ getValue: function() {
+ return this.getInputElement().getValue();
+ },
+
+ /**
+ * Tells whether the UI object's value has changed.
+ *
+ * if ( uiElement.isChanged() )
+ * confirm( 'Value changed! Continue?' );
+ *
+ * @returns {Boolean} `true` if changed, `false` if not changed.
+ */
+ isChanged: function() {
+ // Override in input classes.
+ return false;
+ },
+
+ /**
+ * Selects the parent tab of this element. Usually called by focus() or overridden focus() methods.
+ *
+ * focus : function() {
+ * this.selectParentTab();
+ * // do something else.
+ * }
+ *
+ * @chainable
+ */
+ selectParentTab: function() {
+ var element = this.getInputElement(),
+ cursor = element,
+ tabId;
+ while ( ( cursor = cursor.getParent() ) && cursor.$.className.search( 'cke_dialog_page_contents' ) == -1 ) {
+
+ }
+
+ // Some widgets don't have parent tabs (e.g. OK and Cancel buttons).
+ if ( !cursor )
+ return this;
+
+ tabId = cursor.getAttribute( 'name' );
+ // Avoid duplicate select.
+ if ( this._.dialog._.currentTabId != tabId )
+ this._.dialog.selectPage( tabId );
+ return this;
+ },
+
+ /**
+ * Puts the focus to the UI object. Switches tabs if the UI object isn't in the active tab page.
+ *
+ * uiElement.focus();
+ *
+ * @chainable
+ */
+ focus: function() {
+ this.selectParentTab().getInputElement().focus();
+ return this;
+ },
+
+ /**
+ * Registers the `on*` event handlers defined in the element definition.
+ *
+ * The default behavior of this function is:
+ *
+ * 1. If the on* event is defined in the class's eventProcesors list,
+ * then the registration is delegated to the corresponding function
+ * in the eventProcessors list.
+ * 2. If the on* event is not defined in the eventProcessors list, then
+ * register the event handler under the corresponding DOM event of
+ * the UI element's input DOM element (as defined by the return value
+ * of {@link #getInputElement}).
+ *
+ * This function is only called at UI element instantiation, but can
+ * be overridded in child classes if they require more flexibility.
+ *
+ * @chainable
+ * @param {CKEDITOR.dialog.definition.uiElement} definition The UI element
+ * definition.
+ */
+ registerEvents: function( definition ) {
+ var regex = /^on([A-Z]\w+)/,
+ match;
+
+ var registerDomEvent = function( uiElement, dialog, eventName, func ) {
+ dialog.on( 'load', function() {
+ uiElement.getInputElement().on( eventName, func, uiElement );
+ } );
+ };
+
+ for ( var i in definition ) {
+ if ( !( match = i.match( regex ) ) )
+ continue;
+ if ( this.eventProcessors[ i ] )
+ this.eventProcessors[ i ].call( this, this._.dialog, definition[ i ] );
+ else
+ registerDomEvent( this, this._.dialog, match[ 1 ].toLowerCase(), definition[ i ] );
+ }
+
+ return this;
+ },
+
+ /**
+ * The event processor list used by
+ * {@link CKEDITOR.ui.dialog.uiElement#getInputElement} at UI element
+ * instantiation. The default list defines three `on*` events:
+ *
+ * 1. `onLoad` - Called when the element's parent dialog opens for the
+ * first time.
+ * 2. `onShow` - Called whenever the element's parent dialog opens.
+ * 3. `onHide` - Called whenever the element's parent dialog closes.
+ *
+ * // This connects the 'click' event in CKEDITOR.ui.dialog.button to onClick
+ * // handlers in the UI element's definitions.
+ * CKEDITOR.ui.dialog.button.eventProcessors = CKEDITOR.tools.extend( {},
+ * CKEDITOR.ui.dialog.uiElement.prototype.eventProcessors,
+ * { onClick : function( dialog, func ) { this.on( 'click', func ); } },
+ * true
+ * );
+ *
+ * @property {Object}
+ */
+ eventProcessors: {
+ onLoad: function( dialog, func ) {
+ dialog.on( 'load', func, this );
+ },
+
+ onShow: function( dialog, func ) {
+ dialog.on( 'show', func, this );
+ },
+
+ onHide: function( dialog, func ) {
+ dialog.on( 'hide', func, this );
+ }
+ },
+
+ /**
+ * The default handler for a UI element's access key down event, which
+ * tries to put focus to the UI element.
+ *
+ * Can be overridded in child classes for more sophisticaed behavior.
+ *
+ * @param {CKEDITOR.dialog} dialog The parent dialog object.
+ * @param {String} key The key combination pressed. Since access keys
+ * are defined to always include the `CTRL` key, its value should always
+ * include a `'CTRL+'` prefix.
+ */
+ accessKeyDown: function() {
+ this.focus();
+ },
+
+ /**
+ * The default handler for a UI element's access key up event, which
+ * does nothing.
+ *
+ * Can be overridded in child classes for more sophisticated behavior.
+ *
+ * @param {CKEDITOR.dialog} dialog The parent dialog object.
+ * @param {String} key The key combination pressed. Since access keys
+ * are defined to always include the `CTRL` key, its value should always
+ * include a `'CTRL+'` prefix.
+ */
+ accessKeyUp: function() {},
+
+ /**
+ * Disables a UI element.
+ */
+ disable: function() {
+ var element = this.getElement(),
+ input = this.getInputElement();
+ input.setAttribute( 'disabled', 'true' );
+ element.addClass( 'cke_disabled' );
+ },
+
+ /**
+ * Enables a UI element.
+ */
+ enable: function() {
+ var element = this.getElement(),
+ input = this.getInputElement();
+ input.removeAttribute( 'disabled' );
+ element.removeClass( 'cke_disabled' );
+ },
+
+ /**
+ * Determines whether an UI element is enabled or not.
+ *
+ * @returns {Boolean} Whether the UI element is enabled.
+ */
+ isEnabled: function() {
+ return !this.getElement().hasClass( 'cke_disabled' );
+ },
+
+ /**
+ * Determines whether an UI element is visible or not.
+ *
+ * @returns {Boolean} Whether the UI element is visible.
+ */
+ isVisible: function() {
+ return this.getInputElement().isVisible();
+ },
+
+ /**
+ * Determines whether an UI element is focus-able or not.
+ * Focus-able is defined as being both visible and enabled.
+ *
+ * @returns {Boolean} Whether the UI element can be focused.
+ */
+ isFocusable: function() {
+ if ( !this.isEnabled() || !this.isVisible() )
+ return false;
+ return true;
+ }
+ };
+
+ /** @class CKEDITOR.ui.dialog.hbox */
+ CKEDITOR.ui.dialog.hbox.prototype = CKEDITOR.tools.extend( new CKEDITOR.ui.dialog.uiElement(), {
+ /**
+ * Gets a child UI element inside this container.
+ *
+ * var checkbox = hbox.getChild( [0,1] );
+ * checkbox.setValue( true );
+ *
+ * @param {Array/Number} indices An array or a single number to indicate the child's
+ * position in the container's descendant tree. Omit to get all the children in an array.
+ * @returns {Array/CKEDITOR.ui.dialog.uiElement} Array of all UI elements in the container
+ * if no argument given, or the specified UI element if indices is given.
+ */
+ getChild: function( indices ) {
+ // If no arguments, return a clone of the children array.
+ if ( arguments.length < 1 )
+ return this._.children.concat();
+
+ // If indices isn't array, make it one.
+ if ( !indices.splice )
+ indices = [ indices ];
+
+ // Retrieve the child element according to tree position.
+ if ( indices.length < 2 )
+ return this._.children[ indices[ 0 ] ];
+ else
+ return ( this._.children[ indices[ 0 ] ] && this._.children[ indices[ 0 ] ].getChild ) ? this._.children[ indices[ 0 ] ].getChild( indices.slice( 1, indices.length ) ) : null;
+ }
+ }, true );
+
+ CKEDITOR.ui.dialog.vbox.prototype = new CKEDITOR.ui.dialog.hbox();
+
+ ( function() {
+ var commonBuilder = {
+ build: function( dialog, elementDefinition, output ) {
+ var children = elementDefinition.children,
+ child,
+ childHtmlList = [],
+ childObjList = [];
+ for ( var i = 0;
+ ( i < children.length && ( child = children[ i ] ) ); i++ ) {
+ var childHtml = [];
+ childHtmlList.push( childHtml );
+ childObjList.push( CKEDITOR.dialog._.uiElementBuilders[ child.type ].build( dialog, child, childHtml ) );
+ }
+ return new CKEDITOR.ui.dialog[ elementDefinition.type ]( dialog, childObjList, childHtmlList, output, elementDefinition );
+ }
+ };
+
+ CKEDITOR.dialog.addUIElement( 'hbox', commonBuilder );
+ CKEDITOR.dialog.addUIElement( 'vbox', commonBuilder );
+ } )();
+
+ /**
+ * Generic dialog command. It opens a specific dialog when executed.
+ *
+ * // Register the "link" command, which opens the "link" dialog.
+ * editor.addCommand( 'link', new CKEDITOR.dialogCommand( 'link' ) );
+ *
+ * @class
+ * @constructor Creates a dialogCommand class instance.
+ * @extends CKEDITOR.commandDefinition
+ * @param {String} dialogName The name of the dialog to open when executing
+ * this command.
+ * @param {Object} [ext] Additional command definition's properties.
+ */
+ CKEDITOR.dialogCommand = function( dialogName, ext ) {
+ this.dialogName = dialogName;
+ CKEDITOR.tools.extend( this, ext, true );
+ };
+
+ CKEDITOR.dialogCommand.prototype = {
+ exec: function( editor ) {
+ editor.openDialog( this.dialogName );
+ },
+
+ // Dialog commands just open a dialog ui, thus require no undo logic,
+ // undo support should dedicate to specific dialog implementation.
+ canUndo: false,
+
+ editorFocus: 1
+ };
+
+ ( function() {
+ var notEmptyRegex = /^([a]|[^a])+$/,
+ integerRegex = /^\d*$/,
+ numberRegex = /^\d*(?:\.\d+)?$/,
+ htmlLengthRegex = /^(((\d*(\.\d+))|(\d*))(px|\%)?)?$/,
+ cssLengthRegex = /^(((\d*(\.\d+))|(\d*))(px|em|ex|in|cm|mm|pt|pc|\%)?)?$/i,
+ inlineStyleRegex = /^(\s*[\w-]+\s*:\s*[^:;]+(?:;|$))*$/;
+
+ CKEDITOR.VALIDATE_OR = 1;
+ CKEDITOR.VALIDATE_AND = 2;
+
+ CKEDITOR.dialog.validate = {
+ functions: function() {
+ var args = arguments;
+ return function() {
+ /**
+ * It's important for validate functions to be able to accept the value
+ * as argument in addition to this.getValue(), so that it is possible to
+ * combine validate functions together to make more sophisticated
+ * validators.
+ */
+ var value = this && this.getValue ? this.getValue() : args[ 0 ];
+
+ var msg,
+ relation = CKEDITOR.VALIDATE_AND,
+ functions = [],
+ i;
+
+ for ( i = 0; i < args.length; i++ ) {
+ if ( typeof args[ i ] == 'function' )
+ functions.push( args[ i ] );
+ else
+ break;
+ }
+
+ if ( i < args.length && typeof args[ i ] == 'string' ) {
+ msg = args[ i ];
+ i++;
+ }
+
+ if ( i < args.length && typeof args[ i ] == 'number' )
+ relation = args[ i ];
+
+ var passed = ( relation == CKEDITOR.VALIDATE_AND ? true : false );
+ for ( i = 0; i < functions.length; i++ ) {
+ if ( relation == CKEDITOR.VALIDATE_AND )
+ passed = passed && functions[ i ]( value );
+ else
+ passed = passed || functions[ i ]( value );
+ }
+
+ return !passed ? msg : true;
+ };
+ },
+
+ regex: function( regex, msg ) {
+ /*
+ * Can be greatly shortened by deriving from functions validator if code size
+ * turns out to be more important than performance.
+ */
+ return function() {
+ var value = this && this.getValue ? this.getValue() : arguments[ 0 ];
+ return !regex.test( value ) ? msg : true;
+ };
+ },
+
+ notEmpty: function( msg ) {
+ return this.regex( notEmptyRegex, msg );
+ },
+
+ integer: function( msg ) {
+ return this.regex( integerRegex, msg );
+ },
+
+ 'number': function( msg ) {
+ return this.regex( numberRegex, msg );
+ },
+
+ 'cssLength': function( msg ) {
+ return this.functions( function( val ) {
+ return cssLengthRegex.test( CKEDITOR.tools.trim( val ) );
+ }, msg );
+ },
+
+ 'htmlLength': function( msg ) {
+ return this.functions( function( val ) {
+ return htmlLengthRegex.test( CKEDITOR.tools.trim( val ) );
+ }, msg );
+ },
+
+ 'inlineStyle': function( msg ) {
+ return this.functions( function( val ) {
+ return inlineStyleRegex.test( CKEDITOR.tools.trim( val ) );
+ }, msg );
+ },
+
+ equals: function( value, msg ) {
+ return this.functions( function( val ) {
+ return val == value;
+ }, msg );
+ },
+
+ notEqual: function( value, msg ) {
+ return this.functions( function( val ) {
+ return val != value;
+ }, msg );
+ }
+ };
+
+ CKEDITOR.on( 'instanceDestroyed', function( evt ) {
+ // Remove dialog cover on last instance destroy.
+ if ( CKEDITOR.tools.isEmpty( CKEDITOR.instances ) ) {
+ var currentTopDialog;
+ while ( ( currentTopDialog = CKEDITOR.dialog._.currentTop ) )
+ currentTopDialog.hide();
+ removeCovers();
+ }
+
+ var dialogs = evt.editor._.storedDialogs;
+ for ( var name in dialogs )
+ dialogs[ name ].destroy();
+
+ } );
+
+ } )();
+
+ // Extend the CKEDITOR.editor class with dialog specific functions.
+ CKEDITOR.tools.extend( CKEDITOR.editor.prototype, {
+ /**
+ * Loads and opens a registered dialog.
+ *
+ * CKEDITOR.instances.editor1.openDialog( 'smiley' );
+ *
+ * @member CKEDITOR.editor
+ * @param {String} dialogName The registered name of the dialog.
+ * @param {Function} callback The function to be invoked after dialog instance created.
+ * @returns {CKEDITOR.dialog} The dialog object corresponding to the dialog displayed.
+ * `null` if the dialog name is not registered.
+ * @see CKEDITOR.dialog#add
+ */
+ openDialog: function( dialogName, callback ) {
+ var dialog = null, dialogDefinitions = CKEDITOR.dialog._.dialogDefinitions[ dialogName ];
+
+ if ( CKEDITOR.dialog._.currentTop === null )
+ showCover( this );
+
+ // If the dialogDefinition is already loaded, open it immediately.
+ if ( typeof dialogDefinitions == 'function' ) {
+ var storedDialogs = this._.storedDialogs || ( this._.storedDialogs = {} );
+
+ dialog = storedDialogs[ dialogName ] || ( storedDialogs[ dialogName ] = new CKEDITOR.dialog( this, dialogName ) );
+
+ callback && callback.call( dialog, dialog );
+ dialog.show();
+
+ } else if ( dialogDefinitions == 'failed' ) {
+ hideCover( this );
+ throw new Error( '[CKEDITOR.dialog.openDialog] Dialog "' + dialogName + '" failed when loading definition.' );
+ } else if ( typeof dialogDefinitions == 'string' ) {
+
+ CKEDITOR.scriptLoader.load( CKEDITOR.getUrl( dialogDefinitions ),
+ function() {
+ var dialogDefinition = CKEDITOR.dialog._.dialogDefinitions[ dialogName ];
+ // In case of plugin error, mark it as loading failed.
+ if ( typeof dialogDefinition != 'function' )
+ CKEDITOR.dialog._.dialogDefinitions[ dialogName ] = 'failed';
+
+ this.openDialog( dialogName, callback );
+ }, this, 0, 1 );
+ }
+
+ CKEDITOR.skin.loadPart( 'dialog' );
+
+ return dialog;
+ }
+ } );
+} )();
+
+CKEDITOR.plugins.add( 'dialog', {
+ requires: 'dialogui',
+ init: function( editor ) {
+ editor.on( 'doubleclick', function( evt ) {
+ if ( evt.data.dialog )
+ editor.openDialog( evt.data.dialog );
+ }, null, null, 999 );
+ }
+} );
+
+// Dialog related configurations.
+
+/**
+ * The color of the dialog background cover. It should be a valid CSS color string.
+ *
+ * config.dialog_backgroundCoverColor = 'rgb(255, 254, 253)';
+ *
+ * @cfg {String} [dialog_backgroundCoverColor='white']
+ * @member CKEDITOR.config
+ */
+
+/**
+ * The opacity of the dialog background cover. It should be a number within the
+ * range `[0.0, 1.0]`.
+ *
+ * config.dialog_backgroundCoverOpacity = 0.7;
+ *
+ * @cfg {Number} [dialog_backgroundCoverOpacity=0.5]
+ * @member CKEDITOR.config
+ */
+
+/**
+ * If the dialog has more than one tab, put focus into the first tab as soon as dialog is opened.
+ *
+ * config.dialog_startupFocusTab = true;
+ *
+ * @cfg {Boolean} [dialog_startupFocusTab=false]
+ * @member CKEDITOR.config
+ */
+
+/**
+ * The distance of magnetic borders used in moving and resizing dialogs,
+ * measured in pixels.
+ *
+ * config.dialog_magnetDistance = 30;
+ *
+ * @cfg {Number} [dialog_magnetDistance=20]
+ * @member CKEDITOR.config
+ */
+
+/**
+ * The guideline to follow when generating the dialog buttons. There are 3 possible options:
+ *
+ * * `'OS'` - the buttons will be displayed in the default order of the user's OS;
+ * * `'ltr'` - for Left-To-Right order;
+ * * `'rtl'` - for Right-To-Left order.
+ *
+ * Example:
+ *
+ * config.dialog_buttonsOrder = 'rtl';
+ *
+ * @since 3.5
+ * @cfg {String} [dialog_buttonsOrder='OS']
+ * @member CKEDITOR.config
+ */
+
+/**
+ * The dialog contents to removed. It's a string composed by dialog name and tab name with a colon between them.
+ *
+ * Separate each pair with semicolon (see example).
+ *
+ * **Note:** All names are case-sensitive.
+ *
+ * **Note:** Be cautious when specifying dialog tabs that are mandatory,
+ * like `'info'`, dialog functionality might be broken because of this!
+ *
+ * config.removeDialogTabs = 'flash:advanced;image:Link';
+ *
+ * @since 3.5
+ * @cfg {String} [removeDialogTabs='']
+ * @member CKEDITOR.config
+ */
+
+/**
+ * Tells if user should not be asked to confirm close, if any dialog field was modified.
+ * By default it is set to `false` meaning that the confirmation dialog will be shown.
+ *
+ * config.dialog_noConfirmCancel = true;
+ *
+ * @since 4.3
+ * @cfg {Boolean} [dialog_noConfirmCancel=false]
+ * @member CKEDITOR.config
+ */
+
+/**
+ * Fired when a dialog definition is about to be used to create a dialog into
+ * an editor instance. This event makes it possible to customize the definition
+ * before creating it.
+ *
+ * Note that this event is called only the first time a specific dialog is
+ * opened. Successive openings will use the cached dialog, and this event will
+ * not get fired.
+ *
+ * @event dialogDefinition
+ * @member CKEDITOR
+ * @param {CKEDITOR.dialog.definition} data The dialog defination that
+ * is being loaded.
+ * @param {CKEDITOR.editor} editor The editor instance that will use the dialog.
+ */
+
+/**
+ * Fired when a tab is going to be selected in a dialog.
+ *
+ * @event selectPage
+ * @member CKEDITOR.dialog
+ * @param data
+ * @param {String} data.page The id of the page that it's gonna be selected.
+ * @param {String} data.currentPage The id of the current page.
+ */
+
+/**
+ * Fired when the user tries to dismiss a dialog.
+ *
+ * @event cancel
+ * @member CKEDITOR.dialog
+ * @param data
+ * @param {Boolean} data.hide Whether the event should proceed or not.
+ */
+
+/**
+ * Fired when the user tries to confirm a dialog.
+ *
+ * @event ok
+ * @member CKEDITOR.dialog
+ * @param data
+ * @param {Boolean} data.hide Whether the event should proceed or not.
+ */
+
+/**
+ * Fired when a dialog is shown.
+ *
+ * @event show
+ * @member CKEDITOR.dialog
+ */
+
+/**
+ * Fired when a dialog is shown.
+ *
+ * @event dialogShow
+ * @member CKEDITOR.editor
+ * @param {CKEDITOR.editor} editor This editor instance.
+ * @param {CKEDITOR.dialog} data The opened dialog instance.
+ */
+
+/**
+ * Fired when a dialog is hidden.
+ *
+ * @event hide
+ * @member CKEDITOR.dialog
+ */
+
+/**
+ * Fired when a dialog is hidden.
+ *
+ * @event dialogHide
+ * @member CKEDITOR.editor
+ * @param {CKEDITOR.editor} editor This editor instance.
+ * @param {CKEDITOR.dialog} data The hidden dialog instance.
+ */
+
+/**
+ * Fired when a dialog is being resized. The event is fired on
+ * both the {@link CKEDITOR.dialog} object and the dialog instance
+ * since 3.5.3, previously it's available only in the global object.
+ *
+ * @static
+ * @event resize
+ * @member CKEDITOR.dialog
+ * @param data
+ * @param {CKEDITOR.dialog} data.dialog The dialog being resized (if
+ * it's fired on the dialog itself, this parameter isn't sent).
+ * @param {String} data.skin The skin name.
+ * @param {Number} data.width The new width.
+ * @param {Number} data.height The new height.
+ */
+
+/**
+ * Fired when a dialog is being resized. The event is fired on
+ * both the {@link CKEDITOR.dialog} object and the dialog instance
+ * since 3.5.3, previously it's available only in the global object.
+ *
+ * @since 3.5
+ * @event resize
+ * @member CKEDITOR.dialog
+ * @param data
+ * @param {Number} data.width The new width.
+ * @param {Number} data.height The new height.
+ */
Index: lams_central/web/ckeditor/plugins/templates/dialogs/templates.css
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/dialogs/templates.css (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/dialogs/templates.css (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,84 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+
+.cke_tpl_list
+{
+ border: #dcdcdc 2px solid;
+ background-color: #ffffff;
+ overflow-y: auto;
+ overflow-x: hidden;
+ width: 100%;
+ height: 220px;
+}
+
+.cke_tpl_item
+{
+ margin: 5px;
+ padding: 7px;
+ border: #eeeeee 1px solid;
+ *width: 88%;
+}
+
+.cke_tpl_preview
+{
+ border-collapse: separate;
+ text-indent:0;
+ width: 100%;
+}
+.cke_tpl_preview td
+{
+ padding: 2px;
+ vertical-align: middle;
+}
+.cke_tpl_preview .cke_tpl_preview_img
+{
+ width: 100px;
+}
+.cke_tpl_preview span
+{
+ white-space: normal;
+}
+
+.cke_tpl_title
+{
+ font-weight: bold;
+}
+
+.cke_tpl_list a:hover .cke_tpl_item,
+.cke_tpl_list a:focus .cke_tpl_item,
+.cke_tpl_list a:active .cke_tpl_item
+{
+ border: #ff9933 1px solid;
+ background-color: #fffacd;
+}
+
+.cke_tpl_list a:hover *,
+.cke_tpl_list a:focus *,
+.cke_tpl_list a:active *
+{
+ cursor: pointer;
+}
+
+/* IE Quirks contextual selectors children will not get :hover transition until
+ the hover style of the link itself contains certain CSS declarations. */
+.cke_browser_quirks .cke_tpl_list a:active,
+.cke_browser_quirks .cke_tpl_list a:hover,
+.cke_browser_quirks .cke_tpl_list a:focus
+{
+ background-position: 0 0;
+}
+
+.cke_hc .cke_tpl_list a:hover .cke_tpl_item,
+.cke_hc .cke_tpl_list a:focus .cke_tpl_item,
+.cke_hc .cke_tpl_list a:active .cke_tpl_item
+{
+ border-width: 3px;
+}
+
+.cke_tpl_empty, .cke_tpl_loading
+{
+ text-align: center;
+ padding: 5px;
+}
Fisheye: Tag bad6e3794839be6f2f5883e12c5eee83081454af refers to a dead (removed) revision in file `lams_central/web/ckeditor/plugins/templates/dialogs/templates.js'.
Fisheye: No comparison available. Pass `N' to diff?
Index: lams_central/web/ckeditor/plugins/templates/icons/hidpi/templates-rtl.png
===================================================================
diff -u
Binary files differ
Index: lams_central/web/ckeditor/plugins/templates/icons/hidpi/templates.png
===================================================================
diff -u
Binary files differ
Index: lams_central/web/ckeditor/plugins/templates/icons/templates-rtl.png
===================================================================
diff -u
Binary files differ
Index: lams_central/web/ckeditor/plugins/templates/icons/templates.png
===================================================================
diff -u
Binary files differ
Index: lams_central/web/ckeditor/plugins/templates/lang/af.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/af.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/af.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'af', {
+ button: 'Sjablone',
+ emptyListMsg: '(Geen sjablone gedefineer nie)',
+ insertOption: 'Vervang huidige inhoud',
+ options: 'Sjabloon opsies',
+ selectPromptMsg: 'Kies die sjabloon om te gebruik in die redigeerder (huidige inhoud gaan verlore):',
+ title: 'Inhoud Sjablone'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ar.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ar.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ar.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ar', {
+ button: 'القوالب',
+ emptyListMsg: '(لم يتم تعريف أي قالب)',
+ insertOption: 'استبدال المحتوى',
+ options: 'خصائص القوالب',
+ selectPromptMsg: 'اختر القالب الذي تود وضعه في المحرر',
+ title: 'قوالب المحتوى'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/bg.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/bg.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/bg.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'bg', {
+ button: 'Шаблони',
+ emptyListMsg: '(Няма дефинирани шаблони)',
+ insertOption: 'Препокрива актуалното съдържание',
+ options: 'Опции за шаблона',
+ selectPromptMsg: 'Изберете шаблон
(текущото съдържание на редактора ще бъде загубено):',
+ title: 'Шаблони'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/bn.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/bn.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/bn.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'bn', {
+ button: 'টেমপ্লেট',
+ emptyListMsg: '(কোন টেমপ্লেট ডিফাইন করা নেই)',
+ insertOption: 'Replace actual contents', // MISSING
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'অনুগ্রহ করে এডিটরে ওপেন করার জন্য টেমপ্লেট বাছাই করুন
(আসল কনটেন্ট হারিয়ে যাবে):',
+ title: 'কনটেন্ট টেমপ্লেট'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/bs.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/bs.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/bs.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'bs', {
+ button: 'Templates', // MISSING
+ emptyListMsg: '(No templates defined)', // MISSING
+ insertOption: 'Replace actual contents', // MISSING
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Please select the template to open in the editor', // MISSING
+ title: 'Content Templates' // MISSING
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ca.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ca.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ca.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ca', {
+ button: 'Plantilles',
+ emptyListMsg: '(No hi ha plantilles definides)',
+ insertOption: 'Reemplaça el contingut actual',
+ options: 'Opcions de plantilla',
+ selectPromptMsg: 'Seleccioneu una plantilla per usar a l\'editor
(per defecte s\'elimina el contingut actual):',
+ title: 'Plantilles de contingut'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/cs.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/cs.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/cs.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'cs', {
+ button: 'Šablony',
+ emptyListMsg: '(Není definována žádná šablona)',
+ insertOption: 'Nahradit aktuální obsah',
+ options: 'Nastavení šablon',
+ selectPromptMsg: 'Prosím zvolte šablonu pro otevření v editoru
(aktuální obsah editoru bude ztracen):',
+ title: 'Šablony obsahu'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/cy.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/cy.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/cy.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'cy', {
+ button: 'Templedi',
+ emptyListMsg: '(Dim templedi wedi\'u diffinio)',
+ insertOption: 'Amnewid y cynnwys go iawn',
+ options: 'Opsiynau Templedi',
+ selectPromptMsg: 'Dewiswch dempled i\'w agor yn y golygydd',
+ title: 'Templedi Cynnwys'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/da.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/da.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/da.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'da', {
+ button: 'Skabeloner',
+ emptyListMsg: '(Der er ikke defineret nogen skabelon)',
+ insertOption: 'Erstat det faktiske indhold',
+ options: 'Skabelon muligheder',
+ selectPromptMsg: 'Vælg den skabelon, som skal åbnes i editoren (nuværende indhold vil blive overskrevet):',
+ title: 'Indholdsskabeloner'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/de.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/de.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/de.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'de', {
+ button: 'Vorlagen',
+ emptyListMsg: '(keine Vorlagen definiert)',
+ insertOption: 'Aktuellen Inhalt ersetzen',
+ options: 'Vorlagen Optionen',
+ selectPromptMsg: 'Klicken Sie auf eine Vorlage, um sie im Editor zu öffnen (der aktuelle Inhalt wird dabei gelöscht!):',
+ title: 'Vorlagen'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/el.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/el.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/el.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'el', {
+ button: 'Πρότυπα',
+ emptyListMsg: '(Δεν έχουν καθοριστεί πρότυπα)',
+ insertOption: 'Αντικατάσταση υπάρχοντων περιεχομένων',
+ options: 'Επιλογές Προτύπου',
+ selectPromptMsg: 'Παρακαλώ επιλέξτε πρότυπο για εισαγωγή στο πρόγραμμα',
+ title: 'Πρότυπα Περιεχομένου'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/en-au.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/en-au.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/en-au.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'en-au', {
+ button: 'Templates',
+ emptyListMsg: '(No templates defined)',
+ insertOption: 'Replace actual contents',
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Please select the template to open in the editor',
+ title: 'Content Templates'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/en-ca.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/en-ca.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/en-ca.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'en-ca', {
+ button: 'Templates',
+ emptyListMsg: '(No templates defined)',
+ insertOption: 'Replace actual contents',
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Please select the template to open in the editor',
+ title: 'Content Templates'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/en-gb.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/en-gb.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/en-gb.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'en-gb', {
+ button: 'Templates',
+ emptyListMsg: '(No templates defined)',
+ insertOption: 'Replace actual contents',
+ options: 'Template Options',
+ selectPromptMsg: 'Please select the template to open in the editor',
+ title: 'Content Templates'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/en.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/en.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/en.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'en', {
+ button: 'Templates',
+ emptyListMsg: '(No templates defined)',
+ insertOption: 'Replace actual contents',
+ options: 'Template Options',
+ selectPromptMsg: 'Please select the template to open in the editor',
+ title: 'Content Templates'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/eo.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/eo.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/eo.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'eo', {
+ button: 'Ŝablonoj',
+ emptyListMsg: '(Neniu ŝablono difinita)',
+ insertOption: 'Anstataŭigi la nunan enhavon',
+ options: 'Opcioj pri ŝablonoj',
+ selectPromptMsg: 'Bonvolu selekti la ŝablonon por malfermi ĝin en la redaktilo',
+ title: 'Enhavo de ŝablonoj'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/es.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/es.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/es.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'es', {
+ button: 'Plantillas',
+ emptyListMsg: '(No hay plantillas definidas)',
+ insertOption: 'Reemplazar el contenido actual',
+ options: 'Opciones de plantillas',
+ selectPromptMsg: 'Por favor selecciona la plantilla a abrir en el editor
(el contenido actual se perderá):',
+ title: 'Contenido de Plantillas'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/et.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/et.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/et.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'et', {
+ button: 'Mall',
+ emptyListMsg: '(Ühtegi malli ei ole defineeritud)',
+ insertOption: 'Praegune sisu asendatakse',
+ options: 'Malli valikud',
+ selectPromptMsg: 'Palun vali mall, mis avada redaktoris
(praegune sisu läheb kaotsi):',
+ title: 'Sisumallid'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/eu.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/eu.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/eu.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'eu', {
+ button: 'Txantiloiak',
+ emptyListMsg: '(Ez dago definitutako txantiloirik)',
+ insertOption: 'Ordeztu oraingo edukiak',
+ options: 'Txantiloi Aukerak',
+ selectPromptMsg: 'Mesedez txantiloia aukeratu editorean kargatzeko
(orain dauden edukiak galduko dira):',
+ title: 'Eduki Txantiloiak'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/fa.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/fa.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/fa.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'fa', {
+ button: 'الگوها',
+ emptyListMsg: '(الگوئی تعریف نشده است)',
+ insertOption: 'محتویات کنونی جایگزین شوند',
+ options: 'گزینههای الگو',
+ selectPromptMsg: 'لطفاً الگوی مورد نظر را برای بازکردن در ویرایشگر انتخاب کنید',
+ title: 'الگوهای محتویات'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/fi.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/fi.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/fi.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'fi', {
+ button: 'Pohjat',
+ emptyListMsg: '(Ei määriteltyjä pohjia)',
+ insertOption: 'Korvaa koko sisältö',
+ options: 'Sisältöpohjan ominaisuudet',
+ selectPromptMsg: 'Valitse editoriin avattava pohja',
+ title: 'Sisältöpohjat'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/fo.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/fo.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/fo.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'fo', {
+ button: 'Skabelónir',
+ emptyListMsg: '(Ongar skabelónir tøkar)',
+ insertOption: 'Yvirskriva núverandi innihald',
+ options: 'Møguleikar fyri Template',
+ selectPromptMsg: 'Vinarliga vel ta skabelón, ið skal opnast í tekstviðgeranum
(Hetta yvirskrivar núverandi innihald):',
+ title: 'Innihaldsskabelónir'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/fr-ca.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/fr-ca.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/fr-ca.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'fr-ca', {
+ button: 'Modèles',
+ emptyListMsg: '(Aucun modèle disponible)',
+ insertOption: 'Remplacer tout le contenu actuel',
+ options: 'Options de modèles',
+ selectPromptMsg: 'Sélectionner le modèle à ouvrir dans l\'éditeur',
+ title: 'Modèles de contenu'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/fr.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/fr.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/fr.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'fr', {
+ button: 'Modèles',
+ emptyListMsg: '(Aucun modèle disponible)',
+ insertOption: 'Remplacer le contenu actuel',
+ options: 'Options des modèles',
+ selectPromptMsg: 'Veuillez sélectionner le modèle pour l\'ouvrir dans l\'éditeur',
+ title: 'Contenu des modèles'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/gl.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/gl.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/gl.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'gl', {
+ button: 'Modelos',
+ emptyListMsg: '(Non hai modelos definidos)',
+ insertOption: 'Substituír o contido actual',
+ options: 'Opcións de modelos',
+ selectPromptMsg: 'Seleccione o modelo a abrir no editor',
+ title: 'Modelos de contido'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/gu.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/gu.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/gu.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'gu', {
+ button: 'ટેમ્પ્લેટ',
+ emptyListMsg: '(કોઈ ટેમ્પ્લેટ ડિફાઇન નથી)',
+ insertOption: 'મૂળ શબ્દને બદલો',
+ options: 'ટેમ્પ્લેટના વિકલ્પો',
+ selectPromptMsg: 'એડિટરમાં ઓપન કરવા ટેમ્પ્લેટ પસંદ કરો (વર્તમાન કન્ટેન્ટ સેવ નહીં થાય):',
+ title: 'કન્ટેન્ટ ટેમ્પ્લેટ'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/he.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/he.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/he.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'he', {
+ button: 'תבניות',
+ emptyListMsg: '(לא הוגדרו תבניות)',
+ insertOption: 'החלפת תוכן ממשי',
+ options: 'אפשרויות התבניות',
+ selectPromptMsg: 'יש לבחור תבנית לפתיחה בעורך.
התוכן המקורי ימחק:',
+ title: 'תביות תוכן'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/hi.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/hi.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/hi.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'hi', {
+ button: 'टॅम्प्लेट',
+ emptyListMsg: '(कोई टॅम्प्लेट डिफ़ाइन नहीं किया गया है)',
+ insertOption: 'मूल शब्दों को बदलें',
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'ऍडिटर में ओपन करने हेतु टॅम्प्लेट चुनें(वर्तमान कन्टॅन्ट सेव नहीं होंगे):',
+ title: 'कन्टेन्ट टॅम्प्लेट'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/hr.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/hr.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/hr.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'hr', {
+ button: 'Predlošci',
+ emptyListMsg: '(Nema definiranih predložaka)',
+ insertOption: 'Zamijeni trenutne sadržaje',
+ options: 'Opcije predložaka',
+ selectPromptMsg: 'Molimo odaberite predložak koji želite otvoriti
(stvarni sadržaj će biti izgubljen):',
+ title: 'Predlošci sadržaja'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/hu.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/hu.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/hu.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'hu', {
+ button: 'Sablonok',
+ emptyListMsg: '(Nincs sablon megadva)',
+ insertOption: 'Kicseréli a jelenlegi tartalmat',
+ options: 'Sablon opciók',
+ selectPromptMsg: 'Válassza ki melyik sablon nyíljon meg a szerkesztőben
(a jelenlegi tartalom elveszik):',
+ title: 'Elérhető sablonok'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/id.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/id.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/id.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'id', {
+ button: 'Contoh',
+ emptyListMsg: '(Tidak ada contoh didefinisikan)',
+ insertOption: 'Ganti konten sebenarnya',
+ options: 'Opsi Contoh',
+ selectPromptMsg: 'Mohon pilih contoh untuk dibuka di editor',
+ title: 'Contoh Konten'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/is.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/is.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/is.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'is', {
+ button: 'Sniðmát',
+ emptyListMsg: '(Ekkert sniðmát er skilgreint!)',
+ insertOption: 'Skipta út raunverulegu innihaldi',
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Veldu sniðmát til að opna í ritlinum.
(Núverandi innihald víkur fyrir því!):',
+ title: 'Innihaldssniðmát'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/it.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/it.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/it.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'it', {
+ button: 'Modelli',
+ emptyListMsg: '(Nessun modello definito)',
+ insertOption: 'Cancella il contenuto corrente',
+ options: 'Opzioni del Modello',
+ selectPromptMsg: 'Seleziona il modello da aprire nell\'editor',
+ title: 'Contenuto dei modelli'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ja.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ja.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ja.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ja', {
+ button: 'テンプレート',
+ emptyListMsg: '(テンプレートが定義されていません)',
+ insertOption: '現在のエディタの内容と置き換えます',
+ options: 'テンプレートオプション',
+ selectPromptMsg: 'エディターで使用するテンプレートを選択してください。
(現在のエディタの内容は失われます):',
+ title: '内容テンプレート'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ka.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ka.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ka.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ka', {
+ button: 'თარგები',
+ emptyListMsg: '(თარგი არაა განსაზღვრული)',
+ insertOption: 'მიმდინარე შეგთავსის შეცვლა',
+ options: 'თარგების პარამეტრები',
+ selectPromptMsg: 'აირჩიეთ თარგი რედაქტორისთვის',
+ title: 'თარგები'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/km.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/km.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/km.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'km', {
+ button: 'ពុម្ពគំរូ',
+ emptyListMsg: '(មិនមានពុម្ពគំរូត្រូវបានកំណត់)',
+ insertOption: 'ជំនួសក្នុងមាតិកាបច្ចុប្បន្ន',
+ options: 'ជម្រើសពុម្ពគំរូ',
+ selectPromptMsg: 'សូមរើសពុម្ពគំរូដើម្បីបើកក្នុងកម្មវិធីសរសេរអត្ថបទ',
+ title: 'ពុម្ពគំរូមាតិកា'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ko.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ko.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ko.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ko', {
+ button: '템플릿',
+ emptyListMsg: '(템플릿이 없습니다.)',
+ insertOption: '현재 내용 바꾸기',
+ options: '템플릿 옵션',
+ selectPromptMsg: '에디터에서 사용할 템플릿을 선택하십시요.
(지금까지 작성된 내용은 사라집니다.):',
+ title: '내용 템플릿'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ku.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ku.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ku.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ku', {
+ button: 'ڕووکار',
+ emptyListMsg: '(هیچ ڕووکارێك دیارینەکراوە)',
+ insertOption: 'لە شوێن دانانی ئەم پێکهاتانەی ئێستا',
+ options: 'هەڵبژاردەکانی ڕووکار',
+ selectPromptMsg: 'ڕووکارێك هەڵبژێره بۆ کردنەوەی له سەرنووسەر:',
+ title: 'پێکهاتەی ڕووکار'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/lt.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/lt.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/lt.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'lt', {
+ button: 'Šablonai',
+ emptyListMsg: '(Šablonų sąrašas tuščias)',
+ insertOption: 'Pakeisti dabartinį turinį pasirinktu šablonu',
+ options: 'Template Options',
+ selectPromptMsg: 'Pasirinkite norimą šabloną
(Dėmesio! esamas turinys bus prarastas):',
+ title: 'Turinio šablonai'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/lv.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/lv.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/lv.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'lv', {
+ button: 'Sagataves',
+ emptyListMsg: '(Nav norādītas sagataves)',
+ insertOption: 'Aizvietot pašreizējo saturu',
+ options: 'Sagataves uzstādījumi',
+ selectPromptMsg: 'Lūdzu, norādiet sagatavi, ko atvērt editorā
(patreizējie dati tiks zaudēti):',
+ title: 'Satura sagataves'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/mk.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/mk.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/mk.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'mk', {
+ button: 'Templates', // MISSING
+ emptyListMsg: '(No templates defined)', // MISSING
+ insertOption: 'Replace actual contents', // MISSING
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Please select the template to open in the editor', // MISSING
+ title: 'Content Templates' // MISSING
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/mn.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/mn.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/mn.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'mn', {
+ button: 'Загварууд',
+ emptyListMsg: '(Загвар тодорхойлогдоогүй байна)',
+ insertOption: 'Одоогийн агууллагыг дарж бичих',
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Загварыг нээж editor-рүү сонгож оруулна уу
(Одоогийн агууллагыг устаж магадгүй):',
+ title: 'Загварын агуулга'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ms.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ms.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ms.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ms', {
+ button: 'Templat',
+ emptyListMsg: '(Tiada Templat Disimpan)',
+ insertOption: 'Replace actual contents', // MISSING
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Sila pilih templat untuk dibuka oleh editor
(kandungan sebenar akan hilang):',
+ title: 'Templat Kandungan'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/nb.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/nb.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/nb.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'nb', {
+ button: 'Maler',
+ emptyListMsg: '(Ingen maler definert)',
+ insertOption: 'Erstatt gjeldende innhold',
+ options: 'Alternativer for mal',
+ selectPromptMsg: 'Velg malen du vil åpne i redigeringsverktøyet:',
+ title: 'Innholdsmaler'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/nl.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/nl.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/nl.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'nl', {
+ button: 'Sjablonen',
+ emptyListMsg: '(Geen sjablonen gedefinieerd)',
+ insertOption: 'Vervang de huidige inhoud',
+ options: 'Template opties',
+ selectPromptMsg: 'Selecteer het sjabloon dat in de editor geopend moet worden (de actuele inhoud gaat verloren):',
+ title: 'Inhoud sjablonen'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/no.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/no.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/no.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'no', {
+ button: 'Maler',
+ emptyListMsg: '(Ingen maler definert)',
+ insertOption: 'Erstatt gjeldende innhold',
+ options: 'Alternativer for mal',
+ selectPromptMsg: 'Velg malen du vil åpne i redigeringsverktøyet:',
+ title: 'Innholdsmaler'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/pl.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/pl.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/pl.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'pl', {
+ button: 'Szablony',
+ emptyListMsg: '(Brak zdefiniowanych szablonów)',
+ insertOption: 'Zastąp obecną zawartość',
+ options: 'Opcje szablonów',
+ selectPromptMsg: 'Wybierz szablon do otwarcia w edytorze
(obecna zawartość okna edytora zostanie utracona):',
+ title: 'Szablony zawartości'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/pt-br.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/pt-br.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/pt-br.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'pt-br', {
+ button: 'Modelos de layout',
+ emptyListMsg: '(Não foram definidos modelos de layout)',
+ insertOption: 'Substituir o conteúdo atual',
+ options: 'Opções de Template',
+ selectPromptMsg: 'Selecione um modelo de layout para ser aberto no editor
(o conteúdo atual será perdido):',
+ title: 'Modelo de layout de conteúdo'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/pt.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/pt.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/pt.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'pt', {
+ button: 'Modelos',
+ emptyListMsg: '(Sem modelos definidos)',
+ insertOption: 'Substituir conteúdos atuais',
+ options: 'Opções do modelo',
+ selectPromptMsg: 'Por favor, selecione o modelo para abrir no editor',
+ title: 'Conteúdo dos Modelos'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ro.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ro.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ro.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ro', {
+ button: 'Template-uri (şabloane)',
+ emptyListMsg: '(Niciun template (şablon) definit)',
+ insertOption: 'Înlocuieşte cuprinsul actual',
+ options: 'Opțiuni șabloane',
+ selectPromptMsg: 'Vă rugăm selectaţi template-ul (şablonul) ce se va deschide în editor
(conţinutul actual va fi pierdut):',
+ title: 'Template-uri (şabloane) de conţinut'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ru.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ru.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ru.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ru', {
+ button: 'Шаблоны',
+ emptyListMsg: '(не определено ни одного шаблона)',
+ insertOption: 'Заменить текущее содержимое',
+ options: 'Параметры шаблона',
+ selectPromptMsg: 'Пожалуйста, выберите, какой шаблон следует открыть в редакторе',
+ title: 'Шаблоны содержимого'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/si.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/si.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/si.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'si', {
+ button: 'අච්චුව',
+ emptyListMsg: 'කිසිම අච්චුවක් කලින් තීරණය කර ',
+ insertOption: 'සත්ය අන්තර්ගතයන් ප්රතිස්ථාපනය කරන්න',
+ options: 'අච්චු ',
+ selectPromptMsg: 'කරුණාකර සංස්කරණය සදහා අච්චුවක් ',
+ title: 'අන්තර්ගත් අච්චුන්'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/sk.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/sk.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/sk.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'sk', {
+ button: 'Šablóny',
+ emptyListMsg: '(Žiadne šablóny nedefinované)',
+ insertOption: 'Nahradiť aktuálny obsah',
+ options: 'Možnosti šablóny',
+ selectPromptMsg: 'Prosím vyberte šablónu na otvorenie v editore',
+ title: 'Šablóny obsahu'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/sl.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/sl.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/sl.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'sl', {
+ button: 'Predloge',
+ emptyListMsg: '(Ni pripravljenih predlog)',
+ insertOption: 'Zamenjaj trenutno vsebino',
+ options: 'Možnosti Predloge',
+ selectPromptMsg: 'Izberite predlogo, ki jo želite odpreti v urejevalniku
(trenutna vsebina bo izgubljena):',
+ title: 'Vsebinske predloge'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/sq.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/sq.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/sq.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'sq', {
+ button: 'Shabllonet',
+ emptyListMsg: '(Asnjë shabllon nuk është paradefinuar)',
+ insertOption: 'Zëvendëso përmbajtjen aktuale',
+ options: 'Opsionet e Shabllonit',
+ selectPromptMsg: 'Përzgjidhni shabllonin për të hapur tek redaktuesi',
+ title: 'Përmbajtja e Shabllonit'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/sr-latn.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/sr-latn.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/sr-latn.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'sr-latn', {
+ button: 'Obrasci',
+ emptyListMsg: '(Nema definisanih obrazaca)',
+ insertOption: 'Replace actual contents', // MISSING
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Molimo Vas da odaberete obrazac koji ce biti primenjen na stranicu (trenutni sadržaj ce biti obrisan):',
+ title: 'Obrasci za sadržaj'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/sr.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/sr.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/sr.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'sr', {
+ button: 'Обрасци',
+ emptyListMsg: '(Нема дефинисаних образаца)',
+ insertOption: 'Replace actual contents', // MISSING
+ options: 'Template Options', // MISSING
+ selectPromptMsg: 'Молимо Вас да одаберете образац који ће бити примењен на страницу (тренутни садржај ће бити обрисан):',
+ title: 'Обрасци за садржај'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/sv.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/sv.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/sv.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'sv', {
+ button: 'Sidmallar',
+ emptyListMsg: '(Ingen mall är vald)',
+ insertOption: 'Ersätt aktuellt innehåll',
+ options: 'Inställningar för mall',
+ selectPromptMsg: 'Var god välj en mall att använda med editorn
(allt nuvarande innehåll raderas):',
+ title: 'Sidmallar'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/th.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/th.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/th.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'th', {
+ button: 'เทมเพลต',
+ emptyListMsg: '(ยังไม่มีการกำหนดเทมเพลต)',
+ insertOption: 'แทนที่เนื้อหาเว็บไซต์ที่เลือก',
+ options: 'ตัวเลือกเกี่ยวกับเทมเพลท',
+ selectPromptMsg: 'กรุณาเลือก เทมเพลต เพื่อนำไปแก้ไขในอีดิตเตอร์
(เนื้อหาส่วนนี้จะหายไป):',
+ title: 'เทมเพลตของส่วนเนื้อหาเว็บไซต์'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/tr.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/tr.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/tr.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'tr', {
+ button: 'Şablonlar',
+ emptyListMsg: '(Belirli bir şablon seçilmedi)',
+ insertOption: 'Mevcut içerik ile değiştir',
+ options: 'Şablon Seçenekleri',
+ selectPromptMsg: 'Düzenleyicide açmak için lütfen bir şablon seçin.
(hali hazırdaki içerik kaybolacaktır.):',
+ title: 'İçerik Şablonları'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/tt.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/tt.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/tt.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'tt', {
+ button: 'Шаблоннар',
+ emptyListMsg: '(Шаблоннар билгеләнмәгән)',
+ insertOption: 'Әлеге эчтәлекне алмаштыру',
+ options: 'Шаблон үзлекләре',
+ selectPromptMsg: 'Please select the template to open in the editor', // MISSING
+ title: 'Эчтәлек шаблоннары'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/ug.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/ug.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/ug.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'ug', {
+ button: 'قېلىپ',
+ emptyListMsg: '(قېلىپ يوق)',
+ insertOption: 'نۆۋەتتىكى مەزمۇننى ئالماشتۇر',
+ options: 'قېلىپ تاللانمىسى',
+ selectPromptMsg: 'تەھرىرلىگۈچنىڭ مەزمۇن قېلىپىنى تاللاڭ:',
+ title: 'مەزمۇن قېلىپى'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/uk.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/uk.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/uk.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'uk', {
+ button: 'Шаблони',
+ emptyListMsg: '(Не знайдено жодного шаблону)',
+ insertOption: 'Замінити поточний вміст',
+ options: 'Опції шаблону',
+ selectPromptMsg: 'Оберіть, будь ласка, шаблон для відкриття в редакторі
(поточний зміст буде втрачено):',
+ title: 'Шаблони змісту'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/vi.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/vi.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/vi.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'vi', {
+ button: 'Mẫu dựng sẵn',
+ emptyListMsg: '(Không có mẫu dựng sẵn nào được định nghĩa)',
+ insertOption: 'Thay thế nội dung hiện tại',
+ options: 'Tùy chọn mẫu dựng sẵn',
+ selectPromptMsg: 'Hãy chọn mẫu dựng sẵn để mở trong trình biên tập
(nội dung hiện tại sẽ bị mất):',
+ title: 'Nội dung Mẫu dựng sẵn'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/zh-cn.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/zh-cn.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/zh-cn.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'zh-cn', {
+ button: '模板',
+ emptyListMsg: '(没有模板)',
+ insertOption: '替换当前内容',
+ options: '模板选项',
+ selectPromptMsg: '请选择要在编辑器中使用的模板:',
+ title: '内容模板'
+} );
Index: lams_central/web/ckeditor/plugins/templates/lang/zh.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/lang/zh.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/lang/zh.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,12 @@
+/*
+Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+For licensing, see LICENSE.md or http://ckeditor.com/license
+*/
+CKEDITOR.plugins.setLang( 'templates', 'zh', {
+ button: '範本',
+ emptyListMsg: '(尚未定義任何範本)',
+ insertOption: '替代實際內容',
+ options: '範本選項',
+ selectPromptMsg: '請選擇要在編輯器中開啟的範本。',
+ title: '內容範本'
+} );
Index: lams_central/web/ckeditor/plugins/templates/plugin.js
===================================================================
diff -u
--- lams_central/web/ckeditor/plugins/templates/plugin.js (revision 0)
+++ lams_central/web/ckeditor/plugins/templates/plugin.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,94 @@
+/**
+ * @license Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+ * For licensing, see LICENSE.md or http://ckeditor.com/license
+ */
+
+( function() {
+ CKEDITOR.plugins.add( 'templates', {
+ requires: 'dialog',
+ // jscs:disable maximumLineLength
+ lang: 'af,ar,bg,bn,bs,ca,cs,cy,da,de,el,en,en-au,en-ca,en-gb,eo,es,et,eu,fa,fi,fo,fr,fr-ca,gl,gu,he,hi,hr,hu,id,is,it,ja,ka,km,ko,ku,lt,lv,mk,mn,ms,nb,nl,no,pl,pt,pt-br,ro,ru,si,sk,sl,sq,sr,sr-latn,sv,th,tr,tt,ug,uk,vi,zh,zh-cn', // %REMOVE_LINE_CORE%
+ // jscs:enable maximumLineLength
+ icons: 'templates,templates-rtl', // %REMOVE_LINE_CORE%
+ hidpi: true, // %REMOVE_LINE_CORE%
+ init: function( editor ) {
+ CKEDITOR.dialog.add( 'templates', CKEDITOR.getUrl( this.path + 'dialogs/templates.js' ) );
+
+ editor.addCommand( 'templates', new CKEDITOR.dialogCommand( 'templates' ) );
+
+ editor.ui.addButton && editor.ui.addButton( 'Templates', {
+ label: editor.lang.templates.button,
+ command: 'templates',
+ toolbar: 'doctools,10'
+ } );
+ }
+ } );
+
+ var templates = {},
+ loadedTemplatesFiles = {};
+
+ CKEDITOR.addTemplates = function( name, definition ) {
+ templates[ name ] = definition;
+ };
+
+ CKEDITOR.getTemplates = function( name ) {
+ return templates[ name ];
+ };
+
+ CKEDITOR.loadTemplates = function( templateFiles, callback ) {
+ // Holds the templates files to be loaded.
+ var toLoad = [];
+
+ // Look for pending template files to get loaded.
+ for ( var i = 0, count = templateFiles.length; i < count; i++ ) {
+ if ( !loadedTemplatesFiles[ templateFiles[ i ] ] ) {
+ toLoad.push( templateFiles[ i ] );
+ loadedTemplatesFiles[ templateFiles[ i ] ] = 1;
+ }
+ }
+
+ if ( toLoad.length )
+ CKEDITOR.scriptLoader.load( toLoad, callback );
+ else
+ setTimeout( callback, 0 );
+ };
+} )();
+
+
+
+/**
+ * The templates definition set to use. It accepts a list of names separated by
+ * comma. It must match definitions loaded with the {@link #templates_files} setting.
+ *
+ * config.templates = 'my_templates';
+ *
+ * @cfg {String} [templates='default']
+ * @member CKEDITOR.config
+ */
+
+/**
+ * The list of templates definition files to load.
+ *
+ * config.templates_files = [
+ * '/editor_templates/site_default.js',
+ * 'http://www.example.com/user_templates.js
+ * ];
+ *
+ * @cfg
+ * @member CKEDITOR.config
+ */
+// *LAMS* commented out by LAMS as it was overwriting properties from the main config file
+//CKEDITOR.config.templates_files = [
+// CKEDITOR.getUrl( 'plugins/templates/templates/default.js' )
+//];
+
+/**
+ * Whether the "Replace actual contents" checkbox is checked by default in the
+ * Templates dialog.
+ *
+ * config.templates_replaceContent = false;
+ *
+ * @cfg
+ * @member CKEDITOR.config
+ */
+CKEDITOR.config.templates_replaceContent = true;
Index: lams_central/web/includes/javascript/ckconfig_custom.js
===================================================================
diff -u -r8dfed38ca060040c6e4124f0a9ff6dd0abe703c1 -rdf07700d682ba282e96718eae0a6b57f5be99d61
--- lams_central/web/includes/javascript/ckconfig_custom.js (.../ckconfig_custom.js) (revision 8dfed38ca060040c6e4124f0a9ff6dd0abe703c1)
+++ lams_central/web/includes/javascript/ckconfig_custom.js (.../ckconfig_custom.js) (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -122,11 +122,12 @@
//CKEDITOR.config.skin = 'office2013' ;
CKEDITOR.config.disableNativeSpellChecker = false;
CKEDITOR.config.browserContextMenuOnCtrl = true;
-CKEDITOR.config.templates = CKEDITOR.basePath + '../www/htmltemplates.xml';
+CKEDITOR.config.templates = 'lams_templates';
+CKEDITOR.config.templates_files = [CKEDITOR.basePath + '../www/htmltemplates.js'];
CKEDITOR.config.format_tags = 'div;h1;h2;h3;h4;h5;h6;pre;address;p' ;
CKEDITOR.config.enterMode = 'div';
CKEDITOR.plugins.addExternal('wikilink', CKEDITOR.basePath + '../tool/lawiki10/wikilink/', 'plugin.js');
-CKEDITOR.config.extraPlugins = 'wikilink,jlatexmath,paint,iframe,lineutils,widget,oembed,sourcedialog';
+CKEDITOR.config.extraPlugins = 'wikilink,jlatexmath,paint,iframe,lineutils,widget,oembed,sourcedialog,dialog,templates';
CKEDITOR.config.enterMode = CKEDITOR.ENTER_DIV;
CKEDITOR.config.removePlugins = 'elementspath';
CKEDITOR.config.allowedContent = true;
Index: lams_www/web/htmltemplates.js
===================================================================
diff -u
--- lams_www/web/htmltemplates.js (revision 0)
+++ lams_www/web/htmltemplates.js (revision df07700d682ba282e96718eae0a6b57f5be99d61)
@@ -0,0 +1,87 @@
+/**
+ * @license Copyright (c) 2003-2015, CKSource - Frederico Knabben. All rights reserved.
+ * For licensing, see LICENSE.md or http://ckeditor.com/license
+ */
+
+// Register a templates definition set named "default".
+CKEDITOR.addTemplates( 'default', {
+ // The name of sub folder which hold the shortcut preview images of the
+ // templates.
+ imagesPath: "/lams/www/images/",
+
+ // The templates definitions.
+ templates: [ {
+ title: 'Image and Title',
+ image: 'template1.gif',
+ description: 'One main image with a title and text that surround the image.',
+ html: '' +
+ // Use src=" " so image is not filtered out by the editor as incorrect (src is required).
+ '
' +
+ 'Type the title here' +
+ '
' +
+ '' +
+ 'Type the text here' +
+ '
'
+ },
+ {
+ title: '2 Column Table',
+ image: 'template2.gif',
+ description: 'A template that defines two colums, each one with a title, and some text.',
+ html: '' +
+ '' +
+ '' +
+ 'Title 1' +
+ ' | ' +
+ ' | ' +
+ '' +
+ 'Title 2' +
+ ' | ' +
+ '
' +
+ '' +
+ '' +
+ 'Text 1' +
+ ' | ' +
+ ' | ' +
+ '' +
+ 'Text 2' +
+ ' | ' +
+ '
' +
+ '
' +
+ '' +
+ 'More text goes here.' +
+ '
'
+ },
+ {
+ title: 'Text and Table',
+ image: 'template3.gif',
+ description: 'A title with some text and a table.',
+ html: '' +
+ '
' +
+ 'Title goes here' +
+ '
' +
+ '
' +
+ '' +
+ 'Table title' +
+ '' +
+ '' +
+ ' | ' +
+ ' | ' +
+ ' | ' +
+ '
' +
+ '' +
+ ' | ' +
+ ' | ' +
+ ' | ' +
+ '
' +
+ '' +
+ ' | ' +
+ ' | ' +
+ ' | ' +
+ '
' +
+ '
' +
+ '
' +
+ 'Type the text here' +
+ '
' +
+ '
'
+ } ]
+} );
Fisheye: Tag df07700d682ba282e96718eae0a6b57f5be99d61 refers to a dead (removed) revision in file `lams_www/web/htmltemplates.xml'.
Fisheye: No comparison available. Pass `N' to diff?